diff --git a/patches/rrweb+1.1.3.patch b/patches/rrweb+1.1.3.patch index af53f6595d88..e4bcbec766ae 100644 --- a/patches/rrweb+1.1.3.patch +++ b/patches/rrweb+1.1.3.patch @@ -1,17 +1,10185 @@ +diff --git a/node_modules/rrweb/dist/plugins/canvas-webrtc-record.js b/node_modules/rrweb/dist/plugins/canvas-webrtc-record.js +new file mode 100755 +index 0000000..1f7e1d0 +--- /dev/null ++++ b/node_modules/rrweb/dist/plugins/canvas-webrtc-record.js +@@ -0,0 +1,1398 @@ ++var rrwebCanvasWebRTCRecord = (function (exports) { ++ 'use strict'; ++ ++ /*! simple-peer. MIT License. Feross Aboukhadijeh */ ++ const MAX_BUFFERED_AMOUNT = 64 * 1024; ++ const ICECOMPLETE_TIMEOUT = 5 * 1000; ++ const CHANNEL_CLOSING_TIMEOUT = 5 * 1000; ++ ++ function randombytes (size) { ++ const array = new Uint8Array(size); ++ for (let i = 0; i < size; i++) { ++ array[i] = (Math.random() * 256) | 0; ++ } ++ return array ++ } ++ ++ function getBrowserRTC () { ++ if (typeof globalThis === 'undefined') return null ++ const wrtc = { ++ RTCPeerConnection: ++ globalThis.RTCPeerConnection || ++ globalThis.mozRTCPeerConnection || ++ globalThis.webkitRTCPeerConnection, ++ RTCSessionDescription: ++ globalThis.RTCSessionDescription || ++ globalThis.mozRTCSessionDescription || ++ globalThis.webkitRTCSessionDescription, ++ RTCIceCandidate: ++ globalThis.RTCIceCandidate || ++ globalThis.mozRTCIceCandidate || ++ globalThis.webkitRTCIceCandidate ++ }; ++ if (!wrtc.RTCPeerConnection) return null ++ return wrtc ++ } ++ ++ function errCode (err, code) { ++ Object.defineProperty(err, 'code', { ++ value: code, ++ enumerable: true, ++ configurable: true ++ }); ++ return err ++ } ++ ++ // HACK: Filter trickle lines when trickle is disabled #354 ++ function filterTrickle (sdp) { ++ return sdp.replace(/a=ice-options:trickle\s\n/g, '') ++ } ++ ++ function warn (message) { ++ console.warn(message); ++ } ++ ++ /** ++ * WebRTC peer connection. ++ * @param {Object} opts ++ */ ++ class Peer { ++ constructor (opts = {}) { ++ this._map = new Map(); // for event emitter ++ ++ this._id = randombytes(4).toString('hex').slice(0, 7); ++ this._doDebug = opts.debug; ++ this._debug('new peer %o', opts); ++ ++ this.channelName = opts.initiator ++ ? opts.channelName || randombytes(20).toString('hex') ++ : null; ++ ++ this.initiator = opts.initiator || false; ++ this.channelConfig = opts.channelConfig || Peer.channelConfig; ++ this.channelNegotiated = this.channelConfig.negotiated; ++ this.config = Object.assign({}, Peer.config, opts.config); ++ this.offerOptions = opts.offerOptions || {}; ++ this.answerOptions = opts.answerOptions || {}; ++ this.sdpTransform = opts.sdpTransform || (sdp => sdp); ++ this.streams = opts.streams || (opts.stream ? [opts.stream] : []); // support old "stream" option ++ this.trickle = opts.trickle !== undefined ? opts.trickle : true; ++ this.allowHalfTrickle = ++ opts.allowHalfTrickle !== undefined ? opts.allowHalfTrickle : false; ++ this.iceCompleteTimeout = opts.iceCompleteTimeout || ICECOMPLETE_TIMEOUT; ++ ++ this.destroyed = false; ++ this.destroying = false; ++ this._connected = false; ++ ++ this.remoteAddress = undefined; ++ this.remoteFamily = undefined; ++ this.remotePort = undefined; ++ this.localAddress = undefined; ++ this.localFamily = undefined; ++ this.localPort = undefined; ++ ++ this._wrtc = ++ opts.wrtc && typeof opts.wrtc === 'object' ? opts.wrtc : getBrowserRTC(); ++ ++ if (!this._wrtc) { ++ if (typeof window === 'undefined') { ++ throw errCode( ++ new Error( ++ 'No WebRTC support: Specify `opts.wrtc` option in this environment' ++ ), ++ 'ERR_WEBRTC_SUPPORT' ++ ) ++ } else { ++ throw errCode( ++ new Error('No WebRTC support: Not a supported browser'), ++ 'ERR_WEBRTC_SUPPORT' ++ ) ++ } ++ } ++ ++ this._pcReady = false; ++ this._channelReady = false; ++ this._iceComplete = false; // ice candidate trickle done (got null candidate) ++ this._iceCompleteTimer = null; // send an offer/answer anyway after some timeout ++ this._channel = null; ++ this._pendingCandidates = []; ++ ++ this._isNegotiating = false; // is this peer waiting for negotiation to complete? ++ this._firstNegotiation = true; ++ this._batchedNegotiation = false; // batch synchronous negotiations ++ this._queuedNegotiation = false; // is there a queued negotiation request? ++ this._sendersAwaitingStable = []; ++ this._senderMap = new Map(); ++ this._closingInterval = null; ++ ++ this._remoteTracks = []; ++ this._remoteStreams = []; ++ ++ this._chunk = null; ++ this._cb = null; ++ this._interval = null; ++ ++ try { ++ this._pc = new this._wrtc.RTCPeerConnection(this.config); ++ } catch (err) { ++ this.destroy(errCode(err, 'ERR_PC_CONSTRUCTOR')); ++ return ++ } ++ ++ // We prefer feature detection whenever possible, but sometimes that's not ++ // possible for certain implementations. ++ this._isReactNativeWebrtc = typeof this._pc._peerConnectionId === 'number'; ++ ++ this._pc.oniceconnectionstatechange = () => { ++ this._onIceStateChange(); ++ }; ++ this._pc.onicegatheringstatechange = () => { ++ this._onIceStateChange(); ++ }; ++ this._pc.onconnectionstatechange = () => { ++ this._onConnectionStateChange(); ++ }; ++ this._pc.onsignalingstatechange = () => { ++ this._onSignalingStateChange(); ++ }; ++ this._pc.onicecandidate = event => { ++ this._onIceCandidate(event); ++ }; ++ ++ // HACK: Fix for odd Firefox behavior, see: https://github.com/feross/simple-peer/pull/783 ++ if (typeof this._pc.peerIdentity === 'object') { ++ this._pc.peerIdentity.catch(err => { ++ this.destroy(errCode(err, 'ERR_PC_PEER_IDENTITY')); ++ }); ++ } ++ ++ // Other spec events, unused by this implementation: ++ // - onconnectionstatechange ++ // - onicecandidateerror ++ // - onfingerprintfailure ++ // - onnegotiationneeded ++ ++ if (this.initiator || this.channelNegotiated) { ++ this._setupData({ ++ channel: this._pc.createDataChannel( ++ this.channelName, ++ this.channelConfig ++ ) ++ }); ++ } else { ++ this._pc.ondatachannel = event => { ++ this._setupData(event); ++ }; ++ } ++ ++ if (this.streams) { ++ this.streams.forEach(stream => { ++ this.addStream(stream); ++ }); ++ } ++ this._pc.ontrack = event => { ++ this._onTrack(event); ++ }; ++ ++ this._debug('initial negotiation'); ++ this._needsNegotiation(); ++ } ++ ++ get bufferSize () { ++ return (this._channel && this._channel.bufferedAmount) || 0 ++ } ++ ++ // HACK: it's possible channel.readyState is "closing" before peer.destroy() fires ++ // https://bugs.chromium.org/p/chromium/issues/detail?id=882743 ++ get connected () { ++ return this._connected && this._channel.readyState === 'open' ++ } ++ ++ address () { ++ return { ++ port: this.localPort, ++ family: this.localFamily, ++ address: this.localAddress ++ } ++ } ++ ++ signal (data) { ++ if (this.destroying) return ++ if (this.destroyed) throw errCode(new Error('cannot signal after peer is destroyed'), 'ERR_DESTROYED') ++ if (typeof data === 'string') { ++ try { ++ data = JSON.parse(data); ++ } catch (err) { ++ data = {}; ++ } ++ } ++ this._debug('signal()'); ++ ++ if (data.renegotiate && this.initiator) { ++ this._debug('got request to renegotiate'); ++ this._needsNegotiation(); ++ } ++ if (data.transceiverRequest && this.initiator) { ++ this._debug('got request for transceiver'); ++ this.addTransceiver( ++ data.transceiverRequest.kind, ++ data.transceiverRequest.init ++ ); ++ } ++ if (data.candidate) { ++ if (this._pc.remoteDescription && this._pc.remoteDescription.type) { ++ this._addIceCandidate(data.candidate); ++ } else { ++ this._pendingCandidates.push(data.candidate); ++ } ++ } ++ if (data.sdp) { ++ this._pc ++ .setRemoteDescription(new this._wrtc.RTCSessionDescription(data)) ++ .then(() => { ++ if (this.destroyed) return ++ ++ this._pendingCandidates.forEach(candidate => { ++ this._addIceCandidate(candidate); ++ }); ++ this._pendingCandidates = []; ++ ++ if (this._pc.remoteDescription.type === 'offer') this._createAnswer(); ++ }) ++ .catch(err => { ++ this.destroy(errCode(err, 'ERR_SET_REMOTE_DESCRIPTION')); ++ }); ++ } ++ if ( ++ !data.sdp && ++ !data.candidate && ++ !data.renegotiate && ++ !data.transceiverRequest ++ ) { ++ this.destroy( ++ errCode( ++ new Error('signal() called with invalid signal data'), ++ 'ERR_SIGNALING' ++ ) ++ ); ++ } ++ } ++ ++ _addIceCandidate (candidate) { ++ const iceCandidateObj = new this._wrtc.RTCIceCandidate(candidate); ++ this._pc.addIceCandidate(iceCandidateObj).catch(err => { ++ if ( ++ !iceCandidateObj.address || ++ iceCandidateObj.address.endsWith('.local') ++ ) { ++ warn('Ignoring unsupported ICE candidate.'); ++ } else { ++ this.destroy(errCode(err, 'ERR_ADD_ICE_CANDIDATE')); ++ } ++ }); ++ } ++ ++ /** ++ * Send text/binary data to the remote peer. ++ * @param {ArrayBufferView|ArrayBuffer|string|Blob} chunk ++ */ ++ send (chunk) { ++ if (this.destroying) return ++ if (this.destroyed) throw errCode(new Error('cannot send after peer is destroyed'), 'ERR_DESTROYED') ++ this._channel.send(chunk); ++ } ++ ++ /** ++ * Add a Transceiver to the connection. ++ * @param {String} kind ++ * @param {Object} init ++ */ ++ addTransceiver (kind, init) { ++ if (this.destroying) return ++ if (this.destroyed) throw errCode(new Error('cannot addTransceiver after peer is destroyed'), 'ERR_DESTROYED') ++ this._debug('addTransceiver()'); ++ ++ if (this.initiator) { ++ try { ++ this._pc.addTransceiver(kind, init); ++ this._needsNegotiation(); ++ } catch (err) { ++ this.destroy(errCode(err, 'ERR_ADD_TRANSCEIVER')); ++ } ++ } else { ++ this.emit('signal', { ++ // request initiator to renegotiate ++ type: 'transceiverRequest', ++ transceiverRequest: { kind, init } ++ }); ++ } ++ } ++ ++ /** ++ * Add a MediaStream to the connection. ++ * @param {MediaStream} stream ++ */ ++ addStream (stream) { ++ if (this.destroying) return ++ if (this.destroyed) throw errCode(new Error('cannot addStream after peer is destroyed'), 'ERR_DESTROYED') ++ this._debug('addStream()'); ++ ++ stream.getTracks().forEach(track => { ++ this.addTrack(track, stream); ++ }); ++ } ++ ++ /** ++ * Add a MediaStreamTrack to the connection. ++ * @param {MediaStreamTrack} track ++ * @param {MediaStream} stream ++ */ ++ addTrack (track, stream) { ++ if (this.destroying) return ++ if (this.destroyed) throw errCode(new Error('cannot addTrack after peer is destroyed'), 'ERR_DESTROYED') ++ this._debug('addTrack()'); ++ ++ const submap = this._senderMap.get(track) || new Map(); // nested Maps map [track, stream] to sender ++ let sender = submap.get(stream); ++ if (!sender) { ++ sender = this._pc.addTrack(track, stream); ++ submap.set(stream, sender); ++ this._senderMap.set(track, submap); ++ this._needsNegotiation(); ++ } else if (sender.removed) { ++ throw errCode( ++ new Error( ++ 'Track has been removed. You should enable/disable tracks that you want to re-add.' ++ ), ++ 'ERR_SENDER_REMOVED' ++ ) ++ } else { ++ throw errCode( ++ new Error('Track has already been added to that stream.'), ++ 'ERR_SENDER_ALREADY_ADDED' ++ ) ++ } ++ } ++ ++ /** ++ * Replace a MediaStreamTrack by another in the connection. ++ * @param {MediaStreamTrack} oldTrack ++ * @param {MediaStreamTrack} newTrack ++ * @param {MediaStream} stream ++ */ ++ replaceTrack (oldTrack, newTrack, stream) { ++ if (this.destroying) return ++ if (this.destroyed) throw errCode(new Error('cannot replaceTrack after peer is destroyed'), 'ERR_DESTROYED') ++ this._debug('replaceTrack()'); ++ ++ const submap = this._senderMap.get(oldTrack); ++ const sender = submap ? submap.get(stream) : null; ++ if (!sender) { ++ throw errCode( ++ new Error('Cannot replace track that was never added.'), ++ 'ERR_TRACK_NOT_ADDED' ++ ) ++ } ++ if (newTrack) this._senderMap.set(newTrack, submap); ++ ++ if (sender.replaceTrack != null) { ++ sender.replaceTrack(newTrack); ++ } else { ++ this.destroy( ++ errCode( ++ new Error('replaceTrack is not supported in this browser'), ++ 'ERR_UNSUPPORTED_REPLACETRACK' ++ ) ++ ); ++ } ++ } ++ ++ /** ++ * Remove a MediaStreamTrack from the connection. ++ * @param {MediaStreamTrack} track ++ * @param {MediaStream} stream ++ */ ++ removeTrack (track, stream) { ++ if (this.destroying) return ++ if (this.destroyed) throw errCode(new Error('cannot removeTrack after peer is destroyed'), 'ERR_DESTROYED') ++ this._debug('removeSender()'); ++ ++ const submap = this._senderMap.get(track); ++ const sender = submap ? submap.get(stream) : null; ++ if (!sender) { ++ throw errCode( ++ new Error('Cannot remove track that was never added.'), ++ 'ERR_TRACK_NOT_ADDED' ++ ) ++ } ++ try { ++ sender.removed = true; ++ this._pc.removeTrack(sender); ++ } catch (err) { ++ if (err.name === 'NS_ERROR_UNEXPECTED') { ++ this._sendersAwaitingStable.push(sender); // HACK: Firefox must wait until (signalingState === stable) https://bugzilla.mozilla.org/show_bug.cgi?id=1133874 ++ } else { ++ this.destroy(errCode(err, 'ERR_REMOVE_TRACK')); ++ } ++ } ++ this._needsNegotiation(); ++ } ++ ++ /** ++ * Remove a MediaStream from the connection. ++ * @param {MediaStream} stream ++ */ ++ removeStream (stream) { ++ if (this.destroying) return ++ if (this.destroyed) throw errCode(new Error('cannot removeStream after peer is destroyed'), 'ERR_DESTROYED') ++ this._debug('removeSenders()'); ++ ++ stream.getTracks().forEach(track => { ++ this.removeTrack(track, stream); ++ }); ++ } ++ ++ _needsNegotiation () { ++ this._debug('_needsNegotiation'); ++ if (this._batchedNegotiation) return // batch synchronous renegotiations ++ this._batchedNegotiation = true; ++ queueMicrotask(() => { ++ this._batchedNegotiation = false; ++ if (this.initiator || !this._firstNegotiation) { ++ this._debug('starting batched negotiation'); ++ this.negotiate(); ++ } else { ++ this._debug('non-initiator initial negotiation request discarded'); ++ } ++ this._firstNegotiation = false; ++ }); ++ } ++ ++ negotiate () { ++ if (this.destroying) return ++ if (this.destroyed) throw errCode(new Error('cannot negotiate after peer is destroyed'), 'ERR_DESTROYED') ++ ++ if (this.initiator) { ++ if (this._isNegotiating) { ++ this._queuedNegotiation = true; ++ this._debug('already negotiating, queueing'); ++ } else { ++ this._debug('start negotiation'); ++ setTimeout(() => { ++ // HACK: Chrome crashes if we immediately call createOffer ++ this._createOffer(); ++ }, 0); ++ } ++ } else { ++ if (this._isNegotiating) { ++ this._queuedNegotiation = true; ++ this._debug('already negotiating, queueing'); ++ } else { ++ this._debug('requesting negotiation from initiator'); ++ this.emit('signal', { ++ // request initiator to renegotiate ++ type: 'renegotiate', ++ renegotiate: true ++ }); ++ } ++ } ++ this._isNegotiating = true; ++ } ++ ++ destroy (err) { ++ if (this.destroyed || this.destroying) return ++ this.destroying = true; ++ ++ this._debug('destroying (error: %s)', err && (err.message || err)); ++ ++ queueMicrotask(() => { ++ // allow events concurrent with the call to _destroy() to fire (see #692) ++ this.destroyed = true; ++ this.destroying = false; ++ ++ this._debug('destroy (error: %s)', err && (err.message || err)); ++ ++ this._connected = false; ++ this._pcReady = false; ++ this._channelReady = false; ++ this._remoteTracks = null; ++ this._remoteStreams = null; ++ this._senderMap = null; ++ ++ clearInterval(this._closingInterval); ++ this._closingInterval = null; ++ ++ clearInterval(this._interval); ++ this._interval = null; ++ this._chunk = null; ++ this._cb = null; ++ ++ if (this._channel) { ++ try { ++ this._channel.close(); ++ } catch (err) {} ++ ++ // allow events concurrent with destruction to be handled ++ this._channel.onmessage = null; ++ this._channel.onopen = null; ++ this._channel.onclose = null; ++ this._channel.onerror = null; ++ } ++ if (this._pc) { ++ try { ++ this._pc.close(); ++ } catch (err) {} ++ ++ // allow events concurrent with destruction to be handled ++ this._pc.oniceconnectionstatechange = null; ++ this._pc.onicegatheringstatechange = null; ++ this._pc.onsignalingstatechange = null; ++ this._pc.onicecandidate = null; ++ this._pc.ontrack = null; ++ this._pc.ondatachannel = null; ++ } ++ this._pc = null; ++ this._channel = null; ++ ++ if (err) this.emit('error', err); ++ this.emit('close'); ++ }); ++ } ++ ++ _setupData (event) { ++ if (!event.channel) { ++ // In some situations `pc.createDataChannel()` returns `undefined` (in wrtc), ++ // which is invalid behavior. Handle it gracefully. ++ // See: https://github.com/feross/simple-peer/issues/163 ++ return this.destroy( ++ errCode( ++ new Error('Data channel event is missing `channel` property'), ++ 'ERR_DATA_CHANNEL' ++ ) ++ ) ++ } ++ ++ this._channel = event.channel; ++ this._channel.binaryType = 'arraybuffer'; ++ ++ if (typeof this._channel.bufferedAmountLowThreshold === 'number') { ++ this._channel.bufferedAmountLowThreshold = MAX_BUFFERED_AMOUNT; ++ } ++ ++ this.channelName = this._channel.label; ++ ++ this._channel.onmessage = event => { ++ this._onChannelMessage(event); ++ }; ++ this._channel.onbufferedamountlow = () => { ++ this._onChannelBufferedAmountLow(); ++ }; ++ this._channel.onopen = () => { ++ this._onChannelOpen(); ++ }; ++ this._channel.onclose = () => { ++ this._onChannelClose(); ++ }; ++ this._channel.onerror = err => { ++ this.destroy(errCode(err, 'ERR_DATA_CHANNEL')); ++ }; ++ ++ // HACK: Chrome will sometimes get stuck in readyState "closing", let's check for this condition ++ // https://bugs.chromium.org/p/chromium/issues/detail?id=882743 ++ let isClosing = false; ++ this._closingInterval = setInterval(() => { ++ // No "onclosing" event ++ if (this._channel && this._channel.readyState === 'closing') { ++ if (isClosing) this._onChannelClose(); // closing timed out: equivalent to onclose firing ++ isClosing = true; ++ } else { ++ isClosing = false; ++ } ++ }, CHANNEL_CLOSING_TIMEOUT); ++ } ++ ++ _startIceCompleteTimeout () { ++ if (this.destroyed) return ++ if (this._iceCompleteTimer) return ++ this._debug('started iceComplete timeout'); ++ this._iceCompleteTimer = setTimeout(() => { ++ if (!this._iceComplete) { ++ this._iceComplete = true; ++ this._debug('iceComplete timeout completed'); ++ this.emit('iceTimeout'); ++ this.emit('_iceComplete'); ++ } ++ }, this.iceCompleteTimeout); ++ } ++ ++ _createOffer () { ++ if (this.destroyed) return ++ ++ this._pc ++ .createOffer(this.offerOptions) ++ .then(offer => { ++ if (this.destroyed) return ++ if (!this.trickle && !this.allowHalfTrickle) { offer.sdp = filterTrickle(offer.sdp); } ++ offer.sdp = this.sdpTransform(offer.sdp); ++ ++ const sendOffer = () => { ++ if (this.destroyed) return ++ const signal = this._pc.localDescription || offer; ++ this._debug('signal'); ++ this.emit('signal', { ++ type: signal.type, ++ sdp: signal.sdp ++ }); ++ }; ++ ++ const onSuccess = () => { ++ this._debug('createOffer success'); ++ if (this.destroyed) return ++ if (this.trickle || this._iceComplete) sendOffer(); ++ else this.once('_iceComplete', sendOffer); // wait for candidates ++ }; ++ ++ const onError = err => { ++ this.destroy(errCode(err, 'ERR_SET_LOCAL_DESCRIPTION')); ++ }; ++ ++ this._pc.setLocalDescription(offer).then(onSuccess).catch(onError); ++ }) ++ .catch(err => { ++ this.destroy(errCode(err, 'ERR_CREATE_OFFER')); ++ }); ++ } ++ ++ _requestMissingTransceivers () { ++ if (this._pc.getTransceivers) { ++ this._pc.getTransceivers().forEach(transceiver => { ++ if ( ++ !transceiver.mid && ++ transceiver.sender.track && ++ !transceiver.requested ++ ) { ++ transceiver.requested = true; // HACK: Safari returns negotiated transceivers with a null mid ++ this.addTransceiver(transceiver.sender.track.kind); ++ } ++ }); ++ } ++ } ++ ++ _createAnswer () { ++ if (this.destroyed) return ++ ++ this._pc ++ .createAnswer(this.answerOptions) ++ .then(answer => { ++ if (this.destroyed) return ++ if (!this.trickle && !this.allowHalfTrickle) { answer.sdp = filterTrickle(answer.sdp); } ++ answer.sdp = this.sdpTransform(answer.sdp); ++ ++ const sendAnswer = () => { ++ if (this.destroyed) return ++ const signal = this._pc.localDescription || answer; ++ this._debug('signal'); ++ this.emit('signal', { ++ type: signal.type, ++ sdp: signal.sdp ++ }); ++ if (!this.initiator) this._requestMissingTransceivers(); ++ }; ++ ++ const onSuccess = () => { ++ if (this.destroyed) return ++ if (this.trickle || this._iceComplete) sendAnswer(); ++ else this.once('_iceComplete', sendAnswer); ++ }; ++ ++ const onError = err => { ++ this.destroy(errCode(err, 'ERR_SET_LOCAL_DESCRIPTION')); ++ }; ++ ++ this._pc.setLocalDescription(answer).then(onSuccess).catch(onError); ++ }) ++ .catch(err => { ++ this.destroy(errCode(err, 'ERR_CREATE_ANSWER')); ++ }); ++ } ++ ++ _onConnectionStateChange () { ++ if (this.destroyed) return ++ if (this._pc.connectionState === 'failed') { ++ this.destroy( ++ errCode(new Error('Connection failed.'), 'ERR_CONNECTION_FAILURE') ++ ); ++ } ++ } ++ ++ _onIceStateChange () { ++ if (this.destroyed) return ++ const iceConnectionState = this._pc.iceConnectionState; ++ const iceGatheringState = this._pc.iceGatheringState; ++ ++ this._debug( ++ 'iceStateChange (connection: %s) (gathering: %s)', ++ iceConnectionState, ++ iceGatheringState ++ ); ++ this.emit('iceStateChange', iceConnectionState, iceGatheringState); ++ ++ if ( ++ iceConnectionState === 'connected' || ++ iceConnectionState === 'completed' ++ ) { ++ this._pcReady = true; ++ this._maybeReady(); ++ } ++ if (iceConnectionState === 'failed') { ++ this.destroy( ++ errCode( ++ new Error('Ice connection failed.'), ++ 'ERR_ICE_CONNECTION_FAILURE' ++ ) ++ ); ++ } ++ if (iceConnectionState === 'closed') { ++ this.destroy( ++ errCode( ++ new Error('Ice connection closed.'), ++ 'ERR_ICE_CONNECTION_CLOSED' ++ ) ++ ); ++ } ++ } ++ ++ getStats (cb) { ++ // statreports can come with a value array instead of properties ++ const flattenValues = report => { ++ if (Object.prototype.toString.call(report.values) === '[object Array]') { ++ report.values.forEach(value => { ++ Object.assign(report, value); ++ }); ++ } ++ return report ++ }; ++ ++ // Promise-based getStats() (standard) ++ if (this._pc.getStats.length === 0 || this._isReactNativeWebrtc) { ++ this._pc.getStats().then( ++ res => { ++ const reports = []; ++ res.forEach(report => { ++ reports.push(flattenValues(report)); ++ }); ++ cb(null, reports); ++ }, ++ err => cb(err) ++ ); ++ ++ // Single-parameter callback-based getStats() (non-standard) ++ } else if (this._pc.getStats.length > 0) { ++ this._pc.getStats( ++ res => { ++ // If we destroy connection in `connect` callback this code might happen to run when actual connection is already closed ++ if (this.destroyed) return ++ ++ const reports = []; ++ res.result().forEach(result => { ++ const report = {}; ++ result.names().forEach(name => { ++ report[name] = result.stat(name); ++ }); ++ report.id = result.id; ++ report.type = result.type; ++ report.timestamp = result.timestamp; ++ reports.push(flattenValues(report)); ++ }); ++ cb(null, reports); ++ }, ++ err => cb(err) ++ ); ++ ++ // Unknown browser, skip getStats() since it's anyone's guess which style of ++ // getStats() they implement. ++ } else { ++ cb(null, []); ++ } ++ } ++ ++ _maybeReady () { ++ this._debug( ++ 'maybeReady pc %s channel %s', ++ this._pcReady, ++ this._channelReady ++ ); ++ if ( ++ this._connected || ++ this._connecting || ++ !this._pcReady || ++ !this._channelReady ++ ) { return } ++ ++ this._connecting = true; ++ ++ // HACK: We can't rely on order here, for details see https://github.com/js-platform/node-webrtc/issues/339 ++ const findCandidatePair = () => { ++ if (this.destroyed) return ++ ++ this.getStats((err, items) => { ++ if (this.destroyed) return ++ ++ // Treat getStats error as non-fatal. It's not essential. ++ if (err) items = []; ++ ++ const remoteCandidates = {}; ++ const localCandidates = {}; ++ const candidatePairs = {}; ++ let foundSelectedCandidatePair = false; ++ ++ items.forEach(item => { ++ // TODO: Once all browsers support the hyphenated stats report types, remove ++ // the non-hypenated ones ++ if ( ++ item.type === 'remotecandidate' || ++ item.type === 'remote-candidate' ++ ) { ++ remoteCandidates[item.id] = item; ++ } ++ if ( ++ item.type === 'localcandidate' || ++ item.type === 'local-candidate' ++ ) { ++ localCandidates[item.id] = item; ++ } ++ if (item.type === 'candidatepair' || item.type === 'candidate-pair') { ++ candidatePairs[item.id] = item; ++ } ++ }); ++ ++ const setSelectedCandidatePair = selectedCandidatePair => { ++ foundSelectedCandidatePair = true; ++ ++ let local = localCandidates[selectedCandidatePair.localCandidateId]; ++ ++ if (local && (local.ip || local.address)) { ++ // Spec ++ this.localAddress = local.ip || local.address; ++ this.localPort = Number(local.port); ++ } else if (local && local.ipAddress) { ++ // Firefox ++ this.localAddress = local.ipAddress; ++ this.localPort = Number(local.portNumber); ++ } else if ( ++ typeof selectedCandidatePair.googLocalAddress === 'string' ++ ) { ++ // TODO: remove this once Chrome 58 is released ++ local = selectedCandidatePair.googLocalAddress.split(':'); ++ this.localAddress = local[0]; ++ this.localPort = Number(local[1]); ++ } ++ if (this.localAddress) { ++ this.localFamily = this.localAddress.includes(':') ++ ? 'IPv6' ++ : 'IPv4'; ++ } ++ ++ let remote = ++ remoteCandidates[selectedCandidatePair.remoteCandidateId]; ++ ++ if (remote && (remote.ip || remote.address)) { ++ // Spec ++ this.remoteAddress = remote.ip || remote.address; ++ this.remotePort = Number(remote.port); ++ } else if (remote && remote.ipAddress) { ++ // Firefox ++ this.remoteAddress = remote.ipAddress; ++ this.remotePort = Number(remote.portNumber); ++ } else if ( ++ typeof selectedCandidatePair.googRemoteAddress === 'string' ++ ) { ++ // TODO: remove this once Chrome 58 is released ++ remote = selectedCandidatePair.googRemoteAddress.split(':'); ++ this.remoteAddress = remote[0]; ++ this.remotePort = Number(remote[1]); ++ } ++ if (this.remoteAddress) { ++ this.remoteFamily = this.remoteAddress.includes(':') ++ ? 'IPv6' ++ : 'IPv4'; ++ } ++ ++ this._debug( ++ 'connect local: %s:%s remote: %s:%s', ++ this.localAddress, ++ this.localPort, ++ this.remoteAddress, ++ this.remotePort ++ ); ++ }; ++ ++ items.forEach(item => { ++ // Spec-compliant ++ if (item.type === 'transport' && item.selectedCandidatePairId) { ++ setSelectedCandidatePair( ++ candidatePairs[item.selectedCandidatePairId] ++ ); ++ } ++ ++ // Old implementations ++ if ( ++ (item.type === 'googCandidatePair' && ++ item.googActiveConnection === 'true') || ++ ((item.type === 'candidatepair' || ++ item.type === 'candidate-pair') && ++ item.selected) ++ ) { ++ setSelectedCandidatePair(item); ++ } ++ }); ++ ++ // Ignore candidate pair selection in browsers like Safari 11 that do not have any local or remote candidates ++ // But wait until at least 1 candidate pair is available ++ if ( ++ !foundSelectedCandidatePair && ++ (!Object.keys(candidatePairs).length || ++ Object.keys(localCandidates).length) ++ ) { ++ setTimeout(findCandidatePair, 100); ++ return ++ } else { ++ this._connecting = false; ++ this._connected = true; ++ } ++ ++ if (this._chunk) { ++ try { ++ this.send(this._chunk); ++ } catch (err) { ++ return this.destroy(errCode(err, 'ERR_DATA_CHANNEL')) ++ } ++ this._chunk = null; ++ this._debug('sent chunk from "write before connect"'); ++ ++ const cb = this._cb; ++ this._cb = null; ++ cb(null); ++ } ++ ++ // If `bufferedAmountLowThreshold` and 'onbufferedamountlow' are unsupported, ++ // fallback to using setInterval to implement backpressure. ++ if (typeof this._channel.bufferedAmountLowThreshold !== 'number') { ++ this._interval = setInterval(() => this._onInterval(), 150); ++ if (this._interval.unref) this._interval.unref(); ++ } ++ ++ this._debug('connect'); ++ this.emit('connect'); ++ }); ++ }; ++ findCandidatePair(); ++ } ++ ++ _onInterval () { ++ if ( ++ !this._cb || ++ !this._channel || ++ this._channel.bufferedAmount > MAX_BUFFERED_AMOUNT ++ ) { ++ return ++ } ++ this._onChannelBufferedAmountLow(); ++ } ++ ++ _onSignalingStateChange () { ++ if (this.destroyed) return ++ ++ if (this._pc.signalingState === 'stable') { ++ this._isNegotiating = false; ++ ++ // HACK: Firefox doesn't yet support removing tracks when signalingState !== 'stable' ++ this._debug('flushing sender queue', this._sendersAwaitingStable); ++ this._sendersAwaitingStable.forEach(sender => { ++ this._pc.removeTrack(sender); ++ this._queuedNegotiation = true; ++ }); ++ this._sendersAwaitingStable = []; ++ ++ if (this._queuedNegotiation) { ++ this._debug('flushing negotiation queue'); ++ this._queuedNegotiation = false; ++ this._needsNegotiation(); // negotiate again ++ } else { ++ this._debug('negotiated'); ++ this.emit('negotiated'); ++ } ++ } ++ ++ this._debug('signalingStateChange %s', this._pc.signalingState); ++ this.emit('signalingStateChange', this._pc.signalingState); ++ } ++ ++ _onIceCandidate (event) { ++ if (this.destroyed) return ++ if (event.candidate && this.trickle) { ++ this.emit('signal', { ++ type: 'candidate', ++ candidate: { ++ candidate: event.candidate.candidate, ++ sdpMLineIndex: event.candidate.sdpMLineIndex, ++ sdpMid: event.candidate.sdpMid ++ } ++ }); ++ } else if (!event.candidate && !this._iceComplete) { ++ this._iceComplete = true; ++ this.emit('_iceComplete'); ++ } ++ // as soon as we've received one valid candidate start timeout ++ if (event.candidate) { ++ this._startIceCompleteTimeout(); ++ } ++ } ++ ++ _onChannelMessage (event) { ++ if (this.destroyed) return ++ let data = event.data; ++ if (data instanceof ArrayBuffer) data = new Uint8Array(data); ++ this.emit('data', data); ++ } ++ ++ _onChannelBufferedAmountLow () { ++ if (this.destroyed || !this._cb) return ++ this._debug( ++ 'ending backpressure: bufferedAmount %d', ++ this._channel.bufferedAmount ++ ); ++ const cb = this._cb; ++ this._cb = null; ++ cb(null); ++ } ++ ++ _onChannelOpen () { ++ if (this._connected || this.destroyed) return ++ this._debug('on channel open'); ++ this._channelReady = true; ++ this._maybeReady(); ++ } ++ ++ _onChannelClose () { ++ if (this.destroyed) return ++ this._debug('on channel close'); ++ this.destroy(); ++ } ++ ++ _onTrack (event) { ++ if (this.destroyed) return ++ ++ event.streams.forEach(eventStream => { ++ this._debug('on track'); ++ this.emit('track', event.track, eventStream); ++ ++ this._remoteTracks.push({ ++ track: event.track, ++ stream: eventStream ++ }); ++ ++ if ( ++ this._remoteStreams.some(remoteStream => { ++ return remoteStream.id === eventStream.id ++ }) ++ ) { return } // Only fire one 'stream' event, even though there may be multiple tracks per stream ++ ++ this._remoteStreams.push(eventStream); ++ queueMicrotask(() => { ++ this._debug('on stream'); ++ this.emit('stream', eventStream); // ensure all tracks have been added ++ }); ++ }); ++ } ++ ++ _debug (...args) { ++ if (!this._doDebug) return ++ args[0] = '[' + this._id + '] ' + args[0]; ++ console.log(...args); ++ } ++ ++ // event emitter ++ on (key, listener) { ++ const map = this._map; ++ if (!map.has(key)) map.set(key, new Set()); ++ map.get(key).add(listener); ++ } ++ ++ off (key, listener) { ++ const map = this._map; ++ const listeners = map.get(key); ++ if (!listeners) return ++ listeners.delete(listener); ++ if (listeners.size === 0) map.delete(key); ++ } ++ ++ once (key, listener) { ++ const listener_ = (...args) => { ++ this.off(key, listener_); ++ listener(...args); ++ }; ++ this.on(key, listener_); ++ } ++ ++ emit (key, ...args) { ++ const map = this._map; ++ if (!map.has(key)) return ++ for (const listener of map.get(key)) { ++ try { ++ listener(...args); ++ } catch (err) { ++ console.error(err); ++ } ++ } ++ } ++ } ++ ++ Peer.WEBRTC_SUPPORT = !!getBrowserRTC(); ++ ++ /** ++ * Expose peer and data channel config for overriding all Peer ++ * instances. Otherwise, just set opts.config or opts.channelConfig ++ * when constructing a Peer. ++ */ ++ Peer.config = { ++ iceServers: [ ++ { ++ urls: [ ++ 'stun:stun.l.google.com:19302', ++ 'stun:global.stun.twilio.com:3478' ++ ] ++ } ++ ], ++ sdpSemantics: 'unified-plan' ++ }; ++ ++ Peer.channelConfig = {}; ++ ++ const PLUGIN_NAME = "rrweb/canvas-webrtc@1"; ++ class RRWebPluginCanvasWebRTCRecord { ++ constructor({ ++ signalSendCallback, ++ peer ++ }) { ++ this.peer = null; ++ this.streamMap = /* @__PURE__ */ new Map(); ++ this.incomingStreams = /* @__PURE__ */ new Set(); ++ this.outgoingStreams = /* @__PURE__ */ new Set(); ++ this.streamNodeMap = /* @__PURE__ */ new Map(); ++ this.canvasWindowMap = /* @__PURE__ */ new Map(); ++ this.windowPeerMap = /* @__PURE__ */ new WeakMap(); ++ this.peerWindowMap = /* @__PURE__ */ new WeakMap(); ++ this.signalSendCallback = signalSendCallback; ++ window.addEventListener("message", this.windowPostMessageHandler.bind(this)); ++ if (peer) ++ this.peer = peer; ++ } ++ initPlugin() { ++ return { ++ name: PLUGIN_NAME, ++ getMirror: ({ nodeMirror, crossOriginIframeMirror }) => { ++ this.mirror = nodeMirror; ++ this.crossOriginIframeMirror = crossOriginIframeMirror; ++ }, ++ options: {} ++ }; ++ } ++ signalReceive(signal) { ++ var _a; ++ if (!this.peer) ++ this.setupPeer(); ++ (_a = this.peer) == null ? void 0 : _a.signal(signal); ++ } ++ signalReceiveFromCrossOriginIframe(signal, source) { ++ const peer = this.setupPeer(source); ++ peer.signal(signal); ++ } ++ startStream(id, stream) { ++ var _a, _b; ++ if (!this.peer) ++ this.setupPeer(); ++ const data = { ++ nodeId: id, ++ streamId: stream.id ++ }; ++ (_a = this.peer) == null ? void 0 : _a.send(JSON.stringify(data)); ++ if (!this.outgoingStreams.has(stream)) ++ (_b = this.peer) == null ? void 0 : _b.addStream(stream); ++ this.outgoingStreams.add(stream); ++ } ++ setupPeer(source) { ++ let peer; ++ if (!source) { ++ if (this.peer) ++ return this.peer; ++ peer = this.peer = new Peer({ ++ initiator: true ++ }); ++ } else { ++ const peerFromMap = this.windowPeerMap.get(source); ++ if (peerFromMap) ++ return peerFromMap; ++ peer = new Peer({ ++ initiator: false ++ }); ++ this.windowPeerMap.set(source, peer); ++ this.peerWindowMap.set(peer, source); ++ } ++ const resetPeer = (source2) => { ++ if (!source2) ++ return this.peer = null; ++ this.windowPeerMap.delete(source2); ++ this.peerWindowMap.delete(peer); ++ }; ++ peer.on("error", (err) => { ++ resetPeer(source); ++ console.log("error", err); ++ }); ++ peer.on("close", () => { ++ resetPeer(source); ++ console.log("closing"); ++ }); ++ peer.on("signal", (data) => { ++ var _a, _b; ++ if (this.inRootFrame()) { ++ if (peer === this.peer) { ++ this.signalSendCallback(data); ++ } else { ++ (_a = this.peerWindowMap.get(peer)) == null ? void 0 : _a.postMessage({ ++ type: "rrweb-canvas-webrtc", ++ data: { ++ type: "signal", ++ signal: data ++ } ++ }, "*"); ++ } ++ } else { ++ (_b = window.top) == null ? void 0 : _b.postMessage({ ++ type: "rrweb-canvas-webrtc", ++ data: { ++ type: "signal", ++ signal: data ++ } ++ }, "*"); ++ } ++ }); ++ peer.on("connect", () => { ++ if (this.inRootFrame() && peer !== this.peer) ++ return; ++ for (const [id, stream] of this.streamMap) { ++ this.startStream(id, stream); ++ } ++ }); ++ if (!this.inRootFrame()) ++ return peer; ++ peer.on("data", (data) => { ++ try { ++ const json = JSON.parse(data); ++ this.streamNodeMap.set(json.streamId, json.nodeId); ++ } catch (error) { ++ console.error("Could not parse data", error); ++ } ++ this.flushStreams(); ++ }); ++ peer.on("stream", (stream) => { ++ this.incomingStreams.add(stream); ++ this.flushStreams(); ++ }); ++ return peer; ++ } ++ setupStream(id, rootId) { ++ var _a; ++ if (id === -1) ++ return false; ++ let stream = this.streamMap.get(rootId || id); ++ if (stream) ++ return stream; ++ const el = this.mirror.getNode(id); ++ if (!el || !("captureStream" in el)) ++ return this.setupStreamInCrossOriginIframe(id, rootId || id); ++ if (!this.inRootFrame()) { ++ (_a = window.top) == null ? void 0 : _a.postMessage({ ++ type: "rrweb-canvas-webrtc", ++ data: { ++ type: "i-have-canvas", ++ rootId: rootId || id ++ } ++ }, "*"); ++ } ++ stream = el.captureStream(); ++ this.streamMap.set(rootId || id, stream); ++ this.setupPeer(); ++ return stream; ++ } ++ flushStreams() { ++ this.incomingStreams.forEach((stream) => { ++ const nodeId = this.streamNodeMap.get(stream.id); ++ if (!nodeId) ++ return; ++ this.startStream(nodeId, stream); ++ }); ++ } ++ inRootFrame() { ++ return Boolean(window.top && window.top === window); ++ } ++ setupStreamInCrossOriginIframe(id, rootId) { ++ let found = false; ++ document.querySelectorAll("iframe").forEach((iframe) => { ++ var _a; ++ if (found) ++ return; ++ const remoteId = this.crossOriginIframeMirror.getRemoteId(iframe, id); ++ if (remoteId === -1) ++ return; ++ found = true; ++ (_a = iframe.contentWindow) == null ? void 0 : _a.postMessage({ ++ type: "rrweb-canvas-webrtc", ++ data: { ++ type: "who-has-canvas", ++ id: remoteId, ++ rootId ++ } ++ }, "*"); ++ }); ++ return found; ++ } ++ isCrossOriginIframeMessageEventContent(event) { ++ return Boolean(event.data && typeof event.data === "object" && "type" in event.data && "data" in event.data && event.data.type === "rrweb-canvas-webrtc" && event.data.data); ++ } ++ windowPostMessageHandler(event) { ++ if (!this.isCrossOriginIframeMessageEventContent(event)) ++ return; ++ const { type } = event.data.data; ++ if (type === "who-has-canvas") { ++ const { id, rootId } = event.data.data; ++ this.setupStream(id, rootId); ++ } else if (type === "signal") { ++ const { signal } = event.data.data; ++ const { source } = event; ++ if (!source || !("self" in source)) ++ return; ++ if (this.inRootFrame()) { ++ this.signalReceiveFromCrossOriginIframe(signal, source); ++ } else { ++ this.signalReceive(signal); ++ } ++ } else if (type === "i-have-canvas") { ++ const { rootId } = event.data.data; ++ const { source } = event; ++ if (!source || !("self" in source)) ++ return; ++ this.canvasWindowMap.set(rootId, source); ++ } ++ } ++ } ++ ++ exports.PLUGIN_NAME = PLUGIN_NAME; ++ exports.RRWebPluginCanvasWebRTCRecord = RRWebPluginCanvasWebRTCRecord; ++ ++ Object.defineProperty(exports, '__esModule', { value: true }); ++ ++ return exports; ++ ++})({}); +diff --git a/node_modules/rrweb/dist/plugins/canvas-webrtc-record.min.js b/node_modules/rrweb/dist/plugins/canvas-webrtc-record.min.js +new file mode 100755 +index 0000000..82af9df +--- /dev/null ++++ b/node_modules/rrweb/dist/plugins/canvas-webrtc-record.min.js +@@ -0,0 +1,2 @@ ++var rrwebCanvasWebRTCRecord=function(_){"use strict";/*! simple-peer. MIT License. Feross Aboukhadijeh */function g(d){const e=new Uint8Array(d);for(let t=0;t"u")return null;const d={RTCPeerConnection:globalThis.RTCPeerConnection||globalThis.mozRTCPeerConnection||globalThis.webkitRTCPeerConnection,RTCSessionDescription:globalThis.RTCSessionDescription||globalThis.mozRTCSessionDescription||globalThis.webkitRTCSessionDescription,RTCIceCandidate:globalThis.RTCIceCandidate||globalThis.mozRTCIceCandidate||globalThis.webkitRTCIceCandidate};return d.RTCPeerConnection?d:null}function r(d,e){return Object.defineProperty(d,"code",{value:e,enumerable:!0,configurable:!0}),d}function p(d){return d.replace(/a=ice-options:trickle\s\n/g,"")}function y(d){console.warn(d)}class l{constructor(e={}){if(this._map=new Map,this._id=g(4).toString("hex").slice(0,7),this._doDebug=e.debug,this._debug("new peer %o",e),this.channelName=e.initiator?e.channelName||g(20).toString("hex"):null,this.initiator=e.initiator||!1,this.channelConfig=e.channelConfig||l.channelConfig,this.channelNegotiated=this.channelConfig.negotiated,this.config=Object.assign({},l.config,e.config),this.offerOptions=e.offerOptions||{},this.answerOptions=e.answerOptions||{},this.sdpTransform=e.sdpTransform||(t=>t),this.streams=e.streams||(e.stream?[e.stream]:[]),this.trickle=e.trickle!==void 0?e.trickle:!0,this.allowHalfTrickle=e.allowHalfTrickle!==void 0?e.allowHalfTrickle:!1,this.iceCompleteTimeout=e.iceCompleteTimeout||5e3,this.destroyed=!1,this.destroying=!1,this._connected=!1,this.remoteAddress=void 0,this.remoteFamily=void 0,this.remotePort=void 0,this.localAddress=void 0,this.localFamily=void 0,this.localPort=void 0,this._wrtc=e.wrtc&&typeof e.wrtc=="object"?e.wrtc:f(),!this._wrtc)throw r(typeof window>"u"?new Error("No WebRTC support: Specify `opts.wrtc` option in this environment"):new Error("No WebRTC support: Not a supported browser"),"ERR_WEBRTC_SUPPORT");this._pcReady=!1,this._channelReady=!1,this._iceComplete=!1,this._iceCompleteTimer=null,this._channel=null,this._pendingCandidates=[],this._isNegotiating=!1,this._firstNegotiation=!0,this._batchedNegotiation=!1,this._queuedNegotiation=!1,this._sendersAwaitingStable=[],this._senderMap=new Map,this._closingInterval=null,this._remoteTracks=[],this._remoteStreams=[],this._chunk=null,this._cb=null,this._interval=null;try{this._pc=new this._wrtc.RTCPeerConnection(this.config)}catch(t){this.destroy(r(t,"ERR_PC_CONSTRUCTOR"));return}this._isReactNativeWebrtc=typeof this._pc._peerConnectionId=="number",this._pc.oniceconnectionstatechange=()=>{this._onIceStateChange()},this._pc.onicegatheringstatechange=()=>{this._onIceStateChange()},this._pc.onconnectionstatechange=()=>{this._onConnectionStateChange()},this._pc.onsignalingstatechange=()=>{this._onSignalingStateChange()},this._pc.onicecandidate=t=>{this._onIceCandidate(t)},typeof this._pc.peerIdentity=="object"&&this._pc.peerIdentity.catch(t=>{this.destroy(r(t,"ERR_PC_PEER_IDENTITY"))}),this.initiator||this.channelNegotiated?this._setupData({channel:this._pc.createDataChannel(this.channelName,this.channelConfig)}):this._pc.ondatachannel=t=>{this._setupData(t)},this.streams&&this.streams.forEach(t=>{this.addStream(t)}),this._pc.ontrack=t=>{this._onTrack(t)},this._debug("initial negotiation"),this._needsNegotiation()}get bufferSize(){return this._channel&&this._channel.bufferedAmount||0}get connected(){return this._connected&&this._channel.readyState==="open"}address(){return{port:this.localPort,family:this.localFamily,address:this.localAddress}}signal(e){if(!this.destroying){if(this.destroyed)throw r(new Error("cannot signal after peer is destroyed"),"ERR_DESTROYED");if(typeof e=="string")try{e=JSON.parse(e)}catch{e={}}this._debug("signal()"),e.renegotiate&&this.initiator&&(this._debug("got request to renegotiate"),this._needsNegotiation()),e.transceiverRequest&&this.initiator&&(this._debug("got request for transceiver"),this.addTransceiver(e.transceiverRequest.kind,e.transceiverRequest.init)),e.candidate&&(this._pc.remoteDescription&&this._pc.remoteDescription.type?this._addIceCandidate(e.candidate):this._pendingCandidates.push(e.candidate)),e.sdp&&this._pc.setRemoteDescription(new this._wrtc.RTCSessionDescription(e)).then(()=>{this.destroyed||(this._pendingCandidates.forEach(t=>{this._addIceCandidate(t)}),this._pendingCandidates=[],this._pc.remoteDescription.type==="offer"&&this._createAnswer())}).catch(t=>{this.destroy(r(t,"ERR_SET_REMOTE_DESCRIPTION"))}),!e.sdp&&!e.candidate&&!e.renegotiate&&!e.transceiverRequest&&this.destroy(r(new Error("signal() called with invalid signal data"),"ERR_SIGNALING"))}}_addIceCandidate(e){const t=new this._wrtc.RTCIceCandidate(e);this._pc.addIceCandidate(t).catch(s=>{!t.address||t.address.endsWith(".local")?y("Ignoring unsupported ICE candidate."):this.destroy(r(s,"ERR_ADD_ICE_CANDIDATE"))})}send(e){if(!this.destroying){if(this.destroyed)throw r(new Error("cannot send after peer is destroyed"),"ERR_DESTROYED");this._channel.send(e)}}addTransceiver(e,t){if(!this.destroying){if(this.destroyed)throw r(new Error("cannot addTransceiver after peer is destroyed"),"ERR_DESTROYED");if(this._debug("addTransceiver()"),this.initiator)try{this._pc.addTransceiver(e,t),this._needsNegotiation()}catch(s){this.destroy(r(s,"ERR_ADD_TRANSCEIVER"))}else this.emit("signal",{type:"transceiverRequest",transceiverRequest:{kind:e,init:t}})}}addStream(e){if(!this.destroying){if(this.destroyed)throw r(new Error("cannot addStream after peer is destroyed"),"ERR_DESTROYED");this._debug("addStream()"),e.getTracks().forEach(t=>{this.addTrack(t,e)})}}addTrack(e,t){if(this.destroying)return;if(this.destroyed)throw r(new Error("cannot addTrack after peer is destroyed"),"ERR_DESTROYED");this._debug("addTrack()");const s=this._senderMap.get(e)||new Map;let i=s.get(t);if(!i)i=this._pc.addTrack(e,t),s.set(t,i),this._senderMap.set(e,s),this._needsNegotiation();else throw i.removed?r(new Error("Track has been removed. You should enable/disable tracks that you want to re-add."),"ERR_SENDER_REMOVED"):r(new Error("Track has already been added to that stream."),"ERR_SENDER_ALREADY_ADDED")}replaceTrack(e,t,s){if(this.destroying)return;if(this.destroyed)throw r(new Error("cannot replaceTrack after peer is destroyed"),"ERR_DESTROYED");this._debug("replaceTrack()");const i=this._senderMap.get(e),n=i?i.get(s):null;if(!n)throw r(new Error("Cannot replace track that was never added."),"ERR_TRACK_NOT_ADDED");t&&this._senderMap.set(t,i),n.replaceTrack!=null?n.replaceTrack(t):this.destroy(r(new Error("replaceTrack is not supported in this browser"),"ERR_UNSUPPORTED_REPLACETRACK"))}removeTrack(e,t){if(this.destroying)return;if(this.destroyed)throw r(new Error("cannot removeTrack after peer is destroyed"),"ERR_DESTROYED");this._debug("removeSender()");const s=this._senderMap.get(e),i=s?s.get(t):null;if(!i)throw r(new Error("Cannot remove track that was never added."),"ERR_TRACK_NOT_ADDED");try{i.removed=!0,this._pc.removeTrack(i)}catch(n){n.name==="NS_ERROR_UNEXPECTED"?this._sendersAwaitingStable.push(i):this.destroy(r(n,"ERR_REMOVE_TRACK"))}this._needsNegotiation()}removeStream(e){if(!this.destroying){if(this.destroyed)throw r(new Error("cannot removeStream after peer is destroyed"),"ERR_DESTROYED");this._debug("removeSenders()"),e.getTracks().forEach(t=>{this.removeTrack(t,e)})}}_needsNegotiation(){this._debug("_needsNegotiation"),!this._batchedNegotiation&&(this._batchedNegotiation=!0,queueMicrotask(()=>{this._batchedNegotiation=!1,this.initiator||!this._firstNegotiation?(this._debug("starting batched negotiation"),this.negotiate()):this._debug("non-initiator initial negotiation request discarded"),this._firstNegotiation=!1}))}negotiate(){if(!this.destroying){if(this.destroyed)throw r(new Error("cannot negotiate after peer is destroyed"),"ERR_DESTROYED");this.initiator?this._isNegotiating?(this._queuedNegotiation=!0,this._debug("already negotiating, queueing")):(this._debug("start negotiation"),setTimeout(()=>{this._createOffer()},0)):this._isNegotiating?(this._queuedNegotiation=!0,this._debug("already negotiating, queueing")):(this._debug("requesting negotiation from initiator"),this.emit("signal",{type:"renegotiate",renegotiate:!0})),this._isNegotiating=!0}}destroy(e){this.destroyed||this.destroying||(this.destroying=!0,this._debug("destroying (error: %s)",e&&(e.message||e)),queueMicrotask(()=>{if(this.destroyed=!0,this.destroying=!1,this._debug("destroy (error: %s)",e&&(e.message||e)),this._connected=!1,this._pcReady=!1,this._channelReady=!1,this._remoteTracks=null,this._remoteStreams=null,this._senderMap=null,clearInterval(this._closingInterval),this._closingInterval=null,clearInterval(this._interval),this._interval=null,this._chunk=null,this._cb=null,this._channel){try{this._channel.close()}catch{}this._channel.onmessage=null,this._channel.onopen=null,this._channel.onclose=null,this._channel.onerror=null}if(this._pc){try{this._pc.close()}catch{}this._pc.oniceconnectionstatechange=null,this._pc.onicegatheringstatechange=null,this._pc.onsignalingstatechange=null,this._pc.onicecandidate=null,this._pc.ontrack=null,this._pc.ondatachannel=null}this._pc=null,this._channel=null,e&&this.emit("error",e),this.emit("close")}))}_setupData(e){if(!e.channel)return this.destroy(r(new Error("Data channel event is missing `channel` property"),"ERR_DATA_CHANNEL"));this._channel=e.channel,this._channel.binaryType="arraybuffer",typeof this._channel.bufferedAmountLowThreshold=="number"&&(this._channel.bufferedAmountLowThreshold=65536),this.channelName=this._channel.label,this._channel.onmessage=s=>{this._onChannelMessage(s)},this._channel.onbufferedamountlow=()=>{this._onChannelBufferedAmountLow()},this._channel.onopen=()=>{this._onChannelOpen()},this._channel.onclose=()=>{this._onChannelClose()},this._channel.onerror=s=>{this.destroy(r(s,"ERR_DATA_CHANNEL"))};let t=!1;this._closingInterval=setInterval(()=>{this._channel&&this._channel.readyState==="closing"?(t&&this._onChannelClose(),t=!0):t=!1},5e3)}_startIceCompleteTimeout(){this.destroyed||this._iceCompleteTimer||(this._debug("started iceComplete timeout"),this._iceCompleteTimer=setTimeout(()=>{this._iceComplete||(this._iceComplete=!0,this._debug("iceComplete timeout completed"),this.emit("iceTimeout"),this.emit("_iceComplete"))},this.iceCompleteTimeout))}_createOffer(){this.destroyed||this._pc.createOffer(this.offerOptions).then(e=>{if(this.destroyed)return;!this.trickle&&!this.allowHalfTrickle&&(e.sdp=p(e.sdp)),e.sdp=this.sdpTransform(e.sdp);const t=()=>{if(this.destroyed)return;const n=this._pc.localDescription||e;this._debug("signal"),this.emit("signal",{type:n.type,sdp:n.sdp})},s=()=>{this._debug("createOffer success"),!this.destroyed&&(this.trickle||this._iceComplete?t():this.once("_iceComplete",t))},i=n=>{this.destroy(r(n,"ERR_SET_LOCAL_DESCRIPTION"))};this._pc.setLocalDescription(e).then(s).catch(i)}).catch(e=>{this.destroy(r(e,"ERR_CREATE_OFFER"))})}_requestMissingTransceivers(){this._pc.getTransceivers&&this._pc.getTransceivers().forEach(e=>{!e.mid&&e.sender.track&&!e.requested&&(e.requested=!0,this.addTransceiver(e.sender.track.kind))})}_createAnswer(){this.destroyed||this._pc.createAnswer(this.answerOptions).then(e=>{if(this.destroyed)return;!this.trickle&&!this.allowHalfTrickle&&(e.sdp=p(e.sdp)),e.sdp=this.sdpTransform(e.sdp);const t=()=>{if(this.destroyed)return;const n=this._pc.localDescription||e;this._debug("signal"),this.emit("signal",{type:n.type,sdp:n.sdp}),this.initiator||this._requestMissingTransceivers()},s=()=>{this.destroyed||(this.trickle||this._iceComplete?t():this.once("_iceComplete",t))},i=n=>{this.destroy(r(n,"ERR_SET_LOCAL_DESCRIPTION"))};this._pc.setLocalDescription(e).then(s).catch(i)}).catch(e=>{this.destroy(r(e,"ERR_CREATE_ANSWER"))})}_onConnectionStateChange(){this.destroyed||this._pc.connectionState==="failed"&&this.destroy(r(new Error("Connection failed."),"ERR_CONNECTION_FAILURE"))}_onIceStateChange(){if(this.destroyed)return;const e=this._pc.iceConnectionState,t=this._pc.iceGatheringState;this._debug("iceStateChange (connection: %s) (gathering: %s)",e,t),this.emit("iceStateChange",e,t),(e==="connected"||e==="completed")&&(this._pcReady=!0,this._maybeReady()),e==="failed"&&this.destroy(r(new Error("Ice connection failed."),"ERR_ICE_CONNECTION_FAILURE")),e==="closed"&&this.destroy(r(new Error("Ice connection closed."),"ERR_ICE_CONNECTION_CLOSED"))}getStats(e){const t=s=>(Object.prototype.toString.call(s.values)==="[object Array]"&&s.values.forEach(i=>{Object.assign(s,i)}),s);this._pc.getStats.length===0||this._isReactNativeWebrtc?this._pc.getStats().then(s=>{const i=[];s.forEach(n=>{i.push(t(n))}),e(null,i)},s=>e(s)):this._pc.getStats.length>0?this._pc.getStats(s=>{if(this.destroyed)return;const i=[];s.result().forEach(n=>{const o={};n.names().forEach(u=>{o[u]=n.stat(u)}),o.id=n.id,o.type=n.type,o.timestamp=n.timestamp,i.push(t(o))}),e(null,i)},s=>e(s)):e(null,[])}_maybeReady(){if(this._debug("maybeReady pc %s channel %s",this._pcReady,this._channelReady),this._connected||this._connecting||!this._pcReady||!this._channelReady)return;this._connecting=!0;const e=()=>{this.destroyed||this.getStats((t,s)=>{if(this.destroyed)return;t&&(s=[]);const i={},n={},o={};let u=!1;s.forEach(a=>{(a.type==="remotecandidate"||a.type==="remote-candidate")&&(i[a.id]=a),(a.type==="localcandidate"||a.type==="local-candidate")&&(n[a.id]=a),(a.type==="candidatepair"||a.type==="candidate-pair")&&(o[a.id]=a)});const R=a=>{u=!0;let h=n[a.localCandidateId];h&&(h.ip||h.address)?(this.localAddress=h.ip||h.address,this.localPort=Number(h.port)):h&&h.ipAddress?(this.localAddress=h.ipAddress,this.localPort=Number(h.portNumber)):typeof a.googLocalAddress=="string"&&(h=a.googLocalAddress.split(":"),this.localAddress=h[0],this.localPort=Number(h[1])),this.localAddress&&(this.localFamily=this.localAddress.includes(":")?"IPv6":"IPv4");let c=i[a.remoteCandidateId];c&&(c.ip||c.address)?(this.remoteAddress=c.ip||c.address,this.remotePort=Number(c.port)):c&&c.ipAddress?(this.remoteAddress=c.ipAddress,this.remotePort=Number(c.portNumber)):typeof a.googRemoteAddress=="string"&&(c=a.googRemoteAddress.split(":"),this.remoteAddress=c[0],this.remotePort=Number(c[1])),this.remoteAddress&&(this.remoteFamily=this.remoteAddress.includes(":")?"IPv6":"IPv4"),this._debug("connect local: %s:%s remote: %s:%s",this.localAddress,this.localPort,this.remoteAddress,this.remotePort)};if(s.forEach(a=>{a.type==="transport"&&a.selectedCandidatePairId&&R(o[a.selectedCandidatePairId]),(a.type==="googCandidatePair"&&a.googActiveConnection==="true"||(a.type==="candidatepair"||a.type==="candidate-pair")&&a.selected)&&R(a)}),!u&&(!Object.keys(o).length||Object.keys(n).length)){setTimeout(e,100);return}else this._connecting=!1,this._connected=!0;if(this._chunk){try{this.send(this._chunk)}catch(h){return this.destroy(r(h,"ERR_DATA_CHANNEL"))}this._chunk=null,this._debug('sent chunk from "write before connect"');const a=this._cb;this._cb=null,a(null)}typeof this._channel.bufferedAmountLowThreshold!="number"&&(this._interval=setInterval(()=>this._onInterval(),150),this._interval.unref&&this._interval.unref()),this._debug("connect"),this.emit("connect")})};e()}_onInterval(){!this._cb||!this._channel||this._channel.bufferedAmount>65536||this._onChannelBufferedAmountLow()}_onSignalingStateChange(){this.destroyed||(this._pc.signalingState==="stable"&&(this._isNegotiating=!1,this._debug("flushing sender queue",this._sendersAwaitingStable),this._sendersAwaitingStable.forEach(e=>{this._pc.removeTrack(e),this._queuedNegotiation=!0}),this._sendersAwaitingStable=[],this._queuedNegotiation?(this._debug("flushing negotiation queue"),this._queuedNegotiation=!1,this._needsNegotiation()):(this._debug("negotiated"),this.emit("negotiated"))),this._debug("signalingStateChange %s",this._pc.signalingState),this.emit("signalingStateChange",this._pc.signalingState))}_onIceCandidate(e){this.destroyed||(e.candidate&&this.trickle?this.emit("signal",{type:"candidate",candidate:{candidate:e.candidate.candidate,sdpMLineIndex:e.candidate.sdpMLineIndex,sdpMid:e.candidate.sdpMid}}):!e.candidate&&!this._iceComplete&&(this._iceComplete=!0,this.emit("_iceComplete")),e.candidate&&this._startIceCompleteTimeout())}_onChannelMessage(e){if(this.destroyed)return;let t=e.data;t instanceof ArrayBuffer&&(t=new Uint8Array(t)),this.emit("data",t)}_onChannelBufferedAmountLow(){if(this.destroyed||!this._cb)return;this._debug("ending backpressure: bufferedAmount %d",this._channel.bufferedAmount);const e=this._cb;this._cb=null,e(null)}_onChannelOpen(){this._connected||this.destroyed||(this._debug("on channel open"),this._channelReady=!0,this._maybeReady())}_onChannelClose(){this.destroyed||(this._debug("on channel close"),this.destroy())}_onTrack(e){this.destroyed||e.streams.forEach(t=>{this._debug("on track"),this.emit("track",e.track,t),this._remoteTracks.push({track:e.track,stream:t}),!this._remoteStreams.some(s=>s.id===t.id)&&(this._remoteStreams.push(t),queueMicrotask(()=>{this._debug("on stream"),this.emit("stream",t)}))})}_debug(...e){!this._doDebug||(e[0]="["+this._id+"] "+e[0],console.log(...e))}on(e,t){const s=this._map;s.has(e)||s.set(e,new Set),s.get(e).add(t)}off(e,t){const s=this._map,i=s.get(e);!i||(i.delete(t),i.size===0&&s.delete(e))}once(e,t){const s=(...i)=>{this.off(e,s),t(...i)};this.on(e,s)}emit(e,...t){const s=this._map;if(!!s.has(e))for(const i of s.get(e))try{i(...t)}catch(n){console.error(n)}}}l.WEBRTC_SUPPORT=!!f(),l.config={iceServers:[{urls:["stun:stun.l.google.com:19302","stun:global.stun.twilio.com:3478"]}],sdpSemantics:"unified-plan"},l.channelConfig={};const m="rrweb/canvas-webrtc@1";class C{constructor({signalSendCallback:e,peer:t}){this.peer=null,this.streamMap=new Map,this.incomingStreams=new Set,this.outgoingStreams=new Set,this.streamNodeMap=new Map,this.canvasWindowMap=new Map,this.windowPeerMap=new WeakMap,this.peerWindowMap=new WeakMap,this.signalSendCallback=e,window.addEventListener("message",this.windowPostMessageHandler.bind(this)),t&&(this.peer=t)}initPlugin(){return{name:m,getMirror:({nodeMirror:e,crossOriginIframeMirror:t})=>{this.mirror=e,this.crossOriginIframeMirror=t},options:{}}}signalReceive(e){var t;this.peer||this.setupPeer(),(t=this.peer)==null||t.signal(e)}signalReceiveFromCrossOriginIframe(e,t){this.setupPeer(t).signal(e)}startStream(e,t){var s,i;this.peer||this.setupPeer();const n={nodeId:e,streamId:t.id};(s=this.peer)==null||s.send(JSON.stringify(n)),this.outgoingStreams.has(t)||(i=this.peer)==null||i.addStream(t),this.outgoingStreams.add(t)}setupPeer(e){let t;if(e){const i=this.windowPeerMap.get(e);if(i)return i;t=new l({initiator:!1}),this.windowPeerMap.set(e,t),this.peerWindowMap.set(t,e)}else{if(this.peer)return this.peer;t=this.peer=new l({initiator:!0})}const s=i=>{if(!i)return this.peer=null;this.windowPeerMap.delete(i),this.peerWindowMap.delete(t)};return t.on("error",i=>{s(e),console.log("error",i)}),t.on("close",()=>{s(e),console.log("closing")}),t.on("signal",i=>{var n,o;this.inRootFrame()?t===this.peer?this.signalSendCallback(i):(n=this.peerWindowMap.get(t))==null||n.postMessage({type:"rrweb-canvas-webrtc",data:{type:"signal",signal:i}},"*"):(o=window.top)==null||o.postMessage({type:"rrweb-canvas-webrtc",data:{type:"signal",signal:i}},"*")}),t.on("connect",()=>{if(!(this.inRootFrame()&&t!==this.peer))for(const[i,n]of this.streamMap)this.startStream(i,n)}),this.inRootFrame()&&(t.on("data",i=>{try{const n=JSON.parse(i);this.streamNodeMap.set(n.streamId,n.nodeId)}catch(n){console.error("Could not parse data",n)}this.flushStreams()}),t.on("stream",i=>{this.incomingStreams.add(i),this.flushStreams()})),t}setupStream(e,t){var s;if(e===-1)return!1;let i=this.streamMap.get(t||e);if(i)return i;const n=this.mirror.getNode(e);return!n||!("captureStream"in n)?this.setupStreamInCrossOriginIframe(e,t||e):(this.inRootFrame()||(s=window.top)==null||s.postMessage({type:"rrweb-canvas-webrtc",data:{type:"i-have-canvas",rootId:t||e}},"*"),i=n.captureStream(),this.streamMap.set(t||e,i),this.setupPeer(),i)}flushStreams(){this.incomingStreams.forEach(e=>{const t=this.streamNodeMap.get(e.id);!t||this.startStream(t,e)})}inRootFrame(){return Boolean(window.top&&window.top===window)}setupStreamInCrossOriginIframe(e,t){let s=!1;return document.querySelectorAll("iframe").forEach(i=>{var n;if(s)return;const o=this.crossOriginIframeMirror.getRemoteId(i,e);o!==-1&&(s=!0,(n=i.contentWindow)==null||n.postMessage({type:"rrweb-canvas-webrtc",data:{type:"who-has-canvas",id:o,rootId:t}},"*"))}),s}isCrossOriginIframeMessageEventContent(e){return Boolean(e.data&&typeof e.data=="object"&&"type"in e.data&&"data"in e.data&&e.data.type==="rrweb-canvas-webrtc"&&e.data.data)}windowPostMessageHandler(e){if(!this.isCrossOriginIframeMessageEventContent(e))return;const{type:t}=e.data.data;if(t==="who-has-canvas"){const{id:s,rootId:i}=e.data.data;this.setupStream(s,i)}else if(t==="signal"){const{signal:s}=e.data.data,{source:i}=e;if(!i||!("self"in i))return;this.inRootFrame()?this.signalReceiveFromCrossOriginIframe(s,i):this.signalReceive(s)}else if(t==="i-have-canvas"){const{rootId:s}=e.data.data,{source:i}=e;if(!i||!("self"in i))return;this.canvasWindowMap.set(s,i)}}}return _.PLUGIN_NAME=m,_.RRWebPluginCanvasWebRTCRecord=C,Object.defineProperty(_,"__esModule",{value:!0}),_}({}); ++//# sourceMappingURL=canvas-webrtc-record.min.js.map +diff --git a/node_modules/rrweb/dist/plugins/canvas-webrtc-record.min.js.map b/node_modules/rrweb/dist/plugins/canvas-webrtc-record.min.js.map +new file mode 100755 +index 0000000..510c222 +--- /dev/null ++++ b/node_modules/rrweb/dist/plugins/canvas-webrtc-record.min.js.map +@@ -0,0 +1 @@ ++{"version":3,"file":"canvas-webrtc-record.min.js","sources":["../../../../node_modules/simple-peer-light/index.js","../../src/plugins/canvas-webrtc/record/index.ts"],"sourcesContent":["/*! simple-peer. MIT License. Feross Aboukhadijeh */\nconst MAX_BUFFERED_AMOUNT = 64 * 1024\nconst ICECOMPLETE_TIMEOUT = 5 * 1000\nconst CHANNEL_CLOSING_TIMEOUT = 5 * 1000\n\nfunction randombytes (size) {\n const array = new Uint8Array(size)\n for (let i = 0; i < size; i++) {\n array[i] = (Math.random() * 256) | 0\n }\n return array\n}\n\nfunction getBrowserRTC () {\n if (typeof globalThis === 'undefined') return null\n const wrtc = {\n RTCPeerConnection:\n globalThis.RTCPeerConnection ||\n globalThis.mozRTCPeerConnection ||\n globalThis.webkitRTCPeerConnection,\n RTCSessionDescription:\n globalThis.RTCSessionDescription ||\n globalThis.mozRTCSessionDescription ||\n globalThis.webkitRTCSessionDescription,\n RTCIceCandidate:\n globalThis.RTCIceCandidate ||\n globalThis.mozRTCIceCandidate ||\n globalThis.webkitRTCIceCandidate\n }\n if (!wrtc.RTCPeerConnection) return null\n return wrtc\n}\n\nfunction errCode (err, code) {\n Object.defineProperty(err, 'code', {\n value: code,\n enumerable: true,\n configurable: true\n })\n return err\n}\n\n// HACK: Filter trickle lines when trickle is disabled #354\nfunction filterTrickle (sdp) {\n return sdp.replace(/a=ice-options:trickle\\s\\n/g, '')\n}\n\nfunction warn (message) {\n console.warn(message)\n}\n\n/**\n * WebRTC peer connection.\n * @param {Object} opts\n */\nclass Peer {\n constructor (opts = {}) {\n this._map = new Map() // for event emitter\n\n this._id = randombytes(4).toString('hex').slice(0, 7)\n this._doDebug = opts.debug\n this._debug('new peer %o', opts)\n\n this.channelName = opts.initiator\n ? opts.channelName || randombytes(20).toString('hex')\n : null\n\n this.initiator = opts.initiator || false\n this.channelConfig = opts.channelConfig || Peer.channelConfig\n this.channelNegotiated = this.channelConfig.negotiated\n this.config = Object.assign({}, Peer.config, opts.config)\n this.offerOptions = opts.offerOptions || {}\n this.answerOptions = opts.answerOptions || {}\n this.sdpTransform = opts.sdpTransform || (sdp => sdp)\n this.streams = opts.streams || (opts.stream ? [opts.stream] : []) // support old \"stream\" option\n this.trickle = opts.trickle !== undefined ? opts.trickle : true\n this.allowHalfTrickle =\n opts.allowHalfTrickle !== undefined ? opts.allowHalfTrickle : false\n this.iceCompleteTimeout = opts.iceCompleteTimeout || ICECOMPLETE_TIMEOUT\n\n this.destroyed = false\n this.destroying = false\n this._connected = false\n\n this.remoteAddress = undefined\n this.remoteFamily = undefined\n this.remotePort = undefined\n this.localAddress = undefined\n this.localFamily = undefined\n this.localPort = undefined\n\n this._wrtc =\n opts.wrtc && typeof opts.wrtc === 'object' ? opts.wrtc : getBrowserRTC()\n\n if (!this._wrtc) {\n if (typeof window === 'undefined') {\n throw errCode(\n new Error(\n 'No WebRTC support: Specify `opts.wrtc` option in this environment'\n ),\n 'ERR_WEBRTC_SUPPORT'\n )\n } else {\n throw errCode(\n new Error('No WebRTC support: Not a supported browser'),\n 'ERR_WEBRTC_SUPPORT'\n )\n }\n }\n\n this._pcReady = false\n this._channelReady = false\n this._iceComplete = false // ice candidate trickle done (got null candidate)\n this._iceCompleteTimer = null // send an offer/answer anyway after some timeout\n this._channel = null\n this._pendingCandidates = []\n\n this._isNegotiating = false // is this peer waiting for negotiation to complete?\n this._firstNegotiation = true\n this._batchedNegotiation = false // batch synchronous negotiations\n this._queuedNegotiation = false // is there a queued negotiation request?\n this._sendersAwaitingStable = []\n this._senderMap = new Map()\n this._closingInterval = null\n\n this._remoteTracks = []\n this._remoteStreams = []\n\n this._chunk = null\n this._cb = null\n this._interval = null\n\n try {\n this._pc = new this._wrtc.RTCPeerConnection(this.config)\n } catch (err) {\n this.destroy(errCode(err, 'ERR_PC_CONSTRUCTOR'))\n return\n }\n\n // We prefer feature detection whenever possible, but sometimes that's not\n // possible for certain implementations.\n this._isReactNativeWebrtc = typeof this._pc._peerConnectionId === 'number'\n\n this._pc.oniceconnectionstatechange = () => {\n this._onIceStateChange()\n }\n this._pc.onicegatheringstatechange = () => {\n this._onIceStateChange()\n }\n this._pc.onconnectionstatechange = () => {\n this._onConnectionStateChange()\n }\n this._pc.onsignalingstatechange = () => {\n this._onSignalingStateChange()\n }\n this._pc.onicecandidate = event => {\n this._onIceCandidate(event)\n }\n\n // HACK: Fix for odd Firefox behavior, see: https://github.com/feross/simple-peer/pull/783\n if (typeof this._pc.peerIdentity === 'object') {\n this._pc.peerIdentity.catch(err => {\n this.destroy(errCode(err, 'ERR_PC_PEER_IDENTITY'))\n })\n }\n\n // Other spec events, unused by this implementation:\n // - onconnectionstatechange\n // - onicecandidateerror\n // - onfingerprintfailure\n // - onnegotiationneeded\n\n if (this.initiator || this.channelNegotiated) {\n this._setupData({\n channel: this._pc.createDataChannel(\n this.channelName,\n this.channelConfig\n )\n })\n } else {\n this._pc.ondatachannel = event => {\n this._setupData(event)\n }\n }\n\n if (this.streams) {\n this.streams.forEach(stream => {\n this.addStream(stream)\n })\n }\n this._pc.ontrack = event => {\n this._onTrack(event)\n }\n\n this._debug('initial negotiation')\n this._needsNegotiation()\n }\n\n get bufferSize () {\n return (this._channel && this._channel.bufferedAmount) || 0\n }\n\n // HACK: it's possible channel.readyState is \"closing\" before peer.destroy() fires\n // https://bugs.chromium.org/p/chromium/issues/detail?id=882743\n get connected () {\n return this._connected && this._channel.readyState === 'open'\n }\n\n address () {\n return {\n port: this.localPort,\n family: this.localFamily,\n address: this.localAddress\n }\n }\n\n signal (data) {\n if (this.destroying) return\n if (this.destroyed) throw errCode(new Error('cannot signal after peer is destroyed'), 'ERR_DESTROYED')\n if (typeof data === 'string') {\n try {\n data = JSON.parse(data)\n } catch (err) {\n data = {}\n }\n }\n this._debug('signal()')\n\n if (data.renegotiate && this.initiator) {\n this._debug('got request to renegotiate')\n this._needsNegotiation()\n }\n if (data.transceiverRequest && this.initiator) {\n this._debug('got request for transceiver')\n this.addTransceiver(\n data.transceiverRequest.kind,\n data.transceiverRequest.init\n )\n }\n if (data.candidate) {\n if (this._pc.remoteDescription && this._pc.remoteDescription.type) {\n this._addIceCandidate(data.candidate)\n } else {\n this._pendingCandidates.push(data.candidate)\n }\n }\n if (data.sdp) {\n this._pc\n .setRemoteDescription(new this._wrtc.RTCSessionDescription(data))\n .then(() => {\n if (this.destroyed) return\n\n this._pendingCandidates.forEach(candidate => {\n this._addIceCandidate(candidate)\n })\n this._pendingCandidates = []\n\n if (this._pc.remoteDescription.type === 'offer') this._createAnswer()\n })\n .catch(err => {\n this.destroy(errCode(err, 'ERR_SET_REMOTE_DESCRIPTION'))\n })\n }\n if (\n !data.sdp &&\n !data.candidate &&\n !data.renegotiate &&\n !data.transceiverRequest\n ) {\n this.destroy(\n errCode(\n new Error('signal() called with invalid signal data'),\n 'ERR_SIGNALING'\n )\n )\n }\n }\n\n _addIceCandidate (candidate) {\n const iceCandidateObj = new this._wrtc.RTCIceCandidate(candidate)\n this._pc.addIceCandidate(iceCandidateObj).catch(err => {\n if (\n !iceCandidateObj.address ||\n iceCandidateObj.address.endsWith('.local')\n ) {\n warn('Ignoring unsupported ICE candidate.')\n } else {\n this.destroy(errCode(err, 'ERR_ADD_ICE_CANDIDATE'))\n }\n })\n }\n\n /**\n * Send text/binary data to the remote peer.\n * @param {ArrayBufferView|ArrayBuffer|string|Blob} chunk\n */\n send (chunk) {\n if (this.destroying) return\n if (this.destroyed) throw errCode(new Error('cannot send after peer is destroyed'), 'ERR_DESTROYED')\n this._channel.send(chunk)\n }\n\n /**\n * Add a Transceiver to the connection.\n * @param {String} kind\n * @param {Object} init\n */\n addTransceiver (kind, init) {\n if (this.destroying) return\n if (this.destroyed) throw errCode(new Error('cannot addTransceiver after peer is destroyed'), 'ERR_DESTROYED')\n this._debug('addTransceiver()')\n\n if (this.initiator) {\n try {\n this._pc.addTransceiver(kind, init)\n this._needsNegotiation()\n } catch (err) {\n this.destroy(errCode(err, 'ERR_ADD_TRANSCEIVER'))\n }\n } else {\n this.emit('signal', {\n // request initiator to renegotiate\n type: 'transceiverRequest',\n transceiverRequest: { kind, init }\n })\n }\n }\n\n /**\n * Add a MediaStream to the connection.\n * @param {MediaStream} stream\n */\n addStream (stream) {\n if (this.destroying) return\n if (this.destroyed) throw errCode(new Error('cannot addStream after peer is destroyed'), 'ERR_DESTROYED')\n this._debug('addStream()')\n\n stream.getTracks().forEach(track => {\n this.addTrack(track, stream)\n })\n }\n\n /**\n * Add a MediaStreamTrack to the connection.\n * @param {MediaStreamTrack} track\n * @param {MediaStream} stream\n */\n addTrack (track, stream) {\n if (this.destroying) return\n if (this.destroyed) throw errCode(new Error('cannot addTrack after peer is destroyed'), 'ERR_DESTROYED')\n this._debug('addTrack()')\n\n const submap = this._senderMap.get(track) || new Map() // nested Maps map [track, stream] to sender\n let sender = submap.get(stream)\n if (!sender) {\n sender = this._pc.addTrack(track, stream)\n submap.set(stream, sender)\n this._senderMap.set(track, submap)\n this._needsNegotiation()\n } else if (sender.removed) {\n throw errCode(\n new Error(\n 'Track has been removed. You should enable/disable tracks that you want to re-add.'\n ),\n 'ERR_SENDER_REMOVED'\n )\n } else {\n throw errCode(\n new Error('Track has already been added to that stream.'),\n 'ERR_SENDER_ALREADY_ADDED'\n )\n }\n }\n\n /**\n * Replace a MediaStreamTrack by another in the connection.\n * @param {MediaStreamTrack} oldTrack\n * @param {MediaStreamTrack} newTrack\n * @param {MediaStream} stream\n */\n replaceTrack (oldTrack, newTrack, stream) {\n if (this.destroying) return\n if (this.destroyed) throw errCode(new Error('cannot replaceTrack after peer is destroyed'), 'ERR_DESTROYED')\n this._debug('replaceTrack()')\n\n const submap = this._senderMap.get(oldTrack)\n const sender = submap ? submap.get(stream) : null\n if (!sender) {\n throw errCode(\n new Error('Cannot replace track that was never added.'),\n 'ERR_TRACK_NOT_ADDED'\n )\n }\n if (newTrack) this._senderMap.set(newTrack, submap)\n\n if (sender.replaceTrack != null) {\n sender.replaceTrack(newTrack)\n } else {\n this.destroy(\n errCode(\n new Error('replaceTrack is not supported in this browser'),\n 'ERR_UNSUPPORTED_REPLACETRACK'\n )\n )\n }\n }\n\n /**\n * Remove a MediaStreamTrack from the connection.\n * @param {MediaStreamTrack} track\n * @param {MediaStream} stream\n */\n removeTrack (track, stream) {\n if (this.destroying) return\n if (this.destroyed) throw errCode(new Error('cannot removeTrack after peer is destroyed'), 'ERR_DESTROYED')\n this._debug('removeSender()')\n\n const submap = this._senderMap.get(track)\n const sender = submap ? submap.get(stream) : null\n if (!sender) {\n throw errCode(\n new Error('Cannot remove track that was never added.'),\n 'ERR_TRACK_NOT_ADDED'\n )\n }\n try {\n sender.removed = true\n this._pc.removeTrack(sender)\n } catch (err) {\n if (err.name === 'NS_ERROR_UNEXPECTED') {\n this._sendersAwaitingStable.push(sender) // HACK: Firefox must wait until (signalingState === stable) https://bugzilla.mozilla.org/show_bug.cgi?id=1133874\n } else {\n this.destroy(errCode(err, 'ERR_REMOVE_TRACK'))\n }\n }\n this._needsNegotiation()\n }\n\n /**\n * Remove a MediaStream from the connection.\n * @param {MediaStream} stream\n */\n removeStream (stream) {\n if (this.destroying) return\n if (this.destroyed) throw errCode(new Error('cannot removeStream after peer is destroyed'), 'ERR_DESTROYED')\n this._debug('removeSenders()')\n\n stream.getTracks().forEach(track => {\n this.removeTrack(track, stream)\n })\n }\n\n _needsNegotiation () {\n this._debug('_needsNegotiation')\n if (this._batchedNegotiation) return // batch synchronous renegotiations\n this._batchedNegotiation = true\n queueMicrotask(() => {\n this._batchedNegotiation = false\n if (this.initiator || !this._firstNegotiation) {\n this._debug('starting batched negotiation')\n this.negotiate()\n } else {\n this._debug('non-initiator initial negotiation request discarded')\n }\n this._firstNegotiation = false\n })\n }\n\n negotiate () {\n if (this.destroying) return\n if (this.destroyed) throw errCode(new Error('cannot negotiate after peer is destroyed'), 'ERR_DESTROYED')\n\n if (this.initiator) {\n if (this._isNegotiating) {\n this._queuedNegotiation = true\n this._debug('already negotiating, queueing')\n } else {\n this._debug('start negotiation')\n setTimeout(() => {\n // HACK: Chrome crashes if we immediately call createOffer\n this._createOffer()\n }, 0)\n }\n } else {\n if (this._isNegotiating) {\n this._queuedNegotiation = true\n this._debug('already negotiating, queueing')\n } else {\n this._debug('requesting negotiation from initiator')\n this.emit('signal', {\n // request initiator to renegotiate\n type: 'renegotiate',\n renegotiate: true\n })\n }\n }\n this._isNegotiating = true\n }\n\n destroy (err) {\n if (this.destroyed || this.destroying) return\n this.destroying = true\n\n this._debug('destroying (error: %s)', err && (err.message || err))\n\n queueMicrotask(() => {\n // allow events concurrent with the call to _destroy() to fire (see #692)\n this.destroyed = true\n this.destroying = false\n\n this._debug('destroy (error: %s)', err && (err.message || err))\n\n this._connected = false\n this._pcReady = false\n this._channelReady = false\n this._remoteTracks = null\n this._remoteStreams = null\n this._senderMap = null\n\n clearInterval(this._closingInterval)\n this._closingInterval = null\n\n clearInterval(this._interval)\n this._interval = null\n this._chunk = null\n this._cb = null\n\n if (this._channel) {\n try {\n this._channel.close()\n } catch (err) {}\n\n // allow events concurrent with destruction to be handled\n this._channel.onmessage = null\n this._channel.onopen = null\n this._channel.onclose = null\n this._channel.onerror = null\n }\n if (this._pc) {\n try {\n this._pc.close()\n } catch (err) {}\n\n // allow events concurrent with destruction to be handled\n this._pc.oniceconnectionstatechange = null\n this._pc.onicegatheringstatechange = null\n this._pc.onsignalingstatechange = null\n this._pc.onicecandidate = null\n this._pc.ontrack = null\n this._pc.ondatachannel = null\n }\n this._pc = null\n this._channel = null\n\n if (err) this.emit('error', err)\n this.emit('close')\n })\n }\n\n _setupData (event) {\n if (!event.channel) {\n // In some situations `pc.createDataChannel()` returns `undefined` (in wrtc),\n // which is invalid behavior. Handle it gracefully.\n // See: https://github.com/feross/simple-peer/issues/163\n return this.destroy(\n errCode(\n new Error('Data channel event is missing `channel` property'),\n 'ERR_DATA_CHANNEL'\n )\n )\n }\n\n this._channel = event.channel\n this._channel.binaryType = 'arraybuffer'\n\n if (typeof this._channel.bufferedAmountLowThreshold === 'number') {\n this._channel.bufferedAmountLowThreshold = MAX_BUFFERED_AMOUNT\n }\n\n this.channelName = this._channel.label\n\n this._channel.onmessage = event => {\n this._onChannelMessage(event)\n }\n this._channel.onbufferedamountlow = () => {\n this._onChannelBufferedAmountLow()\n }\n this._channel.onopen = () => {\n this._onChannelOpen()\n }\n this._channel.onclose = () => {\n this._onChannelClose()\n }\n this._channel.onerror = err => {\n this.destroy(errCode(err, 'ERR_DATA_CHANNEL'))\n }\n\n // HACK: Chrome will sometimes get stuck in readyState \"closing\", let's check for this condition\n // https://bugs.chromium.org/p/chromium/issues/detail?id=882743\n let isClosing = false\n this._closingInterval = setInterval(() => {\n // No \"onclosing\" event\n if (this._channel && this._channel.readyState === 'closing') {\n if (isClosing) this._onChannelClose() // closing timed out: equivalent to onclose firing\n isClosing = true\n } else {\n isClosing = false\n }\n }, CHANNEL_CLOSING_TIMEOUT)\n }\n\n _startIceCompleteTimeout () {\n if (this.destroyed) return\n if (this._iceCompleteTimer) return\n this._debug('started iceComplete timeout')\n this._iceCompleteTimer = setTimeout(() => {\n if (!this._iceComplete) {\n this._iceComplete = true\n this._debug('iceComplete timeout completed')\n this.emit('iceTimeout')\n this.emit('_iceComplete')\n }\n }, this.iceCompleteTimeout)\n }\n\n _createOffer () {\n if (this.destroyed) return\n\n this._pc\n .createOffer(this.offerOptions)\n .then(offer => {\n if (this.destroyed) return\n if (!this.trickle && !this.allowHalfTrickle) { offer.sdp = filterTrickle(offer.sdp) }\n offer.sdp = this.sdpTransform(offer.sdp)\n\n const sendOffer = () => {\n if (this.destroyed) return\n const signal = this._pc.localDescription || offer\n this._debug('signal')\n this.emit('signal', {\n type: signal.type,\n sdp: signal.sdp\n })\n }\n\n const onSuccess = () => {\n this._debug('createOffer success')\n if (this.destroyed) return\n if (this.trickle || this._iceComplete) sendOffer()\n else this.once('_iceComplete', sendOffer) // wait for candidates\n }\n\n const onError = err => {\n this.destroy(errCode(err, 'ERR_SET_LOCAL_DESCRIPTION'))\n }\n\n this._pc.setLocalDescription(offer).then(onSuccess).catch(onError)\n })\n .catch(err => {\n this.destroy(errCode(err, 'ERR_CREATE_OFFER'))\n })\n }\n\n _requestMissingTransceivers () {\n if (this._pc.getTransceivers) {\n this._pc.getTransceivers().forEach(transceiver => {\n if (\n !transceiver.mid &&\n transceiver.sender.track &&\n !transceiver.requested\n ) {\n transceiver.requested = true // HACK: Safari returns negotiated transceivers with a null mid\n this.addTransceiver(transceiver.sender.track.kind)\n }\n })\n }\n }\n\n _createAnswer () {\n if (this.destroyed) return\n\n this._pc\n .createAnswer(this.answerOptions)\n .then(answer => {\n if (this.destroyed) return\n if (!this.trickle && !this.allowHalfTrickle) { answer.sdp = filterTrickle(answer.sdp) }\n answer.sdp = this.sdpTransform(answer.sdp)\n\n const sendAnswer = () => {\n if (this.destroyed) return\n const signal = this._pc.localDescription || answer\n this._debug('signal')\n this.emit('signal', {\n type: signal.type,\n sdp: signal.sdp\n })\n if (!this.initiator) this._requestMissingTransceivers()\n }\n\n const onSuccess = () => {\n if (this.destroyed) return\n if (this.trickle || this._iceComplete) sendAnswer()\n else this.once('_iceComplete', sendAnswer)\n }\n\n const onError = err => {\n this.destroy(errCode(err, 'ERR_SET_LOCAL_DESCRIPTION'))\n }\n\n this._pc.setLocalDescription(answer).then(onSuccess).catch(onError)\n })\n .catch(err => {\n this.destroy(errCode(err, 'ERR_CREATE_ANSWER'))\n })\n }\n\n _onConnectionStateChange () {\n if (this.destroyed) return\n if (this._pc.connectionState === 'failed') {\n this.destroy(\n errCode(new Error('Connection failed.'), 'ERR_CONNECTION_FAILURE')\n )\n }\n }\n\n _onIceStateChange () {\n if (this.destroyed) return\n const iceConnectionState = this._pc.iceConnectionState\n const iceGatheringState = this._pc.iceGatheringState\n\n this._debug(\n 'iceStateChange (connection: %s) (gathering: %s)',\n iceConnectionState,\n iceGatheringState\n )\n this.emit('iceStateChange', iceConnectionState, iceGatheringState)\n\n if (\n iceConnectionState === 'connected' ||\n iceConnectionState === 'completed'\n ) {\n this._pcReady = true\n this._maybeReady()\n }\n if (iceConnectionState === 'failed') {\n this.destroy(\n errCode(\n new Error('Ice connection failed.'),\n 'ERR_ICE_CONNECTION_FAILURE'\n )\n )\n }\n if (iceConnectionState === 'closed') {\n this.destroy(\n errCode(\n new Error('Ice connection closed.'),\n 'ERR_ICE_CONNECTION_CLOSED'\n )\n )\n }\n }\n\n getStats (cb) {\n // statreports can come with a value array instead of properties\n const flattenValues = report => {\n if (Object.prototype.toString.call(report.values) === '[object Array]') {\n report.values.forEach(value => {\n Object.assign(report, value)\n })\n }\n return report\n }\n\n // Promise-based getStats() (standard)\n if (this._pc.getStats.length === 0 || this._isReactNativeWebrtc) {\n this._pc.getStats().then(\n res => {\n const reports = []\n res.forEach(report => {\n reports.push(flattenValues(report))\n })\n cb(null, reports)\n },\n err => cb(err)\n )\n\n // Single-parameter callback-based getStats() (non-standard)\n } else if (this._pc.getStats.length > 0) {\n this._pc.getStats(\n res => {\n // If we destroy connection in `connect` callback this code might happen to run when actual connection is already closed\n if (this.destroyed) return\n\n const reports = []\n res.result().forEach(result => {\n const report = {}\n result.names().forEach(name => {\n report[name] = result.stat(name)\n })\n report.id = result.id\n report.type = result.type\n report.timestamp = result.timestamp\n reports.push(flattenValues(report))\n })\n cb(null, reports)\n },\n err => cb(err)\n )\n\n // Unknown browser, skip getStats() since it's anyone's guess which style of\n // getStats() they implement.\n } else {\n cb(null, [])\n }\n }\n\n _maybeReady () {\n this._debug(\n 'maybeReady pc %s channel %s',\n this._pcReady,\n this._channelReady\n )\n if (\n this._connected ||\n this._connecting ||\n !this._pcReady ||\n !this._channelReady\n ) { return }\n\n this._connecting = true\n\n // HACK: We can't rely on order here, for details see https://github.com/js-platform/node-webrtc/issues/339\n const findCandidatePair = () => {\n if (this.destroyed) return\n\n this.getStats((err, items) => {\n if (this.destroyed) return\n\n // Treat getStats error as non-fatal. It's not essential.\n if (err) items = []\n\n const remoteCandidates = {}\n const localCandidates = {}\n const candidatePairs = {}\n let foundSelectedCandidatePair = false\n\n items.forEach(item => {\n // TODO: Once all browsers support the hyphenated stats report types, remove\n // the non-hypenated ones\n if (\n item.type === 'remotecandidate' ||\n item.type === 'remote-candidate'\n ) {\n remoteCandidates[item.id] = item\n }\n if (\n item.type === 'localcandidate' ||\n item.type === 'local-candidate'\n ) {\n localCandidates[item.id] = item\n }\n if (item.type === 'candidatepair' || item.type === 'candidate-pair') {\n candidatePairs[item.id] = item\n }\n })\n\n const setSelectedCandidatePair = selectedCandidatePair => {\n foundSelectedCandidatePair = true\n\n let local = localCandidates[selectedCandidatePair.localCandidateId]\n\n if (local && (local.ip || local.address)) {\n // Spec\n this.localAddress = local.ip || local.address\n this.localPort = Number(local.port)\n } else if (local && local.ipAddress) {\n // Firefox\n this.localAddress = local.ipAddress\n this.localPort = Number(local.portNumber)\n } else if (\n typeof selectedCandidatePair.googLocalAddress === 'string'\n ) {\n // TODO: remove this once Chrome 58 is released\n local = selectedCandidatePair.googLocalAddress.split(':')\n this.localAddress = local[0]\n this.localPort = Number(local[1])\n }\n if (this.localAddress) {\n this.localFamily = this.localAddress.includes(':')\n ? 'IPv6'\n : 'IPv4'\n }\n\n let remote =\n remoteCandidates[selectedCandidatePair.remoteCandidateId]\n\n if (remote && (remote.ip || remote.address)) {\n // Spec\n this.remoteAddress = remote.ip || remote.address\n this.remotePort = Number(remote.port)\n } else if (remote && remote.ipAddress) {\n // Firefox\n this.remoteAddress = remote.ipAddress\n this.remotePort = Number(remote.portNumber)\n } else if (\n typeof selectedCandidatePair.googRemoteAddress === 'string'\n ) {\n // TODO: remove this once Chrome 58 is released\n remote = selectedCandidatePair.googRemoteAddress.split(':')\n this.remoteAddress = remote[0]\n this.remotePort = Number(remote[1])\n }\n if (this.remoteAddress) {\n this.remoteFamily = this.remoteAddress.includes(':')\n ? 'IPv6'\n : 'IPv4'\n }\n\n this._debug(\n 'connect local: %s:%s remote: %s:%s',\n this.localAddress,\n this.localPort,\n this.remoteAddress,\n this.remotePort\n )\n }\n\n items.forEach(item => {\n // Spec-compliant\n if (item.type === 'transport' && item.selectedCandidatePairId) {\n setSelectedCandidatePair(\n candidatePairs[item.selectedCandidatePairId]\n )\n }\n\n // Old implementations\n if (\n (item.type === 'googCandidatePair' &&\n item.googActiveConnection === 'true') ||\n ((item.type === 'candidatepair' ||\n item.type === 'candidate-pair') &&\n item.selected)\n ) {\n setSelectedCandidatePair(item)\n }\n })\n\n // Ignore candidate pair selection in browsers like Safari 11 that do not have any local or remote candidates\n // But wait until at least 1 candidate pair is available\n if (\n !foundSelectedCandidatePair &&\n (!Object.keys(candidatePairs).length ||\n Object.keys(localCandidates).length)\n ) {\n setTimeout(findCandidatePair, 100)\n return\n } else {\n this._connecting = false\n this._connected = true\n }\n\n if (this._chunk) {\n try {\n this.send(this._chunk)\n } catch (err) {\n return this.destroy(errCode(err, 'ERR_DATA_CHANNEL'))\n }\n this._chunk = null\n this._debug('sent chunk from \"write before connect\"')\n\n const cb = this._cb\n this._cb = null\n cb(null)\n }\n\n // If `bufferedAmountLowThreshold` and 'onbufferedamountlow' are unsupported,\n // fallback to using setInterval to implement backpressure.\n if (typeof this._channel.bufferedAmountLowThreshold !== 'number') {\n this._interval = setInterval(() => this._onInterval(), 150)\n if (this._interval.unref) this._interval.unref()\n }\n\n this._debug('connect')\n this.emit('connect')\n })\n }\n findCandidatePair()\n }\n\n _onInterval () {\n if (\n !this._cb ||\n !this._channel ||\n this._channel.bufferedAmount > MAX_BUFFERED_AMOUNT\n ) {\n return\n }\n this._onChannelBufferedAmountLow()\n }\n\n _onSignalingStateChange () {\n if (this.destroyed) return\n\n if (this._pc.signalingState === 'stable') {\n this._isNegotiating = false\n\n // HACK: Firefox doesn't yet support removing tracks when signalingState !== 'stable'\n this._debug('flushing sender queue', this._sendersAwaitingStable)\n this._sendersAwaitingStable.forEach(sender => {\n this._pc.removeTrack(sender)\n this._queuedNegotiation = true\n })\n this._sendersAwaitingStable = []\n\n if (this._queuedNegotiation) {\n this._debug('flushing negotiation queue')\n this._queuedNegotiation = false\n this._needsNegotiation() // negotiate again\n } else {\n this._debug('negotiated')\n this.emit('negotiated')\n }\n }\n\n this._debug('signalingStateChange %s', this._pc.signalingState)\n this.emit('signalingStateChange', this._pc.signalingState)\n }\n\n _onIceCandidate (event) {\n if (this.destroyed) return\n if (event.candidate && this.trickle) {\n this.emit('signal', {\n type: 'candidate',\n candidate: {\n candidate: event.candidate.candidate,\n sdpMLineIndex: event.candidate.sdpMLineIndex,\n sdpMid: event.candidate.sdpMid\n }\n })\n } else if (!event.candidate && !this._iceComplete) {\n this._iceComplete = true\n this.emit('_iceComplete')\n }\n // as soon as we've received one valid candidate start timeout\n if (event.candidate) {\n this._startIceCompleteTimeout()\n }\n }\n\n _onChannelMessage (event) {\n if (this.destroyed) return\n let data = event.data\n if (data instanceof ArrayBuffer) data = new Uint8Array(data)\n this.emit('data', data)\n }\n\n _onChannelBufferedAmountLow () {\n if (this.destroyed || !this._cb) return\n this._debug(\n 'ending backpressure: bufferedAmount %d',\n this._channel.bufferedAmount\n )\n const cb = this._cb\n this._cb = null\n cb(null)\n }\n\n _onChannelOpen () {\n if (this._connected || this.destroyed) return\n this._debug('on channel open')\n this._channelReady = true\n this._maybeReady()\n }\n\n _onChannelClose () {\n if (this.destroyed) return\n this._debug('on channel close')\n this.destroy()\n }\n\n _onTrack (event) {\n if (this.destroyed) return\n\n event.streams.forEach(eventStream => {\n this._debug('on track')\n this.emit('track', event.track, eventStream)\n\n this._remoteTracks.push({\n track: event.track,\n stream: eventStream\n })\n\n if (\n this._remoteStreams.some(remoteStream => {\n return remoteStream.id === eventStream.id\n })\n ) { return } // Only fire one 'stream' event, even though there may be multiple tracks per stream\n\n this._remoteStreams.push(eventStream)\n queueMicrotask(() => {\n this._debug('on stream')\n this.emit('stream', eventStream) // ensure all tracks have been added\n })\n })\n }\n\n _debug (...args) {\n if (!this._doDebug) return\n args[0] = '[' + this._id + '] ' + args[0]\n console.log(...args)\n }\n\n // event emitter\n on (key, listener) {\n const map = this._map\n if (!map.has(key)) map.set(key, new Set())\n map.get(key).add(listener)\n }\n\n off (key, listener) {\n const map = this._map\n const listeners = map.get(key)\n if (!listeners) return\n listeners.delete(listener)\n if (listeners.size === 0) map.delete(key)\n }\n\n once (key, listener) {\n const listener_ = (...args) => {\n this.off(key, listener_)\n listener(...args)\n }\n this.on(key, listener_)\n }\n\n emit (key, ...args) {\n const map = this._map\n if (!map.has(key)) return\n for (const listener of map.get(key)) {\n try {\n listener(...args)\n } catch (err) {\n console.error(err)\n }\n }\n }\n}\n\nPeer.WEBRTC_SUPPORT = !!getBrowserRTC()\n\n/**\n * Expose peer and data channel config for overriding all Peer\n * instances. Otherwise, just set opts.config or opts.channelConfig\n * when constructing a Peer.\n */\nPeer.config = {\n iceServers: [\n {\n urls: [\n 'stun:stun.l.google.com:19302',\n 'stun:global.stun.twilio.com:3478'\n ]\n }\n ],\n sdpSemantics: 'unified-plan'\n}\n\nPeer.channelConfig = {}\n\n// module.exports = Peer\nexport default Peer\n","import type { Mirror } from 'rrweb-snapshot';\nimport SimplePeer from 'simple-peer-light';\nimport type { RecordPlugin, ICrossOriginIframeMirror } from '@rrweb/types';\nimport type { WebRTCDataChannel } from '../types';\n\nexport const PLUGIN_NAME = 'rrweb/canvas-webrtc@1';\n\nexport type CrossOriginIframeMessageEventContent = {\n type: 'rrweb-canvas-webrtc';\n data:\n | {\n type: 'signal';\n signal: RTCSessionDescriptionInit;\n }\n | {\n type: 'who-has-canvas';\n rootId: number;\n id: number;\n }\n | {\n type: 'i-have-canvas';\n rootId: number;\n };\n};\n\nexport class RRWebPluginCanvasWebRTCRecord {\n private peer: SimplePeer.Instance | null = null;\n private mirror: Mirror;\n private crossOriginIframeMirror: ICrossOriginIframeMirror;\n private streamMap: Map = new Map();\n private incomingStreams = new Set();\n private outgoingStreams = new Set();\n private streamNodeMap = new Map();\n private canvasWindowMap = new Map();\n private windowPeerMap = new WeakMap();\n private peerWindowMap = new WeakMap();\n private signalSendCallback: (msg: RTCSessionDescriptionInit) => void;\n\n constructor({\n signalSendCallback,\n peer,\n }: {\n signalSendCallback: RRWebPluginCanvasWebRTCRecord['signalSendCallback'];\n peer?: SimplePeer.Instance;\n }) {\n this.signalSendCallback = signalSendCallback;\n window.addEventListener(\n 'message',\n this.windowPostMessageHandler.bind(this),\n );\n if (peer) this.peer = peer;\n }\n\n public initPlugin(): RecordPlugin {\n return {\n name: PLUGIN_NAME,\n getMirror: ({ nodeMirror, crossOriginIframeMirror }) => {\n this.mirror = nodeMirror;\n this.crossOriginIframeMirror = crossOriginIframeMirror;\n },\n options: {},\n };\n }\n\n public signalReceive(signal: RTCSessionDescriptionInit) {\n if (!this.peer) this.setupPeer();\n this.peer?.signal(signal);\n }\n\n public signalReceiveFromCrossOriginIframe(\n signal: RTCSessionDescriptionInit,\n source: WindowProxy,\n ) {\n const peer = this.setupPeer(source);\n peer.signal(signal);\n }\n\n private startStream(id: number, stream: MediaStream) {\n if (!this.peer) this.setupPeer();\n\n const data: WebRTCDataChannel = {\n nodeId: id,\n streamId: stream.id,\n };\n this.peer?.send(JSON.stringify(data));\n if (!this.outgoingStreams.has(stream)) this.peer?.addStream(stream);\n this.outgoingStreams.add(stream);\n }\n\n public setupPeer(source?: WindowProxy): SimplePeer.Instance {\n let peer: SimplePeer.Instance;\n\n if (!source) {\n if (this.peer) return this.peer;\n\n peer = this.peer = new SimplePeer({\n initiator: true,\n // trickle: false, // only create one WebRTC offer per session\n });\n } else {\n const peerFromMap = this.windowPeerMap.get(source);\n\n if (peerFromMap) return peerFromMap;\n\n peer = new SimplePeer({\n initiator: false,\n // trickle: false, // only create one WebRTC offer per session\n });\n this.windowPeerMap.set(source, peer);\n this.peerWindowMap.set(peer, source);\n }\n\n const resetPeer = (source?: WindowProxy) => {\n if (!source) return (this.peer = null);\n\n this.windowPeerMap.delete(source);\n this.peerWindowMap.delete(peer);\n };\n\n peer.on('error', (err: Error) => {\n resetPeer(source);\n console.log('error', err);\n });\n\n peer.on('close', () => {\n resetPeer(source);\n console.log('closing');\n });\n\n peer.on('signal', (data: RTCSessionDescriptionInit) => {\n if (this.inRootFrame()) {\n if (peer === this.peer) {\n // connected to replayer\n this.signalSendCallback(data);\n } else {\n // connected to cross-origin iframe\n this.peerWindowMap.get(peer)?.postMessage(\n {\n type: 'rrweb-canvas-webrtc',\n data: {\n type: 'signal',\n signal: data,\n },\n } as CrossOriginIframeMessageEventContent,\n '*',\n );\n }\n } else {\n // connected to root frame\n window.top?.postMessage(\n {\n type: 'rrweb-canvas-webrtc',\n data: {\n type: 'signal',\n signal: data,\n },\n } as CrossOriginIframeMessageEventContent,\n '*',\n );\n }\n });\n\n peer.on('connect', () => {\n // connected to cross-origin iframe, no need to do anything\n if (this.inRootFrame() && peer !== this.peer) return;\n\n // cross origin frame connected to root frame\n // or root frame connected to replayer\n // send all streams to peer\n for (const [id, stream] of this.streamMap) {\n this.startStream(id, stream);\n }\n });\n\n if (!this.inRootFrame()) return peer;\n\n peer.on('data', (data: SimplePeer.SimplePeerData) => {\n try {\n const json = JSON.parse(data as string) as WebRTCDataChannel;\n this.streamNodeMap.set(json.streamId, json.nodeId);\n } catch (error) {\n console.error('Could not parse data', error);\n }\n this.flushStreams();\n });\n\n peer.on('stream', (stream: MediaStream) => {\n this.incomingStreams.add(stream);\n this.flushStreams();\n });\n\n return peer;\n }\n\n public setupStream(id: number, rootId?: number): boolean | MediaStream {\n if (id === -1) return false;\n let stream: MediaStream | undefined = this.streamMap.get(rootId || id);\n if (stream) return stream;\n\n const el = this.mirror.getNode(id) as HTMLCanvasElement | null;\n\n if (!el || !('captureStream' in el))\n // we don't have it, lets check our iframes\n return this.setupStreamInCrossOriginIframe(id, rootId || id);\n\n if (!this.inRootFrame()) {\n window.top?.postMessage(\n {\n type: 'rrweb-canvas-webrtc',\n data: {\n type: 'i-have-canvas',\n rootId: rootId || id,\n },\n } as CrossOriginIframeMessageEventContent,\n '*',\n );\n }\n\n stream = el.captureStream();\n this.streamMap.set(rootId || id, stream);\n this.setupPeer();\n\n return stream;\n }\n\n private flushStreams() {\n this.incomingStreams.forEach((stream) => {\n const nodeId = this.streamNodeMap.get(stream.id);\n if (!nodeId) return;\n // got remote video stream, now let's send it to the replayer\n this.startStream(nodeId, stream);\n });\n }\n\n private inRootFrame(): boolean {\n return Boolean(window.top && window.top === window);\n }\n\n public setupStreamInCrossOriginIframe(id: number, rootId: number): boolean {\n let found = false;\n\n document.querySelectorAll('iframe').forEach((iframe) => {\n if (found) return;\n\n const remoteId = this.crossOriginIframeMirror.getRemoteId(iframe, id);\n if (remoteId === -1) return;\n\n found = true;\n iframe.contentWindow?.postMessage(\n {\n type: 'rrweb-canvas-webrtc',\n data: {\n type: 'who-has-canvas',\n id: remoteId,\n rootId,\n },\n } as CrossOriginIframeMessageEventContent,\n '*',\n );\n });\n return found;\n }\n\n private isCrossOriginIframeMessageEventContent(\n event: MessageEvent,\n ): event is MessageEvent {\n return Boolean(\n event.data &&\n typeof event.data === 'object' &&\n 'type' in event.data &&\n 'data' in event.data &&\n (event.data as CrossOriginIframeMessageEventContent).type ===\n 'rrweb-canvas-webrtc' &&\n (event.data as CrossOriginIframeMessageEventContent).data,\n );\n }\n\n /**\n * All messages being sent to the (root or sub) frame are received through `windowPostMessageHandler`.\n * @param event - The message event\n */\n private windowPostMessageHandler(\n event: MessageEvent | MessageEvent,\n ) {\n if (!this.isCrossOriginIframeMessageEventContent(event)) return;\n\n const { type } = event.data.data;\n if (type === 'who-has-canvas') {\n const { id, rootId } = event.data.data;\n this.setupStream(id, rootId);\n } else if (type === 'signal') {\n const { signal } = event.data.data;\n const { source } = event;\n if (!source || !('self' in source)) return;\n if (this.inRootFrame()) {\n this.signalReceiveFromCrossOriginIframe(signal, source);\n } else {\n this.signalReceive(signal);\n }\n } else if (type === 'i-have-canvas') {\n const { rootId } = event.data.data;\n const { source } = event;\n if (!source || !('self' in source)) return;\n this.canvasWindowMap.set(rootId, source);\n }\n }\n}\n"],"names":["n"],"mappings":";;;EAAA;EACA,MAAM,mBAAmB,GAAG,EAAE,GAAG,KAAI;EACrC,MAAM,mBAAmB,GAAG,CAAC,GAAG,KAAI;EACpC,MAAM,uBAAuB,GAAG,CAAC,GAAG,KAAI;AACxC;EACA,SAAS,WAAW,EAAE,IAAI,EAAE;EAC5B,EAAE,MAAM,KAAK,GAAG,IAAI,UAAU,CAAC,IAAI,EAAC;EACpC,EAAE,KAAK,IAAI,CAAC,GAAG,CAAC,EAAE,CAAC,GAAG,IAAI,EAAE,CAAC,EAAE,EAAE;EACjC,IAAI,KAAK,CAAC,CAAC,CAAC,GAAG,CAAC,IAAI,CAAC,MAAM,EAAE,GAAG,GAAG,IAAI,EAAC;EACxC,GAAG;EACH,EAAE,OAAO,KAAK;EACd,CAAC;AACD;EACA,SAAS,aAAa,IAAI;EAC1B,EAAE,IAAI,OAAO,UAAU,KAAK,WAAW,EAAE,OAAO,IAAI;EACpD,EAAE,MAAM,IAAI,GAAG;EACf,IAAI,iBAAiB;EACrB,MAAM,UAAU,CAAC,iBAAiB;EAClC,MAAM,UAAU,CAAC,oBAAoB;EACrC,MAAM,UAAU,CAAC,uBAAuB;EACxC,IAAI,qBAAqB;EACzB,MAAM,UAAU,CAAC,qBAAqB;EACtC,MAAM,UAAU,CAAC,wBAAwB;EACzC,MAAM,UAAU,CAAC,2BAA2B;EAC5C,IAAI,eAAe;EACnB,MAAM,UAAU,CAAC,eAAe;EAChC,MAAM,UAAU,CAAC,kBAAkB;EACnC,MAAM,UAAU,CAAC,qBAAqB;EACtC,IAAG;EACH,EAAE,IAAI,CAAC,IAAI,CAAC,iBAAiB,EAAE,OAAO,IAAI;EAC1C,EAAE,OAAO,IAAI;EACb,CAAC;AACD;EACA,SAAS,OAAO,EAAE,GAAG,EAAE,IAAI,EAAE;EAC7B,EAAE,MAAM,CAAC,cAAc,CAAC,GAAG,EAAE,MAAM,EAAE;EACrC,IAAI,KAAK,EAAE,IAAI;EACf,IAAI,UAAU,EAAE,IAAI;EACpB,IAAI,YAAY,EAAE,IAAI;EACtB,GAAG,EAAC;EACJ,EAAE,OAAO,GAAG;EACZ,CAAC;AACD;EACA;EACA,SAAS,aAAa,EAAE,GAAG,EAAE;EAC7B,EAAE,OAAO,GAAG,CAAC,OAAO,CAAC,4BAA4B,EAAE,EAAE,CAAC;EACtD,CAAC;AACD;EACA,SAAS,IAAI,EAAE,OAAO,EAAE;EACxB,EAAE,OAAO,CAAC,IAAI,CAAC,OAAO,EAAC;EACvB,CAAC;AACD;EACA;EACA;EACA;EACA;EACA,MAAM,IAAI,CAAC;EACX,EAAE,WAAW,CAAC,CAAC,IAAI,GAAG,EAAE,EAAE;EAC1B,IAAI,IAAI,CAAC,IAAI,GAAG,IAAI,GAAG,GAAE;AACzB;EACA,IAAI,IAAI,CAAC,GAAG,GAAG,WAAW,CAAC,CAAC,CAAC,CAAC,QAAQ,CAAC,KAAK,CAAC,CAAC,KAAK,CAAC,CAAC,EAAE,CAAC,EAAC;EACzD,IAAI,IAAI,CAAC,QAAQ,GAAG,IAAI,CAAC,MAAK;EAC9B,IAAI,IAAI,CAAC,MAAM,CAAC,aAAa,EAAE,IAAI,EAAC;AACpC;EACA,IAAI,IAAI,CAAC,WAAW,GAAG,IAAI,CAAC,SAAS;EACrC,QAAQ,IAAI,CAAC,WAAW,IAAI,WAAW,CAAC,EAAE,CAAC,CAAC,QAAQ,CAAC,KAAK,CAAC;EAC3D,QAAQ,KAAI;AACZ;EACA,IAAI,IAAI,CAAC,SAAS,GAAG,IAAI,CAAC,SAAS,IAAI,MAAK;EAC5C,IAAI,IAAI,CAAC,aAAa,GAAG,IAAI,CAAC,aAAa,IAAI,IAAI,CAAC,cAAa;EACjE,IAAI,IAAI,CAAC,iBAAiB,GAAG,IAAI,CAAC,aAAa,CAAC,WAAU;EAC1D,IAAI,IAAI,CAAC,MAAM,GAAG,MAAM,CAAC,MAAM,CAAC,EAAE,EAAE,IAAI,CAAC,MAAM,EAAE,IAAI,CAAC,MAAM,EAAC;EAC7D,IAAI,IAAI,CAAC,YAAY,GAAG,IAAI,CAAC,YAAY,IAAI,GAAE;EAC/C,IAAI,IAAI,CAAC,aAAa,GAAG,IAAI,CAAC,aAAa,IAAI,GAAE;EACjD,IAAI,IAAI,CAAC,YAAY,GAAG,IAAI,CAAC,YAAY,KAAK,GAAG,IAAI,GAAG,EAAC;EACzD,IAAI,IAAI,CAAC,OAAO,GAAG,IAAI,CAAC,OAAO,KAAK,IAAI,CAAC,MAAM,GAAG,CAAC,IAAI,CAAC,MAAM,CAAC,GAAG,EAAE,EAAC;EACrE,IAAI,IAAI,CAAC,OAAO,GAAG,IAAI,CAAC,OAAO,KAAK,SAAS,GAAG,IAAI,CAAC,OAAO,GAAG,KAAI;EACnE,IAAI,IAAI,CAAC,gBAAgB;EACzB,MAAM,IAAI,CAAC,gBAAgB,KAAK,SAAS,GAAG,IAAI,CAAC,gBAAgB,GAAG,MAAK;EACzE,IAAI,IAAI,CAAC,kBAAkB,GAAG,IAAI,CAAC,kBAAkB,IAAI,oBAAmB;AAC5E;EACA,IAAI,IAAI,CAAC,SAAS,GAAG,MAAK;EAC1B,IAAI,IAAI,CAAC,UAAU,GAAG,MAAK;EAC3B,IAAI,IAAI,CAAC,UAAU,GAAG,MAAK;AAC3B;EACA,IAAI,IAAI,CAAC,aAAa,GAAG,UAAS;EAClC,IAAI,IAAI,CAAC,YAAY,GAAG,UAAS;EACjC,IAAI,IAAI,CAAC,UAAU,GAAG,UAAS;EAC/B,IAAI,IAAI,CAAC,YAAY,GAAG,UAAS;EACjC,IAAI,IAAI,CAAC,WAAW,GAAG,UAAS;EAChC,IAAI,IAAI,CAAC,SAAS,GAAG,UAAS;AAC9B;EACA,IAAI,IAAI,CAAC,KAAK;EACd,MAAM,IAAI,CAAC,IAAI,IAAI,OAAO,IAAI,CAAC,IAAI,KAAK,QAAQ,GAAG,IAAI,CAAC,IAAI,GAAG,aAAa,GAAE;AAC9E;EACA,IAAI,IAAI,CAAC,IAAI,CAAC,KAAK,EAAE;EACrB,MAAM,IAAI,OAAO,MAAM,KAAK,WAAW,EAAE;EACzC,QAAQ,MAAM,OAAO;EACrB,UAAU,IAAI,KAAK;EACnB,YAAY,mEAAmE;EAC/E,WAAW;EACX,UAAU,oBAAoB;EAC9B,SAAS;EACT,OAAO,MAAM;EACb,QAAQ,MAAM,OAAO;EACrB,UAAU,IAAI,KAAK,CAAC,4CAA4C,CAAC;EACjE,UAAU,oBAAoB;EAC9B,SAAS;EACT,OAAO;EACP,KAAK;AACL;EACA,IAAI,IAAI,CAAC,QAAQ,GAAG,MAAK;EACzB,IAAI,IAAI,CAAC,aAAa,GAAG,MAAK;EAC9B,IAAI,IAAI,CAAC,YAAY,GAAG,MAAK;EAC7B,IAAI,IAAI,CAAC,iBAAiB,GAAG,KAAI;EACjC,IAAI,IAAI,CAAC,QAAQ,GAAG,KAAI;EACxB,IAAI,IAAI,CAAC,kBAAkB,GAAG,GAAE;AAChC;EACA,IAAI,IAAI,CAAC,cAAc,GAAG,MAAK;EAC/B,IAAI,IAAI,CAAC,iBAAiB,GAAG,KAAI;EACjC,IAAI,IAAI,CAAC,mBAAmB,GAAG,MAAK;EACpC,IAAI,IAAI,CAAC,kBAAkB,GAAG,MAAK;EACnC,IAAI,IAAI,CAAC,sBAAsB,GAAG,GAAE;EACpC,IAAI,IAAI,CAAC,UAAU,GAAG,IAAI,GAAG,GAAE;EAC/B,IAAI,IAAI,CAAC,gBAAgB,GAAG,KAAI;AAChC;EACA,IAAI,IAAI,CAAC,aAAa,GAAG,GAAE;EAC3B,IAAI,IAAI,CAAC,cAAc,GAAG,GAAE;AAC5B;EACA,IAAI,IAAI,CAAC,MAAM,GAAG,KAAI;EACtB,IAAI,IAAI,CAAC,GAAG,GAAG,KAAI;EACnB,IAAI,IAAI,CAAC,SAAS,GAAG,KAAI;AACzB;EACA,IAAI,IAAI;EACR,MAAM,IAAI,CAAC,GAAG,GAAG,IAAI,IAAI,CAAC,KAAK,CAAC,iBAAiB,CAAC,IAAI,CAAC,MAAM,EAAC;EAC9D,KAAK,CAAC,OAAO,GAAG,EAAE;EAClB,MAAM,IAAI,CAAC,OAAO,CAAC,OAAO,CAAC,GAAG,EAAE,oBAAoB,CAAC,EAAC;EACtD,MAAM,MAAM;EACZ,KAAK;AACL;EACA;EACA;EACA,IAAI,IAAI,CAAC,oBAAoB,GAAG,OAAO,IAAI,CAAC,GAAG,CAAC,iBAAiB,KAAK,SAAQ;AAC9E;EACA,IAAI,IAAI,CAAC,GAAG,CAAC,0BAA0B,GAAG,MAAM;EAChD,MAAM,IAAI,CAAC,iBAAiB,GAAE;EAC9B,MAAK;EACL,IAAI,IAAI,CAAC,GAAG,CAAC,yBAAyB,GAAG,MAAM;EAC/C,MAAM,IAAI,CAAC,iBAAiB,GAAE;EAC9B,MAAK;EACL,IAAI,IAAI,CAAC,GAAG,CAAC,uBAAuB,GAAG,MAAM;EAC7C,MAAM,IAAI,CAAC,wBAAwB,GAAE;EACrC,MAAK;EACL,IAAI,IAAI,CAAC,GAAG,CAAC,sBAAsB,GAAG,MAAM;EAC5C,MAAM,IAAI,CAAC,uBAAuB,GAAE;EACpC,MAAK;EACL,IAAI,IAAI,CAAC,GAAG,CAAC,cAAc,GAAG,KAAK,IAAI;EACvC,MAAM,IAAI,CAAC,eAAe,CAAC,KAAK,EAAC;EACjC,MAAK;AACL;EACA;EACA,IAAI,IAAI,OAAO,IAAI,CAAC,GAAG,CAAC,YAAY,KAAK,QAAQ,EAAE;EACnD,MAAM,IAAI,CAAC,GAAG,CAAC,YAAY,CAAC,KAAK,CAAC,GAAG,IAAI;EACzC,QAAQ,IAAI,CAAC,OAAO,CAAC,OAAO,CAAC,GAAG,EAAE,sBAAsB,CAAC,EAAC;EAC1D,OAAO,EAAC;EACR,KAAK;AACL;EACA;EACA;EACA;EACA;EACA;AACA;EACA,IAAI,IAAI,IAAI,CAAC,SAAS,IAAI,IAAI,CAAC,iBAAiB,EAAE;EAClD,MAAM,IAAI,CAAC,UAAU,CAAC;EACtB,QAAQ,OAAO,EAAE,IAAI,CAAC,GAAG,CAAC,iBAAiB;EAC3C,UAAU,IAAI,CAAC,WAAW;EAC1B,UAAU,IAAI,CAAC,aAAa;EAC5B,SAAS;EACT,OAAO,EAAC;EACR,KAAK,MAAM;EACX,MAAM,IAAI,CAAC,GAAG,CAAC,aAAa,GAAG,KAAK,IAAI;EACxC,QAAQ,IAAI,CAAC,UAAU,CAAC,KAAK,EAAC;EAC9B,QAAO;EACP,KAAK;AACL;EACA,IAAI,IAAI,IAAI,CAAC,OAAO,EAAE;EACtB,MAAM,IAAI,CAAC,OAAO,CAAC,OAAO,CAAC,MAAM,IAAI;EACrC,QAAQ,IAAI,CAAC,SAAS,CAAC,MAAM,EAAC;EAC9B,OAAO,EAAC;EACR,KAAK;EACL,IAAI,IAAI,CAAC,GAAG,CAAC,OAAO,GAAG,KAAK,IAAI;EAChC,MAAM,IAAI,CAAC,QAAQ,CAAC,KAAK,EAAC;EAC1B,MAAK;AACL;EACA,IAAI,IAAI,CAAC,MAAM,CAAC,qBAAqB,EAAC;EACtC,IAAI,IAAI,CAAC,iBAAiB,GAAE;EAC5B,GAAG;AACH;EACA,EAAE,IAAI,UAAU,CAAC,GAAG;EACpB,IAAI,OAAO,CAAC,IAAI,CAAC,QAAQ,IAAI,IAAI,CAAC,QAAQ,CAAC,cAAc,KAAK,CAAC;EAC/D,GAAG;AACH;EACA;EACA;EACA,EAAE,IAAI,SAAS,CAAC,GAAG;EACnB,IAAI,OAAO,IAAI,CAAC,UAAU,IAAI,IAAI,CAAC,QAAQ,CAAC,UAAU,KAAK,MAAM;EACjE,GAAG;AACH;EACA,EAAE,OAAO,CAAC,GAAG;EACb,IAAI,OAAO;EACX,MAAM,IAAI,EAAE,IAAI,CAAC,SAAS;EAC1B,MAAM,MAAM,EAAE,IAAI,CAAC,WAAW;EAC9B,MAAM,OAAO,EAAE,IAAI,CAAC,YAAY;EAChC,KAAK;EACL,GAAG;AACH;EACA,EAAE,MAAM,CAAC,CAAC,IAAI,EAAE;EAChB,IAAI,IAAI,IAAI,CAAC,UAAU,EAAE,MAAM;EAC/B,IAAI,IAAI,IAAI,CAAC,SAAS,EAAE,MAAM,OAAO,CAAC,IAAI,KAAK,CAAC,uCAAuC,CAAC,EAAE,eAAe,CAAC;EAC1G,IAAI,IAAI,OAAO,IAAI,KAAK,QAAQ,EAAE;EAClC,MAAM,IAAI;EACV,QAAQ,IAAI,GAAG,IAAI,CAAC,KAAK,CAAC,IAAI,EAAC;EAC/B,OAAO,CAAC,OAAO,GAAG,EAAE;EACpB,QAAQ,IAAI,GAAG,GAAE;EACjB,OAAO;EACP,KAAK;EACL,IAAI,IAAI,CAAC,MAAM,CAAC,UAAU,EAAC;AAC3B;EACA,IAAI,IAAI,IAAI,CAAC,WAAW,IAAI,IAAI,CAAC,SAAS,EAAE;EAC5C,MAAM,IAAI,CAAC,MAAM,CAAC,4BAA4B,EAAC;EAC/C,MAAM,IAAI,CAAC,iBAAiB,GAAE;EAC9B,KAAK;EACL,IAAI,IAAI,IAAI,CAAC,kBAAkB,IAAI,IAAI,CAAC,SAAS,EAAE;EACnD,MAAM,IAAI,CAAC,MAAM,CAAC,6BAA6B,EAAC;EAChD,MAAM,IAAI,CAAC,cAAc;EACzB,QAAQ,IAAI,CAAC,kBAAkB,CAAC,IAAI;EACpC,QAAQ,IAAI,CAAC,kBAAkB,CAAC,IAAI;EACpC,QAAO;EACP,KAAK;EACL,IAAI,IAAI,IAAI,CAAC,SAAS,EAAE;EACxB,MAAM,IAAI,IAAI,CAAC,GAAG,CAAC,iBAAiB,IAAI,IAAI,CAAC,GAAG,CAAC,iBAAiB,CAAC,IAAI,EAAE;EACzE,QAAQ,IAAI,CAAC,gBAAgB,CAAC,IAAI,CAAC,SAAS,EAAC;EAC7C,OAAO,MAAM;EACb,QAAQ,IAAI,CAAC,kBAAkB,CAAC,IAAI,CAAC,IAAI,CAAC,SAAS,EAAC;EACpD,OAAO;EACP,KAAK;EACL,IAAI,IAAI,IAAI,CAAC,GAAG,EAAE;EAClB,MAAM,IAAI,CAAC,GAAG;EACd,SAAS,oBAAoB,CAAC,IAAI,IAAI,CAAC,KAAK,CAAC,qBAAqB,CAAC,IAAI,CAAC,CAAC;EACzE,SAAS,IAAI,CAAC,MAAM;EACpB,UAAU,IAAI,IAAI,CAAC,SAAS,EAAE,MAAM;AACpC;EACA,UAAU,IAAI,CAAC,kBAAkB,CAAC,OAAO,CAAC,SAAS,IAAI;EACvD,YAAY,IAAI,CAAC,gBAAgB,CAAC,SAAS,EAAC;EAC5C,WAAW,EAAC;EACZ,UAAU,IAAI,CAAC,kBAAkB,GAAG,GAAE;AACtC;EACA,UAAU,IAAI,IAAI,CAAC,GAAG,CAAC,iBAAiB,CAAC,IAAI,KAAK,OAAO,EAAE,IAAI,CAAC,aAAa,GAAE;EAC/E,SAAS,CAAC;EACV,SAAS,KAAK,CAAC,GAAG,IAAI;EACtB,UAAU,IAAI,CAAC,OAAO,CAAC,OAAO,CAAC,GAAG,EAAE,4BAA4B,CAAC,EAAC;EAClE,SAAS,EAAC;EACV,KAAK;EACL,IAAI;EACJ,MAAM,CAAC,IAAI,CAAC,GAAG;EACf,MAAM,CAAC,IAAI,CAAC,SAAS;EACrB,MAAM,CAAC,IAAI,CAAC,WAAW;EACvB,MAAM,CAAC,IAAI,CAAC,kBAAkB;EAC9B,MAAM;EACN,MAAM,IAAI,CAAC,OAAO;EAClB,QAAQ,OAAO;EACf,UAAU,IAAI,KAAK,CAAC,0CAA0C,CAAC;EAC/D,UAAU,eAAe;EACzB,SAAS;EACT,QAAO;EACP,KAAK;EACL,GAAG;AACH;EACA,EAAE,gBAAgB,CAAC,CAAC,SAAS,EAAE;EAC/B,IAAI,MAAM,eAAe,GAAG,IAAI,IAAI,CAAC,KAAK,CAAC,eAAe,CAAC,SAAS,EAAC;EACrE,IAAI,IAAI,CAAC,GAAG,CAAC,eAAe,CAAC,eAAe,CAAC,CAAC,KAAK,CAAC,GAAG,IAAI;EAC3D,MAAM;EACN,QAAQ,CAAC,eAAe,CAAC,OAAO;EAChC,QAAQ,eAAe,CAAC,OAAO,CAAC,QAAQ,CAAC,QAAQ,CAAC;EAClD,QAAQ;EACR,QAAQ,IAAI,CAAC,qCAAqC,EAAC;EACnD,OAAO,MAAM;EACb,QAAQ,IAAI,CAAC,OAAO,CAAC,OAAO,CAAC,GAAG,EAAE,uBAAuB,CAAC,EAAC;EAC3D,OAAO;EACP,KAAK,EAAC;EACN,GAAG;AACH;EACA;EACA;EACA;EACA;EACA,EAAE,IAAI,CAAC,CAAC,KAAK,EAAE;EACf,IAAI,IAAI,IAAI,CAAC,UAAU,EAAE,MAAM;EAC/B,IAAI,IAAI,IAAI,CAAC,SAAS,EAAE,MAAM,OAAO,CAAC,IAAI,KAAK,CAAC,qCAAqC,CAAC,EAAE,eAAe,CAAC;EACxG,IAAI,IAAI,CAAC,QAAQ,CAAC,IAAI,CAAC,KAAK,EAAC;EAC7B,GAAG;AACH;EACA;EACA;EACA;EACA;EACA;EACA,EAAE,cAAc,CAAC,CAAC,IAAI,EAAE,IAAI,EAAE;EAC9B,IAAI,IAAI,IAAI,CAAC,UAAU,EAAE,MAAM;EAC/B,IAAI,IAAI,IAAI,CAAC,SAAS,EAAE,MAAM,OAAO,CAAC,IAAI,KAAK,CAAC,+CAA+C,CAAC,EAAE,eAAe,CAAC;EAClH,IAAI,IAAI,CAAC,MAAM,CAAC,kBAAkB,EAAC;AACnC;EACA,IAAI,IAAI,IAAI,CAAC,SAAS,EAAE;EACxB,MAAM,IAAI;EACV,QAAQ,IAAI,CAAC,GAAG,CAAC,cAAc,CAAC,IAAI,EAAE,IAAI,EAAC;EAC3C,QAAQ,IAAI,CAAC,iBAAiB,GAAE;EAChC,OAAO,CAAC,OAAO,GAAG,EAAE;EACpB,QAAQ,IAAI,CAAC,OAAO,CAAC,OAAO,CAAC,GAAG,EAAE,qBAAqB,CAAC,EAAC;EACzD,OAAO;EACP,KAAK,MAAM;EACX,MAAM,IAAI,CAAC,IAAI,CAAC,QAAQ,EAAE;EAC1B;EACA,QAAQ,IAAI,EAAE,oBAAoB;EAClC,QAAQ,kBAAkB,EAAE,EAAE,IAAI,EAAE,IAAI,EAAE;EAC1C,OAAO,EAAC;EACR,KAAK;EACL,GAAG;AACH;EACA;EACA;EACA;EACA;EACA,EAAE,SAAS,CAAC,CAAC,MAAM,EAAE;EACrB,IAAI,IAAI,IAAI,CAAC,UAAU,EAAE,MAAM;EAC/B,IAAI,IAAI,IAAI,CAAC,SAAS,EAAE,MAAM,OAAO,CAAC,IAAI,KAAK,CAAC,0CAA0C,CAAC,EAAE,eAAe,CAAC;EAC7G,IAAI,IAAI,CAAC,MAAM,CAAC,aAAa,EAAC;AAC9B;EACA,IAAI,MAAM,CAAC,SAAS,EAAE,CAAC,OAAO,CAAC,KAAK,IAAI;EACxC,MAAM,IAAI,CAAC,QAAQ,CAAC,KAAK,EAAE,MAAM,EAAC;EAClC,KAAK,EAAC;EACN,GAAG;AACH;EACA;EACA;EACA;EACA;EACA;EACA,EAAE,QAAQ,CAAC,CAAC,KAAK,EAAE,MAAM,EAAE;EAC3B,IAAI,IAAI,IAAI,CAAC,UAAU,EAAE,MAAM;EAC/B,IAAI,IAAI,IAAI,CAAC,SAAS,EAAE,MAAM,OAAO,CAAC,IAAI,KAAK,CAAC,yCAAyC,CAAC,EAAE,eAAe,CAAC;EAC5G,IAAI,IAAI,CAAC,MAAM,CAAC,YAAY,EAAC;AAC7B;EACA,IAAI,MAAM,MAAM,GAAG,IAAI,CAAC,UAAU,CAAC,GAAG,CAAC,KAAK,CAAC,IAAI,IAAI,GAAG,GAAE;EAC1D,IAAI,IAAI,MAAM,GAAG,MAAM,CAAC,GAAG,CAAC,MAAM,EAAC;EACnC,IAAI,IAAI,CAAC,MAAM,EAAE;EACjB,MAAM,MAAM,GAAG,IAAI,CAAC,GAAG,CAAC,QAAQ,CAAC,KAAK,EAAE,MAAM,EAAC;EAC/C,MAAM,MAAM,CAAC,GAAG,CAAC,MAAM,EAAE,MAAM,EAAC;EAChC,MAAM,IAAI,CAAC,UAAU,CAAC,GAAG,CAAC,KAAK,EAAE,MAAM,EAAC;EACxC,MAAM,IAAI,CAAC,iBAAiB,GAAE;EAC9B,KAAK,MAAM,IAAI,MAAM,CAAC,OAAO,EAAE;EAC/B,MAAM,MAAM,OAAO;EACnB,QAAQ,IAAI,KAAK;EACjB,UAAU,mFAAmF;EAC7F,SAAS;EACT,QAAQ,oBAAoB;EAC5B,OAAO;EACP,KAAK,MAAM;EACX,MAAM,MAAM,OAAO;EACnB,QAAQ,IAAI,KAAK,CAAC,8CAA8C,CAAC;EACjE,QAAQ,0BAA0B;EAClC,OAAO;EACP,KAAK;EACL,GAAG;AACH;EACA;EACA;EACA;EACA;EACA;EACA;EACA,EAAE,YAAY,CAAC,CAAC,QAAQ,EAAE,QAAQ,EAAE,MAAM,EAAE;EAC5C,IAAI,IAAI,IAAI,CAAC,UAAU,EAAE,MAAM;EAC/B,IAAI,IAAI,IAAI,CAAC,SAAS,EAAE,MAAM,OAAO,CAAC,IAAI,KAAK,CAAC,6CAA6C,CAAC,EAAE,eAAe,CAAC;EAChH,IAAI,IAAI,CAAC,MAAM,CAAC,gBAAgB,EAAC;AACjC;EACA,IAAI,MAAM,MAAM,GAAG,IAAI,CAAC,UAAU,CAAC,GAAG,CAAC,QAAQ,EAAC;EAChD,IAAI,MAAM,MAAM,GAAG,MAAM,GAAG,MAAM,CAAC,GAAG,CAAC,MAAM,CAAC,GAAG,KAAI;EACrD,IAAI,IAAI,CAAC,MAAM,EAAE;EACjB,MAAM,MAAM,OAAO;EACnB,QAAQ,IAAI,KAAK,CAAC,4CAA4C,CAAC;EAC/D,QAAQ,qBAAqB;EAC7B,OAAO;EACP,KAAK;EACL,IAAI,IAAI,QAAQ,EAAE,IAAI,CAAC,UAAU,CAAC,GAAG,CAAC,QAAQ,EAAE,MAAM,EAAC;AACvD;EACA,IAAI,IAAI,MAAM,CAAC,YAAY,IAAI,IAAI,EAAE;EACrC,MAAM,MAAM,CAAC,YAAY,CAAC,QAAQ,EAAC;EACnC,KAAK,MAAM;EACX,MAAM,IAAI,CAAC,OAAO;EAClB,QAAQ,OAAO;EACf,UAAU,IAAI,KAAK,CAAC,+CAA+C,CAAC;EACpE,UAAU,8BAA8B;EACxC,SAAS;EACT,QAAO;EACP,KAAK;EACL,GAAG;AACH;EACA;EACA;EACA;EACA;EACA;EACA,EAAE,WAAW,CAAC,CAAC,KAAK,EAAE,MAAM,EAAE;EAC9B,IAAI,IAAI,IAAI,CAAC,UAAU,EAAE,MAAM;EAC/B,IAAI,IAAI,IAAI,CAAC,SAAS,EAAE,MAAM,OAAO,CAAC,IAAI,KAAK,CAAC,4CAA4C,CAAC,EAAE,eAAe,CAAC;EAC/G,IAAI,IAAI,CAAC,MAAM,CAAC,gBAAgB,EAAC;AACjC;EACA,IAAI,MAAM,MAAM,GAAG,IAAI,CAAC,UAAU,CAAC,GAAG,CAAC,KAAK,EAAC;EAC7C,IAAI,MAAM,MAAM,GAAG,MAAM,GAAG,MAAM,CAAC,GAAG,CAAC,MAAM,CAAC,GAAG,KAAI;EACrD,IAAI,IAAI,CAAC,MAAM,EAAE;EACjB,MAAM,MAAM,OAAO;EACnB,QAAQ,IAAI,KAAK,CAAC,2CAA2C,CAAC;EAC9D,QAAQ,qBAAqB;EAC7B,OAAO;EACP,KAAK;EACL,IAAI,IAAI;EACR,MAAM,MAAM,CAAC,OAAO,GAAG,KAAI;EAC3B,MAAM,IAAI,CAAC,GAAG,CAAC,WAAW,CAAC,MAAM,EAAC;EAClC,KAAK,CAAC,OAAO,GAAG,EAAE;EAClB,MAAM,IAAI,GAAG,CAAC,IAAI,KAAK,qBAAqB,EAAE;EAC9C,QAAQ,IAAI,CAAC,sBAAsB,CAAC,IAAI,CAAC,MAAM,EAAC;EAChD,OAAO,MAAM;EACb,QAAQ,IAAI,CAAC,OAAO,CAAC,OAAO,CAAC,GAAG,EAAE,kBAAkB,CAAC,EAAC;EACtD,OAAO;EACP,KAAK;EACL,IAAI,IAAI,CAAC,iBAAiB,GAAE;EAC5B,GAAG;AACH;EACA;EACA;EACA;EACA;EACA,EAAE,YAAY,CAAC,CAAC,MAAM,EAAE;EACxB,IAAI,IAAI,IAAI,CAAC,UAAU,EAAE,MAAM;EAC/B,IAAI,IAAI,IAAI,CAAC,SAAS,EAAE,MAAM,OAAO,CAAC,IAAI,KAAK,CAAC,6CAA6C,CAAC,EAAE,eAAe,CAAC;EAChH,IAAI,IAAI,CAAC,MAAM,CAAC,iBAAiB,EAAC;AAClC;EACA,IAAI,MAAM,CAAC,SAAS,EAAE,CAAC,OAAO,CAAC,KAAK,IAAI;EACxC,MAAM,IAAI,CAAC,WAAW,CAAC,KAAK,EAAE,MAAM,EAAC;EACrC,KAAK,EAAC;EACN,GAAG;AACH;EACA,EAAE,iBAAiB,CAAC,GAAG;EACvB,IAAI,IAAI,CAAC,MAAM,CAAC,mBAAmB,EAAC;EACpC,IAAI,IAAI,IAAI,CAAC,mBAAmB,EAAE,MAAM;EACxC,IAAI,IAAI,CAAC,mBAAmB,GAAG,KAAI;EACnC,IAAI,cAAc,CAAC,MAAM;EACzB,MAAM,IAAI,CAAC,mBAAmB,GAAG,MAAK;EACtC,MAAM,IAAI,IAAI,CAAC,SAAS,IAAI,CAAC,IAAI,CAAC,iBAAiB,EAAE;EACrD,QAAQ,IAAI,CAAC,MAAM,CAAC,8BAA8B,EAAC;EACnD,QAAQ,IAAI,CAAC,SAAS,GAAE;EACxB,OAAO,MAAM;EACb,QAAQ,IAAI,CAAC,MAAM,CAAC,qDAAqD,EAAC;EAC1E,OAAO;EACP,MAAM,IAAI,CAAC,iBAAiB,GAAG,MAAK;EACpC,KAAK,EAAC;EACN,GAAG;AACH;EACA,EAAE,SAAS,CAAC,GAAG;EACf,IAAI,IAAI,IAAI,CAAC,UAAU,EAAE,MAAM;EAC/B,IAAI,IAAI,IAAI,CAAC,SAAS,EAAE,MAAM,OAAO,CAAC,IAAI,KAAK,CAAC,0CAA0C,CAAC,EAAE,eAAe,CAAC;AAC7G;EACA,IAAI,IAAI,IAAI,CAAC,SAAS,EAAE;EACxB,MAAM,IAAI,IAAI,CAAC,cAAc,EAAE;EAC/B,QAAQ,IAAI,CAAC,kBAAkB,GAAG,KAAI;EACtC,QAAQ,IAAI,CAAC,MAAM,CAAC,+BAA+B,EAAC;EACpD,OAAO,MAAM;EACb,QAAQ,IAAI,CAAC,MAAM,CAAC,mBAAmB,EAAC;EACxC,QAAQ,UAAU,CAAC,MAAM;EACzB;EACA,UAAU,IAAI,CAAC,YAAY,GAAE;EAC7B,SAAS,EAAE,CAAC,EAAC;EACb,OAAO;EACP,KAAK,MAAM;EACX,MAAM,IAAI,IAAI,CAAC,cAAc,EAAE;EAC/B,QAAQ,IAAI,CAAC,kBAAkB,GAAG,KAAI;EACtC,QAAQ,IAAI,CAAC,MAAM,CAAC,+BAA+B,EAAC;EACpD,OAAO,MAAM;EACb,QAAQ,IAAI,CAAC,MAAM,CAAC,uCAAuC,EAAC;EAC5D,QAAQ,IAAI,CAAC,IAAI,CAAC,QAAQ,EAAE;EAC5B;EACA,UAAU,IAAI,EAAE,aAAa;EAC7B,UAAU,WAAW,EAAE,IAAI;EAC3B,SAAS,EAAC;EACV,OAAO;EACP,KAAK;EACL,IAAI,IAAI,CAAC,cAAc,GAAG,KAAI;EAC9B,GAAG;AACH;EACA,EAAE,OAAO,CAAC,CAAC,GAAG,EAAE;EAChB,IAAI,IAAI,IAAI,CAAC,SAAS,IAAI,IAAI,CAAC,UAAU,EAAE,MAAM;EACjD,IAAI,IAAI,CAAC,UAAU,GAAG,KAAI;AAC1B;EACA,IAAI,IAAI,CAAC,MAAM,CAAC,wBAAwB,EAAE,GAAG,KAAK,GAAG,CAAC,OAAO,IAAI,GAAG,CAAC,EAAC;AACtE;EACA,IAAI,cAAc,CAAC,MAAM;EACzB;EACA,MAAM,IAAI,CAAC,SAAS,GAAG,KAAI;EAC3B,MAAM,IAAI,CAAC,UAAU,GAAG,MAAK;AAC7B;EACA,MAAM,IAAI,CAAC,MAAM,CAAC,qBAAqB,EAAE,GAAG,KAAK,GAAG,CAAC,OAAO,IAAI,GAAG,CAAC,EAAC;AACrE;EACA,MAAM,IAAI,CAAC,UAAU,GAAG,MAAK;EAC7B,MAAM,IAAI,CAAC,QAAQ,GAAG,MAAK;EAC3B,MAAM,IAAI,CAAC,aAAa,GAAG,MAAK;EAChC,MAAM,IAAI,CAAC,aAAa,GAAG,KAAI;EAC/B,MAAM,IAAI,CAAC,cAAc,GAAG,KAAI;EAChC,MAAM,IAAI,CAAC,UAAU,GAAG,KAAI;AAC5B;EACA,MAAM,aAAa,CAAC,IAAI,CAAC,gBAAgB,EAAC;EAC1C,MAAM,IAAI,CAAC,gBAAgB,GAAG,KAAI;AAClC;EACA,MAAM,aAAa,CAAC,IAAI,CAAC,SAAS,EAAC;EACnC,MAAM,IAAI,CAAC,SAAS,GAAG,KAAI;EAC3B,MAAM,IAAI,CAAC,MAAM,GAAG,KAAI;EACxB,MAAM,IAAI,CAAC,GAAG,GAAG,KAAI;AACrB;EACA,MAAM,IAAI,IAAI,CAAC,QAAQ,EAAE;EACzB,QAAQ,IAAI;EACZ,UAAU,IAAI,CAAC,QAAQ,CAAC,KAAK,GAAE;EAC/B,SAAS,CAAC,OAAO,GAAG,EAAE,EAAE;AACxB;EACA;EACA,QAAQ,IAAI,CAAC,QAAQ,CAAC,SAAS,GAAG,KAAI;EACtC,QAAQ,IAAI,CAAC,QAAQ,CAAC,MAAM,GAAG,KAAI;EACnC,QAAQ,IAAI,CAAC,QAAQ,CAAC,OAAO,GAAG,KAAI;EACpC,QAAQ,IAAI,CAAC,QAAQ,CAAC,OAAO,GAAG,KAAI;EACpC,OAAO;EACP,MAAM,IAAI,IAAI,CAAC,GAAG,EAAE;EACpB,QAAQ,IAAI;EACZ,UAAU,IAAI,CAAC,GAAG,CAAC,KAAK,GAAE;EAC1B,SAAS,CAAC,OAAO,GAAG,EAAE,EAAE;AACxB;EACA;EACA,QAAQ,IAAI,CAAC,GAAG,CAAC,0BAA0B,GAAG,KAAI;EAClD,QAAQ,IAAI,CAAC,GAAG,CAAC,yBAAyB,GAAG,KAAI;EACjD,QAAQ,IAAI,CAAC,GAAG,CAAC,sBAAsB,GAAG,KAAI;EAC9C,QAAQ,IAAI,CAAC,GAAG,CAAC,cAAc,GAAG,KAAI;EACtC,QAAQ,IAAI,CAAC,GAAG,CAAC,OAAO,GAAG,KAAI;EAC/B,QAAQ,IAAI,CAAC,GAAG,CAAC,aAAa,GAAG,KAAI;EACrC,OAAO;EACP,MAAM,IAAI,CAAC,GAAG,GAAG,KAAI;EACrB,MAAM,IAAI,CAAC,QAAQ,GAAG,KAAI;AAC1B;EACA,MAAM,IAAI,GAAG,EAAE,IAAI,CAAC,IAAI,CAAC,OAAO,EAAE,GAAG,EAAC;EACtC,MAAM,IAAI,CAAC,IAAI,CAAC,OAAO,EAAC;EACxB,KAAK,EAAC;EACN,GAAG;AACH;EACA,EAAE,UAAU,CAAC,CAAC,KAAK,EAAE;EACrB,IAAI,IAAI,CAAC,KAAK,CAAC,OAAO,EAAE;EACxB;EACA;EACA;EACA,MAAM,OAAO,IAAI,CAAC,OAAO;EACzB,QAAQ,OAAO;EACf,UAAU,IAAI,KAAK,CAAC,kDAAkD,CAAC;EACvE,UAAU,kBAAkB;EAC5B,SAAS;EACT,OAAO;EACP,KAAK;AACL;EACA,IAAI,IAAI,CAAC,QAAQ,GAAG,KAAK,CAAC,QAAO;EACjC,IAAI,IAAI,CAAC,QAAQ,CAAC,UAAU,GAAG,cAAa;AAC5C;EACA,IAAI,IAAI,OAAO,IAAI,CAAC,QAAQ,CAAC,0BAA0B,KAAK,QAAQ,EAAE;EACtE,MAAM,IAAI,CAAC,QAAQ,CAAC,0BAA0B,GAAG,oBAAmB;EACpE,KAAK;AACL;EACA,IAAI,IAAI,CAAC,WAAW,GAAG,IAAI,CAAC,QAAQ,CAAC,MAAK;AAC1C;EACA,IAAI,IAAI,CAAC,QAAQ,CAAC,SAAS,GAAG,KAAK,IAAI;EACvC,MAAM,IAAI,CAAC,iBAAiB,CAAC,KAAK,EAAC;EACnC,MAAK;EACL,IAAI,IAAI,CAAC,QAAQ,CAAC,mBAAmB,GAAG,MAAM;EAC9C,MAAM,IAAI,CAAC,2BAA2B,GAAE;EACxC,MAAK;EACL,IAAI,IAAI,CAAC,QAAQ,CAAC,MAAM,GAAG,MAAM;EACjC,MAAM,IAAI,CAAC,cAAc,GAAE;EAC3B,MAAK;EACL,IAAI,IAAI,CAAC,QAAQ,CAAC,OAAO,GAAG,MAAM;EAClC,MAAM,IAAI,CAAC,eAAe,GAAE;EAC5B,MAAK;EACL,IAAI,IAAI,CAAC,QAAQ,CAAC,OAAO,GAAG,GAAG,IAAI;EACnC,MAAM,IAAI,CAAC,OAAO,CAAC,OAAO,CAAC,GAAG,EAAE,kBAAkB,CAAC,EAAC;EACpD,MAAK;AACL;EACA;EACA;EACA,IAAI,IAAI,SAAS,GAAG,MAAK;EACzB,IAAI,IAAI,CAAC,gBAAgB,GAAG,WAAW,CAAC,MAAM;EAC9C;EACA,MAAM,IAAI,IAAI,CAAC,QAAQ,IAAI,IAAI,CAAC,QAAQ,CAAC,UAAU,KAAK,SAAS,EAAE;EACnE,QAAQ,IAAI,SAAS,EAAE,IAAI,CAAC,eAAe,GAAE;EAC7C,QAAQ,SAAS,GAAG,KAAI;EACxB,OAAO,MAAM;EACb,QAAQ,SAAS,GAAG,MAAK;EACzB,OAAO;EACP,KAAK,EAAE,uBAAuB,EAAC;EAC/B,GAAG;AACH;EACA,EAAE,wBAAwB,CAAC,GAAG;EAC9B,IAAI,IAAI,IAAI,CAAC,SAAS,EAAE,MAAM;EAC9B,IAAI,IAAI,IAAI,CAAC,iBAAiB,EAAE,MAAM;EACtC,IAAI,IAAI,CAAC,MAAM,CAAC,6BAA6B,EAAC;EAC9C,IAAI,IAAI,CAAC,iBAAiB,GAAG,UAAU,CAAC,MAAM;EAC9C,MAAM,IAAI,CAAC,IAAI,CAAC,YAAY,EAAE;EAC9B,QAAQ,IAAI,CAAC,YAAY,GAAG,KAAI;EAChC,QAAQ,IAAI,CAAC,MAAM,CAAC,+BAA+B,EAAC;EACpD,QAAQ,IAAI,CAAC,IAAI,CAAC,YAAY,EAAC;EAC/B,QAAQ,IAAI,CAAC,IAAI,CAAC,cAAc,EAAC;EACjC,OAAO;EACP,KAAK,EAAE,IAAI,CAAC,kBAAkB,EAAC;EAC/B,GAAG;AACH;EACA,EAAE,YAAY,CAAC,GAAG;EAClB,IAAI,IAAI,IAAI,CAAC,SAAS,EAAE,MAAM;AAC9B;EACA,IAAI,IAAI,CAAC,GAAG;EACZ,OAAO,WAAW,CAAC,IAAI,CAAC,YAAY,CAAC;EACrC,OAAO,IAAI,CAAC,KAAK,IAAI;EACrB,QAAQ,IAAI,IAAI,CAAC,SAAS,EAAE,MAAM;EAClC,QAAQ,IAAI,CAAC,IAAI,CAAC,OAAO,IAAI,CAAC,IAAI,CAAC,gBAAgB,EAAE,EAAE,KAAK,CAAC,GAAG,GAAG,aAAa,CAAC,KAAK,CAAC,GAAG,EAAC,EAAE;EAC7F,QAAQ,KAAK,CAAC,GAAG,GAAG,IAAI,CAAC,YAAY,CAAC,KAAK,CAAC,GAAG,EAAC;AAChD;EACA,QAAQ,MAAM,SAAS,GAAG,MAAM;EAChC,UAAU,IAAI,IAAI,CAAC,SAAS,EAAE,MAAM;EACpC,UAAU,MAAM,MAAM,GAAG,IAAI,CAAC,GAAG,CAAC,gBAAgB,IAAI,MAAK;EAC3D,UAAU,IAAI,CAAC,MAAM,CAAC,QAAQ,EAAC;EAC/B,UAAU,IAAI,CAAC,IAAI,CAAC,QAAQ,EAAE;EAC9B,YAAY,IAAI,EAAE,MAAM,CAAC,IAAI;EAC7B,YAAY,GAAG,EAAE,MAAM,CAAC,GAAG;EAC3B,WAAW,EAAC;EACZ,UAAS;AACT;EACA,QAAQ,MAAM,SAAS,GAAG,MAAM;EAChC,UAAU,IAAI,CAAC,MAAM,CAAC,qBAAqB,EAAC;EAC5C,UAAU,IAAI,IAAI,CAAC,SAAS,EAAE,MAAM;EACpC,UAAU,IAAI,IAAI,CAAC,OAAO,IAAI,IAAI,CAAC,YAAY,EAAE,SAAS,GAAE;EAC5D,eAAe,IAAI,CAAC,IAAI,CAAC,cAAc,EAAE,SAAS,EAAC;EACnD,UAAS;AACT;EACA,QAAQ,MAAM,OAAO,GAAG,GAAG,IAAI;EAC/B,UAAU,IAAI,CAAC,OAAO,CAAC,OAAO,CAAC,GAAG,EAAE,2BAA2B,CAAC,EAAC;EACjE,UAAS;AACT;EACA,QAAQ,IAAI,CAAC,GAAG,CAAC,mBAAmB,CAAC,KAAK,CAAC,CAAC,IAAI,CAAC,SAAS,CAAC,CAAC,KAAK,CAAC,OAAO,EAAC;EAC1E,OAAO,CAAC;EACR,OAAO,KAAK,CAAC,GAAG,IAAI;EACpB,QAAQ,IAAI,CAAC,OAAO,CAAC,OAAO,CAAC,GAAG,EAAE,kBAAkB,CAAC,EAAC;EACtD,OAAO,EAAC;EACR,GAAG;AACH;EACA,EAAE,2BAA2B,CAAC,GAAG;EACjC,IAAI,IAAI,IAAI,CAAC,GAAG,CAAC,eAAe,EAAE;EAClC,MAAM,IAAI,CAAC,GAAG,CAAC,eAAe,EAAE,CAAC,OAAO,CAAC,WAAW,IAAI;EACxD,QAAQ;EACR,UAAU,CAAC,WAAW,CAAC,GAAG;EAC1B,UAAU,WAAW,CAAC,MAAM,CAAC,KAAK;EAClC,UAAU,CAAC,WAAW,CAAC,SAAS;EAChC,UAAU;EACV,UAAU,WAAW,CAAC,SAAS,GAAG,KAAI;EACtC,UAAU,IAAI,CAAC,cAAc,CAAC,WAAW,CAAC,MAAM,CAAC,KAAK,CAAC,IAAI,EAAC;EAC5D,SAAS;EACT,OAAO,EAAC;EACR,KAAK;EACL,GAAG;AACH;EACA,EAAE,aAAa,CAAC,GAAG;EACnB,IAAI,IAAI,IAAI,CAAC,SAAS,EAAE,MAAM;AAC9B;EACA,IAAI,IAAI,CAAC,GAAG;EACZ,OAAO,YAAY,CAAC,IAAI,CAAC,aAAa,CAAC;EACvC,OAAO,IAAI,CAAC,MAAM,IAAI;EACtB,QAAQ,IAAI,IAAI,CAAC,SAAS,EAAE,MAAM;EAClC,QAAQ,IAAI,CAAC,IAAI,CAAC,OAAO,IAAI,CAAC,IAAI,CAAC,gBAAgB,EAAE,EAAE,MAAM,CAAC,GAAG,GAAG,aAAa,CAAC,MAAM,CAAC,GAAG,EAAC,EAAE;EAC/F,QAAQ,MAAM,CAAC,GAAG,GAAG,IAAI,CAAC,YAAY,CAAC,MAAM,CAAC,GAAG,EAAC;AAClD;EACA,QAAQ,MAAM,UAAU,GAAG,MAAM;EACjC,UAAU,IAAI,IAAI,CAAC,SAAS,EAAE,MAAM;EACpC,UAAU,MAAM,MAAM,GAAG,IAAI,CAAC,GAAG,CAAC,gBAAgB,IAAI,OAAM;EAC5D,UAAU,IAAI,CAAC,MAAM,CAAC,QAAQ,EAAC;EAC/B,UAAU,IAAI,CAAC,IAAI,CAAC,QAAQ,EAAE;EAC9B,YAAY,IAAI,EAAE,MAAM,CAAC,IAAI;EAC7B,YAAY,GAAG,EAAE,MAAM,CAAC,GAAG;EAC3B,WAAW,EAAC;EACZ,UAAU,IAAI,CAAC,IAAI,CAAC,SAAS,EAAE,IAAI,CAAC,2BAA2B,GAAE;EACjE,UAAS;AACT;EACA,QAAQ,MAAM,SAAS,GAAG,MAAM;EAChC,UAAU,IAAI,IAAI,CAAC,SAAS,EAAE,MAAM;EACpC,UAAU,IAAI,IAAI,CAAC,OAAO,IAAI,IAAI,CAAC,YAAY,EAAE,UAAU,GAAE;EAC7D,eAAe,IAAI,CAAC,IAAI,CAAC,cAAc,EAAE,UAAU,EAAC;EACpD,UAAS;AACT;EACA,QAAQ,MAAM,OAAO,GAAG,GAAG,IAAI;EAC/B,UAAU,IAAI,CAAC,OAAO,CAAC,OAAO,CAAC,GAAG,EAAE,2BAA2B,CAAC,EAAC;EACjE,UAAS;AACT;EACA,QAAQ,IAAI,CAAC,GAAG,CAAC,mBAAmB,CAAC,MAAM,CAAC,CAAC,IAAI,CAAC,SAAS,CAAC,CAAC,KAAK,CAAC,OAAO,EAAC;EAC3E,OAAO,CAAC;EACR,OAAO,KAAK,CAAC,GAAG,IAAI;EACpB,QAAQ,IAAI,CAAC,OAAO,CAAC,OAAO,CAAC,GAAG,EAAE,mBAAmB,CAAC,EAAC;EACvD,OAAO,EAAC;EACR,GAAG;AACH;EACA,EAAE,wBAAwB,CAAC,GAAG;EAC9B,IAAI,IAAI,IAAI,CAAC,SAAS,EAAE,MAAM;EAC9B,IAAI,IAAI,IAAI,CAAC,GAAG,CAAC,eAAe,KAAK,QAAQ,EAAE;EAC/C,MAAM,IAAI,CAAC,OAAO;EAClB,QAAQ,OAAO,CAAC,IAAI,KAAK,CAAC,oBAAoB,CAAC,EAAE,wBAAwB,CAAC;EAC1E,QAAO;EACP,KAAK;EACL,GAAG;AACH;EACA,EAAE,iBAAiB,CAAC,GAAG;EACvB,IAAI,IAAI,IAAI,CAAC,SAAS,EAAE,MAAM;EAC9B,IAAI,MAAM,kBAAkB,GAAG,IAAI,CAAC,GAAG,CAAC,mBAAkB;EAC1D,IAAI,MAAM,iBAAiB,GAAG,IAAI,CAAC,GAAG,CAAC,kBAAiB;AACxD;EACA,IAAI,IAAI,CAAC,MAAM;EACf,MAAM,iDAAiD;EACvD,MAAM,kBAAkB;EACxB,MAAM,iBAAiB;EACvB,MAAK;EACL,IAAI,IAAI,CAAC,IAAI,CAAC,gBAAgB,EAAE,kBAAkB,EAAE,iBAAiB,EAAC;AACtE;EACA,IAAI;EACJ,MAAM,kBAAkB,KAAK,WAAW;EACxC,MAAM,kBAAkB,KAAK,WAAW;EACxC,MAAM;EACN,MAAM,IAAI,CAAC,QAAQ,GAAG,KAAI;EAC1B,MAAM,IAAI,CAAC,WAAW,GAAE;EACxB,KAAK;EACL,IAAI,IAAI,kBAAkB,KAAK,QAAQ,EAAE;EACzC,MAAM,IAAI,CAAC,OAAO;EAClB,QAAQ,OAAO;EACf,UAAU,IAAI,KAAK,CAAC,wBAAwB,CAAC;EAC7C,UAAU,4BAA4B;EACtC,SAAS;EACT,QAAO;EACP,KAAK;EACL,IAAI,IAAI,kBAAkB,KAAK,QAAQ,EAAE;EACzC,MAAM,IAAI,CAAC,OAAO;EAClB,QAAQ,OAAO;EACf,UAAU,IAAI,KAAK,CAAC,wBAAwB,CAAC;EAC7C,UAAU,2BAA2B;EACrC,SAAS;EACT,QAAO;EACP,KAAK;EACL,GAAG;AACH;EACA,EAAE,QAAQ,CAAC,CAAC,EAAE,EAAE;EAChB;EACA,IAAI,MAAM,aAAa,GAAG,MAAM,IAAI;EACpC,MAAM,IAAI,MAAM,CAAC,SAAS,CAAC,QAAQ,CAAC,IAAI,CAAC,MAAM,CAAC,MAAM,CAAC,KAAK,gBAAgB,EAAE;EAC9E,QAAQ,MAAM,CAAC,MAAM,CAAC,OAAO,CAAC,KAAK,IAAI;EACvC,UAAU,MAAM,CAAC,MAAM,CAAC,MAAM,EAAE,KAAK,EAAC;EACtC,SAAS,EAAC;EACV,OAAO;EACP,MAAM,OAAO,MAAM;EACnB,MAAK;AACL;EACA;EACA,IAAI,IAAI,IAAI,CAAC,GAAG,CAAC,QAAQ,CAAC,MAAM,KAAK,CAAC,IAAI,IAAI,CAAC,oBAAoB,EAAE;EACrE,MAAM,IAAI,CAAC,GAAG,CAAC,QAAQ,EAAE,CAAC,IAAI;EAC9B,QAAQ,GAAG,IAAI;EACf,UAAU,MAAM,OAAO,GAAG,GAAE;EAC5B,UAAU,GAAG,CAAC,OAAO,CAAC,MAAM,IAAI;EAChC,YAAY,OAAO,CAAC,IAAI,CAAC,aAAa,CAAC,MAAM,CAAC,EAAC;EAC/C,WAAW,EAAC;EACZ,UAAU,EAAE,CAAC,IAAI,EAAE,OAAO,EAAC;EAC3B,SAAS;EACT,QAAQ,GAAG,IAAI,EAAE,CAAC,GAAG,CAAC;EACtB,QAAO;AACP;EACA;EACA,KAAK,MAAM,IAAI,IAAI,CAAC,GAAG,CAAC,QAAQ,CAAC,MAAM,GAAG,CAAC,EAAE;EAC7C,MAAM,IAAI,CAAC,GAAG,CAAC,QAAQ;EACvB,QAAQ,GAAG,IAAI;EACf;EACA,UAAU,IAAI,IAAI,CAAC,SAAS,EAAE,MAAM;AACpC;EACA,UAAU,MAAM,OAAO,GAAG,GAAE;EAC5B,UAAU,GAAG,CAAC,MAAM,EAAE,CAAC,OAAO,CAAC,MAAM,IAAI;EACzC,YAAY,MAAM,MAAM,GAAG,GAAE;EAC7B,YAAY,MAAM,CAAC,KAAK,EAAE,CAAC,OAAO,CAAC,IAAI,IAAI;EAC3C,cAAc,MAAM,CAAC,IAAI,CAAC,GAAG,MAAM,CAAC,IAAI,CAAC,IAAI,EAAC;EAC9C,aAAa,EAAC;EACd,YAAY,MAAM,CAAC,EAAE,GAAG,MAAM,CAAC,GAAE;EACjC,YAAY,MAAM,CAAC,IAAI,GAAG,MAAM,CAAC,KAAI;EACrC,YAAY,MAAM,CAAC,SAAS,GAAG,MAAM,CAAC,UAAS;EAC/C,YAAY,OAAO,CAAC,IAAI,CAAC,aAAa,CAAC,MAAM,CAAC,EAAC;EAC/C,WAAW,EAAC;EACZ,UAAU,EAAE,CAAC,IAAI,EAAE,OAAO,EAAC;EAC3B,SAAS;EACT,QAAQ,GAAG,IAAI,EAAE,CAAC,GAAG,CAAC;EACtB,QAAO;AACP;EACA;EACA;EACA,KAAK,MAAM;EACX,MAAM,EAAE,CAAC,IAAI,EAAE,EAAE,EAAC;EAClB,KAAK;EACL,GAAG;AACH;EACA,EAAE,WAAW,CAAC,GAAG;EACjB,IAAI,IAAI,CAAC,MAAM;EACf,MAAM,6BAA6B;EACnC,MAAM,IAAI,CAAC,QAAQ;EACnB,MAAM,IAAI,CAAC,aAAa;EACxB,MAAK;EACL,IAAI;EACJ,MAAM,IAAI,CAAC,UAAU;EACrB,MAAM,IAAI,CAAC,WAAW;EACtB,MAAM,CAAC,IAAI,CAAC,QAAQ;EACpB,MAAM,CAAC,IAAI,CAAC,aAAa;EACzB,MAAM,EAAE,MAAM,EAAE;AAChB;EACA,IAAI,IAAI,CAAC,WAAW,GAAG,KAAI;AAC3B;EACA;EACA,IAAI,MAAM,iBAAiB,GAAG,MAAM;EACpC,MAAM,IAAI,IAAI,CAAC,SAAS,EAAE,MAAM;AAChC;EACA,MAAM,IAAI,CAAC,QAAQ,CAAC,CAAC,GAAG,EAAE,KAAK,KAAK;EACpC,QAAQ,IAAI,IAAI,CAAC,SAAS,EAAE,MAAM;AAClC;EACA;EACA,QAAQ,IAAI,GAAG,EAAE,KAAK,GAAG,GAAE;AAC3B;EACA,QAAQ,MAAM,gBAAgB,GAAG,GAAE;EACnC,QAAQ,MAAM,eAAe,GAAG,GAAE;EAClC,QAAQ,MAAM,cAAc,GAAG,GAAE;EACjC,QAAQ,IAAI,0BAA0B,GAAG,MAAK;AAC9C;EACA,QAAQ,KAAK,CAAC,OAAO,CAAC,IAAI,IAAI;EAC9B;EACA;EACA,UAAU;EACV,YAAY,IAAI,CAAC,IAAI,KAAK,iBAAiB;EAC3C,YAAY,IAAI,CAAC,IAAI,KAAK,kBAAkB;EAC5C,YAAY;EACZ,YAAY,gBAAgB,CAAC,IAAI,CAAC,EAAE,CAAC,GAAG,KAAI;EAC5C,WAAW;EACX,UAAU;EACV,YAAY,IAAI,CAAC,IAAI,KAAK,gBAAgB;EAC1C,YAAY,IAAI,CAAC,IAAI,KAAK,iBAAiB;EAC3C,YAAY;EACZ,YAAY,eAAe,CAAC,IAAI,CAAC,EAAE,CAAC,GAAG,KAAI;EAC3C,WAAW;EACX,UAAU,IAAI,IAAI,CAAC,IAAI,KAAK,eAAe,IAAI,IAAI,CAAC,IAAI,KAAK,gBAAgB,EAAE;EAC/E,YAAY,cAAc,CAAC,IAAI,CAAC,EAAE,CAAC,GAAG,KAAI;EAC1C,WAAW;EACX,SAAS,EAAC;AACV;EACA,QAAQ,MAAM,wBAAwB,GAAG,qBAAqB,IAAI;EAClE,UAAU,0BAA0B,GAAG,KAAI;AAC3C;EACA,UAAU,IAAI,KAAK,GAAG,eAAe,CAAC,qBAAqB,CAAC,gBAAgB,EAAC;AAC7E;EACA,UAAU,IAAI,KAAK,KAAK,KAAK,CAAC,EAAE,IAAI,KAAK,CAAC,OAAO,CAAC,EAAE;EACpD;EACA,YAAY,IAAI,CAAC,YAAY,GAAG,KAAK,CAAC,EAAE,IAAI,KAAK,CAAC,QAAO;EACzD,YAAY,IAAI,CAAC,SAAS,GAAG,MAAM,CAAC,KAAK,CAAC,IAAI,EAAC;EAC/C,WAAW,MAAM,IAAI,KAAK,IAAI,KAAK,CAAC,SAAS,EAAE;EAC/C;EACA,YAAY,IAAI,CAAC,YAAY,GAAG,KAAK,CAAC,UAAS;EAC/C,YAAY,IAAI,CAAC,SAAS,GAAG,MAAM,CAAC,KAAK,CAAC,UAAU,EAAC;EACrD,WAAW,MAAM;EACjB,YAAY,OAAO,qBAAqB,CAAC,gBAAgB,KAAK,QAAQ;EACtE,YAAY;EACZ;EACA,YAAY,KAAK,GAAG,qBAAqB,CAAC,gBAAgB,CAAC,KAAK,CAAC,GAAG,EAAC;EACrE,YAAY,IAAI,CAAC,YAAY,GAAG,KAAK,CAAC,CAAC,EAAC;EACxC,YAAY,IAAI,CAAC,SAAS,GAAG,MAAM,CAAC,KAAK,CAAC,CAAC,CAAC,EAAC;EAC7C,WAAW;EACX,UAAU,IAAI,IAAI,CAAC,YAAY,EAAE;EACjC,YAAY,IAAI,CAAC,WAAW,GAAG,IAAI,CAAC,YAAY,CAAC,QAAQ,CAAC,GAAG,CAAC;EAC9D,gBAAgB,MAAM;EACtB,gBAAgB,OAAM;EACtB,WAAW;AACX;EACA,UAAU,IAAI,MAAM;EACpB,YAAY,gBAAgB,CAAC,qBAAqB,CAAC,iBAAiB,EAAC;AACrE;EACA,UAAU,IAAI,MAAM,KAAK,MAAM,CAAC,EAAE,IAAI,MAAM,CAAC,OAAO,CAAC,EAAE;EACvD;EACA,YAAY,IAAI,CAAC,aAAa,GAAG,MAAM,CAAC,EAAE,IAAI,MAAM,CAAC,QAAO;EAC5D,YAAY,IAAI,CAAC,UAAU,GAAG,MAAM,CAAC,MAAM,CAAC,IAAI,EAAC;EACjD,WAAW,MAAM,IAAI,MAAM,IAAI,MAAM,CAAC,SAAS,EAAE;EACjD;EACA,YAAY,IAAI,CAAC,aAAa,GAAG,MAAM,CAAC,UAAS;EACjD,YAAY,IAAI,CAAC,UAAU,GAAG,MAAM,CAAC,MAAM,CAAC,UAAU,EAAC;EACvD,WAAW,MAAM;EACjB,YAAY,OAAO,qBAAqB,CAAC,iBAAiB,KAAK,QAAQ;EACvE,YAAY;EACZ;EACA,YAAY,MAAM,GAAG,qBAAqB,CAAC,iBAAiB,CAAC,KAAK,CAAC,GAAG,EAAC;EACvE,YAAY,IAAI,CAAC,aAAa,GAAG,MAAM,CAAC,CAAC,EAAC;EAC1C,YAAY,IAAI,CAAC,UAAU,GAAG,MAAM,CAAC,MAAM,CAAC,CAAC,CAAC,EAAC;EAC/C,WAAW;EACX,UAAU,IAAI,IAAI,CAAC,aAAa,EAAE;EAClC,YAAY,IAAI,CAAC,YAAY,GAAG,IAAI,CAAC,aAAa,CAAC,QAAQ,CAAC,GAAG,CAAC;EAChE,gBAAgB,MAAM;EACtB,gBAAgB,OAAM;EACtB,WAAW;AACX;EACA,UAAU,IAAI,CAAC,MAAM;EACrB,YAAY,oCAAoC;EAChD,YAAY,IAAI,CAAC,YAAY;EAC7B,YAAY,IAAI,CAAC,SAAS;EAC1B,YAAY,IAAI,CAAC,aAAa;EAC9B,YAAY,IAAI,CAAC,UAAU;EAC3B,YAAW;EACX,UAAS;AACT;EACA,QAAQ,KAAK,CAAC,OAAO,CAAC,IAAI,IAAI;EAC9B;EACA,UAAU,IAAI,IAAI,CAAC,IAAI,KAAK,WAAW,IAAI,IAAI,CAAC,uBAAuB,EAAE;EACzE,YAAY,wBAAwB;EACpC,cAAc,cAAc,CAAC,IAAI,CAAC,uBAAuB,CAAC;EAC1D,cAAa;EACb,WAAW;AACX;EACA;EACA,UAAU;EACV,YAAY,CAAC,IAAI,CAAC,IAAI,KAAK,mBAAmB;EAC9C,cAAc,IAAI,CAAC,oBAAoB,KAAK,MAAM;EAClD,aAAa,CAAC,IAAI,CAAC,IAAI,KAAK,eAAe;EAC3C,cAAc,IAAI,CAAC,IAAI,KAAK,gBAAgB;EAC5C,cAAc,IAAI,CAAC,QAAQ,CAAC;EAC5B,YAAY;EACZ,YAAY,wBAAwB,CAAC,IAAI,EAAC;EAC1C,WAAW;EACX,SAAS,EAAC;AACV;EACA;EACA;EACA,QAAQ;EACR,UAAU,CAAC,0BAA0B;EACrC,WAAW,CAAC,MAAM,CAAC,IAAI,CAAC,cAAc,CAAC,CAAC,MAAM;EAC9C,YAAY,MAAM,CAAC,IAAI,CAAC,eAAe,CAAC,CAAC,MAAM,CAAC;EAChD,UAAU;EACV,UAAU,UAAU,CAAC,iBAAiB,EAAE,GAAG,EAAC;EAC5C,UAAU,MAAM;EAChB,SAAS,MAAM;EACf,UAAU,IAAI,CAAC,WAAW,GAAG,MAAK;EAClC,UAAU,IAAI,CAAC,UAAU,GAAG,KAAI;EAChC,SAAS;AACT;EACA,QAAQ,IAAI,IAAI,CAAC,MAAM,EAAE;EACzB,UAAU,IAAI;EACd,YAAY,IAAI,CAAC,IAAI,CAAC,IAAI,CAAC,MAAM,EAAC;EAClC,WAAW,CAAC,OAAO,GAAG,EAAE;EACxB,YAAY,OAAO,IAAI,CAAC,OAAO,CAAC,OAAO,CAAC,GAAG,EAAE,kBAAkB,CAAC,CAAC;EACjE,WAAW;EACX,UAAU,IAAI,CAAC,MAAM,GAAG,KAAI;EAC5B,UAAU,IAAI,CAAC,MAAM,CAAC,wCAAwC,EAAC;AAC/D;EACA,UAAU,MAAM,EAAE,GAAG,IAAI,CAAC,IAAG;EAC7B,UAAU,IAAI,CAAC,GAAG,GAAG,KAAI;EACzB,UAAU,EAAE,CAAC,IAAI,EAAC;EAClB,SAAS;AACT;EACA;EACA;EACA,QAAQ,IAAI,OAAO,IAAI,CAAC,QAAQ,CAAC,0BAA0B,KAAK,QAAQ,EAAE;EAC1E,UAAU,IAAI,CAAC,SAAS,GAAG,WAAW,CAAC,MAAM,IAAI,CAAC,WAAW,EAAE,EAAE,GAAG,EAAC;EACrE,UAAU,IAAI,IAAI,CAAC,SAAS,CAAC,KAAK,EAAE,IAAI,CAAC,SAAS,CAAC,KAAK,GAAE;EAC1D,SAAS;AACT;EACA,QAAQ,IAAI,CAAC,MAAM,CAAC,SAAS,EAAC;EAC9B,QAAQ,IAAI,CAAC,IAAI,CAAC,SAAS,EAAC;EAC5B,OAAO,EAAC;EACR,MAAK;EACL,IAAI,iBAAiB,GAAE;EACvB,GAAG;AACH;EACA,EAAE,WAAW,CAAC,GAAG;EACjB,IAAI;EACJ,MAAM,CAAC,IAAI,CAAC,GAAG;EACf,MAAM,CAAC,IAAI,CAAC,QAAQ;EACpB,MAAM,IAAI,CAAC,QAAQ,CAAC,cAAc,GAAG,mBAAmB;EACxD,MAAM;EACN,MAAM,MAAM;EACZ,KAAK;EACL,IAAI,IAAI,CAAC,2BAA2B,GAAE;EACtC,GAAG;AACH;EACA,EAAE,uBAAuB,CAAC,GAAG;EAC7B,IAAI,IAAI,IAAI,CAAC,SAAS,EAAE,MAAM;AAC9B;EACA,IAAI,IAAI,IAAI,CAAC,GAAG,CAAC,cAAc,KAAK,QAAQ,EAAE;EAC9C,MAAM,IAAI,CAAC,cAAc,GAAG,MAAK;AACjC;EACA;EACA,MAAM,IAAI,CAAC,MAAM,CAAC,uBAAuB,EAAE,IAAI,CAAC,sBAAsB,EAAC;EACvE,MAAM,IAAI,CAAC,sBAAsB,CAAC,OAAO,CAAC,MAAM,IAAI;EACpD,QAAQ,IAAI,CAAC,GAAG,CAAC,WAAW,CAAC,MAAM,EAAC;EACpC,QAAQ,IAAI,CAAC,kBAAkB,GAAG,KAAI;EACtC,OAAO,EAAC;EACR,MAAM,IAAI,CAAC,sBAAsB,GAAG,GAAE;AACtC;EACA,MAAM,IAAI,IAAI,CAAC,kBAAkB,EAAE;EACnC,QAAQ,IAAI,CAAC,MAAM,CAAC,4BAA4B,EAAC;EACjD,QAAQ,IAAI,CAAC,kBAAkB,GAAG,MAAK;EACvC,QAAQ,IAAI,CAAC,iBAAiB,GAAE;EAChC,OAAO,MAAM;EACb,QAAQ,IAAI,CAAC,MAAM,CAAC,YAAY,EAAC;EACjC,QAAQ,IAAI,CAAC,IAAI,CAAC,YAAY,EAAC;EAC/B,OAAO;EACP,KAAK;AACL;EACA,IAAI,IAAI,CAAC,MAAM,CAAC,yBAAyB,EAAE,IAAI,CAAC,GAAG,CAAC,cAAc,EAAC;EACnE,IAAI,IAAI,CAAC,IAAI,CAAC,sBAAsB,EAAE,IAAI,CAAC,GAAG,CAAC,cAAc,EAAC;EAC9D,GAAG;AACH;EACA,EAAE,eAAe,CAAC,CAAC,KAAK,EAAE;EAC1B,IAAI,IAAI,IAAI,CAAC,SAAS,EAAE,MAAM;EAC9B,IAAI,IAAI,KAAK,CAAC,SAAS,IAAI,IAAI,CAAC,OAAO,EAAE;EACzC,MAAM,IAAI,CAAC,IAAI,CAAC,QAAQ,EAAE;EAC1B,QAAQ,IAAI,EAAE,WAAW;EACzB,QAAQ,SAAS,EAAE;EACnB,UAAU,SAAS,EAAE,KAAK,CAAC,SAAS,CAAC,SAAS;EAC9C,UAAU,aAAa,EAAE,KAAK,CAAC,SAAS,CAAC,aAAa;EACtD,UAAU,MAAM,EAAE,KAAK,CAAC,SAAS,CAAC,MAAM;EACxC,SAAS;EACT,OAAO,EAAC;EACR,KAAK,MAAM,IAAI,CAAC,KAAK,CAAC,SAAS,IAAI,CAAC,IAAI,CAAC,YAAY,EAAE;EACvD,MAAM,IAAI,CAAC,YAAY,GAAG,KAAI;EAC9B,MAAM,IAAI,CAAC,IAAI,CAAC,cAAc,EAAC;EAC/B,KAAK;EACL;EACA,IAAI,IAAI,KAAK,CAAC,SAAS,EAAE;EACzB,MAAM,IAAI,CAAC,wBAAwB,GAAE;EACrC,KAAK;EACL,GAAG;AACH;EACA,EAAE,iBAAiB,CAAC,CAAC,KAAK,EAAE;EAC5B,IAAI,IAAI,IAAI,CAAC,SAAS,EAAE,MAAM;EAC9B,IAAI,IAAI,IAAI,GAAG,KAAK,CAAC,KAAI;EACzB,IAAI,IAAI,IAAI,YAAY,WAAW,EAAE,IAAI,GAAG,IAAI,UAAU,CAAC,IAAI,EAAC;EAChE,IAAI,IAAI,CAAC,IAAI,CAAC,MAAM,EAAE,IAAI,EAAC;EAC3B,GAAG;AACH;EACA,EAAE,2BAA2B,CAAC,GAAG;EACjC,IAAI,IAAI,IAAI,CAAC,SAAS,IAAI,CAAC,IAAI,CAAC,GAAG,EAAE,MAAM;EAC3C,IAAI,IAAI,CAAC,MAAM;EACf,MAAM,wCAAwC;EAC9C,MAAM,IAAI,CAAC,QAAQ,CAAC,cAAc;EAClC,MAAK;EACL,IAAI,MAAM,EAAE,GAAG,IAAI,CAAC,IAAG;EACvB,IAAI,IAAI,CAAC,GAAG,GAAG,KAAI;EACnB,IAAI,EAAE,CAAC,IAAI,EAAC;EACZ,GAAG;AACH;EACA,EAAE,cAAc,CAAC,GAAG;EACpB,IAAI,IAAI,IAAI,CAAC,UAAU,IAAI,IAAI,CAAC,SAAS,EAAE,MAAM;EACjD,IAAI,IAAI,CAAC,MAAM,CAAC,iBAAiB,EAAC;EAClC,IAAI,IAAI,CAAC,aAAa,GAAG,KAAI;EAC7B,IAAI,IAAI,CAAC,WAAW,GAAE;EACtB,GAAG;AACH;EACA,EAAE,eAAe,CAAC,GAAG;EACrB,IAAI,IAAI,IAAI,CAAC,SAAS,EAAE,MAAM;EAC9B,IAAI,IAAI,CAAC,MAAM,CAAC,kBAAkB,EAAC;EACnC,IAAI,IAAI,CAAC,OAAO,GAAE;EAClB,GAAG;AACH;EACA,EAAE,QAAQ,CAAC,CAAC,KAAK,EAAE;EACnB,IAAI,IAAI,IAAI,CAAC,SAAS,EAAE,MAAM;AAC9B;EACA,IAAI,KAAK,CAAC,OAAO,CAAC,OAAO,CAAC,WAAW,IAAI;EACzC,MAAM,IAAI,CAAC,MAAM,CAAC,UAAU,EAAC;EAC7B,MAAM,IAAI,CAAC,IAAI,CAAC,OAAO,EAAE,KAAK,CAAC,KAAK,EAAE,WAAW,EAAC;AAClD;EACA,MAAM,IAAI,CAAC,aAAa,CAAC,IAAI,CAAC;EAC9B,QAAQ,KAAK,EAAE,KAAK,CAAC,KAAK;EAC1B,QAAQ,MAAM,EAAE,WAAW;EAC3B,OAAO,EAAC;AACR;EACA,MAAM;EACN,QAAQ,IAAI,CAAC,cAAc,CAAC,IAAI,CAAC,YAAY,IAAI;EACjD,UAAU,OAAO,YAAY,CAAC,EAAE,KAAK,WAAW,CAAC,EAAE;EACnD,SAAS,CAAC;EACV,QAAQ,EAAE,MAAM,EAAE;AAClB;EACA,MAAM,IAAI,CAAC,cAAc,CAAC,IAAI,CAAC,WAAW,EAAC;EAC3C,MAAM,cAAc,CAAC,MAAM;EAC3B,QAAQ,IAAI,CAAC,MAAM,CAAC,WAAW,EAAC;EAChC,QAAQ,IAAI,CAAC,IAAI,CAAC,QAAQ,EAAE,WAAW,EAAC;EACxC,OAAO,EAAC;EACR,KAAK,EAAC;EACN,GAAG;AACH;EACA,EAAE,MAAM,CAAC,CAAC,GAAG,IAAI,EAAE;EACnB,IAAI,IAAI,CAAC,IAAI,CAAC,QAAQ,EAAE,MAAM;EAC9B,IAAI,IAAI,CAAC,CAAC,CAAC,GAAG,GAAG,GAAG,IAAI,CAAC,GAAG,GAAG,IAAI,GAAG,IAAI,CAAC,CAAC,EAAC;EAC7C,IAAI,OAAO,CAAC,GAAG,CAAC,GAAG,IAAI,EAAC;EACxB,GAAG;AACH;EACA;EACA,EAAE,EAAE,CAAC,CAAC,GAAG,EAAE,QAAQ,EAAE;EACrB,IAAI,MAAM,GAAG,GAAG,IAAI,CAAC,KAAI;EACzB,IAAI,IAAI,CAAC,GAAG,CAAC,GAAG,CAAC,GAAG,CAAC,EAAE,GAAG,CAAC,GAAG,CAAC,GAAG,EAAE,IAAI,GAAG,EAAE,EAAC;EAC9C,IAAI,GAAG,CAAC,GAAG,CAAC,GAAG,CAAC,CAAC,GAAG,CAAC,QAAQ,EAAC;EAC9B,GAAG;AACH;EACA,EAAE,GAAG,CAAC,CAAC,GAAG,EAAE,QAAQ,EAAE;EACtB,IAAI,MAAM,GAAG,GAAG,IAAI,CAAC,KAAI;EACzB,IAAI,MAAM,SAAS,GAAG,GAAG,CAAC,GAAG,CAAC,GAAG,EAAC;EAClC,IAAI,IAAI,CAAC,SAAS,EAAE,MAAM;EAC1B,IAAI,SAAS,CAAC,MAAM,CAAC,QAAQ,EAAC;EAC9B,IAAI,IAAI,SAAS,CAAC,IAAI,KAAK,CAAC,EAAE,GAAG,CAAC,MAAM,CAAC,GAAG,EAAC;EAC7C,GAAG;AACH;EACA,EAAE,IAAI,CAAC,CAAC,GAAG,EAAE,QAAQ,EAAE;EACvB,IAAI,MAAM,SAAS,GAAG,CAAC,GAAG,IAAI,KAAK;EACnC,MAAM,IAAI,CAAC,GAAG,CAAC,GAAG,EAAE,SAAS,EAAC;EAC9B,MAAM,QAAQ,CAAC,GAAG,IAAI,EAAC;EACvB,MAAK;EACL,IAAI,IAAI,CAAC,EAAE,CAAC,GAAG,EAAE,SAAS,EAAC;EAC3B,GAAG;AACH;EACA,EAAE,IAAI,CAAC,CAAC,GAAG,EAAE,GAAG,IAAI,EAAE;EACtB,IAAI,MAAM,GAAG,GAAG,IAAI,CAAC,KAAI;EACzB,IAAI,IAAI,CAAC,GAAG,CAAC,GAAG,CAAC,GAAG,CAAC,EAAE,MAAM;EAC7B,IAAI,KAAK,MAAM,QAAQ,IAAI,GAAG,CAAC,GAAG,CAAC,GAAG,CAAC,EAAE;EACzC,MAAM,IAAI;EACV,QAAQ,QAAQ,CAAC,GAAG,IAAI,EAAC;EACzB,OAAO,CAAC,OAAO,GAAG,EAAE;EACpB,QAAQ,OAAO,CAAC,KAAK,CAAC,GAAG,EAAC;EAC1B,OAAO;EACP,KAAK;EACL,GAAG;EACH,CAAC;AACD;EACA,IAAI,CAAC,cAAc,GAAG,CAAC,CAAC,aAAa,GAAE;AACvC;EACA;EACA;EACA;EACA;EACA;EACA,IAAI,CAAC,MAAM,GAAG;EACd,EAAE,UAAU,EAAE;EACd,IAAI;EACJ,MAAM,IAAI,EAAE;EACZ,QAAQ,8BAA8B;EACtC,QAAQ,kCAAkC;EAC1C,OAAO;EACP,KAAK;EACL,GAAG;EACH,EAAE,YAAY,EAAE,cAAc;EAC9B,EAAC;AACD;EACA,IAAI,CAAC,aAAa,GAAG;;AC/oCwB,QAAC,WAAW,CAAC,wBAA+B,MAAM,6BAA6B,CAAC,WAAW,CAAC,CAAC,kBAAkB,CAAC,CAAC,CAAC,IAAI,CAAC,CAAC,CAAC,CAAC,CAAC,IAAI,CAAC,IAAI,CAAC,IAAI,CAAC,IAAI,CAAC,SAAS,CAAC,IAAI,GAAG,CAAC,IAAI,CAAC,eAAe,CAAC,IAAI,GAAG,CAAC,IAAI,CAAC,eAAe,CAAC,IAAI,GAAG,CAAC,IAAI,CAAC,aAAa,CAAC,IAAI,GAAG,CAAC,IAAI,CAAC,eAAe,CAAC,IAAI,GAAG,CAAC,IAAI,CAAC,aAAa,CAAC,IAAI,OAAO,CAAC,IAAI,CAAC,aAAa,CAAC,IAAI,OAAO,CAAC,IAAI,CAAC,kBAAkB,CAAC,CAAC,CAAC,MAAM,CAAC,gBAAgB,CAAC,SAAS,CAAC,IAAI,CAAC,wBAAwB,CAAC,IAAI,CAAC,IAAI,CAAC,CAAC,CAAC,CAAC,GAAG,IAAI,CAAC,IAAI,CAAC,CAAC,EAAC,CAAC,UAAU,EAAE,CAAC,OAAM,CAAC,IAAI,CAAC,WAAW,CAAC,SAAS,CAAC,CAAC,CAAC,UAAU,CAAC,CAAC,CAAC,uBAAuB,CAAC,CAAC,CAAC,GAAG,CAAC,IAAI,CAAC,MAAM,CAAC,CAAC,CAAC,IAAI,CAAC,uBAAuB,CAAC,EAAC,CAAC,CAAC,OAAO,CAAC,EAAE,CAAC,CAAC,aAAa,CAAC,CAAC,CAAC,CAAC,IAAI,CAAC,CAAC,IAAI,CAAC,IAAI,EAAE,IAAI,CAAC,SAAS,EAAE,CAAC,CAAC,CAAC,CAAC,IAAI,CAAC,IAAI,GAAG,IAAI,EAAE,CAAC,CAAC,MAAM,CAAC,CAAC,EAAC,CAAC,kCAAkC,CAAC,CAAC,CAAC,CAAC,CAAC,CAAC,IAAI,CAAC,SAAS,CAAC,CAAC,CAAC,CAAC,MAAM,CAAC,CAAC,EAAC,CAAC,WAAW,CAAC,CAAC,CAAC,CAAC,CAAC,CAAC,IAAI,CAAC,CAAC,CAAC,CAAC,IAAI,CAAC,IAAI,EAAE,IAAI,CAAC,SAAS,EAAE,CAAC,MAAM,CAAC,CAAC,CAAC,MAAM,CAAC,CAAC,CAAC,QAAQ,CAAC,CAAC,CAAC,EAAE,CAAC,CAAC,CAAC,CAAC,CAAC,IAAI,CAAC,IAAI,GAAG,IAAI,EAAE,CAAC,CAAC,IAAI,CAAC,IAAI,CAAC,SAAS,CAAC,CAAC,CAAC,CAAC,CAAC,IAAI,CAAC,eAAe,CAAC,GAAG,CAAC,CAAC,CAAC,EAAE,CAAC,CAAC,CAAC,IAAI,CAAC,IAAI,GAAG,IAAI,EAAE,CAAC,CAAC,SAAS,CAAC,CAAC,CAAC,CAAC,IAAI,CAAC,eAAe,CAAC,GAAG,CAAC,CAAC,EAAC,CAAC,SAAS,CAAC,CAAC,CAAC,CAAC,IAAI,CAAC,CAAC,GAAG,CAAC,CAAC,CAAC,MAAM,CAAC,CAAC,IAAI,CAAC,aAAa,CAAC,GAAG,CAAC,CAAC,CAAC,CAAC,GAAG,CAAC,CAAC,OAAO,CAAC,CAAC,CAAC,CAAC,IAAIA,IAAC,CAAC,CAAC,SAAS,CAAC,CAAC,CAAC,CAAC,CAAC,CAAC,IAAI,CAAC,aAAa,CAAC,GAAG,CAAC,CAAC,CAAC,CAAC,CAAC,CAAC,IAAI,CAAC,aAAa,CAAC,GAAG,CAAC,CAAC,CAAC,CAAC,EAAC,CAAC,KAAI,CAAC,GAAG,IAAI,CAAC,IAAI,CAAC,OAAO,IAAI,CAAC,IAAI,CAAC,CAAC,CAAC,IAAI,CAAC,IAAI,CAAC,IAAIA,IAAC,CAAC,CAAC,SAAS,CAAC,CAAC,CAAC,CAAC,EAAC,CAAC,MAAM,CAAC,CAAC,CAAC,EAAE,CAAC,GAAG,CAAC,CAAC,CAAC,OAAO,IAAI,CAAC,IAAI,CAAC,IAAI,CAAC,IAAI,CAAC,aAAa,CAAC,MAAM,CAAC,CAAC,CAAC,CAAC,IAAI,CAAC,aAAa,CAAC,MAAM,CAAC,CAAC,EAAC,CAAC,CAAC,OAAO,CAAC,CAAC,EAAE,CAAC,OAAO,CAAC,CAAC,EAAE,CAAC,CAAC,CAAC,CAAC,CAAC,CAAC,OAAO,CAAC,GAAG,CAAC,OAAO,CAAC,CAAC,EAAC,CAAC,CAAC,CAAC,CAAC,CAAC,EAAE,CAAC,OAAO,CAAC,IAAI,CAAC,CAAC,CAAC,CAAC,CAAC,CAAC,OAAO,CAAC,GAAG,CAAC,SAAS,EAAC,CAAC,CAAC,CAAC,CAAC,CAAC,EAAE,CAAC,QAAQ,CAAC,CAAC,EAAE,CAAC,IAAI,CAAC,CAAC,CAAC,CAAC,IAAI,CAAC,WAAW,EAAE,CAAC,CAAC,GAAG,IAAI,CAAC,IAAI,CAAC,IAAI,CAAC,kBAAkB,CAAC,CAAC,CAAC,CAAC,CAAC,CAAC,CAAC,IAAI,CAAC,aAAa,CAAC,GAAG,CAAC,CAAC,CAAC,GAAG,IAAI,EAAE,CAAC,CAAC,WAAW,CAAC,CAAC,IAAI,CAAC,qBAAqB,CAAC,IAAI,CAAC,CAAC,IAAI,CAAC,QAAQ,CAAC,MAAM,CAAC,CAAC,CAAC,CAAC,CAAC,GAAG,CAAC,CAAC,CAAC,CAAC,CAAC,MAAM,CAAC,GAAG,GAAG,IAAI,EAAE,CAAC,CAAC,WAAW,CAAC,CAAC,IAAI,CAAC,qBAAqB,CAAC,IAAI,CAAC,CAAC,IAAI,CAAC,QAAQ,CAAC,MAAM,CAAC,CAAC,CAAC,CAAC,CAAC,GAAG,EAAC,CAAC,CAAC,CAAC,CAAC,CAAC,EAAE,CAAC,SAAS,CAAC,IAAI,CAAC,GAAG,EAAE,IAAI,CAAC,WAAW,EAAE,EAAE,CAAC,GAAG,IAAI,CAAC,IAAI,CAAC,CAAC,IAAI,KAAK,CAAC,CAAC,CAAC,CAAC,CAAC,GAAG,IAAI,CAAC,SAAS,CAAC,IAAI,CAAC,WAAW,CAAC,CAAC,CAAC,CAAC,EAAC,CAAC,CAAC,CAAC,IAAI,CAAC,WAAW,EAAE,GAAG,CAAC,CAAC,EAAE,CAAC,MAAM,CAAC,CAAC,EAAE,CAAC,GAAG,CAAC,MAAM,CAAC,CAAC,IAAI,CAAC,KAAK,CAAC,CAAC,CAAC,CAAC,IAAI,CAAC,aAAa,CAAC,GAAG,CAAC,CAAC,CAAC,QAAQ,CAAC,CAAC,CAAC,MAAM,EAAC,CAAC,MAAM,CAAC,CAAC,CAAC,OAAO,CAAC,KAAK,CAAC,sBAAsB,CAAC,CAAC,EAAC,CAAC,IAAI,CAAC,YAAY,GAAE,CAAC,CAAC,CAAC,CAAC,CAAC,EAAE,CAAC,QAAQ,CAAC,CAAC,EAAE,CAAC,IAAI,CAAC,eAAe,CAAC,GAAG,CAAC,CAAC,CAAC,CAAC,IAAI,CAAC,YAAY,GAAE,CAAC,CAAC,CAAC,CAAC,CAAC,CAAC,WAAW,CAAC,CAAC,CAAC,CAAC,CAAC,CAAC,IAAI,CAAC,CAAC,GAAG,CAAC,GAAG,CAAC,CAAC,CAAC,OAAM,CAAC,CAAC,CAAC,IAAI,CAAC,CAAC,IAAI,CAAC,SAAS,CAAC,GAAG,CAAC,CAAC,EAAE,CAAC,CAAC,CAAC,GAAG,CAAC,CAAC,OAAO,CAAC,CAAC,MAAM,CAAC,CAAC,IAAI,CAAC,MAAM,CAAC,OAAO,CAAC,CAAC,CAAC,CAAC,OAAM,CAAC,CAAC,EAAE,EAAE,eAAe,GAAG,CAAC,CAAC,CAAC,IAAI,CAAC,8BAA8B,CAAC,CAAC,CAAC,CAAC,EAAE,CAAC,CAAC,EAAE,IAAI,CAAC,WAAW,EAAE,EAAE,CAAC,CAAC,CAAC,MAAM,CAAC,GAAG,GAAG,IAAI,EAAE,CAAC,CAAC,WAAW,CAAC,CAAC,IAAI,CAAC,qBAAqB,CAAC,IAAI,CAAC,CAAC,IAAI,CAAC,eAAe,CAAC,MAAM,CAAC,CAAC,EAAE,CAAC,CAAC,CAAC,CAAC,GAAG,CAAC,CAAC,CAAC,CAAC,CAAC,CAAC,aAAa,EAAE,CAAC,IAAI,CAAC,SAAS,CAAC,GAAG,CAAC,CAAC,EAAE,CAAC,CAAC,CAAC,CAAC,CAAC,IAAI,CAAC,SAAS,EAAE,CAAC,CAAC,CAAC,CAAC,YAAY,EAAE,CAAC,IAAI,CAAC,eAAe,CAAC,OAAO,CAAC,CAAC,EAAE,CAAC,MAAM,CAAC,CAAC,IAAI,CAAC,aAAa,CAAC,GAAG,CAAC,CAAC,CAAC,EAAE,CAAC,CAAC,CAAC,CAAC,EAAE,IAAI,CAAC,WAAW,CAAC,CAAC,CAAC,CAAC,EAAC,CAAC,EAAC,CAAC,WAAW,EAAE,CAAC,OAAO,OAAO,CAAC,MAAM,CAAC,GAAG,EAAE,MAAM,CAAC,GAAG,GAAG,MAAM,CAAC,CAAC,8BAA8B,CAAC,CAAC,CAAC,CAAC,CAAC,CAAC,IAAI,CAAC,CAAC,CAAC,CAAC,CAAC,OAAO,QAAQ,CAAC,gBAAgB,CAAC,QAAQ,CAAC,CAAC,OAAO,CAAC,CAAC,EAAE,CAAC,IAAI,CAAC,CAAC,GAAG,CAAC,CAAC,OAAO,MAAM,CAAC,CAAC,IAAI,CAAC,uBAAuB,CAAC,WAAW,CAAC,CAAC,CAAC,CAAC,CAAC,CAAC,CAAC,GAAG,CAAC,CAAC,GAAG,CAAC,CAAC,CAAC,CAAC,CAAC,CAAC,CAAC,CAAC,CAAC,CAAC,aAAa,GAAG,IAAI,EAAE,CAAC,CAAC,WAAW,CAAC,CAAC,IAAI,CAAC,qBAAqB,CAAC,IAAI,CAAC,CAAC,IAAI,CAAC,gBAAgB,CAAC,EAAE,CAAC,CAAC,CAAC,MAAM,CAAC,CAAC,CAAC,CAAC,CAAC,GAAG,CAAC,EAAC,CAAC,CAAC,CAAC,CAAC,CAAC,sCAAsC,CAAC,CAAC,CAAC,CAAC,OAAO,OAAO,CAAC,CAAC,CAAC,IAAI,EAAE,OAAO,CAAC,CAAC,IAAI,EAAE,QAAQ,EAAE,MAAM,GAAG,CAAC,CAAC,IAAI,EAAE,MAAM,GAAG,CAAC,CAAC,IAAI,EAAE,CAAC,CAAC,IAAI,CAAC,IAAI,GAAG,qBAAqB,EAAE,CAAC,CAAC,IAAI,CAAC,IAAI,CAAC,CAAC,wBAAwB,CAAC,CAAC,CAAC,CAAC,GAAG,CAAC,IAAI,CAAC,sCAAsC,CAAC,CAAC,CAAC,CAAC,OAAO,KAAK,CAAC,IAAI,CAAC,CAAC,CAAC,CAAC,CAAC,CAAC,IAAI,CAAC,IAAI,CAAC,GAAG,CAAC,GAAG,gBAAgB,CAAC,CAAC,KAAK,CAAC,EAAE,CAAC,CAAC,CAAC,MAAM,CAAC,CAAC,CAAC,CAAC,CAAC,CAAC,IAAI,CAAC,IAAI,CAAC,IAAI,CAAC,WAAW,CAAC,CAAC,CAAC,CAAC,EAAC,CAAC,KAAK,GAAG,CAAC,GAAG,QAAQ,CAAC,CAAC,KAAK,CAAC,MAAM,CAAC,CAAC,CAAC,CAAC,CAAC,CAAC,IAAI,CAAC,IAAI,CAAC,CAAC,MAAM,CAAC,CAAC,CAAC,CAAC,CAAC,CAAC,GAAG,CAAC,CAAC,EAAE,EAAE,MAAM,GAAG,CAAC,CAAC,CAAC,OAAO,IAAI,CAAC,WAAW,EAAE,CAAC,IAAI,CAAC,kCAAkC,CAAC,CAAC,CAAC,CAAC,CAAC,CAAC,IAAI,CAAC,aAAa,CAAC,CAAC,EAAC,CAAC,KAAK,GAAG,CAAC,GAAG,eAAe,CAAC,CAAC,KAAK,CAAC,MAAM,CAAC,CAAC,CAAC,CAAC,CAAC,CAAC,IAAI,CAAC,IAAI,CAAC,CAAC,MAAM,CAAC,CAAC,CAAC,CAAC,CAAC,CAAC,GAAG,CAAC,CAAC,EAAE,EAAE,MAAM,GAAG,CAAC,CAAC,CAAC,OAAO,IAAI,CAAC,eAAe,CAAC,GAAG,CAAC,CAAC,CAAC,CAAC,EAAC,CAAC,CAAC;;;;;;;;;;;;;"} +\ No newline at end of file +diff --git a/node_modules/rrweb/dist/plugins/canvas-webrtc-replay.js b/node_modules/rrweb/dist/plugins/canvas-webrtc-replay.js +new file mode 100755 +index 0000000..f7c8c5b +--- /dev/null ++++ b/node_modules/rrweb/dist/plugins/canvas-webrtc-replay.js +@@ -0,0 +1,1295 @@ ++var rrwebCanvasWebRTCReplay = (function (exports) { ++ 'use strict'; ++ ++ /*! simple-peer. MIT License. Feross Aboukhadijeh */ ++ const MAX_BUFFERED_AMOUNT = 64 * 1024; ++ const ICECOMPLETE_TIMEOUT = 5 * 1000; ++ const CHANNEL_CLOSING_TIMEOUT = 5 * 1000; ++ ++ function randombytes (size) { ++ const array = new Uint8Array(size); ++ for (let i = 0; i < size; i++) { ++ array[i] = (Math.random() * 256) | 0; ++ } ++ return array ++ } ++ ++ function getBrowserRTC () { ++ if (typeof globalThis === 'undefined') return null ++ const wrtc = { ++ RTCPeerConnection: ++ globalThis.RTCPeerConnection || ++ globalThis.mozRTCPeerConnection || ++ globalThis.webkitRTCPeerConnection, ++ RTCSessionDescription: ++ globalThis.RTCSessionDescription || ++ globalThis.mozRTCSessionDescription || ++ globalThis.webkitRTCSessionDescription, ++ RTCIceCandidate: ++ globalThis.RTCIceCandidate || ++ globalThis.mozRTCIceCandidate || ++ globalThis.webkitRTCIceCandidate ++ }; ++ if (!wrtc.RTCPeerConnection) return null ++ return wrtc ++ } ++ ++ function errCode (err, code) { ++ Object.defineProperty(err, 'code', { ++ value: code, ++ enumerable: true, ++ configurable: true ++ }); ++ return err ++ } ++ ++ // HACK: Filter trickle lines when trickle is disabled #354 ++ function filterTrickle (sdp) { ++ return sdp.replace(/a=ice-options:trickle\s\n/g, '') ++ } ++ ++ function warn (message) { ++ console.warn(message); ++ } ++ ++ /** ++ * WebRTC peer connection. ++ * @param {Object} opts ++ */ ++ class Peer { ++ constructor (opts = {}) { ++ this._map = new Map(); // for event emitter ++ ++ this._id = randombytes(4).toString('hex').slice(0, 7); ++ this._doDebug = opts.debug; ++ this._debug('new peer %o', opts); ++ ++ this.channelName = opts.initiator ++ ? opts.channelName || randombytes(20).toString('hex') ++ : null; ++ ++ this.initiator = opts.initiator || false; ++ this.channelConfig = opts.channelConfig || Peer.channelConfig; ++ this.channelNegotiated = this.channelConfig.negotiated; ++ this.config = Object.assign({}, Peer.config, opts.config); ++ this.offerOptions = opts.offerOptions || {}; ++ this.answerOptions = opts.answerOptions || {}; ++ this.sdpTransform = opts.sdpTransform || (sdp => sdp); ++ this.streams = opts.streams || (opts.stream ? [opts.stream] : []); // support old "stream" option ++ this.trickle = opts.trickle !== undefined ? opts.trickle : true; ++ this.allowHalfTrickle = ++ opts.allowHalfTrickle !== undefined ? opts.allowHalfTrickle : false; ++ this.iceCompleteTimeout = opts.iceCompleteTimeout || ICECOMPLETE_TIMEOUT; ++ ++ this.destroyed = false; ++ this.destroying = false; ++ this._connected = false; ++ ++ this.remoteAddress = undefined; ++ this.remoteFamily = undefined; ++ this.remotePort = undefined; ++ this.localAddress = undefined; ++ this.localFamily = undefined; ++ this.localPort = undefined; ++ ++ this._wrtc = ++ opts.wrtc && typeof opts.wrtc === 'object' ? opts.wrtc : getBrowserRTC(); ++ ++ if (!this._wrtc) { ++ if (typeof window === 'undefined') { ++ throw errCode( ++ new Error( ++ 'No WebRTC support: Specify `opts.wrtc` option in this environment' ++ ), ++ 'ERR_WEBRTC_SUPPORT' ++ ) ++ } else { ++ throw errCode( ++ new Error('No WebRTC support: Not a supported browser'), ++ 'ERR_WEBRTC_SUPPORT' ++ ) ++ } ++ } ++ ++ this._pcReady = false; ++ this._channelReady = false; ++ this._iceComplete = false; // ice candidate trickle done (got null candidate) ++ this._iceCompleteTimer = null; // send an offer/answer anyway after some timeout ++ this._channel = null; ++ this._pendingCandidates = []; ++ ++ this._isNegotiating = false; // is this peer waiting for negotiation to complete? ++ this._firstNegotiation = true; ++ this._batchedNegotiation = false; // batch synchronous negotiations ++ this._queuedNegotiation = false; // is there a queued negotiation request? ++ this._sendersAwaitingStable = []; ++ this._senderMap = new Map(); ++ this._closingInterval = null; ++ ++ this._remoteTracks = []; ++ this._remoteStreams = []; ++ ++ this._chunk = null; ++ this._cb = null; ++ this._interval = null; ++ ++ try { ++ this._pc = new this._wrtc.RTCPeerConnection(this.config); ++ } catch (err) { ++ this.destroy(errCode(err, 'ERR_PC_CONSTRUCTOR')); ++ return ++ } ++ ++ // We prefer feature detection whenever possible, but sometimes that's not ++ // possible for certain implementations. ++ this._isReactNativeWebrtc = typeof this._pc._peerConnectionId === 'number'; ++ ++ this._pc.oniceconnectionstatechange = () => { ++ this._onIceStateChange(); ++ }; ++ this._pc.onicegatheringstatechange = () => { ++ this._onIceStateChange(); ++ }; ++ this._pc.onconnectionstatechange = () => { ++ this._onConnectionStateChange(); ++ }; ++ this._pc.onsignalingstatechange = () => { ++ this._onSignalingStateChange(); ++ }; ++ this._pc.onicecandidate = event => { ++ this._onIceCandidate(event); ++ }; ++ ++ // HACK: Fix for odd Firefox behavior, see: https://github.com/feross/simple-peer/pull/783 ++ if (typeof this._pc.peerIdentity === 'object') { ++ this._pc.peerIdentity.catch(err => { ++ this.destroy(errCode(err, 'ERR_PC_PEER_IDENTITY')); ++ }); ++ } ++ ++ // Other spec events, unused by this implementation: ++ // - onconnectionstatechange ++ // - onicecandidateerror ++ // - onfingerprintfailure ++ // - onnegotiationneeded ++ ++ if (this.initiator || this.channelNegotiated) { ++ this._setupData({ ++ channel: this._pc.createDataChannel( ++ this.channelName, ++ this.channelConfig ++ ) ++ }); ++ } else { ++ this._pc.ondatachannel = event => { ++ this._setupData(event); ++ }; ++ } ++ ++ if (this.streams) { ++ this.streams.forEach(stream => { ++ this.addStream(stream); ++ }); ++ } ++ this._pc.ontrack = event => { ++ this._onTrack(event); ++ }; ++ ++ this._debug('initial negotiation'); ++ this._needsNegotiation(); ++ } ++ ++ get bufferSize () { ++ return (this._channel && this._channel.bufferedAmount) || 0 ++ } ++ ++ // HACK: it's possible channel.readyState is "closing" before peer.destroy() fires ++ // https://bugs.chromium.org/p/chromium/issues/detail?id=882743 ++ get connected () { ++ return this._connected && this._channel.readyState === 'open' ++ } ++ ++ address () { ++ return { ++ port: this.localPort, ++ family: this.localFamily, ++ address: this.localAddress ++ } ++ } ++ ++ signal (data) { ++ if (this.destroying) return ++ if (this.destroyed) throw errCode(new Error('cannot signal after peer is destroyed'), 'ERR_DESTROYED') ++ if (typeof data === 'string') { ++ try { ++ data = JSON.parse(data); ++ } catch (err) { ++ data = {}; ++ } ++ } ++ this._debug('signal()'); ++ ++ if (data.renegotiate && this.initiator) { ++ this._debug('got request to renegotiate'); ++ this._needsNegotiation(); ++ } ++ if (data.transceiverRequest && this.initiator) { ++ this._debug('got request for transceiver'); ++ this.addTransceiver( ++ data.transceiverRequest.kind, ++ data.transceiverRequest.init ++ ); ++ } ++ if (data.candidate) { ++ if (this._pc.remoteDescription && this._pc.remoteDescription.type) { ++ this._addIceCandidate(data.candidate); ++ } else { ++ this._pendingCandidates.push(data.candidate); ++ } ++ } ++ if (data.sdp) { ++ this._pc ++ .setRemoteDescription(new this._wrtc.RTCSessionDescription(data)) ++ .then(() => { ++ if (this.destroyed) return ++ ++ this._pendingCandidates.forEach(candidate => { ++ this._addIceCandidate(candidate); ++ }); ++ this._pendingCandidates = []; ++ ++ if (this._pc.remoteDescription.type === 'offer') this._createAnswer(); ++ }) ++ .catch(err => { ++ this.destroy(errCode(err, 'ERR_SET_REMOTE_DESCRIPTION')); ++ }); ++ } ++ if ( ++ !data.sdp && ++ !data.candidate && ++ !data.renegotiate && ++ !data.transceiverRequest ++ ) { ++ this.destroy( ++ errCode( ++ new Error('signal() called with invalid signal data'), ++ 'ERR_SIGNALING' ++ ) ++ ); ++ } ++ } ++ ++ _addIceCandidate (candidate) { ++ const iceCandidateObj = new this._wrtc.RTCIceCandidate(candidate); ++ this._pc.addIceCandidate(iceCandidateObj).catch(err => { ++ if ( ++ !iceCandidateObj.address || ++ iceCandidateObj.address.endsWith('.local') ++ ) { ++ warn('Ignoring unsupported ICE candidate.'); ++ } else { ++ this.destroy(errCode(err, 'ERR_ADD_ICE_CANDIDATE')); ++ } ++ }); ++ } ++ ++ /** ++ * Send text/binary data to the remote peer. ++ * @param {ArrayBufferView|ArrayBuffer|string|Blob} chunk ++ */ ++ send (chunk) { ++ if (this.destroying) return ++ if (this.destroyed) throw errCode(new Error('cannot send after peer is destroyed'), 'ERR_DESTROYED') ++ this._channel.send(chunk); ++ } ++ ++ /** ++ * Add a Transceiver to the connection. ++ * @param {String} kind ++ * @param {Object} init ++ */ ++ addTransceiver (kind, init) { ++ if (this.destroying) return ++ if (this.destroyed) throw errCode(new Error('cannot addTransceiver after peer is destroyed'), 'ERR_DESTROYED') ++ this._debug('addTransceiver()'); ++ ++ if (this.initiator) { ++ try { ++ this._pc.addTransceiver(kind, init); ++ this._needsNegotiation(); ++ } catch (err) { ++ this.destroy(errCode(err, 'ERR_ADD_TRANSCEIVER')); ++ } ++ } else { ++ this.emit('signal', { ++ // request initiator to renegotiate ++ type: 'transceiverRequest', ++ transceiverRequest: { kind, init } ++ }); ++ } ++ } ++ ++ /** ++ * Add a MediaStream to the connection. ++ * @param {MediaStream} stream ++ */ ++ addStream (stream) { ++ if (this.destroying) return ++ if (this.destroyed) throw errCode(new Error('cannot addStream after peer is destroyed'), 'ERR_DESTROYED') ++ this._debug('addStream()'); ++ ++ stream.getTracks().forEach(track => { ++ this.addTrack(track, stream); ++ }); ++ } ++ ++ /** ++ * Add a MediaStreamTrack to the connection. ++ * @param {MediaStreamTrack} track ++ * @param {MediaStream} stream ++ */ ++ addTrack (track, stream) { ++ if (this.destroying) return ++ if (this.destroyed) throw errCode(new Error('cannot addTrack after peer is destroyed'), 'ERR_DESTROYED') ++ this._debug('addTrack()'); ++ ++ const submap = this._senderMap.get(track) || new Map(); // nested Maps map [track, stream] to sender ++ let sender = submap.get(stream); ++ if (!sender) { ++ sender = this._pc.addTrack(track, stream); ++ submap.set(stream, sender); ++ this._senderMap.set(track, submap); ++ this._needsNegotiation(); ++ } else if (sender.removed) { ++ throw errCode( ++ new Error( ++ 'Track has been removed. You should enable/disable tracks that you want to re-add.' ++ ), ++ 'ERR_SENDER_REMOVED' ++ ) ++ } else { ++ throw errCode( ++ new Error('Track has already been added to that stream.'), ++ 'ERR_SENDER_ALREADY_ADDED' ++ ) ++ } ++ } ++ ++ /** ++ * Replace a MediaStreamTrack by another in the connection. ++ * @param {MediaStreamTrack} oldTrack ++ * @param {MediaStreamTrack} newTrack ++ * @param {MediaStream} stream ++ */ ++ replaceTrack (oldTrack, newTrack, stream) { ++ if (this.destroying) return ++ if (this.destroyed) throw errCode(new Error('cannot replaceTrack after peer is destroyed'), 'ERR_DESTROYED') ++ this._debug('replaceTrack()'); ++ ++ const submap = this._senderMap.get(oldTrack); ++ const sender = submap ? submap.get(stream) : null; ++ if (!sender) { ++ throw errCode( ++ new Error('Cannot replace track that was never added.'), ++ 'ERR_TRACK_NOT_ADDED' ++ ) ++ } ++ if (newTrack) this._senderMap.set(newTrack, submap); ++ ++ if (sender.replaceTrack != null) { ++ sender.replaceTrack(newTrack); ++ } else { ++ this.destroy( ++ errCode( ++ new Error('replaceTrack is not supported in this browser'), ++ 'ERR_UNSUPPORTED_REPLACETRACK' ++ ) ++ ); ++ } ++ } ++ ++ /** ++ * Remove a MediaStreamTrack from the connection. ++ * @param {MediaStreamTrack} track ++ * @param {MediaStream} stream ++ */ ++ removeTrack (track, stream) { ++ if (this.destroying) return ++ if (this.destroyed) throw errCode(new Error('cannot removeTrack after peer is destroyed'), 'ERR_DESTROYED') ++ this._debug('removeSender()'); ++ ++ const submap = this._senderMap.get(track); ++ const sender = submap ? submap.get(stream) : null; ++ if (!sender) { ++ throw errCode( ++ new Error('Cannot remove track that was never added.'), ++ 'ERR_TRACK_NOT_ADDED' ++ ) ++ } ++ try { ++ sender.removed = true; ++ this._pc.removeTrack(sender); ++ } catch (err) { ++ if (err.name === 'NS_ERROR_UNEXPECTED') { ++ this._sendersAwaitingStable.push(sender); // HACK: Firefox must wait until (signalingState === stable) https://bugzilla.mozilla.org/show_bug.cgi?id=1133874 ++ } else { ++ this.destroy(errCode(err, 'ERR_REMOVE_TRACK')); ++ } ++ } ++ this._needsNegotiation(); ++ } ++ ++ /** ++ * Remove a MediaStream from the connection. ++ * @param {MediaStream} stream ++ */ ++ removeStream (stream) { ++ if (this.destroying) return ++ if (this.destroyed) throw errCode(new Error('cannot removeStream after peer is destroyed'), 'ERR_DESTROYED') ++ this._debug('removeSenders()'); ++ ++ stream.getTracks().forEach(track => { ++ this.removeTrack(track, stream); ++ }); ++ } ++ ++ _needsNegotiation () { ++ this._debug('_needsNegotiation'); ++ if (this._batchedNegotiation) return // batch synchronous renegotiations ++ this._batchedNegotiation = true; ++ queueMicrotask(() => { ++ this._batchedNegotiation = false; ++ if (this.initiator || !this._firstNegotiation) { ++ this._debug('starting batched negotiation'); ++ this.negotiate(); ++ } else { ++ this._debug('non-initiator initial negotiation request discarded'); ++ } ++ this._firstNegotiation = false; ++ }); ++ } ++ ++ negotiate () { ++ if (this.destroying) return ++ if (this.destroyed) throw errCode(new Error('cannot negotiate after peer is destroyed'), 'ERR_DESTROYED') ++ ++ if (this.initiator) { ++ if (this._isNegotiating) { ++ this._queuedNegotiation = true; ++ this._debug('already negotiating, queueing'); ++ } else { ++ this._debug('start negotiation'); ++ setTimeout(() => { ++ // HACK: Chrome crashes if we immediately call createOffer ++ this._createOffer(); ++ }, 0); ++ } ++ } else { ++ if (this._isNegotiating) { ++ this._queuedNegotiation = true; ++ this._debug('already negotiating, queueing'); ++ } else { ++ this._debug('requesting negotiation from initiator'); ++ this.emit('signal', { ++ // request initiator to renegotiate ++ type: 'renegotiate', ++ renegotiate: true ++ }); ++ } ++ } ++ this._isNegotiating = true; ++ } ++ ++ destroy (err) { ++ if (this.destroyed || this.destroying) return ++ this.destroying = true; ++ ++ this._debug('destroying (error: %s)', err && (err.message || err)); ++ ++ queueMicrotask(() => { ++ // allow events concurrent with the call to _destroy() to fire (see #692) ++ this.destroyed = true; ++ this.destroying = false; ++ ++ this._debug('destroy (error: %s)', err && (err.message || err)); ++ ++ this._connected = false; ++ this._pcReady = false; ++ this._channelReady = false; ++ this._remoteTracks = null; ++ this._remoteStreams = null; ++ this._senderMap = null; ++ ++ clearInterval(this._closingInterval); ++ this._closingInterval = null; ++ ++ clearInterval(this._interval); ++ this._interval = null; ++ this._chunk = null; ++ this._cb = null; ++ ++ if (this._channel) { ++ try { ++ this._channel.close(); ++ } catch (err) {} ++ ++ // allow events concurrent with destruction to be handled ++ this._channel.onmessage = null; ++ this._channel.onopen = null; ++ this._channel.onclose = null; ++ this._channel.onerror = null; ++ } ++ if (this._pc) { ++ try { ++ this._pc.close(); ++ } catch (err) {} ++ ++ // allow events concurrent with destruction to be handled ++ this._pc.oniceconnectionstatechange = null; ++ this._pc.onicegatheringstatechange = null; ++ this._pc.onsignalingstatechange = null; ++ this._pc.onicecandidate = null; ++ this._pc.ontrack = null; ++ this._pc.ondatachannel = null; ++ } ++ this._pc = null; ++ this._channel = null; ++ ++ if (err) this.emit('error', err); ++ this.emit('close'); ++ }); ++ } ++ ++ _setupData (event) { ++ if (!event.channel) { ++ // In some situations `pc.createDataChannel()` returns `undefined` (in wrtc), ++ // which is invalid behavior. Handle it gracefully. ++ // See: https://github.com/feross/simple-peer/issues/163 ++ return this.destroy( ++ errCode( ++ new Error('Data channel event is missing `channel` property'), ++ 'ERR_DATA_CHANNEL' ++ ) ++ ) ++ } ++ ++ this._channel = event.channel; ++ this._channel.binaryType = 'arraybuffer'; ++ ++ if (typeof this._channel.bufferedAmountLowThreshold === 'number') { ++ this._channel.bufferedAmountLowThreshold = MAX_BUFFERED_AMOUNT; ++ } ++ ++ this.channelName = this._channel.label; ++ ++ this._channel.onmessage = event => { ++ this._onChannelMessage(event); ++ }; ++ this._channel.onbufferedamountlow = () => { ++ this._onChannelBufferedAmountLow(); ++ }; ++ this._channel.onopen = () => { ++ this._onChannelOpen(); ++ }; ++ this._channel.onclose = () => { ++ this._onChannelClose(); ++ }; ++ this._channel.onerror = err => { ++ this.destroy(errCode(err, 'ERR_DATA_CHANNEL')); ++ }; ++ ++ // HACK: Chrome will sometimes get stuck in readyState "closing", let's check for this condition ++ // https://bugs.chromium.org/p/chromium/issues/detail?id=882743 ++ let isClosing = false; ++ this._closingInterval = setInterval(() => { ++ // No "onclosing" event ++ if (this._channel && this._channel.readyState === 'closing') { ++ if (isClosing) this._onChannelClose(); // closing timed out: equivalent to onclose firing ++ isClosing = true; ++ } else { ++ isClosing = false; ++ } ++ }, CHANNEL_CLOSING_TIMEOUT); ++ } ++ ++ _startIceCompleteTimeout () { ++ if (this.destroyed) return ++ if (this._iceCompleteTimer) return ++ this._debug('started iceComplete timeout'); ++ this._iceCompleteTimer = setTimeout(() => { ++ if (!this._iceComplete) { ++ this._iceComplete = true; ++ this._debug('iceComplete timeout completed'); ++ this.emit('iceTimeout'); ++ this.emit('_iceComplete'); ++ } ++ }, this.iceCompleteTimeout); ++ } ++ ++ _createOffer () { ++ if (this.destroyed) return ++ ++ this._pc ++ .createOffer(this.offerOptions) ++ .then(offer => { ++ if (this.destroyed) return ++ if (!this.trickle && !this.allowHalfTrickle) { offer.sdp = filterTrickle(offer.sdp); } ++ offer.sdp = this.sdpTransform(offer.sdp); ++ ++ const sendOffer = () => { ++ if (this.destroyed) return ++ const signal = this._pc.localDescription || offer; ++ this._debug('signal'); ++ this.emit('signal', { ++ type: signal.type, ++ sdp: signal.sdp ++ }); ++ }; ++ ++ const onSuccess = () => { ++ this._debug('createOffer success'); ++ if (this.destroyed) return ++ if (this.trickle || this._iceComplete) sendOffer(); ++ else this.once('_iceComplete', sendOffer); // wait for candidates ++ }; ++ ++ const onError = err => { ++ this.destroy(errCode(err, 'ERR_SET_LOCAL_DESCRIPTION')); ++ }; ++ ++ this._pc.setLocalDescription(offer).then(onSuccess).catch(onError); ++ }) ++ .catch(err => { ++ this.destroy(errCode(err, 'ERR_CREATE_OFFER')); ++ }); ++ } ++ ++ _requestMissingTransceivers () { ++ if (this._pc.getTransceivers) { ++ this._pc.getTransceivers().forEach(transceiver => { ++ if ( ++ !transceiver.mid && ++ transceiver.sender.track && ++ !transceiver.requested ++ ) { ++ transceiver.requested = true; // HACK: Safari returns negotiated transceivers with a null mid ++ this.addTransceiver(transceiver.sender.track.kind); ++ } ++ }); ++ } ++ } ++ ++ _createAnswer () { ++ if (this.destroyed) return ++ ++ this._pc ++ .createAnswer(this.answerOptions) ++ .then(answer => { ++ if (this.destroyed) return ++ if (!this.trickle && !this.allowHalfTrickle) { answer.sdp = filterTrickle(answer.sdp); } ++ answer.sdp = this.sdpTransform(answer.sdp); ++ ++ const sendAnswer = () => { ++ if (this.destroyed) return ++ const signal = this._pc.localDescription || answer; ++ this._debug('signal'); ++ this.emit('signal', { ++ type: signal.type, ++ sdp: signal.sdp ++ }); ++ if (!this.initiator) this._requestMissingTransceivers(); ++ }; ++ ++ const onSuccess = () => { ++ if (this.destroyed) return ++ if (this.trickle || this._iceComplete) sendAnswer(); ++ else this.once('_iceComplete', sendAnswer); ++ }; ++ ++ const onError = err => { ++ this.destroy(errCode(err, 'ERR_SET_LOCAL_DESCRIPTION')); ++ }; ++ ++ this._pc.setLocalDescription(answer).then(onSuccess).catch(onError); ++ }) ++ .catch(err => { ++ this.destroy(errCode(err, 'ERR_CREATE_ANSWER')); ++ }); ++ } ++ ++ _onConnectionStateChange () { ++ if (this.destroyed) return ++ if (this._pc.connectionState === 'failed') { ++ this.destroy( ++ errCode(new Error('Connection failed.'), 'ERR_CONNECTION_FAILURE') ++ ); ++ } ++ } ++ ++ _onIceStateChange () { ++ if (this.destroyed) return ++ const iceConnectionState = this._pc.iceConnectionState; ++ const iceGatheringState = this._pc.iceGatheringState; ++ ++ this._debug( ++ 'iceStateChange (connection: %s) (gathering: %s)', ++ iceConnectionState, ++ iceGatheringState ++ ); ++ this.emit('iceStateChange', iceConnectionState, iceGatheringState); ++ ++ if ( ++ iceConnectionState === 'connected' || ++ iceConnectionState === 'completed' ++ ) { ++ this._pcReady = true; ++ this._maybeReady(); ++ } ++ if (iceConnectionState === 'failed') { ++ this.destroy( ++ errCode( ++ new Error('Ice connection failed.'), ++ 'ERR_ICE_CONNECTION_FAILURE' ++ ) ++ ); ++ } ++ if (iceConnectionState === 'closed') { ++ this.destroy( ++ errCode( ++ new Error('Ice connection closed.'), ++ 'ERR_ICE_CONNECTION_CLOSED' ++ ) ++ ); ++ } ++ } ++ ++ getStats (cb) { ++ // statreports can come with a value array instead of properties ++ const flattenValues = report => { ++ if (Object.prototype.toString.call(report.values) === '[object Array]') { ++ report.values.forEach(value => { ++ Object.assign(report, value); ++ }); ++ } ++ return report ++ }; ++ ++ // Promise-based getStats() (standard) ++ if (this._pc.getStats.length === 0 || this._isReactNativeWebrtc) { ++ this._pc.getStats().then( ++ res => { ++ const reports = []; ++ res.forEach(report => { ++ reports.push(flattenValues(report)); ++ }); ++ cb(null, reports); ++ }, ++ err => cb(err) ++ ); ++ ++ // Single-parameter callback-based getStats() (non-standard) ++ } else if (this._pc.getStats.length > 0) { ++ this._pc.getStats( ++ res => { ++ // If we destroy connection in `connect` callback this code might happen to run when actual connection is already closed ++ if (this.destroyed) return ++ ++ const reports = []; ++ res.result().forEach(result => { ++ const report = {}; ++ result.names().forEach(name => { ++ report[name] = result.stat(name); ++ }); ++ report.id = result.id; ++ report.type = result.type; ++ report.timestamp = result.timestamp; ++ reports.push(flattenValues(report)); ++ }); ++ cb(null, reports); ++ }, ++ err => cb(err) ++ ); ++ ++ // Unknown browser, skip getStats() since it's anyone's guess which style of ++ // getStats() they implement. ++ } else { ++ cb(null, []); ++ } ++ } ++ ++ _maybeReady () { ++ this._debug( ++ 'maybeReady pc %s channel %s', ++ this._pcReady, ++ this._channelReady ++ ); ++ if ( ++ this._connected || ++ this._connecting || ++ !this._pcReady || ++ !this._channelReady ++ ) { return } ++ ++ this._connecting = true; ++ ++ // HACK: We can't rely on order here, for details see https://github.com/js-platform/node-webrtc/issues/339 ++ const findCandidatePair = () => { ++ if (this.destroyed) return ++ ++ this.getStats((err, items) => { ++ if (this.destroyed) return ++ ++ // Treat getStats error as non-fatal. It's not essential. ++ if (err) items = []; ++ ++ const remoteCandidates = {}; ++ const localCandidates = {}; ++ const candidatePairs = {}; ++ let foundSelectedCandidatePair = false; ++ ++ items.forEach(item => { ++ // TODO: Once all browsers support the hyphenated stats report types, remove ++ // the non-hypenated ones ++ if ( ++ item.type === 'remotecandidate' || ++ item.type === 'remote-candidate' ++ ) { ++ remoteCandidates[item.id] = item; ++ } ++ if ( ++ item.type === 'localcandidate' || ++ item.type === 'local-candidate' ++ ) { ++ localCandidates[item.id] = item; ++ } ++ if (item.type === 'candidatepair' || item.type === 'candidate-pair') { ++ candidatePairs[item.id] = item; ++ } ++ }); ++ ++ const setSelectedCandidatePair = selectedCandidatePair => { ++ foundSelectedCandidatePair = true; ++ ++ let local = localCandidates[selectedCandidatePair.localCandidateId]; ++ ++ if (local && (local.ip || local.address)) { ++ // Spec ++ this.localAddress = local.ip || local.address; ++ this.localPort = Number(local.port); ++ } else if (local && local.ipAddress) { ++ // Firefox ++ this.localAddress = local.ipAddress; ++ this.localPort = Number(local.portNumber); ++ } else if ( ++ typeof selectedCandidatePair.googLocalAddress === 'string' ++ ) { ++ // TODO: remove this once Chrome 58 is released ++ local = selectedCandidatePair.googLocalAddress.split(':'); ++ this.localAddress = local[0]; ++ this.localPort = Number(local[1]); ++ } ++ if (this.localAddress) { ++ this.localFamily = this.localAddress.includes(':') ++ ? 'IPv6' ++ : 'IPv4'; ++ } ++ ++ let remote = ++ remoteCandidates[selectedCandidatePair.remoteCandidateId]; ++ ++ if (remote && (remote.ip || remote.address)) { ++ // Spec ++ this.remoteAddress = remote.ip || remote.address; ++ this.remotePort = Number(remote.port); ++ } else if (remote && remote.ipAddress) { ++ // Firefox ++ this.remoteAddress = remote.ipAddress; ++ this.remotePort = Number(remote.portNumber); ++ } else if ( ++ typeof selectedCandidatePair.googRemoteAddress === 'string' ++ ) { ++ // TODO: remove this once Chrome 58 is released ++ remote = selectedCandidatePair.googRemoteAddress.split(':'); ++ this.remoteAddress = remote[0]; ++ this.remotePort = Number(remote[1]); ++ } ++ if (this.remoteAddress) { ++ this.remoteFamily = this.remoteAddress.includes(':') ++ ? 'IPv6' ++ : 'IPv4'; ++ } ++ ++ this._debug( ++ 'connect local: %s:%s remote: %s:%s', ++ this.localAddress, ++ this.localPort, ++ this.remoteAddress, ++ this.remotePort ++ ); ++ }; ++ ++ items.forEach(item => { ++ // Spec-compliant ++ if (item.type === 'transport' && item.selectedCandidatePairId) { ++ setSelectedCandidatePair( ++ candidatePairs[item.selectedCandidatePairId] ++ ); ++ } ++ ++ // Old implementations ++ if ( ++ (item.type === 'googCandidatePair' && ++ item.googActiveConnection === 'true') || ++ ((item.type === 'candidatepair' || ++ item.type === 'candidate-pair') && ++ item.selected) ++ ) { ++ setSelectedCandidatePair(item); ++ } ++ }); ++ ++ // Ignore candidate pair selection in browsers like Safari 11 that do not have any local or remote candidates ++ // But wait until at least 1 candidate pair is available ++ if ( ++ !foundSelectedCandidatePair && ++ (!Object.keys(candidatePairs).length || ++ Object.keys(localCandidates).length) ++ ) { ++ setTimeout(findCandidatePair, 100); ++ return ++ } else { ++ this._connecting = false; ++ this._connected = true; ++ } ++ ++ if (this._chunk) { ++ try { ++ this.send(this._chunk); ++ } catch (err) { ++ return this.destroy(errCode(err, 'ERR_DATA_CHANNEL')) ++ } ++ this._chunk = null; ++ this._debug('sent chunk from "write before connect"'); ++ ++ const cb = this._cb; ++ this._cb = null; ++ cb(null); ++ } ++ ++ // If `bufferedAmountLowThreshold` and 'onbufferedamountlow' are unsupported, ++ // fallback to using setInterval to implement backpressure. ++ if (typeof this._channel.bufferedAmountLowThreshold !== 'number') { ++ this._interval = setInterval(() => this._onInterval(), 150); ++ if (this._interval.unref) this._interval.unref(); ++ } ++ ++ this._debug('connect'); ++ this.emit('connect'); ++ }); ++ }; ++ findCandidatePair(); ++ } ++ ++ _onInterval () { ++ if ( ++ !this._cb || ++ !this._channel || ++ this._channel.bufferedAmount > MAX_BUFFERED_AMOUNT ++ ) { ++ return ++ } ++ this._onChannelBufferedAmountLow(); ++ } ++ ++ _onSignalingStateChange () { ++ if (this.destroyed) return ++ ++ if (this._pc.signalingState === 'stable') { ++ this._isNegotiating = false; ++ ++ // HACK: Firefox doesn't yet support removing tracks when signalingState !== 'stable' ++ this._debug('flushing sender queue', this._sendersAwaitingStable); ++ this._sendersAwaitingStable.forEach(sender => { ++ this._pc.removeTrack(sender); ++ this._queuedNegotiation = true; ++ }); ++ this._sendersAwaitingStable = []; ++ ++ if (this._queuedNegotiation) { ++ this._debug('flushing negotiation queue'); ++ this._queuedNegotiation = false; ++ this._needsNegotiation(); // negotiate again ++ } else { ++ this._debug('negotiated'); ++ this.emit('negotiated'); ++ } ++ } ++ ++ this._debug('signalingStateChange %s', this._pc.signalingState); ++ this.emit('signalingStateChange', this._pc.signalingState); ++ } ++ ++ _onIceCandidate (event) { ++ if (this.destroyed) return ++ if (event.candidate && this.trickle) { ++ this.emit('signal', { ++ type: 'candidate', ++ candidate: { ++ candidate: event.candidate.candidate, ++ sdpMLineIndex: event.candidate.sdpMLineIndex, ++ sdpMid: event.candidate.sdpMid ++ } ++ }); ++ } else if (!event.candidate && !this._iceComplete) { ++ this._iceComplete = true; ++ this.emit('_iceComplete'); ++ } ++ // as soon as we've received one valid candidate start timeout ++ if (event.candidate) { ++ this._startIceCompleteTimeout(); ++ } ++ } ++ ++ _onChannelMessage (event) { ++ if (this.destroyed) return ++ let data = event.data; ++ if (data instanceof ArrayBuffer) data = new Uint8Array(data); ++ this.emit('data', data); ++ } ++ ++ _onChannelBufferedAmountLow () { ++ if (this.destroyed || !this._cb) return ++ this._debug( ++ 'ending backpressure: bufferedAmount %d', ++ this._channel.bufferedAmount ++ ); ++ const cb = this._cb; ++ this._cb = null; ++ cb(null); ++ } ++ ++ _onChannelOpen () { ++ if (this._connected || this.destroyed) return ++ this._debug('on channel open'); ++ this._channelReady = true; ++ this._maybeReady(); ++ } ++ ++ _onChannelClose () { ++ if (this.destroyed) return ++ this._debug('on channel close'); ++ this.destroy(); ++ } ++ ++ _onTrack (event) { ++ if (this.destroyed) return ++ ++ event.streams.forEach(eventStream => { ++ this._debug('on track'); ++ this.emit('track', event.track, eventStream); ++ ++ this._remoteTracks.push({ ++ track: event.track, ++ stream: eventStream ++ }); ++ ++ if ( ++ this._remoteStreams.some(remoteStream => { ++ return remoteStream.id === eventStream.id ++ }) ++ ) { return } // Only fire one 'stream' event, even though there may be multiple tracks per stream ++ ++ this._remoteStreams.push(eventStream); ++ queueMicrotask(() => { ++ this._debug('on stream'); ++ this.emit('stream', eventStream); // ensure all tracks have been added ++ }); ++ }); ++ } ++ ++ _debug (...args) { ++ if (!this._doDebug) return ++ args[0] = '[' + this._id + '] ' + args[0]; ++ console.log(...args); ++ } ++ ++ // event emitter ++ on (key, listener) { ++ const map = this._map; ++ if (!map.has(key)) map.set(key, new Set()); ++ map.get(key).add(listener); ++ } ++ ++ off (key, listener) { ++ const map = this._map; ++ const listeners = map.get(key); ++ if (!listeners) return ++ listeners.delete(listener); ++ if (listeners.size === 0) map.delete(key); ++ } ++ ++ once (key, listener) { ++ const listener_ = (...args) => { ++ this.off(key, listener_); ++ listener(...args); ++ }; ++ this.on(key, listener_); ++ } ++ ++ emit (key, ...args) { ++ const map = this._map; ++ if (!map.has(key)) return ++ for (const listener of map.get(key)) { ++ try { ++ listener(...args); ++ } catch (err) { ++ console.error(err); ++ } ++ } ++ } ++ } ++ ++ Peer.WEBRTC_SUPPORT = !!getBrowserRTC(); ++ ++ /** ++ * Expose peer and data channel config for overriding all Peer ++ * instances. Otherwise, just set opts.config or opts.channelConfig ++ * when constructing a Peer. ++ */ ++ Peer.config = { ++ iceServers: [ ++ { ++ urls: [ ++ 'stun:stun.l.google.com:19302', ++ 'stun:global.stun.twilio.com:3478' ++ ] ++ } ++ ], ++ sdpSemantics: 'unified-plan' ++ }; ++ ++ Peer.channelConfig = {}; ++ ++ class RRWebPluginCanvasWebRTCReplay { ++ constructor({ ++ canvasFoundCallback, ++ signalSendCallback ++ }) { ++ this.peer = null; ++ this.streamNodeMap = /* @__PURE__ */ new Map(); ++ this.streams = /* @__PURE__ */ new Set(); ++ this.runningStreams = /* @__PURE__ */ new WeakSet(); ++ this.canvasFoundCallback = canvasFoundCallback; ++ this.signalSendCallback = signalSendCallback; ++ } ++ initPlugin() { ++ return { ++ onBuild: (node, context) => { ++ if (node.nodeName === "CANVAS") { ++ this.canvasFoundCallback(node, context); ++ } ++ }, ++ getMirror: (options) => { ++ this.mirror = options.nodeMirror; ++ } ++ }; ++ } ++ startStream(target, stream) { ++ if (this.runningStreams.has(stream)) ++ return; ++ if (target.tagName === "VIDEO") { ++ const remoteVideo = target; ++ remoteVideo.srcObject = stream; ++ void remoteVideo.play(); ++ this.runningStreams.add(stream); ++ return; ++ } ++ if ("MediaStreamTrackProcessor" in window) { ++ const canvas = target; ++ const ctx = canvas.getContext("2d"); ++ if (!ctx) ++ throw new Error(`startStream: Could not get 2d canvas context for ${canvas.outerHTML}`); ++ const track = stream.getVideoTracks()[0]; ++ const processor = new MediaStreamTrackProcessor({ track }); ++ const reader = processor.readable.getReader(); ++ const readChunk = function() { ++ void reader.read().then(({ done, value }) => { ++ if (!value) ++ return; ++ if (canvas.width !== value.displayWidth || canvas.height !== value.displayHeight) { ++ canvas.width = value.displayWidth; ++ canvas.height = value.displayHeight; ++ } ++ ctx.clearRect(0, 0, canvas.width, canvas.height); ++ ctx.drawImage(value, 0, 0); ++ value.close(); ++ if (!done) { ++ readChunk(); ++ } ++ }); ++ }; ++ readChunk(); ++ this.runningStreams.add(stream); ++ } else { ++ const remoteVideo = document.createElement("video"); ++ remoteVideo.setAttribute("autoplay", "true"); ++ remoteVideo.setAttribute("playsinline", "true"); ++ remoteVideo.setAttribute("width", target.width.toString()); ++ remoteVideo.setAttribute("height", target.height.toString()); ++ target.replaceWith(remoteVideo); ++ this.startStream(remoteVideo, stream); ++ } ++ } ++ signalReceive(msg) { ++ if (!this.peer) { ++ this.peer = new Peer({ ++ initiator: false ++ }); ++ this.peer.on("error", (err) => { ++ this.peer = null; ++ console.log("error", err); ++ }); ++ this.peer.on("close", () => { ++ this.peer = null; ++ console.log("closing"); ++ }); ++ this.peer.on("signal", (data) => { ++ this.signalSendCallback(data); ++ }); ++ this.peer.on("connect", () => { ++ }); ++ this.peer.on("data", (data) => { ++ try { ++ const json = JSON.parse(data); ++ this.streamNodeMap.set(json.streamId, json.nodeId); ++ } catch (error) { ++ console.error("Could not parse data", error); ++ } ++ this.flushStreams(); ++ }); ++ this.peer.on("stream", (stream) => { ++ this.streams.add(stream); ++ this.flushStreams(); ++ }); ++ } ++ this.peer.signal(msg); ++ } ++ flushStreams() { ++ this.streams.forEach((stream) => { ++ const nodeId = this.streamNodeMap.get(stream.id); ++ if (!nodeId) ++ return; ++ const target = this.mirror.getNode(nodeId); ++ if (target) ++ this.startStream(target, stream); ++ }); ++ } ++ } ++ ++ exports.RRWebPluginCanvasWebRTCReplay = RRWebPluginCanvasWebRTCReplay; ++ ++ Object.defineProperty(exports, '__esModule', { value: true }); ++ ++ return exports; ++ ++})({}); +diff --git a/node_modules/rrweb/dist/plugins/canvas-webrtc-replay.min.js b/node_modules/rrweb/dist/plugins/canvas-webrtc-replay.min.js +new file mode 100755 +index 0000000..818750a +--- /dev/null ++++ b/node_modules/rrweb/dist/plugins/canvas-webrtc-replay.min.js +@@ -0,0 +1,2 @@ ++var rrwebCanvasWebRTCReplay=function(g){"use strict";/*! simple-peer. MIT License. Feross Aboukhadijeh */function f(h){const e=new Uint8Array(h);for(let t=0;t"u")return null;const h={RTCPeerConnection:globalThis.RTCPeerConnection||globalThis.mozRTCPeerConnection||globalThis.webkitRTCPeerConnection,RTCSessionDescription:globalThis.RTCSessionDescription||globalThis.mozRTCSessionDescription||globalThis.webkitRTCSessionDescription,RTCIceCandidate:globalThis.RTCIceCandidate||globalThis.mozRTCIceCandidate||globalThis.webkitRTCIceCandidate};return h.RTCPeerConnection?h:null}function r(h,e){return Object.defineProperty(h,"code",{value:e,enumerable:!0,configurable:!0}),h}function m(h){return h.replace(/a=ice-options:trickle\s\n/g,"")}function y(h){console.warn(h)}class _{constructor(e={}){if(this._map=new Map,this._id=f(4).toString("hex").slice(0,7),this._doDebug=e.debug,this._debug("new peer %o",e),this.channelName=e.initiator?e.channelName||f(20).toString("hex"):null,this.initiator=e.initiator||!1,this.channelConfig=e.channelConfig||_.channelConfig,this.channelNegotiated=this.channelConfig.negotiated,this.config=Object.assign({},_.config,e.config),this.offerOptions=e.offerOptions||{},this.answerOptions=e.answerOptions||{},this.sdpTransform=e.sdpTransform||(t=>t),this.streams=e.streams||(e.stream?[e.stream]:[]),this.trickle=e.trickle!==void 0?e.trickle:!0,this.allowHalfTrickle=e.allowHalfTrickle!==void 0?e.allowHalfTrickle:!1,this.iceCompleteTimeout=e.iceCompleteTimeout||5e3,this.destroyed=!1,this.destroying=!1,this._connected=!1,this.remoteAddress=void 0,this.remoteFamily=void 0,this.remotePort=void 0,this.localAddress=void 0,this.localFamily=void 0,this.localPort=void 0,this._wrtc=e.wrtc&&typeof e.wrtc=="object"?e.wrtc:p(),!this._wrtc)throw r(typeof window>"u"?new Error("No WebRTC support: Specify `opts.wrtc` option in this environment"):new Error("No WebRTC support: Not a supported browser"),"ERR_WEBRTC_SUPPORT");this._pcReady=!1,this._channelReady=!1,this._iceComplete=!1,this._iceCompleteTimer=null,this._channel=null,this._pendingCandidates=[],this._isNegotiating=!1,this._firstNegotiation=!0,this._batchedNegotiation=!1,this._queuedNegotiation=!1,this._sendersAwaitingStable=[],this._senderMap=new Map,this._closingInterval=null,this._remoteTracks=[],this._remoteStreams=[],this._chunk=null,this._cb=null,this._interval=null;try{this._pc=new this._wrtc.RTCPeerConnection(this.config)}catch(t){this.destroy(r(t,"ERR_PC_CONSTRUCTOR"));return}this._isReactNativeWebrtc=typeof this._pc._peerConnectionId=="number",this._pc.oniceconnectionstatechange=()=>{this._onIceStateChange()},this._pc.onicegatheringstatechange=()=>{this._onIceStateChange()},this._pc.onconnectionstatechange=()=>{this._onConnectionStateChange()},this._pc.onsignalingstatechange=()=>{this._onSignalingStateChange()},this._pc.onicecandidate=t=>{this._onIceCandidate(t)},typeof this._pc.peerIdentity=="object"&&this._pc.peerIdentity.catch(t=>{this.destroy(r(t,"ERR_PC_PEER_IDENTITY"))}),this.initiator||this.channelNegotiated?this._setupData({channel:this._pc.createDataChannel(this.channelName,this.channelConfig)}):this._pc.ondatachannel=t=>{this._setupData(t)},this.streams&&this.streams.forEach(t=>{this.addStream(t)}),this._pc.ontrack=t=>{this._onTrack(t)},this._debug("initial negotiation"),this._needsNegotiation()}get bufferSize(){return this._channel&&this._channel.bufferedAmount||0}get connected(){return this._connected&&this._channel.readyState==="open"}address(){return{port:this.localPort,family:this.localFamily,address:this.localAddress}}signal(e){if(!this.destroying){if(this.destroyed)throw r(new Error("cannot signal after peer is destroyed"),"ERR_DESTROYED");if(typeof e=="string")try{e=JSON.parse(e)}catch{e={}}this._debug("signal()"),e.renegotiate&&this.initiator&&(this._debug("got request to renegotiate"),this._needsNegotiation()),e.transceiverRequest&&this.initiator&&(this._debug("got request for transceiver"),this.addTransceiver(e.transceiverRequest.kind,e.transceiverRequest.init)),e.candidate&&(this._pc.remoteDescription&&this._pc.remoteDescription.type?this._addIceCandidate(e.candidate):this._pendingCandidates.push(e.candidate)),e.sdp&&this._pc.setRemoteDescription(new this._wrtc.RTCSessionDescription(e)).then(()=>{this.destroyed||(this._pendingCandidates.forEach(t=>{this._addIceCandidate(t)}),this._pendingCandidates=[],this._pc.remoteDescription.type==="offer"&&this._createAnswer())}).catch(t=>{this.destroy(r(t,"ERR_SET_REMOTE_DESCRIPTION"))}),!e.sdp&&!e.candidate&&!e.renegotiate&&!e.transceiverRequest&&this.destroy(r(new Error("signal() called with invalid signal data"),"ERR_SIGNALING"))}}_addIceCandidate(e){const t=new this._wrtc.RTCIceCandidate(e);this._pc.addIceCandidate(t).catch(i=>{!t.address||t.address.endsWith(".local")?y("Ignoring unsupported ICE candidate."):this.destroy(r(i,"ERR_ADD_ICE_CANDIDATE"))})}send(e){if(!this.destroying){if(this.destroyed)throw r(new Error("cannot send after peer is destroyed"),"ERR_DESTROYED");this._channel.send(e)}}addTransceiver(e,t){if(!this.destroying){if(this.destroyed)throw r(new Error("cannot addTransceiver after peer is destroyed"),"ERR_DESTROYED");if(this._debug("addTransceiver()"),this.initiator)try{this._pc.addTransceiver(e,t),this._needsNegotiation()}catch(i){this.destroy(r(i,"ERR_ADD_TRANSCEIVER"))}else this.emit("signal",{type:"transceiverRequest",transceiverRequest:{kind:e,init:t}})}}addStream(e){if(!this.destroying){if(this.destroyed)throw r(new Error("cannot addStream after peer is destroyed"),"ERR_DESTROYED");this._debug("addStream()"),e.getTracks().forEach(t=>{this.addTrack(t,e)})}}addTrack(e,t){if(this.destroying)return;if(this.destroyed)throw r(new Error("cannot addTrack after peer is destroyed"),"ERR_DESTROYED");this._debug("addTrack()");const i=this._senderMap.get(e)||new Map;let s=i.get(t);if(!s)s=this._pc.addTrack(e,t),i.set(t,s),this._senderMap.set(e,i),this._needsNegotiation();else throw s.removed?r(new Error("Track has been removed. You should enable/disable tracks that you want to re-add."),"ERR_SENDER_REMOVED"):r(new Error("Track has already been added to that stream."),"ERR_SENDER_ALREADY_ADDED")}replaceTrack(e,t,i){if(this.destroying)return;if(this.destroyed)throw r(new Error("cannot replaceTrack after peer is destroyed"),"ERR_DESTROYED");this._debug("replaceTrack()");const s=this._senderMap.get(e),a=s?s.get(i):null;if(!a)throw r(new Error("Cannot replace track that was never added."),"ERR_TRACK_NOT_ADDED");t&&this._senderMap.set(t,s),a.replaceTrack!=null?a.replaceTrack(t):this.destroy(r(new Error("replaceTrack is not supported in this browser"),"ERR_UNSUPPORTED_REPLACETRACK"))}removeTrack(e,t){if(this.destroying)return;if(this.destroyed)throw r(new Error("cannot removeTrack after peer is destroyed"),"ERR_DESTROYED");this._debug("removeSender()");const i=this._senderMap.get(e),s=i?i.get(t):null;if(!s)throw r(new Error("Cannot remove track that was never added."),"ERR_TRACK_NOT_ADDED");try{s.removed=!0,this._pc.removeTrack(s)}catch(a){a.name==="NS_ERROR_UNEXPECTED"?this._sendersAwaitingStable.push(s):this.destroy(r(a,"ERR_REMOVE_TRACK"))}this._needsNegotiation()}removeStream(e){if(!this.destroying){if(this.destroyed)throw r(new Error("cannot removeStream after peer is destroyed"),"ERR_DESTROYED");this._debug("removeSenders()"),e.getTracks().forEach(t=>{this.removeTrack(t,e)})}}_needsNegotiation(){this._debug("_needsNegotiation"),!this._batchedNegotiation&&(this._batchedNegotiation=!0,queueMicrotask(()=>{this._batchedNegotiation=!1,this.initiator||!this._firstNegotiation?(this._debug("starting batched negotiation"),this.negotiate()):this._debug("non-initiator initial negotiation request discarded"),this._firstNegotiation=!1}))}negotiate(){if(!this.destroying){if(this.destroyed)throw r(new Error("cannot negotiate after peer is destroyed"),"ERR_DESTROYED");this.initiator?this._isNegotiating?(this._queuedNegotiation=!0,this._debug("already negotiating, queueing")):(this._debug("start negotiation"),setTimeout(()=>{this._createOffer()},0)):this._isNegotiating?(this._queuedNegotiation=!0,this._debug("already negotiating, queueing")):(this._debug("requesting negotiation from initiator"),this.emit("signal",{type:"renegotiate",renegotiate:!0})),this._isNegotiating=!0}}destroy(e){this.destroyed||this.destroying||(this.destroying=!0,this._debug("destroying (error: %s)",e&&(e.message||e)),queueMicrotask(()=>{if(this.destroyed=!0,this.destroying=!1,this._debug("destroy (error: %s)",e&&(e.message||e)),this._connected=!1,this._pcReady=!1,this._channelReady=!1,this._remoteTracks=null,this._remoteStreams=null,this._senderMap=null,clearInterval(this._closingInterval),this._closingInterval=null,clearInterval(this._interval),this._interval=null,this._chunk=null,this._cb=null,this._channel){try{this._channel.close()}catch{}this._channel.onmessage=null,this._channel.onopen=null,this._channel.onclose=null,this._channel.onerror=null}if(this._pc){try{this._pc.close()}catch{}this._pc.oniceconnectionstatechange=null,this._pc.onicegatheringstatechange=null,this._pc.onsignalingstatechange=null,this._pc.onicecandidate=null,this._pc.ontrack=null,this._pc.ondatachannel=null}this._pc=null,this._channel=null,e&&this.emit("error",e),this.emit("close")}))}_setupData(e){if(!e.channel)return this.destroy(r(new Error("Data channel event is missing `channel` property"),"ERR_DATA_CHANNEL"));this._channel=e.channel,this._channel.binaryType="arraybuffer",typeof this._channel.bufferedAmountLowThreshold=="number"&&(this._channel.bufferedAmountLowThreshold=65536),this.channelName=this._channel.label,this._channel.onmessage=i=>{this._onChannelMessage(i)},this._channel.onbufferedamountlow=()=>{this._onChannelBufferedAmountLow()},this._channel.onopen=()=>{this._onChannelOpen()},this._channel.onclose=()=>{this._onChannelClose()},this._channel.onerror=i=>{this.destroy(r(i,"ERR_DATA_CHANNEL"))};let t=!1;this._closingInterval=setInterval(()=>{this._channel&&this._channel.readyState==="closing"?(t&&this._onChannelClose(),t=!0):t=!1},5e3)}_startIceCompleteTimeout(){this.destroyed||this._iceCompleteTimer||(this._debug("started iceComplete timeout"),this._iceCompleteTimer=setTimeout(()=>{this._iceComplete||(this._iceComplete=!0,this._debug("iceComplete timeout completed"),this.emit("iceTimeout"),this.emit("_iceComplete"))},this.iceCompleteTimeout))}_createOffer(){this.destroyed||this._pc.createOffer(this.offerOptions).then(e=>{if(this.destroyed)return;!this.trickle&&!this.allowHalfTrickle&&(e.sdp=m(e.sdp)),e.sdp=this.sdpTransform(e.sdp);const t=()=>{if(this.destroyed)return;const a=this._pc.localDescription||e;this._debug("signal"),this.emit("signal",{type:a.type,sdp:a.sdp})},i=()=>{this._debug("createOffer success"),!this.destroyed&&(this.trickle||this._iceComplete?t():this.once("_iceComplete",t))},s=a=>{this.destroy(r(a,"ERR_SET_LOCAL_DESCRIPTION"))};this._pc.setLocalDescription(e).then(i).catch(s)}).catch(e=>{this.destroy(r(e,"ERR_CREATE_OFFER"))})}_requestMissingTransceivers(){this._pc.getTransceivers&&this._pc.getTransceivers().forEach(e=>{!e.mid&&e.sender.track&&!e.requested&&(e.requested=!0,this.addTransceiver(e.sender.track.kind))})}_createAnswer(){this.destroyed||this._pc.createAnswer(this.answerOptions).then(e=>{if(this.destroyed)return;!this.trickle&&!this.allowHalfTrickle&&(e.sdp=m(e.sdp)),e.sdp=this.sdpTransform(e.sdp);const t=()=>{if(this.destroyed)return;const a=this._pc.localDescription||e;this._debug("signal"),this.emit("signal",{type:a.type,sdp:a.sdp}),this.initiator||this._requestMissingTransceivers()},i=()=>{this.destroyed||(this.trickle||this._iceComplete?t():this.once("_iceComplete",t))},s=a=>{this.destroy(r(a,"ERR_SET_LOCAL_DESCRIPTION"))};this._pc.setLocalDescription(e).then(i).catch(s)}).catch(e=>{this.destroy(r(e,"ERR_CREATE_ANSWER"))})}_onConnectionStateChange(){this.destroyed||this._pc.connectionState==="failed"&&this.destroy(r(new Error("Connection failed."),"ERR_CONNECTION_FAILURE"))}_onIceStateChange(){if(this.destroyed)return;const e=this._pc.iceConnectionState,t=this._pc.iceGatheringState;this._debug("iceStateChange (connection: %s) (gathering: %s)",e,t),this.emit("iceStateChange",e,t),(e==="connected"||e==="completed")&&(this._pcReady=!0,this._maybeReady()),e==="failed"&&this.destroy(r(new Error("Ice connection failed."),"ERR_ICE_CONNECTION_FAILURE")),e==="closed"&&this.destroy(r(new Error("Ice connection closed."),"ERR_ICE_CONNECTION_CLOSED"))}getStats(e){const t=i=>(Object.prototype.toString.call(i.values)==="[object Array]"&&i.values.forEach(s=>{Object.assign(i,s)}),i);this._pc.getStats.length===0||this._isReactNativeWebrtc?this._pc.getStats().then(i=>{const s=[];i.forEach(a=>{s.push(t(a))}),e(null,s)},i=>e(i)):this._pc.getStats.length>0?this._pc.getStats(i=>{if(this.destroyed)return;const s=[];i.result().forEach(a=>{const c={};a.names().forEach(l=>{c[l]=a.stat(l)}),c.id=a.id,c.type=a.type,c.timestamp=a.timestamp,s.push(t(c))}),e(null,s)},i=>e(i)):e(null,[])}_maybeReady(){if(this._debug("maybeReady pc %s channel %s",this._pcReady,this._channelReady),this._connected||this._connecting||!this._pcReady||!this._channelReady)return;this._connecting=!0;const e=()=>{this.destroyed||this.getStats((t,i)=>{if(this.destroyed)return;t&&(i=[]);const s={},a={},c={};let l=!1;i.forEach(n=>{(n.type==="remotecandidate"||n.type==="remote-candidate")&&(s[n.id]=n),(n.type==="localcandidate"||n.type==="local-candidate")&&(a[n.id]=n),(n.type==="candidatepair"||n.type==="candidate-pair")&&(c[n.id]=n)});const u=n=>{l=!0;let o=a[n.localCandidateId];o&&(o.ip||o.address)?(this.localAddress=o.ip||o.address,this.localPort=Number(o.port)):o&&o.ipAddress?(this.localAddress=o.ipAddress,this.localPort=Number(o.portNumber)):typeof n.googLocalAddress=="string"&&(o=n.googLocalAddress.split(":"),this.localAddress=o[0],this.localPort=Number(o[1])),this.localAddress&&(this.localFamily=this.localAddress.includes(":")?"IPv6":"IPv4");let d=s[n.remoteCandidateId];d&&(d.ip||d.address)?(this.remoteAddress=d.ip||d.address,this.remotePort=Number(d.port)):d&&d.ipAddress?(this.remoteAddress=d.ipAddress,this.remotePort=Number(d.portNumber)):typeof n.googRemoteAddress=="string"&&(d=n.googRemoteAddress.split(":"),this.remoteAddress=d[0],this.remotePort=Number(d[1])),this.remoteAddress&&(this.remoteFamily=this.remoteAddress.includes(":")?"IPv6":"IPv4"),this._debug("connect local: %s:%s remote: %s:%s",this.localAddress,this.localPort,this.remoteAddress,this.remotePort)};if(i.forEach(n=>{n.type==="transport"&&n.selectedCandidatePairId&&u(c[n.selectedCandidatePairId]),(n.type==="googCandidatePair"&&n.googActiveConnection==="true"||(n.type==="candidatepair"||n.type==="candidate-pair")&&n.selected)&&u(n)}),!l&&(!Object.keys(c).length||Object.keys(a).length)){setTimeout(e,100);return}else this._connecting=!1,this._connected=!0;if(this._chunk){try{this.send(this._chunk)}catch(o){return this.destroy(r(o,"ERR_DATA_CHANNEL"))}this._chunk=null,this._debug('sent chunk from "write before connect"');const n=this._cb;this._cb=null,n(null)}typeof this._channel.bufferedAmountLowThreshold!="number"&&(this._interval=setInterval(()=>this._onInterval(),150),this._interval.unref&&this._interval.unref()),this._debug("connect"),this.emit("connect")})};e()}_onInterval(){!this._cb||!this._channel||this._channel.bufferedAmount>65536||this._onChannelBufferedAmountLow()}_onSignalingStateChange(){this.destroyed||(this._pc.signalingState==="stable"&&(this._isNegotiating=!1,this._debug("flushing sender queue",this._sendersAwaitingStable),this._sendersAwaitingStable.forEach(e=>{this._pc.removeTrack(e),this._queuedNegotiation=!0}),this._sendersAwaitingStable=[],this._queuedNegotiation?(this._debug("flushing negotiation queue"),this._queuedNegotiation=!1,this._needsNegotiation()):(this._debug("negotiated"),this.emit("negotiated"))),this._debug("signalingStateChange %s",this._pc.signalingState),this.emit("signalingStateChange",this._pc.signalingState))}_onIceCandidate(e){this.destroyed||(e.candidate&&this.trickle?this.emit("signal",{type:"candidate",candidate:{candidate:e.candidate.candidate,sdpMLineIndex:e.candidate.sdpMLineIndex,sdpMid:e.candidate.sdpMid}}):!e.candidate&&!this._iceComplete&&(this._iceComplete=!0,this.emit("_iceComplete")),e.candidate&&this._startIceCompleteTimeout())}_onChannelMessage(e){if(this.destroyed)return;let t=e.data;t instanceof ArrayBuffer&&(t=new Uint8Array(t)),this.emit("data",t)}_onChannelBufferedAmountLow(){if(this.destroyed||!this._cb)return;this._debug("ending backpressure: bufferedAmount %d",this._channel.bufferedAmount);const e=this._cb;this._cb=null,e(null)}_onChannelOpen(){this._connected||this.destroyed||(this._debug("on channel open"),this._channelReady=!0,this._maybeReady())}_onChannelClose(){this.destroyed||(this._debug("on channel close"),this.destroy())}_onTrack(e){this.destroyed||e.streams.forEach(t=>{this._debug("on track"),this.emit("track",e.track,t),this._remoteTracks.push({track:e.track,stream:t}),!this._remoteStreams.some(i=>i.id===t.id)&&(this._remoteStreams.push(t),queueMicrotask(()=>{this._debug("on stream"),this.emit("stream",t)}))})}_debug(...e){!this._doDebug||(e[0]="["+this._id+"] "+e[0],console.log(...e))}on(e,t){const i=this._map;i.has(e)||i.set(e,new Set),i.get(e).add(t)}off(e,t){const i=this._map,s=i.get(e);!s||(s.delete(t),s.size===0&&i.delete(e))}once(e,t){const i=(...s)=>{this.off(e,i),t(...s)};this.on(e,i)}emit(e,...t){const i=this._map;if(!!i.has(e))for(const s of i.get(e))try{s(...t)}catch(a){console.error(a)}}}_.WEBRTC_SUPPORT=!!p(),_.config={iceServers:[{urls:["stun:stun.l.google.com:19302","stun:global.stun.twilio.com:3478"]}],sdpSemantics:"unified-plan"},_.channelConfig={};class R{constructor({canvasFoundCallback:e,signalSendCallback:t}){this.peer=null,this.streamNodeMap=new Map,this.streams=new Set,this.runningStreams=new WeakSet,this.canvasFoundCallback=e,this.signalSendCallback=t}initPlugin(){return{onBuild:(e,t)=>{e.nodeName==="CANVAS"&&this.canvasFoundCallback(e,t)},getMirror:e=>{this.mirror=e.nodeMirror}}}startStream(e,t){if(!this.runningStreams.has(t)){if(e.tagName==="VIDEO"){const i=e;i.srcObject=t,i.play(),this.runningStreams.add(t);return}if("MediaStreamTrackProcessor"in window){const i=e,s=i.getContext("2d");if(!s)throw new Error(`startStream: Could not get 2d canvas context for ${i.outerHTML}`);const a=t.getVideoTracks()[0],c=new MediaStreamTrackProcessor({track:a}).readable.getReader(),l=function(){c.read().then(({done:u,value:n})=>{!n||((i.width!==n.displayWidth||i.height!==n.displayHeight)&&(i.width=n.displayWidth,i.height=n.displayHeight),s.clearRect(0,0,i.width,i.height),s.drawImage(n,0,0),n.close(),u||l())})};l(),this.runningStreams.add(t)}else{const i=document.createElement("video");i.setAttribute("autoplay","true"),i.setAttribute("playsinline","true"),i.setAttribute("width",e.width.toString()),i.setAttribute("height",e.height.toString()),e.replaceWith(i),this.startStream(i,t)}}}signalReceive(e){this.peer||(this.peer=new _({initiator:!1}),this.peer.on("error",t=>{this.peer=null,console.log("error",t)}),this.peer.on("close",()=>{this.peer=null,console.log("closing")}),this.peer.on("signal",t=>{this.signalSendCallback(t)}),this.peer.on("connect",()=>{}),this.peer.on("data",t=>{try{const i=JSON.parse(t);this.streamNodeMap.set(i.streamId,i.nodeId)}catch(i){console.error("Could not parse data",i)}this.flushStreams()}),this.peer.on("stream",t=>{this.streams.add(t),this.flushStreams()})),this.peer.signal(e)}flushStreams(){this.streams.forEach(e=>{const t=this.streamNodeMap.get(e.id);if(!t)return;const i=this.mirror.getNode(t);i&&this.startStream(i,e)})}}return g.RRWebPluginCanvasWebRTCReplay=R,Object.defineProperty(g,"__esModule",{value:!0}),g}({}); ++//# sourceMappingURL=canvas-webrtc-replay.min.js.map +diff --git a/node_modules/rrweb/dist/plugins/canvas-webrtc-replay.min.js.map b/node_modules/rrweb/dist/plugins/canvas-webrtc-replay.min.js.map +new file mode 100755 +index 0000000..a66c68d +--- /dev/null ++++ b/node_modules/rrweb/dist/plugins/canvas-webrtc-replay.min.js.map +@@ -0,0 +1 @@ ++{"version":3,"file":"canvas-webrtc-replay.min.js","sources":["../../../../node_modules/simple-peer-light/index.js","../../src/plugins/canvas-webrtc/replay/index.ts"],"sourcesContent":["/*! simple-peer. MIT License. Feross Aboukhadijeh */\nconst MAX_BUFFERED_AMOUNT = 64 * 1024\nconst ICECOMPLETE_TIMEOUT = 5 * 1000\nconst CHANNEL_CLOSING_TIMEOUT = 5 * 1000\n\nfunction randombytes (size) {\n const array = new Uint8Array(size)\n for (let i = 0; i < size; i++) {\n array[i] = (Math.random() * 256) | 0\n }\n return array\n}\n\nfunction getBrowserRTC () {\n if (typeof globalThis === 'undefined') return null\n const wrtc = {\n RTCPeerConnection:\n globalThis.RTCPeerConnection ||\n globalThis.mozRTCPeerConnection ||\n globalThis.webkitRTCPeerConnection,\n RTCSessionDescription:\n globalThis.RTCSessionDescription ||\n globalThis.mozRTCSessionDescription ||\n globalThis.webkitRTCSessionDescription,\n RTCIceCandidate:\n globalThis.RTCIceCandidate ||\n globalThis.mozRTCIceCandidate ||\n globalThis.webkitRTCIceCandidate\n }\n if (!wrtc.RTCPeerConnection) return null\n return wrtc\n}\n\nfunction errCode (err, code) {\n Object.defineProperty(err, 'code', {\n value: code,\n enumerable: true,\n configurable: true\n })\n return err\n}\n\n// HACK: Filter trickle lines when trickle is disabled #354\nfunction filterTrickle (sdp) {\n return sdp.replace(/a=ice-options:trickle\\s\\n/g, '')\n}\n\nfunction warn (message) {\n console.warn(message)\n}\n\n/**\n * WebRTC peer connection.\n * @param {Object} opts\n */\nclass Peer {\n constructor (opts = {}) {\n this._map = new Map() // for event emitter\n\n this._id = randombytes(4).toString('hex').slice(0, 7)\n this._doDebug = opts.debug\n this._debug('new peer %o', opts)\n\n this.channelName = opts.initiator\n ? opts.channelName || randombytes(20).toString('hex')\n : null\n\n this.initiator = opts.initiator || false\n this.channelConfig = opts.channelConfig || Peer.channelConfig\n this.channelNegotiated = this.channelConfig.negotiated\n this.config = Object.assign({}, Peer.config, opts.config)\n this.offerOptions = opts.offerOptions || {}\n this.answerOptions = opts.answerOptions || {}\n this.sdpTransform = opts.sdpTransform || (sdp => sdp)\n this.streams = opts.streams || (opts.stream ? [opts.stream] : []) // support old \"stream\" option\n this.trickle = opts.trickle !== undefined ? opts.trickle : true\n this.allowHalfTrickle =\n opts.allowHalfTrickle !== undefined ? opts.allowHalfTrickle : false\n this.iceCompleteTimeout = opts.iceCompleteTimeout || ICECOMPLETE_TIMEOUT\n\n this.destroyed = false\n this.destroying = false\n this._connected = false\n\n this.remoteAddress = undefined\n this.remoteFamily = undefined\n this.remotePort = undefined\n this.localAddress = undefined\n this.localFamily = undefined\n this.localPort = undefined\n\n this._wrtc =\n opts.wrtc && typeof opts.wrtc === 'object' ? opts.wrtc : getBrowserRTC()\n\n if (!this._wrtc) {\n if (typeof window === 'undefined') {\n throw errCode(\n new Error(\n 'No WebRTC support: Specify `opts.wrtc` option in this environment'\n ),\n 'ERR_WEBRTC_SUPPORT'\n )\n } else {\n throw errCode(\n new Error('No WebRTC support: Not a supported browser'),\n 'ERR_WEBRTC_SUPPORT'\n )\n }\n }\n\n this._pcReady = false\n this._channelReady = false\n this._iceComplete = false // ice candidate trickle done (got null candidate)\n this._iceCompleteTimer = null // send an offer/answer anyway after some timeout\n this._channel = null\n this._pendingCandidates = []\n\n this._isNegotiating = false // is this peer waiting for negotiation to complete?\n this._firstNegotiation = true\n this._batchedNegotiation = false // batch synchronous negotiations\n this._queuedNegotiation = false // is there a queued negotiation request?\n this._sendersAwaitingStable = []\n this._senderMap = new Map()\n this._closingInterval = null\n\n this._remoteTracks = []\n this._remoteStreams = []\n\n this._chunk = null\n this._cb = null\n this._interval = null\n\n try {\n this._pc = new this._wrtc.RTCPeerConnection(this.config)\n } catch (err) {\n this.destroy(errCode(err, 'ERR_PC_CONSTRUCTOR'))\n return\n }\n\n // We prefer feature detection whenever possible, but sometimes that's not\n // possible for certain implementations.\n this._isReactNativeWebrtc = typeof this._pc._peerConnectionId === 'number'\n\n this._pc.oniceconnectionstatechange = () => {\n this._onIceStateChange()\n }\n this._pc.onicegatheringstatechange = () => {\n this._onIceStateChange()\n }\n this._pc.onconnectionstatechange = () => {\n this._onConnectionStateChange()\n }\n this._pc.onsignalingstatechange = () => {\n this._onSignalingStateChange()\n }\n this._pc.onicecandidate = event => {\n this._onIceCandidate(event)\n }\n\n // HACK: Fix for odd Firefox behavior, see: https://github.com/feross/simple-peer/pull/783\n if (typeof this._pc.peerIdentity === 'object') {\n this._pc.peerIdentity.catch(err => {\n this.destroy(errCode(err, 'ERR_PC_PEER_IDENTITY'))\n })\n }\n\n // Other spec events, unused by this implementation:\n // - onconnectionstatechange\n // - onicecandidateerror\n // - onfingerprintfailure\n // - onnegotiationneeded\n\n if (this.initiator || this.channelNegotiated) {\n this._setupData({\n channel: this._pc.createDataChannel(\n this.channelName,\n this.channelConfig\n )\n })\n } else {\n this._pc.ondatachannel = event => {\n this._setupData(event)\n }\n }\n\n if (this.streams) {\n this.streams.forEach(stream => {\n this.addStream(stream)\n })\n }\n this._pc.ontrack = event => {\n this._onTrack(event)\n }\n\n this._debug('initial negotiation')\n this._needsNegotiation()\n }\n\n get bufferSize () {\n return (this._channel && this._channel.bufferedAmount) || 0\n }\n\n // HACK: it's possible channel.readyState is \"closing\" before peer.destroy() fires\n // https://bugs.chromium.org/p/chromium/issues/detail?id=882743\n get connected () {\n return this._connected && this._channel.readyState === 'open'\n }\n\n address () {\n return {\n port: this.localPort,\n family: this.localFamily,\n address: this.localAddress\n }\n }\n\n signal (data) {\n if (this.destroying) return\n if (this.destroyed) throw errCode(new Error('cannot signal after peer is destroyed'), 'ERR_DESTROYED')\n if (typeof data === 'string') {\n try {\n data = JSON.parse(data)\n } catch (err) {\n data = {}\n }\n }\n this._debug('signal()')\n\n if (data.renegotiate && this.initiator) {\n this._debug('got request to renegotiate')\n this._needsNegotiation()\n }\n if (data.transceiverRequest && this.initiator) {\n this._debug('got request for transceiver')\n this.addTransceiver(\n data.transceiverRequest.kind,\n data.transceiverRequest.init\n )\n }\n if (data.candidate) {\n if (this._pc.remoteDescription && this._pc.remoteDescription.type) {\n this._addIceCandidate(data.candidate)\n } else {\n this._pendingCandidates.push(data.candidate)\n }\n }\n if (data.sdp) {\n this._pc\n .setRemoteDescription(new this._wrtc.RTCSessionDescription(data))\n .then(() => {\n if (this.destroyed) return\n\n this._pendingCandidates.forEach(candidate => {\n this._addIceCandidate(candidate)\n })\n this._pendingCandidates = []\n\n if (this._pc.remoteDescription.type === 'offer') this._createAnswer()\n })\n .catch(err => {\n this.destroy(errCode(err, 'ERR_SET_REMOTE_DESCRIPTION'))\n })\n }\n if (\n !data.sdp &&\n !data.candidate &&\n !data.renegotiate &&\n !data.transceiverRequest\n ) {\n this.destroy(\n errCode(\n new Error('signal() called with invalid signal data'),\n 'ERR_SIGNALING'\n )\n )\n }\n }\n\n _addIceCandidate (candidate) {\n const iceCandidateObj = new this._wrtc.RTCIceCandidate(candidate)\n this._pc.addIceCandidate(iceCandidateObj).catch(err => {\n if (\n !iceCandidateObj.address ||\n iceCandidateObj.address.endsWith('.local')\n ) {\n warn('Ignoring unsupported ICE candidate.')\n } else {\n this.destroy(errCode(err, 'ERR_ADD_ICE_CANDIDATE'))\n }\n })\n }\n\n /**\n * Send text/binary data to the remote peer.\n * @param {ArrayBufferView|ArrayBuffer|string|Blob} chunk\n */\n send (chunk) {\n if (this.destroying) return\n if (this.destroyed) throw errCode(new Error('cannot send after peer is destroyed'), 'ERR_DESTROYED')\n this._channel.send(chunk)\n }\n\n /**\n * Add a Transceiver to the connection.\n * @param {String} kind\n * @param {Object} init\n */\n addTransceiver (kind, init) {\n if (this.destroying) return\n if (this.destroyed) throw errCode(new Error('cannot addTransceiver after peer is destroyed'), 'ERR_DESTROYED')\n this._debug('addTransceiver()')\n\n if (this.initiator) {\n try {\n this._pc.addTransceiver(kind, init)\n this._needsNegotiation()\n } catch (err) {\n this.destroy(errCode(err, 'ERR_ADD_TRANSCEIVER'))\n }\n } else {\n this.emit('signal', {\n // request initiator to renegotiate\n type: 'transceiverRequest',\n transceiverRequest: { kind, init }\n })\n }\n }\n\n /**\n * Add a MediaStream to the connection.\n * @param {MediaStream} stream\n */\n addStream (stream) {\n if (this.destroying) return\n if (this.destroyed) throw errCode(new Error('cannot addStream after peer is destroyed'), 'ERR_DESTROYED')\n this._debug('addStream()')\n\n stream.getTracks().forEach(track => {\n this.addTrack(track, stream)\n })\n }\n\n /**\n * Add a MediaStreamTrack to the connection.\n * @param {MediaStreamTrack} track\n * @param {MediaStream} stream\n */\n addTrack (track, stream) {\n if (this.destroying) return\n if (this.destroyed) throw errCode(new Error('cannot addTrack after peer is destroyed'), 'ERR_DESTROYED')\n this._debug('addTrack()')\n\n const submap = this._senderMap.get(track) || new Map() // nested Maps map [track, stream] to sender\n let sender = submap.get(stream)\n if (!sender) {\n sender = this._pc.addTrack(track, stream)\n submap.set(stream, sender)\n this._senderMap.set(track, submap)\n this._needsNegotiation()\n } else if (sender.removed) {\n throw errCode(\n new Error(\n 'Track has been removed. You should enable/disable tracks that you want to re-add.'\n ),\n 'ERR_SENDER_REMOVED'\n )\n } else {\n throw errCode(\n new Error('Track has already been added to that stream.'),\n 'ERR_SENDER_ALREADY_ADDED'\n )\n }\n }\n\n /**\n * Replace a MediaStreamTrack by another in the connection.\n * @param {MediaStreamTrack} oldTrack\n * @param {MediaStreamTrack} newTrack\n * @param {MediaStream} stream\n */\n replaceTrack (oldTrack, newTrack, stream) {\n if (this.destroying) return\n if (this.destroyed) throw errCode(new Error('cannot replaceTrack after peer is destroyed'), 'ERR_DESTROYED')\n this._debug('replaceTrack()')\n\n const submap = this._senderMap.get(oldTrack)\n const sender = submap ? submap.get(stream) : null\n if (!sender) {\n throw errCode(\n new Error('Cannot replace track that was never added.'),\n 'ERR_TRACK_NOT_ADDED'\n )\n }\n if (newTrack) this._senderMap.set(newTrack, submap)\n\n if (sender.replaceTrack != null) {\n sender.replaceTrack(newTrack)\n } else {\n this.destroy(\n errCode(\n new Error('replaceTrack is not supported in this browser'),\n 'ERR_UNSUPPORTED_REPLACETRACK'\n )\n )\n }\n }\n\n /**\n * Remove a MediaStreamTrack from the connection.\n * @param {MediaStreamTrack} track\n * @param {MediaStream} stream\n */\n removeTrack (track, stream) {\n if (this.destroying) return\n if (this.destroyed) throw errCode(new Error('cannot removeTrack after peer is destroyed'), 'ERR_DESTROYED')\n this._debug('removeSender()')\n\n const submap = this._senderMap.get(track)\n const sender = submap ? submap.get(stream) : null\n if (!sender) {\n throw errCode(\n new Error('Cannot remove track that was never added.'),\n 'ERR_TRACK_NOT_ADDED'\n )\n }\n try {\n sender.removed = true\n this._pc.removeTrack(sender)\n } catch (err) {\n if (err.name === 'NS_ERROR_UNEXPECTED') {\n this._sendersAwaitingStable.push(sender) // HACK: Firefox must wait until (signalingState === stable) https://bugzilla.mozilla.org/show_bug.cgi?id=1133874\n } else {\n this.destroy(errCode(err, 'ERR_REMOVE_TRACK'))\n }\n }\n this._needsNegotiation()\n }\n\n /**\n * Remove a MediaStream from the connection.\n * @param {MediaStream} stream\n */\n removeStream (stream) {\n if (this.destroying) return\n if (this.destroyed) throw errCode(new Error('cannot removeStream after peer is destroyed'), 'ERR_DESTROYED')\n this._debug('removeSenders()')\n\n stream.getTracks().forEach(track => {\n this.removeTrack(track, stream)\n })\n }\n\n _needsNegotiation () {\n this._debug('_needsNegotiation')\n if (this._batchedNegotiation) return // batch synchronous renegotiations\n this._batchedNegotiation = true\n queueMicrotask(() => {\n this._batchedNegotiation = false\n if (this.initiator || !this._firstNegotiation) {\n this._debug('starting batched negotiation')\n this.negotiate()\n } else {\n this._debug('non-initiator initial negotiation request discarded')\n }\n this._firstNegotiation = false\n })\n }\n\n negotiate () {\n if (this.destroying) return\n if (this.destroyed) throw errCode(new Error('cannot negotiate after peer is destroyed'), 'ERR_DESTROYED')\n\n if (this.initiator) {\n if (this._isNegotiating) {\n this._queuedNegotiation = true\n this._debug('already negotiating, queueing')\n } else {\n this._debug('start negotiation')\n setTimeout(() => {\n // HACK: Chrome crashes if we immediately call createOffer\n this._createOffer()\n }, 0)\n }\n } else {\n if (this._isNegotiating) {\n this._queuedNegotiation = true\n this._debug('already negotiating, queueing')\n } else {\n this._debug('requesting negotiation from initiator')\n this.emit('signal', {\n // request initiator to renegotiate\n type: 'renegotiate',\n renegotiate: true\n })\n }\n }\n this._isNegotiating = true\n }\n\n destroy (err) {\n if (this.destroyed || this.destroying) return\n this.destroying = true\n\n this._debug('destroying (error: %s)', err && (err.message || err))\n\n queueMicrotask(() => {\n // allow events concurrent with the call to _destroy() to fire (see #692)\n this.destroyed = true\n this.destroying = false\n\n this._debug('destroy (error: %s)', err && (err.message || err))\n\n this._connected = false\n this._pcReady = false\n this._channelReady = false\n this._remoteTracks = null\n this._remoteStreams = null\n this._senderMap = null\n\n clearInterval(this._closingInterval)\n this._closingInterval = null\n\n clearInterval(this._interval)\n this._interval = null\n this._chunk = null\n this._cb = null\n\n if (this._channel) {\n try {\n this._channel.close()\n } catch (err) {}\n\n // allow events concurrent with destruction to be handled\n this._channel.onmessage = null\n this._channel.onopen = null\n this._channel.onclose = null\n this._channel.onerror = null\n }\n if (this._pc) {\n try {\n this._pc.close()\n } catch (err) {}\n\n // allow events concurrent with destruction to be handled\n this._pc.oniceconnectionstatechange = null\n this._pc.onicegatheringstatechange = null\n this._pc.onsignalingstatechange = null\n this._pc.onicecandidate = null\n this._pc.ontrack = null\n this._pc.ondatachannel = null\n }\n this._pc = null\n this._channel = null\n\n if (err) this.emit('error', err)\n this.emit('close')\n })\n }\n\n _setupData (event) {\n if (!event.channel) {\n // In some situations `pc.createDataChannel()` returns `undefined` (in wrtc),\n // which is invalid behavior. Handle it gracefully.\n // See: https://github.com/feross/simple-peer/issues/163\n return this.destroy(\n errCode(\n new Error('Data channel event is missing `channel` property'),\n 'ERR_DATA_CHANNEL'\n )\n )\n }\n\n this._channel = event.channel\n this._channel.binaryType = 'arraybuffer'\n\n if (typeof this._channel.bufferedAmountLowThreshold === 'number') {\n this._channel.bufferedAmountLowThreshold = MAX_BUFFERED_AMOUNT\n }\n\n this.channelName = this._channel.label\n\n this._channel.onmessage = event => {\n this._onChannelMessage(event)\n }\n this._channel.onbufferedamountlow = () => {\n this._onChannelBufferedAmountLow()\n }\n this._channel.onopen = () => {\n this._onChannelOpen()\n }\n this._channel.onclose = () => {\n this._onChannelClose()\n }\n this._channel.onerror = err => {\n this.destroy(errCode(err, 'ERR_DATA_CHANNEL'))\n }\n\n // HACK: Chrome will sometimes get stuck in readyState \"closing\", let's check for this condition\n // https://bugs.chromium.org/p/chromium/issues/detail?id=882743\n let isClosing = false\n this._closingInterval = setInterval(() => {\n // No \"onclosing\" event\n if (this._channel && this._channel.readyState === 'closing') {\n if (isClosing) this._onChannelClose() // closing timed out: equivalent to onclose firing\n isClosing = true\n } else {\n isClosing = false\n }\n }, CHANNEL_CLOSING_TIMEOUT)\n }\n\n _startIceCompleteTimeout () {\n if (this.destroyed) return\n if (this._iceCompleteTimer) return\n this._debug('started iceComplete timeout')\n this._iceCompleteTimer = setTimeout(() => {\n if (!this._iceComplete) {\n this._iceComplete = true\n this._debug('iceComplete timeout completed')\n this.emit('iceTimeout')\n this.emit('_iceComplete')\n }\n }, this.iceCompleteTimeout)\n }\n\n _createOffer () {\n if (this.destroyed) return\n\n this._pc\n .createOffer(this.offerOptions)\n .then(offer => {\n if (this.destroyed) return\n if (!this.trickle && !this.allowHalfTrickle) { offer.sdp = filterTrickle(offer.sdp) }\n offer.sdp = this.sdpTransform(offer.sdp)\n\n const sendOffer = () => {\n if (this.destroyed) return\n const signal = this._pc.localDescription || offer\n this._debug('signal')\n this.emit('signal', {\n type: signal.type,\n sdp: signal.sdp\n })\n }\n\n const onSuccess = () => {\n this._debug('createOffer success')\n if (this.destroyed) return\n if (this.trickle || this._iceComplete) sendOffer()\n else this.once('_iceComplete', sendOffer) // wait for candidates\n }\n\n const onError = err => {\n this.destroy(errCode(err, 'ERR_SET_LOCAL_DESCRIPTION'))\n }\n\n this._pc.setLocalDescription(offer).then(onSuccess).catch(onError)\n })\n .catch(err => {\n this.destroy(errCode(err, 'ERR_CREATE_OFFER'))\n })\n }\n\n _requestMissingTransceivers () {\n if (this._pc.getTransceivers) {\n this._pc.getTransceivers().forEach(transceiver => {\n if (\n !transceiver.mid &&\n transceiver.sender.track &&\n !transceiver.requested\n ) {\n transceiver.requested = true // HACK: Safari returns negotiated transceivers with a null mid\n this.addTransceiver(transceiver.sender.track.kind)\n }\n })\n }\n }\n\n _createAnswer () {\n if (this.destroyed) return\n\n this._pc\n .createAnswer(this.answerOptions)\n .then(answer => {\n if (this.destroyed) return\n if (!this.trickle && !this.allowHalfTrickle) { answer.sdp = filterTrickle(answer.sdp) }\n answer.sdp = this.sdpTransform(answer.sdp)\n\n const sendAnswer = () => {\n if (this.destroyed) return\n const signal = this._pc.localDescription || answer\n this._debug('signal')\n this.emit('signal', {\n type: signal.type,\n sdp: signal.sdp\n })\n if (!this.initiator) this._requestMissingTransceivers()\n }\n\n const onSuccess = () => {\n if (this.destroyed) return\n if (this.trickle || this._iceComplete) sendAnswer()\n else this.once('_iceComplete', sendAnswer)\n }\n\n const onError = err => {\n this.destroy(errCode(err, 'ERR_SET_LOCAL_DESCRIPTION'))\n }\n\n this._pc.setLocalDescription(answer).then(onSuccess).catch(onError)\n })\n .catch(err => {\n this.destroy(errCode(err, 'ERR_CREATE_ANSWER'))\n })\n }\n\n _onConnectionStateChange () {\n if (this.destroyed) return\n if (this._pc.connectionState === 'failed') {\n this.destroy(\n errCode(new Error('Connection failed.'), 'ERR_CONNECTION_FAILURE')\n )\n }\n }\n\n _onIceStateChange () {\n if (this.destroyed) return\n const iceConnectionState = this._pc.iceConnectionState\n const iceGatheringState = this._pc.iceGatheringState\n\n this._debug(\n 'iceStateChange (connection: %s) (gathering: %s)',\n iceConnectionState,\n iceGatheringState\n )\n this.emit('iceStateChange', iceConnectionState, iceGatheringState)\n\n if (\n iceConnectionState === 'connected' ||\n iceConnectionState === 'completed'\n ) {\n this._pcReady = true\n this._maybeReady()\n }\n if (iceConnectionState === 'failed') {\n this.destroy(\n errCode(\n new Error('Ice connection failed.'),\n 'ERR_ICE_CONNECTION_FAILURE'\n )\n )\n }\n if (iceConnectionState === 'closed') {\n this.destroy(\n errCode(\n new Error('Ice connection closed.'),\n 'ERR_ICE_CONNECTION_CLOSED'\n )\n )\n }\n }\n\n getStats (cb) {\n // statreports can come with a value array instead of properties\n const flattenValues = report => {\n if (Object.prototype.toString.call(report.values) === '[object Array]') {\n report.values.forEach(value => {\n Object.assign(report, value)\n })\n }\n return report\n }\n\n // Promise-based getStats() (standard)\n if (this._pc.getStats.length === 0 || this._isReactNativeWebrtc) {\n this._pc.getStats().then(\n res => {\n const reports = []\n res.forEach(report => {\n reports.push(flattenValues(report))\n })\n cb(null, reports)\n },\n err => cb(err)\n )\n\n // Single-parameter callback-based getStats() (non-standard)\n } else if (this._pc.getStats.length > 0) {\n this._pc.getStats(\n res => {\n // If we destroy connection in `connect` callback this code might happen to run when actual connection is already closed\n if (this.destroyed) return\n\n const reports = []\n res.result().forEach(result => {\n const report = {}\n result.names().forEach(name => {\n report[name] = result.stat(name)\n })\n report.id = result.id\n report.type = result.type\n report.timestamp = result.timestamp\n reports.push(flattenValues(report))\n })\n cb(null, reports)\n },\n err => cb(err)\n )\n\n // Unknown browser, skip getStats() since it's anyone's guess which style of\n // getStats() they implement.\n } else {\n cb(null, [])\n }\n }\n\n _maybeReady () {\n this._debug(\n 'maybeReady pc %s channel %s',\n this._pcReady,\n this._channelReady\n )\n if (\n this._connected ||\n this._connecting ||\n !this._pcReady ||\n !this._channelReady\n ) { return }\n\n this._connecting = true\n\n // HACK: We can't rely on order here, for details see https://github.com/js-platform/node-webrtc/issues/339\n const findCandidatePair = () => {\n if (this.destroyed) return\n\n this.getStats((err, items) => {\n if (this.destroyed) return\n\n // Treat getStats error as non-fatal. It's not essential.\n if (err) items = []\n\n const remoteCandidates = {}\n const localCandidates = {}\n const candidatePairs = {}\n let foundSelectedCandidatePair = false\n\n items.forEach(item => {\n // TODO: Once all browsers support the hyphenated stats report types, remove\n // the non-hypenated ones\n if (\n item.type === 'remotecandidate' ||\n item.type === 'remote-candidate'\n ) {\n remoteCandidates[item.id] = item\n }\n if (\n item.type === 'localcandidate' ||\n item.type === 'local-candidate'\n ) {\n localCandidates[item.id] = item\n }\n if (item.type === 'candidatepair' || item.type === 'candidate-pair') {\n candidatePairs[item.id] = item\n }\n })\n\n const setSelectedCandidatePair = selectedCandidatePair => {\n foundSelectedCandidatePair = true\n\n let local = localCandidates[selectedCandidatePair.localCandidateId]\n\n if (local && (local.ip || local.address)) {\n // Spec\n this.localAddress = local.ip || local.address\n this.localPort = Number(local.port)\n } else if (local && local.ipAddress) {\n // Firefox\n this.localAddress = local.ipAddress\n this.localPort = Number(local.portNumber)\n } else if (\n typeof selectedCandidatePair.googLocalAddress === 'string'\n ) {\n // TODO: remove this once Chrome 58 is released\n local = selectedCandidatePair.googLocalAddress.split(':')\n this.localAddress = local[0]\n this.localPort = Number(local[1])\n }\n if (this.localAddress) {\n this.localFamily = this.localAddress.includes(':')\n ? 'IPv6'\n : 'IPv4'\n }\n\n let remote =\n remoteCandidates[selectedCandidatePair.remoteCandidateId]\n\n if (remote && (remote.ip || remote.address)) {\n // Spec\n this.remoteAddress = remote.ip || remote.address\n this.remotePort = Number(remote.port)\n } else if (remote && remote.ipAddress) {\n // Firefox\n this.remoteAddress = remote.ipAddress\n this.remotePort = Number(remote.portNumber)\n } else if (\n typeof selectedCandidatePair.googRemoteAddress === 'string'\n ) {\n // TODO: remove this once Chrome 58 is released\n remote = selectedCandidatePair.googRemoteAddress.split(':')\n this.remoteAddress = remote[0]\n this.remotePort = Number(remote[1])\n }\n if (this.remoteAddress) {\n this.remoteFamily = this.remoteAddress.includes(':')\n ? 'IPv6'\n : 'IPv4'\n }\n\n this._debug(\n 'connect local: %s:%s remote: %s:%s',\n this.localAddress,\n this.localPort,\n this.remoteAddress,\n this.remotePort\n )\n }\n\n items.forEach(item => {\n // Spec-compliant\n if (item.type === 'transport' && item.selectedCandidatePairId) {\n setSelectedCandidatePair(\n candidatePairs[item.selectedCandidatePairId]\n )\n }\n\n // Old implementations\n if (\n (item.type === 'googCandidatePair' &&\n item.googActiveConnection === 'true') ||\n ((item.type === 'candidatepair' ||\n item.type === 'candidate-pair') &&\n item.selected)\n ) {\n setSelectedCandidatePair(item)\n }\n })\n\n // Ignore candidate pair selection in browsers like Safari 11 that do not have any local or remote candidates\n // But wait until at least 1 candidate pair is available\n if (\n !foundSelectedCandidatePair &&\n (!Object.keys(candidatePairs).length ||\n Object.keys(localCandidates).length)\n ) {\n setTimeout(findCandidatePair, 100)\n return\n } else {\n this._connecting = false\n this._connected = true\n }\n\n if (this._chunk) {\n try {\n this.send(this._chunk)\n } catch (err) {\n return this.destroy(errCode(err, 'ERR_DATA_CHANNEL'))\n }\n this._chunk = null\n this._debug('sent chunk from \"write before connect\"')\n\n const cb = this._cb\n this._cb = null\n cb(null)\n }\n\n // If `bufferedAmountLowThreshold` and 'onbufferedamountlow' are unsupported,\n // fallback to using setInterval to implement backpressure.\n if (typeof this._channel.bufferedAmountLowThreshold !== 'number') {\n this._interval = setInterval(() => this._onInterval(), 150)\n if (this._interval.unref) this._interval.unref()\n }\n\n this._debug('connect')\n this.emit('connect')\n })\n }\n findCandidatePair()\n }\n\n _onInterval () {\n if (\n !this._cb ||\n !this._channel ||\n this._channel.bufferedAmount > MAX_BUFFERED_AMOUNT\n ) {\n return\n }\n this._onChannelBufferedAmountLow()\n }\n\n _onSignalingStateChange () {\n if (this.destroyed) return\n\n if (this._pc.signalingState === 'stable') {\n this._isNegotiating = false\n\n // HACK: Firefox doesn't yet support removing tracks when signalingState !== 'stable'\n this._debug('flushing sender queue', this._sendersAwaitingStable)\n this._sendersAwaitingStable.forEach(sender => {\n this._pc.removeTrack(sender)\n this._queuedNegotiation = true\n })\n this._sendersAwaitingStable = []\n\n if (this._queuedNegotiation) {\n this._debug('flushing negotiation queue')\n this._queuedNegotiation = false\n this._needsNegotiation() // negotiate again\n } else {\n this._debug('negotiated')\n this.emit('negotiated')\n }\n }\n\n this._debug('signalingStateChange %s', this._pc.signalingState)\n this.emit('signalingStateChange', this._pc.signalingState)\n }\n\n _onIceCandidate (event) {\n if (this.destroyed) return\n if (event.candidate && this.trickle) {\n this.emit('signal', {\n type: 'candidate',\n candidate: {\n candidate: event.candidate.candidate,\n sdpMLineIndex: event.candidate.sdpMLineIndex,\n sdpMid: event.candidate.sdpMid\n }\n })\n } else if (!event.candidate && !this._iceComplete) {\n this._iceComplete = true\n this.emit('_iceComplete')\n }\n // as soon as we've received one valid candidate start timeout\n if (event.candidate) {\n this._startIceCompleteTimeout()\n }\n }\n\n _onChannelMessage (event) {\n if (this.destroyed) return\n let data = event.data\n if (data instanceof ArrayBuffer) data = new Uint8Array(data)\n this.emit('data', data)\n }\n\n _onChannelBufferedAmountLow () {\n if (this.destroyed || !this._cb) return\n this._debug(\n 'ending backpressure: bufferedAmount %d',\n this._channel.bufferedAmount\n )\n const cb = this._cb\n this._cb = null\n cb(null)\n }\n\n _onChannelOpen () {\n if (this._connected || this.destroyed) return\n this._debug('on channel open')\n this._channelReady = true\n this._maybeReady()\n }\n\n _onChannelClose () {\n if (this.destroyed) return\n this._debug('on channel close')\n this.destroy()\n }\n\n _onTrack (event) {\n if (this.destroyed) return\n\n event.streams.forEach(eventStream => {\n this._debug('on track')\n this.emit('track', event.track, eventStream)\n\n this._remoteTracks.push({\n track: event.track,\n stream: eventStream\n })\n\n if (\n this._remoteStreams.some(remoteStream => {\n return remoteStream.id === eventStream.id\n })\n ) { return } // Only fire one 'stream' event, even though there may be multiple tracks per stream\n\n this._remoteStreams.push(eventStream)\n queueMicrotask(() => {\n this._debug('on stream')\n this.emit('stream', eventStream) // ensure all tracks have been added\n })\n })\n }\n\n _debug (...args) {\n if (!this._doDebug) return\n args[0] = '[' + this._id + '] ' + args[0]\n console.log(...args)\n }\n\n // event emitter\n on (key, listener) {\n const map = this._map\n if (!map.has(key)) map.set(key, new Set())\n map.get(key).add(listener)\n }\n\n off (key, listener) {\n const map = this._map\n const listeners = map.get(key)\n if (!listeners) return\n listeners.delete(listener)\n if (listeners.size === 0) map.delete(key)\n }\n\n once (key, listener) {\n const listener_ = (...args) => {\n this.off(key, listener_)\n listener(...args)\n }\n this.on(key, listener_)\n }\n\n emit (key, ...args) {\n const map = this._map\n if (!map.has(key)) return\n for (const listener of map.get(key)) {\n try {\n listener(...args)\n } catch (err) {\n console.error(err)\n }\n }\n }\n}\n\nPeer.WEBRTC_SUPPORT = !!getBrowserRTC()\n\n/**\n * Expose peer and data channel config for overriding all Peer\n * instances. Otherwise, just set opts.config or opts.channelConfig\n * when constructing a Peer.\n */\nPeer.config = {\n iceServers: [\n {\n urls: [\n 'stun:stun.l.google.com:19302',\n 'stun:global.stun.twilio.com:3478'\n ]\n }\n ],\n sdpSemantics: 'unified-plan'\n}\n\nPeer.channelConfig = {}\n\n// module.exports = Peer\nexport default Peer\n","import type { RRNode } from 'rrdom';\nimport type { Mirror } from 'rrweb-snapshot';\nimport SimplePeer from 'simple-peer-light';\nimport type { Replayer } from '../../../replay';\nimport type { ReplayPlugin } from '../../../types';\nimport type { WebRTCDataChannel } from '../types';\n\n// TODO: restrict callback to real nodes only, or make sure callback gets called when real node gets added to dom as well\n\nexport class RRWebPluginCanvasWebRTCReplay {\n private canvasFoundCallback: (\n node: Node | RRNode,\n context: { id: number; replayer: Replayer },\n ) => void;\n private signalSendCallback: (signal: RTCSessionDescriptionInit) => void;\n private mirror: Mirror;\n\n constructor({\n canvasFoundCallback,\n signalSendCallback,\n }: {\n canvasFoundCallback: RRWebPluginCanvasWebRTCReplay['canvasFoundCallback'];\n signalSendCallback: RRWebPluginCanvasWebRTCReplay['signalSendCallback'];\n }) {\n this.canvasFoundCallback = canvasFoundCallback;\n this.signalSendCallback = signalSendCallback;\n }\n\n public initPlugin(): ReplayPlugin {\n return {\n onBuild: (\n node: Node | RRNode,\n context: { id: number; replayer: Replayer },\n ) => {\n if (node.nodeName === 'CANVAS') {\n this.canvasFoundCallback(node, context);\n }\n },\n getMirror: (options) => {\n this.mirror = options.nodeMirror;\n },\n };\n }\n\n private startStream(\n target: HTMLCanvasElement | HTMLVideoElement,\n stream: MediaStream,\n ) {\n if (this.runningStreams.has(stream)) return;\n\n if (target.tagName === 'VIDEO') {\n const remoteVideo = target as HTMLVideoElement;\n remoteVideo.srcObject = stream;\n void remoteVideo.play();\n this.runningStreams.add(stream);\n return;\n }\n\n if ('MediaStreamTrackProcessor' in window) {\n const canvas = target as HTMLCanvasElement;\n const ctx = canvas.getContext('2d');\n if (!ctx)\n throw new Error(\n `startStream: Could not get 2d canvas context for ${canvas.outerHTML}`,\n );\n const track = stream.getVideoTracks()[0]; // MediaStream.getVideoTracks()[0]\n const processor = new MediaStreamTrackProcessor({ track: track });\n const reader = processor.readable.getReader();\n const readChunk = function () {\n void reader.read().then(({ done, value }) => {\n if (!value) return;\n // the MediaStream video can have dynamic size based on bandwidth available\n if (\n canvas.width !== value.displayWidth ||\n canvas.height !== value.displayHeight\n ) {\n canvas.width = value.displayWidth;\n canvas.height = value.displayHeight;\n }\n ctx.clearRect(0, 0, canvas.width, canvas.height);\n // value is a VideoFrame\n ctx.drawImage(value, 0, 0);\n value.close(); // close the VideoFrame when we're done with it\n if (!done) {\n readChunk();\n }\n });\n };\n readChunk();\n this.runningStreams.add(stream);\n } else {\n // Fallback for non-Chromium browsers.\n // Replaces the canvas element with a video element.\n\n const remoteVideo = document.createElement('video');\n remoteVideo.setAttribute('autoplay', 'true');\n remoteVideo.setAttribute('playsinline', 'true');\n\n // const { id } = mutation;\n remoteVideo.setAttribute('width', target.width.toString());\n remoteVideo.setAttribute('height', target.height.toString());\n target.replaceWith(remoteVideo);\n\n this.startStream(remoteVideo, stream);\n }\n }\n\n private peer: SimplePeer.Instance | null = null;\n private streamNodeMap = new Map();\n private streams = new Set();\n private runningStreams = new WeakSet();\n public signalReceive(msg: RTCSessionDescriptionInit) {\n if (!this.peer) {\n this.peer = new SimplePeer({\n initiator: false,\n // trickle: false,\n });\n\n this.peer.on('error', (err: Error) => {\n this.peer = null;\n console.log('error', err);\n });\n\n this.peer.on('close', () => {\n this.peer = null;\n console.log('closing');\n });\n\n this.peer.on('signal', (data: RTCSessionDescriptionInit) => {\n this.signalSendCallback(data);\n });\n\n this.peer.on('connect', () => {\n // connected!\n });\n\n this.peer.on('data', (data: SimplePeer.SimplePeerData) => {\n try {\n const json = JSON.parse(data as string) as WebRTCDataChannel;\n this.streamNodeMap.set(json.streamId, json.nodeId);\n } catch (error) {\n console.error('Could not parse data', error);\n }\n this.flushStreams();\n });\n\n this.peer.on('stream', (stream: MediaStream) => {\n this.streams.add(stream);\n this.flushStreams();\n });\n }\n this.peer.signal(msg);\n }\n\n private flushStreams() {\n this.streams.forEach((stream) => {\n const nodeId = this.streamNodeMap.get(stream.id);\n if (!nodeId) return;\n const target = this.mirror.getNode(nodeId) as\n | HTMLCanvasElement\n | HTMLVideoElement\n | null;\n // got remote video stream, now let's show it in a video or canvas element\n if (target) this.startStream(target, stream);\n });\n }\n}\n"],"names":["d"],"mappings":";;;EAAA;EACA,MAAM,mBAAmB,GAAG,EAAE,GAAG,KAAI;EACrC,MAAM,mBAAmB,GAAG,CAAC,GAAG,KAAI;EACpC,MAAM,uBAAuB,GAAG,CAAC,GAAG,KAAI;AACxC;EACA,SAAS,WAAW,EAAE,IAAI,EAAE;EAC5B,EAAE,MAAM,KAAK,GAAG,IAAI,UAAU,CAAC,IAAI,EAAC;EACpC,EAAE,KAAK,IAAI,CAAC,GAAG,CAAC,EAAE,CAAC,GAAG,IAAI,EAAE,CAAC,EAAE,EAAE;EACjC,IAAI,KAAK,CAAC,CAAC,CAAC,GAAG,CAAC,IAAI,CAAC,MAAM,EAAE,GAAG,GAAG,IAAI,EAAC;EACxC,GAAG;EACH,EAAE,OAAO,KAAK;EACd,CAAC;AACD;EACA,SAAS,aAAa,IAAI;EAC1B,EAAE,IAAI,OAAO,UAAU,KAAK,WAAW,EAAE,OAAO,IAAI;EACpD,EAAE,MAAM,IAAI,GAAG;EACf,IAAI,iBAAiB;EACrB,MAAM,UAAU,CAAC,iBAAiB;EAClC,MAAM,UAAU,CAAC,oBAAoB;EACrC,MAAM,UAAU,CAAC,uBAAuB;EACxC,IAAI,qBAAqB;EACzB,MAAM,UAAU,CAAC,qBAAqB;EACtC,MAAM,UAAU,CAAC,wBAAwB;EACzC,MAAM,UAAU,CAAC,2BAA2B;EAC5C,IAAI,eAAe;EACnB,MAAM,UAAU,CAAC,eAAe;EAChC,MAAM,UAAU,CAAC,kBAAkB;EACnC,MAAM,UAAU,CAAC,qBAAqB;EACtC,IAAG;EACH,EAAE,IAAI,CAAC,IAAI,CAAC,iBAAiB,EAAE,OAAO,IAAI;EAC1C,EAAE,OAAO,IAAI;EACb,CAAC;AACD;EACA,SAAS,OAAO,EAAE,GAAG,EAAE,IAAI,EAAE;EAC7B,EAAE,MAAM,CAAC,cAAc,CAAC,GAAG,EAAE,MAAM,EAAE;EACrC,IAAI,KAAK,EAAE,IAAI;EACf,IAAI,UAAU,EAAE,IAAI;EACpB,IAAI,YAAY,EAAE,IAAI;EACtB,GAAG,EAAC;EACJ,EAAE,OAAO,GAAG;EACZ,CAAC;AACD;EACA;EACA,SAAS,aAAa,EAAE,GAAG,EAAE;EAC7B,EAAE,OAAO,GAAG,CAAC,OAAO,CAAC,4BAA4B,EAAE,EAAE,CAAC;EACtD,CAAC;AACD;EACA,SAAS,IAAI,EAAE,OAAO,EAAE;EACxB,EAAE,OAAO,CAAC,IAAI,CAAC,OAAO,EAAC;EACvB,CAAC;AACD;EACA;EACA;EACA;EACA;EACA,MAAM,IAAI,CAAC;EACX,EAAE,WAAW,CAAC,CAAC,IAAI,GAAG,EAAE,EAAE;EAC1B,IAAI,IAAI,CAAC,IAAI,GAAG,IAAI,GAAG,GAAE;AACzB;EACA,IAAI,IAAI,CAAC,GAAG,GAAG,WAAW,CAAC,CAAC,CAAC,CAAC,QAAQ,CAAC,KAAK,CAAC,CAAC,KAAK,CAAC,CAAC,EAAE,CAAC,EAAC;EACzD,IAAI,IAAI,CAAC,QAAQ,GAAG,IAAI,CAAC,MAAK;EAC9B,IAAI,IAAI,CAAC,MAAM,CAAC,aAAa,EAAE,IAAI,EAAC;AACpC;EACA,IAAI,IAAI,CAAC,WAAW,GAAG,IAAI,CAAC,SAAS;EACrC,QAAQ,IAAI,CAAC,WAAW,IAAI,WAAW,CAAC,EAAE,CAAC,CAAC,QAAQ,CAAC,KAAK,CAAC;EAC3D,QAAQ,KAAI;AACZ;EACA,IAAI,IAAI,CAAC,SAAS,GAAG,IAAI,CAAC,SAAS,IAAI,MAAK;EAC5C,IAAI,IAAI,CAAC,aAAa,GAAG,IAAI,CAAC,aAAa,IAAI,IAAI,CAAC,cAAa;EACjE,IAAI,IAAI,CAAC,iBAAiB,GAAG,IAAI,CAAC,aAAa,CAAC,WAAU;EAC1D,IAAI,IAAI,CAAC,MAAM,GAAG,MAAM,CAAC,MAAM,CAAC,EAAE,EAAE,IAAI,CAAC,MAAM,EAAE,IAAI,CAAC,MAAM,EAAC;EAC7D,IAAI,IAAI,CAAC,YAAY,GAAG,IAAI,CAAC,YAAY,IAAI,GAAE;EAC/C,IAAI,IAAI,CAAC,aAAa,GAAG,IAAI,CAAC,aAAa,IAAI,GAAE;EACjD,IAAI,IAAI,CAAC,YAAY,GAAG,IAAI,CAAC,YAAY,KAAK,GAAG,IAAI,GAAG,EAAC;EACzD,IAAI,IAAI,CAAC,OAAO,GAAG,IAAI,CAAC,OAAO,KAAK,IAAI,CAAC,MAAM,GAAG,CAAC,IAAI,CAAC,MAAM,CAAC,GAAG,EAAE,EAAC;EACrE,IAAI,IAAI,CAAC,OAAO,GAAG,IAAI,CAAC,OAAO,KAAK,SAAS,GAAG,IAAI,CAAC,OAAO,GAAG,KAAI;EACnE,IAAI,IAAI,CAAC,gBAAgB;EACzB,MAAM,IAAI,CAAC,gBAAgB,KAAK,SAAS,GAAG,IAAI,CAAC,gBAAgB,GAAG,MAAK;EACzE,IAAI,IAAI,CAAC,kBAAkB,GAAG,IAAI,CAAC,kBAAkB,IAAI,oBAAmB;AAC5E;EACA,IAAI,IAAI,CAAC,SAAS,GAAG,MAAK;EAC1B,IAAI,IAAI,CAAC,UAAU,GAAG,MAAK;EAC3B,IAAI,IAAI,CAAC,UAAU,GAAG,MAAK;AAC3B;EACA,IAAI,IAAI,CAAC,aAAa,GAAG,UAAS;EAClC,IAAI,IAAI,CAAC,YAAY,GAAG,UAAS;EACjC,IAAI,IAAI,CAAC,UAAU,GAAG,UAAS;EAC/B,IAAI,IAAI,CAAC,YAAY,GAAG,UAAS;EACjC,IAAI,IAAI,CAAC,WAAW,GAAG,UAAS;EAChC,IAAI,IAAI,CAAC,SAAS,GAAG,UAAS;AAC9B;EACA,IAAI,IAAI,CAAC,KAAK;EACd,MAAM,IAAI,CAAC,IAAI,IAAI,OAAO,IAAI,CAAC,IAAI,KAAK,QAAQ,GAAG,IAAI,CAAC,IAAI,GAAG,aAAa,GAAE;AAC9E;EACA,IAAI,IAAI,CAAC,IAAI,CAAC,KAAK,EAAE;EACrB,MAAM,IAAI,OAAO,MAAM,KAAK,WAAW,EAAE;EACzC,QAAQ,MAAM,OAAO;EACrB,UAAU,IAAI,KAAK;EACnB,YAAY,mEAAmE;EAC/E,WAAW;EACX,UAAU,oBAAoB;EAC9B,SAAS;EACT,OAAO,MAAM;EACb,QAAQ,MAAM,OAAO;EACrB,UAAU,IAAI,KAAK,CAAC,4CAA4C,CAAC;EACjE,UAAU,oBAAoB;EAC9B,SAAS;EACT,OAAO;EACP,KAAK;AACL;EACA,IAAI,IAAI,CAAC,QAAQ,GAAG,MAAK;EACzB,IAAI,IAAI,CAAC,aAAa,GAAG,MAAK;EAC9B,IAAI,IAAI,CAAC,YAAY,GAAG,MAAK;EAC7B,IAAI,IAAI,CAAC,iBAAiB,GAAG,KAAI;EACjC,IAAI,IAAI,CAAC,QAAQ,GAAG,KAAI;EACxB,IAAI,IAAI,CAAC,kBAAkB,GAAG,GAAE;AAChC;EACA,IAAI,IAAI,CAAC,cAAc,GAAG,MAAK;EAC/B,IAAI,IAAI,CAAC,iBAAiB,GAAG,KAAI;EACjC,IAAI,IAAI,CAAC,mBAAmB,GAAG,MAAK;EACpC,IAAI,IAAI,CAAC,kBAAkB,GAAG,MAAK;EACnC,IAAI,IAAI,CAAC,sBAAsB,GAAG,GAAE;EACpC,IAAI,IAAI,CAAC,UAAU,GAAG,IAAI,GAAG,GAAE;EAC/B,IAAI,IAAI,CAAC,gBAAgB,GAAG,KAAI;AAChC;EACA,IAAI,IAAI,CAAC,aAAa,GAAG,GAAE;EAC3B,IAAI,IAAI,CAAC,cAAc,GAAG,GAAE;AAC5B;EACA,IAAI,IAAI,CAAC,MAAM,GAAG,KAAI;EACtB,IAAI,IAAI,CAAC,GAAG,GAAG,KAAI;EACnB,IAAI,IAAI,CAAC,SAAS,GAAG,KAAI;AACzB;EACA,IAAI,IAAI;EACR,MAAM,IAAI,CAAC,GAAG,GAAG,IAAI,IAAI,CAAC,KAAK,CAAC,iBAAiB,CAAC,IAAI,CAAC,MAAM,EAAC;EAC9D,KAAK,CAAC,OAAO,GAAG,EAAE;EAClB,MAAM,IAAI,CAAC,OAAO,CAAC,OAAO,CAAC,GAAG,EAAE,oBAAoB,CAAC,EAAC;EACtD,MAAM,MAAM;EACZ,KAAK;AACL;EACA;EACA;EACA,IAAI,IAAI,CAAC,oBAAoB,GAAG,OAAO,IAAI,CAAC,GAAG,CAAC,iBAAiB,KAAK,SAAQ;AAC9E;EACA,IAAI,IAAI,CAAC,GAAG,CAAC,0BAA0B,GAAG,MAAM;EAChD,MAAM,IAAI,CAAC,iBAAiB,GAAE;EAC9B,MAAK;EACL,IAAI,IAAI,CAAC,GAAG,CAAC,yBAAyB,GAAG,MAAM;EAC/C,MAAM,IAAI,CAAC,iBAAiB,GAAE;EAC9B,MAAK;EACL,IAAI,IAAI,CAAC,GAAG,CAAC,uBAAuB,GAAG,MAAM;EAC7C,MAAM,IAAI,CAAC,wBAAwB,GAAE;EACrC,MAAK;EACL,IAAI,IAAI,CAAC,GAAG,CAAC,sBAAsB,GAAG,MAAM;EAC5C,MAAM,IAAI,CAAC,uBAAuB,GAAE;EACpC,MAAK;EACL,IAAI,IAAI,CAAC,GAAG,CAAC,cAAc,GAAG,KAAK,IAAI;EACvC,MAAM,IAAI,CAAC,eAAe,CAAC,KAAK,EAAC;EACjC,MAAK;AACL;EACA;EACA,IAAI,IAAI,OAAO,IAAI,CAAC,GAAG,CAAC,YAAY,KAAK,QAAQ,EAAE;EACnD,MAAM,IAAI,CAAC,GAAG,CAAC,YAAY,CAAC,KAAK,CAAC,GAAG,IAAI;EACzC,QAAQ,IAAI,CAAC,OAAO,CAAC,OAAO,CAAC,GAAG,EAAE,sBAAsB,CAAC,EAAC;EAC1D,OAAO,EAAC;EACR,KAAK;AACL;EACA;EACA;EACA;EACA;EACA;AACA;EACA,IAAI,IAAI,IAAI,CAAC,SAAS,IAAI,IAAI,CAAC,iBAAiB,EAAE;EAClD,MAAM,IAAI,CAAC,UAAU,CAAC;EACtB,QAAQ,OAAO,EAAE,IAAI,CAAC,GAAG,CAAC,iBAAiB;EAC3C,UAAU,IAAI,CAAC,WAAW;EAC1B,UAAU,IAAI,CAAC,aAAa;EAC5B,SAAS;EACT,OAAO,EAAC;EACR,KAAK,MAAM;EACX,MAAM,IAAI,CAAC,GAAG,CAAC,aAAa,GAAG,KAAK,IAAI;EACxC,QAAQ,IAAI,CAAC,UAAU,CAAC,KAAK,EAAC;EAC9B,QAAO;EACP,KAAK;AACL;EACA,IAAI,IAAI,IAAI,CAAC,OAAO,EAAE;EACtB,MAAM,IAAI,CAAC,OAAO,CAAC,OAAO,CAAC,MAAM,IAAI;EACrC,QAAQ,IAAI,CAAC,SAAS,CAAC,MAAM,EAAC;EAC9B,OAAO,EAAC;EACR,KAAK;EACL,IAAI,IAAI,CAAC,GAAG,CAAC,OAAO,GAAG,KAAK,IAAI;EAChC,MAAM,IAAI,CAAC,QAAQ,CAAC,KAAK,EAAC;EAC1B,MAAK;AACL;EACA,IAAI,IAAI,CAAC,MAAM,CAAC,qBAAqB,EAAC;EACtC,IAAI,IAAI,CAAC,iBAAiB,GAAE;EAC5B,GAAG;AACH;EACA,EAAE,IAAI,UAAU,CAAC,GAAG;EACpB,IAAI,OAAO,CAAC,IAAI,CAAC,QAAQ,IAAI,IAAI,CAAC,QAAQ,CAAC,cAAc,KAAK,CAAC;EAC/D,GAAG;AACH;EACA;EACA;EACA,EAAE,IAAI,SAAS,CAAC,GAAG;EACnB,IAAI,OAAO,IAAI,CAAC,UAAU,IAAI,IAAI,CAAC,QAAQ,CAAC,UAAU,KAAK,MAAM;EACjE,GAAG;AACH;EACA,EAAE,OAAO,CAAC,GAAG;EACb,IAAI,OAAO;EACX,MAAM,IAAI,EAAE,IAAI,CAAC,SAAS;EAC1B,MAAM,MAAM,EAAE,IAAI,CAAC,WAAW;EAC9B,MAAM,OAAO,EAAE,IAAI,CAAC,YAAY;EAChC,KAAK;EACL,GAAG;AACH;EACA,EAAE,MAAM,CAAC,CAAC,IAAI,EAAE;EAChB,IAAI,IAAI,IAAI,CAAC,UAAU,EAAE,MAAM;EAC/B,IAAI,IAAI,IAAI,CAAC,SAAS,EAAE,MAAM,OAAO,CAAC,IAAI,KAAK,CAAC,uCAAuC,CAAC,EAAE,eAAe,CAAC;EAC1G,IAAI,IAAI,OAAO,IAAI,KAAK,QAAQ,EAAE;EAClC,MAAM,IAAI;EACV,QAAQ,IAAI,GAAG,IAAI,CAAC,KAAK,CAAC,IAAI,EAAC;EAC/B,OAAO,CAAC,OAAO,GAAG,EAAE;EACpB,QAAQ,IAAI,GAAG,GAAE;EACjB,OAAO;EACP,KAAK;EACL,IAAI,IAAI,CAAC,MAAM,CAAC,UAAU,EAAC;AAC3B;EACA,IAAI,IAAI,IAAI,CAAC,WAAW,IAAI,IAAI,CAAC,SAAS,EAAE;EAC5C,MAAM,IAAI,CAAC,MAAM,CAAC,4BAA4B,EAAC;EAC/C,MAAM,IAAI,CAAC,iBAAiB,GAAE;EAC9B,KAAK;EACL,IAAI,IAAI,IAAI,CAAC,kBAAkB,IAAI,IAAI,CAAC,SAAS,EAAE;EACnD,MAAM,IAAI,CAAC,MAAM,CAAC,6BAA6B,EAAC;EAChD,MAAM,IAAI,CAAC,cAAc;EACzB,QAAQ,IAAI,CAAC,kBAAkB,CAAC,IAAI;EACpC,QAAQ,IAAI,CAAC,kBAAkB,CAAC,IAAI;EACpC,QAAO;EACP,KAAK;EACL,IAAI,IAAI,IAAI,CAAC,SAAS,EAAE;EACxB,MAAM,IAAI,IAAI,CAAC,GAAG,CAAC,iBAAiB,IAAI,IAAI,CAAC,GAAG,CAAC,iBAAiB,CAAC,IAAI,EAAE;EACzE,QAAQ,IAAI,CAAC,gBAAgB,CAAC,IAAI,CAAC,SAAS,EAAC;EAC7C,OAAO,MAAM;EACb,QAAQ,IAAI,CAAC,kBAAkB,CAAC,IAAI,CAAC,IAAI,CAAC,SAAS,EAAC;EACpD,OAAO;EACP,KAAK;EACL,IAAI,IAAI,IAAI,CAAC,GAAG,EAAE;EAClB,MAAM,IAAI,CAAC,GAAG;EACd,SAAS,oBAAoB,CAAC,IAAI,IAAI,CAAC,KAAK,CAAC,qBAAqB,CAAC,IAAI,CAAC,CAAC;EACzE,SAAS,IAAI,CAAC,MAAM;EACpB,UAAU,IAAI,IAAI,CAAC,SAAS,EAAE,MAAM;AACpC;EACA,UAAU,IAAI,CAAC,kBAAkB,CAAC,OAAO,CAAC,SAAS,IAAI;EACvD,YAAY,IAAI,CAAC,gBAAgB,CAAC,SAAS,EAAC;EAC5C,WAAW,EAAC;EACZ,UAAU,IAAI,CAAC,kBAAkB,GAAG,GAAE;AACtC;EACA,UAAU,IAAI,IAAI,CAAC,GAAG,CAAC,iBAAiB,CAAC,IAAI,KAAK,OAAO,EAAE,IAAI,CAAC,aAAa,GAAE;EAC/E,SAAS,CAAC;EACV,SAAS,KAAK,CAAC,GAAG,IAAI;EACtB,UAAU,IAAI,CAAC,OAAO,CAAC,OAAO,CAAC,GAAG,EAAE,4BAA4B,CAAC,EAAC;EAClE,SAAS,EAAC;EACV,KAAK;EACL,IAAI;EACJ,MAAM,CAAC,IAAI,CAAC,GAAG;EACf,MAAM,CAAC,IAAI,CAAC,SAAS;EACrB,MAAM,CAAC,IAAI,CAAC,WAAW;EACvB,MAAM,CAAC,IAAI,CAAC,kBAAkB;EAC9B,MAAM;EACN,MAAM,IAAI,CAAC,OAAO;EAClB,QAAQ,OAAO;EACf,UAAU,IAAI,KAAK,CAAC,0CAA0C,CAAC;EAC/D,UAAU,eAAe;EACzB,SAAS;EACT,QAAO;EACP,KAAK;EACL,GAAG;AACH;EACA,EAAE,gBAAgB,CAAC,CAAC,SAAS,EAAE;EAC/B,IAAI,MAAM,eAAe,GAAG,IAAI,IAAI,CAAC,KAAK,CAAC,eAAe,CAAC,SAAS,EAAC;EACrE,IAAI,IAAI,CAAC,GAAG,CAAC,eAAe,CAAC,eAAe,CAAC,CAAC,KAAK,CAAC,GAAG,IAAI;EAC3D,MAAM;EACN,QAAQ,CAAC,eAAe,CAAC,OAAO;EAChC,QAAQ,eAAe,CAAC,OAAO,CAAC,QAAQ,CAAC,QAAQ,CAAC;EAClD,QAAQ;EACR,QAAQ,IAAI,CAAC,qCAAqC,EAAC;EACnD,OAAO,MAAM;EACb,QAAQ,IAAI,CAAC,OAAO,CAAC,OAAO,CAAC,GAAG,EAAE,uBAAuB,CAAC,EAAC;EAC3D,OAAO;EACP,KAAK,EAAC;EACN,GAAG;AACH;EACA;EACA;EACA;EACA;EACA,EAAE,IAAI,CAAC,CAAC,KAAK,EAAE;EACf,IAAI,IAAI,IAAI,CAAC,UAAU,EAAE,MAAM;EAC/B,IAAI,IAAI,IAAI,CAAC,SAAS,EAAE,MAAM,OAAO,CAAC,IAAI,KAAK,CAAC,qCAAqC,CAAC,EAAE,eAAe,CAAC;EACxG,IAAI,IAAI,CAAC,QAAQ,CAAC,IAAI,CAAC,KAAK,EAAC;EAC7B,GAAG;AACH;EACA;EACA;EACA;EACA;EACA;EACA,EAAE,cAAc,CAAC,CAAC,IAAI,EAAE,IAAI,EAAE;EAC9B,IAAI,IAAI,IAAI,CAAC,UAAU,EAAE,MAAM;EAC/B,IAAI,IAAI,IAAI,CAAC,SAAS,EAAE,MAAM,OAAO,CAAC,IAAI,KAAK,CAAC,+CAA+C,CAAC,EAAE,eAAe,CAAC;EAClH,IAAI,IAAI,CAAC,MAAM,CAAC,kBAAkB,EAAC;AACnC;EACA,IAAI,IAAI,IAAI,CAAC,SAAS,EAAE;EACxB,MAAM,IAAI;EACV,QAAQ,IAAI,CAAC,GAAG,CAAC,cAAc,CAAC,IAAI,EAAE,IAAI,EAAC;EAC3C,QAAQ,IAAI,CAAC,iBAAiB,GAAE;EAChC,OAAO,CAAC,OAAO,GAAG,EAAE;EACpB,QAAQ,IAAI,CAAC,OAAO,CAAC,OAAO,CAAC,GAAG,EAAE,qBAAqB,CAAC,EAAC;EACzD,OAAO;EACP,KAAK,MAAM;EACX,MAAM,IAAI,CAAC,IAAI,CAAC,QAAQ,EAAE;EAC1B;EACA,QAAQ,IAAI,EAAE,oBAAoB;EAClC,QAAQ,kBAAkB,EAAE,EAAE,IAAI,EAAE,IAAI,EAAE;EAC1C,OAAO,EAAC;EACR,KAAK;EACL,GAAG;AACH;EACA;EACA;EACA;EACA;EACA,EAAE,SAAS,CAAC,CAAC,MAAM,EAAE;EACrB,IAAI,IAAI,IAAI,CAAC,UAAU,EAAE,MAAM;EAC/B,IAAI,IAAI,IAAI,CAAC,SAAS,EAAE,MAAM,OAAO,CAAC,IAAI,KAAK,CAAC,0CAA0C,CAAC,EAAE,eAAe,CAAC;EAC7G,IAAI,IAAI,CAAC,MAAM,CAAC,aAAa,EAAC;AAC9B;EACA,IAAI,MAAM,CAAC,SAAS,EAAE,CAAC,OAAO,CAAC,KAAK,IAAI;EACxC,MAAM,IAAI,CAAC,QAAQ,CAAC,KAAK,EAAE,MAAM,EAAC;EAClC,KAAK,EAAC;EACN,GAAG;AACH;EACA;EACA;EACA;EACA;EACA;EACA,EAAE,QAAQ,CAAC,CAAC,KAAK,EAAE,MAAM,EAAE;EAC3B,IAAI,IAAI,IAAI,CAAC,UAAU,EAAE,MAAM;EAC/B,IAAI,IAAI,IAAI,CAAC,SAAS,EAAE,MAAM,OAAO,CAAC,IAAI,KAAK,CAAC,yCAAyC,CAAC,EAAE,eAAe,CAAC;EAC5G,IAAI,IAAI,CAAC,MAAM,CAAC,YAAY,EAAC;AAC7B;EACA,IAAI,MAAM,MAAM,GAAG,IAAI,CAAC,UAAU,CAAC,GAAG,CAAC,KAAK,CAAC,IAAI,IAAI,GAAG,GAAE;EAC1D,IAAI,IAAI,MAAM,GAAG,MAAM,CAAC,GAAG,CAAC,MAAM,EAAC;EACnC,IAAI,IAAI,CAAC,MAAM,EAAE;EACjB,MAAM,MAAM,GAAG,IAAI,CAAC,GAAG,CAAC,QAAQ,CAAC,KAAK,EAAE,MAAM,EAAC;EAC/C,MAAM,MAAM,CAAC,GAAG,CAAC,MAAM,EAAE,MAAM,EAAC;EAChC,MAAM,IAAI,CAAC,UAAU,CAAC,GAAG,CAAC,KAAK,EAAE,MAAM,EAAC;EACxC,MAAM,IAAI,CAAC,iBAAiB,GAAE;EAC9B,KAAK,MAAM,IAAI,MAAM,CAAC,OAAO,EAAE;EAC/B,MAAM,MAAM,OAAO;EACnB,QAAQ,IAAI,KAAK;EACjB,UAAU,mFAAmF;EAC7F,SAAS;EACT,QAAQ,oBAAoB;EAC5B,OAAO;EACP,KAAK,MAAM;EACX,MAAM,MAAM,OAAO;EACnB,QAAQ,IAAI,KAAK,CAAC,8CAA8C,CAAC;EACjE,QAAQ,0BAA0B;EAClC,OAAO;EACP,KAAK;EACL,GAAG;AACH;EACA;EACA;EACA;EACA;EACA;EACA;EACA,EAAE,YAAY,CAAC,CAAC,QAAQ,EAAE,QAAQ,EAAE,MAAM,EAAE;EAC5C,IAAI,IAAI,IAAI,CAAC,UAAU,EAAE,MAAM;EAC/B,IAAI,IAAI,IAAI,CAAC,SAAS,EAAE,MAAM,OAAO,CAAC,IAAI,KAAK,CAAC,6CAA6C,CAAC,EAAE,eAAe,CAAC;EAChH,IAAI,IAAI,CAAC,MAAM,CAAC,gBAAgB,EAAC;AACjC;EACA,IAAI,MAAM,MAAM,GAAG,IAAI,CAAC,UAAU,CAAC,GAAG,CAAC,QAAQ,EAAC;EAChD,IAAI,MAAM,MAAM,GAAG,MAAM,GAAG,MAAM,CAAC,GAAG,CAAC,MAAM,CAAC,GAAG,KAAI;EACrD,IAAI,IAAI,CAAC,MAAM,EAAE;EACjB,MAAM,MAAM,OAAO;EACnB,QAAQ,IAAI,KAAK,CAAC,4CAA4C,CAAC;EAC/D,QAAQ,qBAAqB;EAC7B,OAAO;EACP,KAAK;EACL,IAAI,IAAI,QAAQ,EAAE,IAAI,CAAC,UAAU,CAAC,GAAG,CAAC,QAAQ,EAAE,MAAM,EAAC;AACvD;EACA,IAAI,IAAI,MAAM,CAAC,YAAY,IAAI,IAAI,EAAE;EACrC,MAAM,MAAM,CAAC,YAAY,CAAC,QAAQ,EAAC;EACnC,KAAK,MAAM;EACX,MAAM,IAAI,CAAC,OAAO;EAClB,QAAQ,OAAO;EACf,UAAU,IAAI,KAAK,CAAC,+CAA+C,CAAC;EACpE,UAAU,8BAA8B;EACxC,SAAS;EACT,QAAO;EACP,KAAK;EACL,GAAG;AACH;EACA;EACA;EACA;EACA;EACA;EACA,EAAE,WAAW,CAAC,CAAC,KAAK,EAAE,MAAM,EAAE;EAC9B,IAAI,IAAI,IAAI,CAAC,UAAU,EAAE,MAAM;EAC/B,IAAI,IAAI,IAAI,CAAC,SAAS,EAAE,MAAM,OAAO,CAAC,IAAI,KAAK,CAAC,4CAA4C,CAAC,EAAE,eAAe,CAAC;EAC/G,IAAI,IAAI,CAAC,MAAM,CAAC,gBAAgB,EAAC;AACjC;EACA,IAAI,MAAM,MAAM,GAAG,IAAI,CAAC,UAAU,CAAC,GAAG,CAAC,KAAK,EAAC;EAC7C,IAAI,MAAM,MAAM,GAAG,MAAM,GAAG,MAAM,CAAC,GAAG,CAAC,MAAM,CAAC,GAAG,KAAI;EACrD,IAAI,IAAI,CAAC,MAAM,EAAE;EACjB,MAAM,MAAM,OAAO;EACnB,QAAQ,IAAI,KAAK,CAAC,2CAA2C,CAAC;EAC9D,QAAQ,qBAAqB;EAC7B,OAAO;EACP,KAAK;EACL,IAAI,IAAI;EACR,MAAM,MAAM,CAAC,OAAO,GAAG,KAAI;EAC3B,MAAM,IAAI,CAAC,GAAG,CAAC,WAAW,CAAC,MAAM,EAAC;EAClC,KAAK,CAAC,OAAO,GAAG,EAAE;EAClB,MAAM,IAAI,GAAG,CAAC,IAAI,KAAK,qBAAqB,EAAE;EAC9C,QAAQ,IAAI,CAAC,sBAAsB,CAAC,IAAI,CAAC,MAAM,EAAC;EAChD,OAAO,MAAM;EACb,QAAQ,IAAI,CAAC,OAAO,CAAC,OAAO,CAAC,GAAG,EAAE,kBAAkB,CAAC,EAAC;EACtD,OAAO;EACP,KAAK;EACL,IAAI,IAAI,CAAC,iBAAiB,GAAE;EAC5B,GAAG;AACH;EACA;EACA;EACA;EACA;EACA,EAAE,YAAY,CAAC,CAAC,MAAM,EAAE;EACxB,IAAI,IAAI,IAAI,CAAC,UAAU,EAAE,MAAM;EAC/B,IAAI,IAAI,IAAI,CAAC,SAAS,EAAE,MAAM,OAAO,CAAC,IAAI,KAAK,CAAC,6CAA6C,CAAC,EAAE,eAAe,CAAC;EAChH,IAAI,IAAI,CAAC,MAAM,CAAC,iBAAiB,EAAC;AAClC;EACA,IAAI,MAAM,CAAC,SAAS,EAAE,CAAC,OAAO,CAAC,KAAK,IAAI;EACxC,MAAM,IAAI,CAAC,WAAW,CAAC,KAAK,EAAE,MAAM,EAAC;EACrC,KAAK,EAAC;EACN,GAAG;AACH;EACA,EAAE,iBAAiB,CAAC,GAAG;EACvB,IAAI,IAAI,CAAC,MAAM,CAAC,mBAAmB,EAAC;EACpC,IAAI,IAAI,IAAI,CAAC,mBAAmB,EAAE,MAAM;EACxC,IAAI,IAAI,CAAC,mBAAmB,GAAG,KAAI;EACnC,IAAI,cAAc,CAAC,MAAM;EACzB,MAAM,IAAI,CAAC,mBAAmB,GAAG,MAAK;EACtC,MAAM,IAAI,IAAI,CAAC,SAAS,IAAI,CAAC,IAAI,CAAC,iBAAiB,EAAE;EACrD,QAAQ,IAAI,CAAC,MAAM,CAAC,8BAA8B,EAAC;EACnD,QAAQ,IAAI,CAAC,SAAS,GAAE;EACxB,OAAO,MAAM;EACb,QAAQ,IAAI,CAAC,MAAM,CAAC,qDAAqD,EAAC;EAC1E,OAAO;EACP,MAAM,IAAI,CAAC,iBAAiB,GAAG,MAAK;EACpC,KAAK,EAAC;EACN,GAAG;AACH;EACA,EAAE,SAAS,CAAC,GAAG;EACf,IAAI,IAAI,IAAI,CAAC,UAAU,EAAE,MAAM;EAC/B,IAAI,IAAI,IAAI,CAAC,SAAS,EAAE,MAAM,OAAO,CAAC,IAAI,KAAK,CAAC,0CAA0C,CAAC,EAAE,eAAe,CAAC;AAC7G;EACA,IAAI,IAAI,IAAI,CAAC,SAAS,EAAE;EACxB,MAAM,IAAI,IAAI,CAAC,cAAc,EAAE;EAC/B,QAAQ,IAAI,CAAC,kBAAkB,GAAG,KAAI;EACtC,QAAQ,IAAI,CAAC,MAAM,CAAC,+BAA+B,EAAC;EACpD,OAAO,MAAM;EACb,QAAQ,IAAI,CAAC,MAAM,CAAC,mBAAmB,EAAC;EACxC,QAAQ,UAAU,CAAC,MAAM;EACzB;EACA,UAAU,IAAI,CAAC,YAAY,GAAE;EAC7B,SAAS,EAAE,CAAC,EAAC;EACb,OAAO;EACP,KAAK,MAAM;EACX,MAAM,IAAI,IAAI,CAAC,cAAc,EAAE;EAC/B,QAAQ,IAAI,CAAC,kBAAkB,GAAG,KAAI;EACtC,QAAQ,IAAI,CAAC,MAAM,CAAC,+BAA+B,EAAC;EACpD,OAAO,MAAM;EACb,QAAQ,IAAI,CAAC,MAAM,CAAC,uCAAuC,EAAC;EAC5D,QAAQ,IAAI,CAAC,IAAI,CAAC,QAAQ,EAAE;EAC5B;EACA,UAAU,IAAI,EAAE,aAAa;EAC7B,UAAU,WAAW,EAAE,IAAI;EAC3B,SAAS,EAAC;EACV,OAAO;EACP,KAAK;EACL,IAAI,IAAI,CAAC,cAAc,GAAG,KAAI;EAC9B,GAAG;AACH;EACA,EAAE,OAAO,CAAC,CAAC,GAAG,EAAE;EAChB,IAAI,IAAI,IAAI,CAAC,SAAS,IAAI,IAAI,CAAC,UAAU,EAAE,MAAM;EACjD,IAAI,IAAI,CAAC,UAAU,GAAG,KAAI;AAC1B;EACA,IAAI,IAAI,CAAC,MAAM,CAAC,wBAAwB,EAAE,GAAG,KAAK,GAAG,CAAC,OAAO,IAAI,GAAG,CAAC,EAAC;AACtE;EACA,IAAI,cAAc,CAAC,MAAM;EACzB;EACA,MAAM,IAAI,CAAC,SAAS,GAAG,KAAI;EAC3B,MAAM,IAAI,CAAC,UAAU,GAAG,MAAK;AAC7B;EACA,MAAM,IAAI,CAAC,MAAM,CAAC,qBAAqB,EAAE,GAAG,KAAK,GAAG,CAAC,OAAO,IAAI,GAAG,CAAC,EAAC;AACrE;EACA,MAAM,IAAI,CAAC,UAAU,GAAG,MAAK;EAC7B,MAAM,IAAI,CAAC,QAAQ,GAAG,MAAK;EAC3B,MAAM,IAAI,CAAC,aAAa,GAAG,MAAK;EAChC,MAAM,IAAI,CAAC,aAAa,GAAG,KAAI;EAC/B,MAAM,IAAI,CAAC,cAAc,GAAG,KAAI;EAChC,MAAM,IAAI,CAAC,UAAU,GAAG,KAAI;AAC5B;EACA,MAAM,aAAa,CAAC,IAAI,CAAC,gBAAgB,EAAC;EAC1C,MAAM,IAAI,CAAC,gBAAgB,GAAG,KAAI;AAClC;EACA,MAAM,aAAa,CAAC,IAAI,CAAC,SAAS,EAAC;EACnC,MAAM,IAAI,CAAC,SAAS,GAAG,KAAI;EAC3B,MAAM,IAAI,CAAC,MAAM,GAAG,KAAI;EACxB,MAAM,IAAI,CAAC,GAAG,GAAG,KAAI;AACrB;EACA,MAAM,IAAI,IAAI,CAAC,QAAQ,EAAE;EACzB,QAAQ,IAAI;EACZ,UAAU,IAAI,CAAC,QAAQ,CAAC,KAAK,GAAE;EAC/B,SAAS,CAAC,OAAO,GAAG,EAAE,EAAE;AACxB;EACA;EACA,QAAQ,IAAI,CAAC,QAAQ,CAAC,SAAS,GAAG,KAAI;EACtC,QAAQ,IAAI,CAAC,QAAQ,CAAC,MAAM,GAAG,KAAI;EACnC,QAAQ,IAAI,CAAC,QAAQ,CAAC,OAAO,GAAG,KAAI;EACpC,QAAQ,IAAI,CAAC,QAAQ,CAAC,OAAO,GAAG,KAAI;EACpC,OAAO;EACP,MAAM,IAAI,IAAI,CAAC,GAAG,EAAE;EACpB,QAAQ,IAAI;EACZ,UAAU,IAAI,CAAC,GAAG,CAAC,KAAK,GAAE;EAC1B,SAAS,CAAC,OAAO,GAAG,EAAE,EAAE;AACxB;EACA;EACA,QAAQ,IAAI,CAAC,GAAG,CAAC,0BAA0B,GAAG,KAAI;EAClD,QAAQ,IAAI,CAAC,GAAG,CAAC,yBAAyB,GAAG,KAAI;EACjD,QAAQ,IAAI,CAAC,GAAG,CAAC,sBAAsB,GAAG,KAAI;EAC9C,QAAQ,IAAI,CAAC,GAAG,CAAC,cAAc,GAAG,KAAI;EACtC,QAAQ,IAAI,CAAC,GAAG,CAAC,OAAO,GAAG,KAAI;EAC/B,QAAQ,IAAI,CAAC,GAAG,CAAC,aAAa,GAAG,KAAI;EACrC,OAAO;EACP,MAAM,IAAI,CAAC,GAAG,GAAG,KAAI;EACrB,MAAM,IAAI,CAAC,QAAQ,GAAG,KAAI;AAC1B;EACA,MAAM,IAAI,GAAG,EAAE,IAAI,CAAC,IAAI,CAAC,OAAO,EAAE,GAAG,EAAC;EACtC,MAAM,IAAI,CAAC,IAAI,CAAC,OAAO,EAAC;EACxB,KAAK,EAAC;EACN,GAAG;AACH;EACA,EAAE,UAAU,CAAC,CAAC,KAAK,EAAE;EACrB,IAAI,IAAI,CAAC,KAAK,CAAC,OAAO,EAAE;EACxB;EACA;EACA;EACA,MAAM,OAAO,IAAI,CAAC,OAAO;EACzB,QAAQ,OAAO;EACf,UAAU,IAAI,KAAK,CAAC,kDAAkD,CAAC;EACvE,UAAU,kBAAkB;EAC5B,SAAS;EACT,OAAO;EACP,KAAK;AACL;EACA,IAAI,IAAI,CAAC,QAAQ,GAAG,KAAK,CAAC,QAAO;EACjC,IAAI,IAAI,CAAC,QAAQ,CAAC,UAAU,GAAG,cAAa;AAC5C;EACA,IAAI,IAAI,OAAO,IAAI,CAAC,QAAQ,CAAC,0BAA0B,KAAK,QAAQ,EAAE;EACtE,MAAM,IAAI,CAAC,QAAQ,CAAC,0BAA0B,GAAG,oBAAmB;EACpE,KAAK;AACL;EACA,IAAI,IAAI,CAAC,WAAW,GAAG,IAAI,CAAC,QAAQ,CAAC,MAAK;AAC1C;EACA,IAAI,IAAI,CAAC,QAAQ,CAAC,SAAS,GAAG,KAAK,IAAI;EACvC,MAAM,IAAI,CAAC,iBAAiB,CAAC,KAAK,EAAC;EACnC,MAAK;EACL,IAAI,IAAI,CAAC,QAAQ,CAAC,mBAAmB,GAAG,MAAM;EAC9C,MAAM,IAAI,CAAC,2BAA2B,GAAE;EACxC,MAAK;EACL,IAAI,IAAI,CAAC,QAAQ,CAAC,MAAM,GAAG,MAAM;EACjC,MAAM,IAAI,CAAC,cAAc,GAAE;EAC3B,MAAK;EACL,IAAI,IAAI,CAAC,QAAQ,CAAC,OAAO,GAAG,MAAM;EAClC,MAAM,IAAI,CAAC,eAAe,GAAE;EAC5B,MAAK;EACL,IAAI,IAAI,CAAC,QAAQ,CAAC,OAAO,GAAG,GAAG,IAAI;EACnC,MAAM,IAAI,CAAC,OAAO,CAAC,OAAO,CAAC,GAAG,EAAE,kBAAkB,CAAC,EAAC;EACpD,MAAK;AACL;EACA;EACA;EACA,IAAI,IAAI,SAAS,GAAG,MAAK;EACzB,IAAI,IAAI,CAAC,gBAAgB,GAAG,WAAW,CAAC,MAAM;EAC9C;EACA,MAAM,IAAI,IAAI,CAAC,QAAQ,IAAI,IAAI,CAAC,QAAQ,CAAC,UAAU,KAAK,SAAS,EAAE;EACnE,QAAQ,IAAI,SAAS,EAAE,IAAI,CAAC,eAAe,GAAE;EAC7C,QAAQ,SAAS,GAAG,KAAI;EACxB,OAAO,MAAM;EACb,QAAQ,SAAS,GAAG,MAAK;EACzB,OAAO;EACP,KAAK,EAAE,uBAAuB,EAAC;EAC/B,GAAG;AACH;EACA,EAAE,wBAAwB,CAAC,GAAG;EAC9B,IAAI,IAAI,IAAI,CAAC,SAAS,EAAE,MAAM;EAC9B,IAAI,IAAI,IAAI,CAAC,iBAAiB,EAAE,MAAM;EACtC,IAAI,IAAI,CAAC,MAAM,CAAC,6BAA6B,EAAC;EAC9C,IAAI,IAAI,CAAC,iBAAiB,GAAG,UAAU,CAAC,MAAM;EAC9C,MAAM,IAAI,CAAC,IAAI,CAAC,YAAY,EAAE;EAC9B,QAAQ,IAAI,CAAC,YAAY,GAAG,KAAI;EAChC,QAAQ,IAAI,CAAC,MAAM,CAAC,+BAA+B,EAAC;EACpD,QAAQ,IAAI,CAAC,IAAI,CAAC,YAAY,EAAC;EAC/B,QAAQ,IAAI,CAAC,IAAI,CAAC,cAAc,EAAC;EACjC,OAAO;EACP,KAAK,EAAE,IAAI,CAAC,kBAAkB,EAAC;EAC/B,GAAG;AACH;EACA,EAAE,YAAY,CAAC,GAAG;EAClB,IAAI,IAAI,IAAI,CAAC,SAAS,EAAE,MAAM;AAC9B;EACA,IAAI,IAAI,CAAC,GAAG;EACZ,OAAO,WAAW,CAAC,IAAI,CAAC,YAAY,CAAC;EACrC,OAAO,IAAI,CAAC,KAAK,IAAI;EACrB,QAAQ,IAAI,IAAI,CAAC,SAAS,EAAE,MAAM;EAClC,QAAQ,IAAI,CAAC,IAAI,CAAC,OAAO,IAAI,CAAC,IAAI,CAAC,gBAAgB,EAAE,EAAE,KAAK,CAAC,GAAG,GAAG,aAAa,CAAC,KAAK,CAAC,GAAG,EAAC,EAAE;EAC7F,QAAQ,KAAK,CAAC,GAAG,GAAG,IAAI,CAAC,YAAY,CAAC,KAAK,CAAC,GAAG,EAAC;AAChD;EACA,QAAQ,MAAM,SAAS,GAAG,MAAM;EAChC,UAAU,IAAI,IAAI,CAAC,SAAS,EAAE,MAAM;EACpC,UAAU,MAAM,MAAM,GAAG,IAAI,CAAC,GAAG,CAAC,gBAAgB,IAAI,MAAK;EAC3D,UAAU,IAAI,CAAC,MAAM,CAAC,QAAQ,EAAC;EAC/B,UAAU,IAAI,CAAC,IAAI,CAAC,QAAQ,EAAE;EAC9B,YAAY,IAAI,EAAE,MAAM,CAAC,IAAI;EAC7B,YAAY,GAAG,EAAE,MAAM,CAAC,GAAG;EAC3B,WAAW,EAAC;EACZ,UAAS;AACT;EACA,QAAQ,MAAM,SAAS,GAAG,MAAM;EAChC,UAAU,IAAI,CAAC,MAAM,CAAC,qBAAqB,EAAC;EAC5C,UAAU,IAAI,IAAI,CAAC,SAAS,EAAE,MAAM;EACpC,UAAU,IAAI,IAAI,CAAC,OAAO,IAAI,IAAI,CAAC,YAAY,EAAE,SAAS,GAAE;EAC5D,eAAe,IAAI,CAAC,IAAI,CAAC,cAAc,EAAE,SAAS,EAAC;EACnD,UAAS;AACT;EACA,QAAQ,MAAM,OAAO,GAAG,GAAG,IAAI;EAC/B,UAAU,IAAI,CAAC,OAAO,CAAC,OAAO,CAAC,GAAG,EAAE,2BAA2B,CAAC,EAAC;EACjE,UAAS;AACT;EACA,QAAQ,IAAI,CAAC,GAAG,CAAC,mBAAmB,CAAC,KAAK,CAAC,CAAC,IAAI,CAAC,SAAS,CAAC,CAAC,KAAK,CAAC,OAAO,EAAC;EAC1E,OAAO,CAAC;EACR,OAAO,KAAK,CAAC,GAAG,IAAI;EACpB,QAAQ,IAAI,CAAC,OAAO,CAAC,OAAO,CAAC,GAAG,EAAE,kBAAkB,CAAC,EAAC;EACtD,OAAO,EAAC;EACR,GAAG;AACH;EACA,EAAE,2BAA2B,CAAC,GAAG;EACjC,IAAI,IAAI,IAAI,CAAC,GAAG,CAAC,eAAe,EAAE;EAClC,MAAM,IAAI,CAAC,GAAG,CAAC,eAAe,EAAE,CAAC,OAAO,CAAC,WAAW,IAAI;EACxD,QAAQ;EACR,UAAU,CAAC,WAAW,CAAC,GAAG;EAC1B,UAAU,WAAW,CAAC,MAAM,CAAC,KAAK;EAClC,UAAU,CAAC,WAAW,CAAC,SAAS;EAChC,UAAU;EACV,UAAU,WAAW,CAAC,SAAS,GAAG,KAAI;EACtC,UAAU,IAAI,CAAC,cAAc,CAAC,WAAW,CAAC,MAAM,CAAC,KAAK,CAAC,IAAI,EAAC;EAC5D,SAAS;EACT,OAAO,EAAC;EACR,KAAK;EACL,GAAG;AACH;EACA,EAAE,aAAa,CAAC,GAAG;EACnB,IAAI,IAAI,IAAI,CAAC,SAAS,EAAE,MAAM;AAC9B;EACA,IAAI,IAAI,CAAC,GAAG;EACZ,OAAO,YAAY,CAAC,IAAI,CAAC,aAAa,CAAC;EACvC,OAAO,IAAI,CAAC,MAAM,IAAI;EACtB,QAAQ,IAAI,IAAI,CAAC,SAAS,EAAE,MAAM;EAClC,QAAQ,IAAI,CAAC,IAAI,CAAC,OAAO,IAAI,CAAC,IAAI,CAAC,gBAAgB,EAAE,EAAE,MAAM,CAAC,GAAG,GAAG,aAAa,CAAC,MAAM,CAAC,GAAG,EAAC,EAAE;EAC/F,QAAQ,MAAM,CAAC,GAAG,GAAG,IAAI,CAAC,YAAY,CAAC,MAAM,CAAC,GAAG,EAAC;AAClD;EACA,QAAQ,MAAM,UAAU,GAAG,MAAM;EACjC,UAAU,IAAI,IAAI,CAAC,SAAS,EAAE,MAAM;EACpC,UAAU,MAAM,MAAM,GAAG,IAAI,CAAC,GAAG,CAAC,gBAAgB,IAAI,OAAM;EAC5D,UAAU,IAAI,CAAC,MAAM,CAAC,QAAQ,EAAC;EAC/B,UAAU,IAAI,CAAC,IAAI,CAAC,QAAQ,EAAE;EAC9B,YAAY,IAAI,EAAE,MAAM,CAAC,IAAI;EAC7B,YAAY,GAAG,EAAE,MAAM,CAAC,GAAG;EAC3B,WAAW,EAAC;EACZ,UAAU,IAAI,CAAC,IAAI,CAAC,SAAS,EAAE,IAAI,CAAC,2BAA2B,GAAE;EACjE,UAAS;AACT;EACA,QAAQ,MAAM,SAAS,GAAG,MAAM;EAChC,UAAU,IAAI,IAAI,CAAC,SAAS,EAAE,MAAM;EACpC,UAAU,IAAI,IAAI,CAAC,OAAO,IAAI,IAAI,CAAC,YAAY,EAAE,UAAU,GAAE;EAC7D,eAAe,IAAI,CAAC,IAAI,CAAC,cAAc,EAAE,UAAU,EAAC;EACpD,UAAS;AACT;EACA,QAAQ,MAAM,OAAO,GAAG,GAAG,IAAI;EAC/B,UAAU,IAAI,CAAC,OAAO,CAAC,OAAO,CAAC,GAAG,EAAE,2BAA2B,CAAC,EAAC;EACjE,UAAS;AACT;EACA,QAAQ,IAAI,CAAC,GAAG,CAAC,mBAAmB,CAAC,MAAM,CAAC,CAAC,IAAI,CAAC,SAAS,CAAC,CAAC,KAAK,CAAC,OAAO,EAAC;EAC3E,OAAO,CAAC;EACR,OAAO,KAAK,CAAC,GAAG,IAAI;EACpB,QAAQ,IAAI,CAAC,OAAO,CAAC,OAAO,CAAC,GAAG,EAAE,mBAAmB,CAAC,EAAC;EACvD,OAAO,EAAC;EACR,GAAG;AACH;EACA,EAAE,wBAAwB,CAAC,GAAG;EAC9B,IAAI,IAAI,IAAI,CAAC,SAAS,EAAE,MAAM;EAC9B,IAAI,IAAI,IAAI,CAAC,GAAG,CAAC,eAAe,KAAK,QAAQ,EAAE;EAC/C,MAAM,IAAI,CAAC,OAAO;EAClB,QAAQ,OAAO,CAAC,IAAI,KAAK,CAAC,oBAAoB,CAAC,EAAE,wBAAwB,CAAC;EAC1E,QAAO;EACP,KAAK;EACL,GAAG;AACH;EACA,EAAE,iBAAiB,CAAC,GAAG;EACvB,IAAI,IAAI,IAAI,CAAC,SAAS,EAAE,MAAM;EAC9B,IAAI,MAAM,kBAAkB,GAAG,IAAI,CAAC,GAAG,CAAC,mBAAkB;EAC1D,IAAI,MAAM,iBAAiB,GAAG,IAAI,CAAC,GAAG,CAAC,kBAAiB;AACxD;EACA,IAAI,IAAI,CAAC,MAAM;EACf,MAAM,iDAAiD;EACvD,MAAM,kBAAkB;EACxB,MAAM,iBAAiB;EACvB,MAAK;EACL,IAAI,IAAI,CAAC,IAAI,CAAC,gBAAgB,EAAE,kBAAkB,EAAE,iBAAiB,EAAC;AACtE;EACA,IAAI;EACJ,MAAM,kBAAkB,KAAK,WAAW;EACxC,MAAM,kBAAkB,KAAK,WAAW;EACxC,MAAM;EACN,MAAM,IAAI,CAAC,QAAQ,GAAG,KAAI;EAC1B,MAAM,IAAI,CAAC,WAAW,GAAE;EACxB,KAAK;EACL,IAAI,IAAI,kBAAkB,KAAK,QAAQ,EAAE;EACzC,MAAM,IAAI,CAAC,OAAO;EAClB,QAAQ,OAAO;EACf,UAAU,IAAI,KAAK,CAAC,wBAAwB,CAAC;EAC7C,UAAU,4BAA4B;EACtC,SAAS;EACT,QAAO;EACP,KAAK;EACL,IAAI,IAAI,kBAAkB,KAAK,QAAQ,EAAE;EACzC,MAAM,IAAI,CAAC,OAAO;EAClB,QAAQ,OAAO;EACf,UAAU,IAAI,KAAK,CAAC,wBAAwB,CAAC;EAC7C,UAAU,2BAA2B;EACrC,SAAS;EACT,QAAO;EACP,KAAK;EACL,GAAG;AACH;EACA,EAAE,QAAQ,CAAC,CAAC,EAAE,EAAE;EAChB;EACA,IAAI,MAAM,aAAa,GAAG,MAAM,IAAI;EACpC,MAAM,IAAI,MAAM,CAAC,SAAS,CAAC,QAAQ,CAAC,IAAI,CAAC,MAAM,CAAC,MAAM,CAAC,KAAK,gBAAgB,EAAE;EAC9E,QAAQ,MAAM,CAAC,MAAM,CAAC,OAAO,CAAC,KAAK,IAAI;EACvC,UAAU,MAAM,CAAC,MAAM,CAAC,MAAM,EAAE,KAAK,EAAC;EACtC,SAAS,EAAC;EACV,OAAO;EACP,MAAM,OAAO,MAAM;EACnB,MAAK;AACL;EACA;EACA,IAAI,IAAI,IAAI,CAAC,GAAG,CAAC,QAAQ,CAAC,MAAM,KAAK,CAAC,IAAI,IAAI,CAAC,oBAAoB,EAAE;EACrE,MAAM,IAAI,CAAC,GAAG,CAAC,QAAQ,EAAE,CAAC,IAAI;EAC9B,QAAQ,GAAG,IAAI;EACf,UAAU,MAAM,OAAO,GAAG,GAAE;EAC5B,UAAU,GAAG,CAAC,OAAO,CAAC,MAAM,IAAI;EAChC,YAAY,OAAO,CAAC,IAAI,CAAC,aAAa,CAAC,MAAM,CAAC,EAAC;EAC/C,WAAW,EAAC;EACZ,UAAU,EAAE,CAAC,IAAI,EAAE,OAAO,EAAC;EAC3B,SAAS;EACT,QAAQ,GAAG,IAAI,EAAE,CAAC,GAAG,CAAC;EACtB,QAAO;AACP;EACA;EACA,KAAK,MAAM,IAAI,IAAI,CAAC,GAAG,CAAC,QAAQ,CAAC,MAAM,GAAG,CAAC,EAAE;EAC7C,MAAM,IAAI,CAAC,GAAG,CAAC,QAAQ;EACvB,QAAQ,GAAG,IAAI;EACf;EACA,UAAU,IAAI,IAAI,CAAC,SAAS,EAAE,MAAM;AACpC;EACA,UAAU,MAAM,OAAO,GAAG,GAAE;EAC5B,UAAU,GAAG,CAAC,MAAM,EAAE,CAAC,OAAO,CAAC,MAAM,IAAI;EACzC,YAAY,MAAM,MAAM,GAAG,GAAE;EAC7B,YAAY,MAAM,CAAC,KAAK,EAAE,CAAC,OAAO,CAAC,IAAI,IAAI;EAC3C,cAAc,MAAM,CAAC,IAAI,CAAC,GAAG,MAAM,CAAC,IAAI,CAAC,IAAI,EAAC;EAC9C,aAAa,EAAC;EACd,YAAY,MAAM,CAAC,EAAE,GAAG,MAAM,CAAC,GAAE;EACjC,YAAY,MAAM,CAAC,IAAI,GAAG,MAAM,CAAC,KAAI;EACrC,YAAY,MAAM,CAAC,SAAS,GAAG,MAAM,CAAC,UAAS;EAC/C,YAAY,OAAO,CAAC,IAAI,CAAC,aAAa,CAAC,MAAM,CAAC,EAAC;EAC/C,WAAW,EAAC;EACZ,UAAU,EAAE,CAAC,IAAI,EAAE,OAAO,EAAC;EAC3B,SAAS;EACT,QAAQ,GAAG,IAAI,EAAE,CAAC,GAAG,CAAC;EACtB,QAAO;AACP;EACA;EACA;EACA,KAAK,MAAM;EACX,MAAM,EAAE,CAAC,IAAI,EAAE,EAAE,EAAC;EAClB,KAAK;EACL,GAAG;AACH;EACA,EAAE,WAAW,CAAC,GAAG;EACjB,IAAI,IAAI,CAAC,MAAM;EACf,MAAM,6BAA6B;EACnC,MAAM,IAAI,CAAC,QAAQ;EACnB,MAAM,IAAI,CAAC,aAAa;EACxB,MAAK;EACL,IAAI;EACJ,MAAM,IAAI,CAAC,UAAU;EACrB,MAAM,IAAI,CAAC,WAAW;EACtB,MAAM,CAAC,IAAI,CAAC,QAAQ;EACpB,MAAM,CAAC,IAAI,CAAC,aAAa;EACzB,MAAM,EAAE,MAAM,EAAE;AAChB;EACA,IAAI,IAAI,CAAC,WAAW,GAAG,KAAI;AAC3B;EACA;EACA,IAAI,MAAM,iBAAiB,GAAG,MAAM;EACpC,MAAM,IAAI,IAAI,CAAC,SAAS,EAAE,MAAM;AAChC;EACA,MAAM,IAAI,CAAC,QAAQ,CAAC,CAAC,GAAG,EAAE,KAAK,KAAK;EACpC,QAAQ,IAAI,IAAI,CAAC,SAAS,EAAE,MAAM;AAClC;EACA;EACA,QAAQ,IAAI,GAAG,EAAE,KAAK,GAAG,GAAE;AAC3B;EACA,QAAQ,MAAM,gBAAgB,GAAG,GAAE;EACnC,QAAQ,MAAM,eAAe,GAAG,GAAE;EAClC,QAAQ,MAAM,cAAc,GAAG,GAAE;EACjC,QAAQ,IAAI,0BAA0B,GAAG,MAAK;AAC9C;EACA,QAAQ,KAAK,CAAC,OAAO,CAAC,IAAI,IAAI;EAC9B;EACA;EACA,UAAU;EACV,YAAY,IAAI,CAAC,IAAI,KAAK,iBAAiB;EAC3C,YAAY,IAAI,CAAC,IAAI,KAAK,kBAAkB;EAC5C,YAAY;EACZ,YAAY,gBAAgB,CAAC,IAAI,CAAC,EAAE,CAAC,GAAG,KAAI;EAC5C,WAAW;EACX,UAAU;EACV,YAAY,IAAI,CAAC,IAAI,KAAK,gBAAgB;EAC1C,YAAY,IAAI,CAAC,IAAI,KAAK,iBAAiB;EAC3C,YAAY;EACZ,YAAY,eAAe,CAAC,IAAI,CAAC,EAAE,CAAC,GAAG,KAAI;EAC3C,WAAW;EACX,UAAU,IAAI,IAAI,CAAC,IAAI,KAAK,eAAe,IAAI,IAAI,CAAC,IAAI,KAAK,gBAAgB,EAAE;EAC/E,YAAY,cAAc,CAAC,IAAI,CAAC,EAAE,CAAC,GAAG,KAAI;EAC1C,WAAW;EACX,SAAS,EAAC;AACV;EACA,QAAQ,MAAM,wBAAwB,GAAG,qBAAqB,IAAI;EAClE,UAAU,0BAA0B,GAAG,KAAI;AAC3C;EACA,UAAU,IAAI,KAAK,GAAG,eAAe,CAAC,qBAAqB,CAAC,gBAAgB,EAAC;AAC7E;EACA,UAAU,IAAI,KAAK,KAAK,KAAK,CAAC,EAAE,IAAI,KAAK,CAAC,OAAO,CAAC,EAAE;EACpD;EACA,YAAY,IAAI,CAAC,YAAY,GAAG,KAAK,CAAC,EAAE,IAAI,KAAK,CAAC,QAAO;EACzD,YAAY,IAAI,CAAC,SAAS,GAAG,MAAM,CAAC,KAAK,CAAC,IAAI,EAAC;EAC/C,WAAW,MAAM,IAAI,KAAK,IAAI,KAAK,CAAC,SAAS,EAAE;EAC/C;EACA,YAAY,IAAI,CAAC,YAAY,GAAG,KAAK,CAAC,UAAS;EAC/C,YAAY,IAAI,CAAC,SAAS,GAAG,MAAM,CAAC,KAAK,CAAC,UAAU,EAAC;EACrD,WAAW,MAAM;EACjB,YAAY,OAAO,qBAAqB,CAAC,gBAAgB,KAAK,QAAQ;EACtE,YAAY;EACZ;EACA,YAAY,KAAK,GAAG,qBAAqB,CAAC,gBAAgB,CAAC,KAAK,CAAC,GAAG,EAAC;EACrE,YAAY,IAAI,CAAC,YAAY,GAAG,KAAK,CAAC,CAAC,EAAC;EACxC,YAAY,IAAI,CAAC,SAAS,GAAG,MAAM,CAAC,KAAK,CAAC,CAAC,CAAC,EAAC;EAC7C,WAAW;EACX,UAAU,IAAI,IAAI,CAAC,YAAY,EAAE;EACjC,YAAY,IAAI,CAAC,WAAW,GAAG,IAAI,CAAC,YAAY,CAAC,QAAQ,CAAC,GAAG,CAAC;EAC9D,gBAAgB,MAAM;EACtB,gBAAgB,OAAM;EACtB,WAAW;AACX;EACA,UAAU,IAAI,MAAM;EACpB,YAAY,gBAAgB,CAAC,qBAAqB,CAAC,iBAAiB,EAAC;AACrE;EACA,UAAU,IAAI,MAAM,KAAK,MAAM,CAAC,EAAE,IAAI,MAAM,CAAC,OAAO,CAAC,EAAE;EACvD;EACA,YAAY,IAAI,CAAC,aAAa,GAAG,MAAM,CAAC,EAAE,IAAI,MAAM,CAAC,QAAO;EAC5D,YAAY,IAAI,CAAC,UAAU,GAAG,MAAM,CAAC,MAAM,CAAC,IAAI,EAAC;EACjD,WAAW,MAAM,IAAI,MAAM,IAAI,MAAM,CAAC,SAAS,EAAE;EACjD;EACA,YAAY,IAAI,CAAC,aAAa,GAAG,MAAM,CAAC,UAAS;EACjD,YAAY,IAAI,CAAC,UAAU,GAAG,MAAM,CAAC,MAAM,CAAC,UAAU,EAAC;EACvD,WAAW,MAAM;EACjB,YAAY,OAAO,qBAAqB,CAAC,iBAAiB,KAAK,QAAQ;EACvE,YAAY;EACZ;EACA,YAAY,MAAM,GAAG,qBAAqB,CAAC,iBAAiB,CAAC,KAAK,CAAC,GAAG,EAAC;EACvE,YAAY,IAAI,CAAC,aAAa,GAAG,MAAM,CAAC,CAAC,EAAC;EAC1C,YAAY,IAAI,CAAC,UAAU,GAAG,MAAM,CAAC,MAAM,CAAC,CAAC,CAAC,EAAC;EAC/C,WAAW;EACX,UAAU,IAAI,IAAI,CAAC,aAAa,EAAE;EAClC,YAAY,IAAI,CAAC,YAAY,GAAG,IAAI,CAAC,aAAa,CAAC,QAAQ,CAAC,GAAG,CAAC;EAChE,gBAAgB,MAAM;EACtB,gBAAgB,OAAM;EACtB,WAAW;AACX;EACA,UAAU,IAAI,CAAC,MAAM;EACrB,YAAY,oCAAoC;EAChD,YAAY,IAAI,CAAC,YAAY;EAC7B,YAAY,IAAI,CAAC,SAAS;EAC1B,YAAY,IAAI,CAAC,aAAa;EAC9B,YAAY,IAAI,CAAC,UAAU;EAC3B,YAAW;EACX,UAAS;AACT;EACA,QAAQ,KAAK,CAAC,OAAO,CAAC,IAAI,IAAI;EAC9B;EACA,UAAU,IAAI,IAAI,CAAC,IAAI,KAAK,WAAW,IAAI,IAAI,CAAC,uBAAuB,EAAE;EACzE,YAAY,wBAAwB;EACpC,cAAc,cAAc,CAAC,IAAI,CAAC,uBAAuB,CAAC;EAC1D,cAAa;EACb,WAAW;AACX;EACA;EACA,UAAU;EACV,YAAY,CAAC,IAAI,CAAC,IAAI,KAAK,mBAAmB;EAC9C,cAAc,IAAI,CAAC,oBAAoB,KAAK,MAAM;EAClD,aAAa,CAAC,IAAI,CAAC,IAAI,KAAK,eAAe;EAC3C,cAAc,IAAI,CAAC,IAAI,KAAK,gBAAgB;EAC5C,cAAc,IAAI,CAAC,QAAQ,CAAC;EAC5B,YAAY;EACZ,YAAY,wBAAwB,CAAC,IAAI,EAAC;EAC1C,WAAW;EACX,SAAS,EAAC;AACV;EACA;EACA;EACA,QAAQ;EACR,UAAU,CAAC,0BAA0B;EACrC,WAAW,CAAC,MAAM,CAAC,IAAI,CAAC,cAAc,CAAC,CAAC,MAAM;EAC9C,YAAY,MAAM,CAAC,IAAI,CAAC,eAAe,CAAC,CAAC,MAAM,CAAC;EAChD,UAAU;EACV,UAAU,UAAU,CAAC,iBAAiB,EAAE,GAAG,EAAC;EAC5C,UAAU,MAAM;EAChB,SAAS,MAAM;EACf,UAAU,IAAI,CAAC,WAAW,GAAG,MAAK;EAClC,UAAU,IAAI,CAAC,UAAU,GAAG,KAAI;EAChC,SAAS;AACT;EACA,QAAQ,IAAI,IAAI,CAAC,MAAM,EAAE;EACzB,UAAU,IAAI;EACd,YAAY,IAAI,CAAC,IAAI,CAAC,IAAI,CAAC,MAAM,EAAC;EAClC,WAAW,CAAC,OAAO,GAAG,EAAE;EACxB,YAAY,OAAO,IAAI,CAAC,OAAO,CAAC,OAAO,CAAC,GAAG,EAAE,kBAAkB,CAAC,CAAC;EACjE,WAAW;EACX,UAAU,IAAI,CAAC,MAAM,GAAG,KAAI;EAC5B,UAAU,IAAI,CAAC,MAAM,CAAC,wCAAwC,EAAC;AAC/D;EACA,UAAU,MAAM,EAAE,GAAG,IAAI,CAAC,IAAG;EAC7B,UAAU,IAAI,CAAC,GAAG,GAAG,KAAI;EACzB,UAAU,EAAE,CAAC,IAAI,EAAC;EAClB,SAAS;AACT;EACA;EACA;EACA,QAAQ,IAAI,OAAO,IAAI,CAAC,QAAQ,CAAC,0BAA0B,KAAK,QAAQ,EAAE;EAC1E,UAAU,IAAI,CAAC,SAAS,GAAG,WAAW,CAAC,MAAM,IAAI,CAAC,WAAW,EAAE,EAAE,GAAG,EAAC;EACrE,UAAU,IAAI,IAAI,CAAC,SAAS,CAAC,KAAK,EAAE,IAAI,CAAC,SAAS,CAAC,KAAK,GAAE;EAC1D,SAAS;AACT;EACA,QAAQ,IAAI,CAAC,MAAM,CAAC,SAAS,EAAC;EAC9B,QAAQ,IAAI,CAAC,IAAI,CAAC,SAAS,EAAC;EAC5B,OAAO,EAAC;EACR,MAAK;EACL,IAAI,iBAAiB,GAAE;EACvB,GAAG;AACH;EACA,EAAE,WAAW,CAAC,GAAG;EACjB,IAAI;EACJ,MAAM,CAAC,IAAI,CAAC,GAAG;EACf,MAAM,CAAC,IAAI,CAAC,QAAQ;EACpB,MAAM,IAAI,CAAC,QAAQ,CAAC,cAAc,GAAG,mBAAmB;EACxD,MAAM;EACN,MAAM,MAAM;EACZ,KAAK;EACL,IAAI,IAAI,CAAC,2BAA2B,GAAE;EACtC,GAAG;AACH;EACA,EAAE,uBAAuB,CAAC,GAAG;EAC7B,IAAI,IAAI,IAAI,CAAC,SAAS,EAAE,MAAM;AAC9B;EACA,IAAI,IAAI,IAAI,CAAC,GAAG,CAAC,cAAc,KAAK,QAAQ,EAAE;EAC9C,MAAM,IAAI,CAAC,cAAc,GAAG,MAAK;AACjC;EACA;EACA,MAAM,IAAI,CAAC,MAAM,CAAC,uBAAuB,EAAE,IAAI,CAAC,sBAAsB,EAAC;EACvE,MAAM,IAAI,CAAC,sBAAsB,CAAC,OAAO,CAAC,MAAM,IAAI;EACpD,QAAQ,IAAI,CAAC,GAAG,CAAC,WAAW,CAAC,MAAM,EAAC;EACpC,QAAQ,IAAI,CAAC,kBAAkB,GAAG,KAAI;EACtC,OAAO,EAAC;EACR,MAAM,IAAI,CAAC,sBAAsB,GAAG,GAAE;AACtC;EACA,MAAM,IAAI,IAAI,CAAC,kBAAkB,EAAE;EACnC,QAAQ,IAAI,CAAC,MAAM,CAAC,4BAA4B,EAAC;EACjD,QAAQ,IAAI,CAAC,kBAAkB,GAAG,MAAK;EACvC,QAAQ,IAAI,CAAC,iBAAiB,GAAE;EAChC,OAAO,MAAM;EACb,QAAQ,IAAI,CAAC,MAAM,CAAC,YAAY,EAAC;EACjC,QAAQ,IAAI,CAAC,IAAI,CAAC,YAAY,EAAC;EAC/B,OAAO;EACP,KAAK;AACL;EACA,IAAI,IAAI,CAAC,MAAM,CAAC,yBAAyB,EAAE,IAAI,CAAC,GAAG,CAAC,cAAc,EAAC;EACnE,IAAI,IAAI,CAAC,IAAI,CAAC,sBAAsB,EAAE,IAAI,CAAC,GAAG,CAAC,cAAc,EAAC;EAC9D,GAAG;AACH;EACA,EAAE,eAAe,CAAC,CAAC,KAAK,EAAE;EAC1B,IAAI,IAAI,IAAI,CAAC,SAAS,EAAE,MAAM;EAC9B,IAAI,IAAI,KAAK,CAAC,SAAS,IAAI,IAAI,CAAC,OAAO,EAAE;EACzC,MAAM,IAAI,CAAC,IAAI,CAAC,QAAQ,EAAE;EAC1B,QAAQ,IAAI,EAAE,WAAW;EACzB,QAAQ,SAAS,EAAE;EACnB,UAAU,SAAS,EAAE,KAAK,CAAC,SAAS,CAAC,SAAS;EAC9C,UAAU,aAAa,EAAE,KAAK,CAAC,SAAS,CAAC,aAAa;EACtD,UAAU,MAAM,EAAE,KAAK,CAAC,SAAS,CAAC,MAAM;EACxC,SAAS;EACT,OAAO,EAAC;EACR,KAAK,MAAM,IAAI,CAAC,KAAK,CAAC,SAAS,IAAI,CAAC,IAAI,CAAC,YAAY,EAAE;EACvD,MAAM,IAAI,CAAC,YAAY,GAAG,KAAI;EAC9B,MAAM,IAAI,CAAC,IAAI,CAAC,cAAc,EAAC;EAC/B,KAAK;EACL;EACA,IAAI,IAAI,KAAK,CAAC,SAAS,EAAE;EACzB,MAAM,IAAI,CAAC,wBAAwB,GAAE;EACrC,KAAK;EACL,GAAG;AACH;EACA,EAAE,iBAAiB,CAAC,CAAC,KAAK,EAAE;EAC5B,IAAI,IAAI,IAAI,CAAC,SAAS,EAAE,MAAM;EAC9B,IAAI,IAAI,IAAI,GAAG,KAAK,CAAC,KAAI;EACzB,IAAI,IAAI,IAAI,YAAY,WAAW,EAAE,IAAI,GAAG,IAAI,UAAU,CAAC,IAAI,EAAC;EAChE,IAAI,IAAI,CAAC,IAAI,CAAC,MAAM,EAAE,IAAI,EAAC;EAC3B,GAAG;AACH;EACA,EAAE,2BAA2B,CAAC,GAAG;EACjC,IAAI,IAAI,IAAI,CAAC,SAAS,IAAI,CAAC,IAAI,CAAC,GAAG,EAAE,MAAM;EAC3C,IAAI,IAAI,CAAC,MAAM;EACf,MAAM,wCAAwC;EAC9C,MAAM,IAAI,CAAC,QAAQ,CAAC,cAAc;EAClC,MAAK;EACL,IAAI,MAAM,EAAE,GAAG,IAAI,CAAC,IAAG;EACvB,IAAI,IAAI,CAAC,GAAG,GAAG,KAAI;EACnB,IAAI,EAAE,CAAC,IAAI,EAAC;EACZ,GAAG;AACH;EACA,EAAE,cAAc,CAAC,GAAG;EACpB,IAAI,IAAI,IAAI,CAAC,UAAU,IAAI,IAAI,CAAC,SAAS,EAAE,MAAM;EACjD,IAAI,IAAI,CAAC,MAAM,CAAC,iBAAiB,EAAC;EAClC,IAAI,IAAI,CAAC,aAAa,GAAG,KAAI;EAC7B,IAAI,IAAI,CAAC,WAAW,GAAE;EACtB,GAAG;AACH;EACA,EAAE,eAAe,CAAC,GAAG;EACrB,IAAI,IAAI,IAAI,CAAC,SAAS,EAAE,MAAM;EAC9B,IAAI,IAAI,CAAC,MAAM,CAAC,kBAAkB,EAAC;EACnC,IAAI,IAAI,CAAC,OAAO,GAAE;EAClB,GAAG;AACH;EACA,EAAE,QAAQ,CAAC,CAAC,KAAK,EAAE;EACnB,IAAI,IAAI,IAAI,CAAC,SAAS,EAAE,MAAM;AAC9B;EACA,IAAI,KAAK,CAAC,OAAO,CAAC,OAAO,CAAC,WAAW,IAAI;EACzC,MAAM,IAAI,CAAC,MAAM,CAAC,UAAU,EAAC;EAC7B,MAAM,IAAI,CAAC,IAAI,CAAC,OAAO,EAAE,KAAK,CAAC,KAAK,EAAE,WAAW,EAAC;AAClD;EACA,MAAM,IAAI,CAAC,aAAa,CAAC,IAAI,CAAC;EAC9B,QAAQ,KAAK,EAAE,KAAK,CAAC,KAAK;EAC1B,QAAQ,MAAM,EAAE,WAAW;EAC3B,OAAO,EAAC;AACR;EACA,MAAM;EACN,QAAQ,IAAI,CAAC,cAAc,CAAC,IAAI,CAAC,YAAY,IAAI;EACjD,UAAU,OAAO,YAAY,CAAC,EAAE,KAAK,WAAW,CAAC,EAAE;EACnD,SAAS,CAAC;EACV,QAAQ,EAAE,MAAM,EAAE;AAClB;EACA,MAAM,IAAI,CAAC,cAAc,CAAC,IAAI,CAAC,WAAW,EAAC;EAC3C,MAAM,cAAc,CAAC,MAAM;EAC3B,QAAQ,IAAI,CAAC,MAAM,CAAC,WAAW,EAAC;EAChC,QAAQ,IAAI,CAAC,IAAI,CAAC,QAAQ,EAAE,WAAW,EAAC;EACxC,OAAO,EAAC;EACR,KAAK,EAAC;EACN,GAAG;AACH;EACA,EAAE,MAAM,CAAC,CAAC,GAAG,IAAI,EAAE;EACnB,IAAI,IAAI,CAAC,IAAI,CAAC,QAAQ,EAAE,MAAM;EAC9B,IAAI,IAAI,CAAC,CAAC,CAAC,GAAG,GAAG,GAAG,IAAI,CAAC,GAAG,GAAG,IAAI,GAAG,IAAI,CAAC,CAAC,EAAC;EAC7C,IAAI,OAAO,CAAC,GAAG,CAAC,GAAG,IAAI,EAAC;EACxB,GAAG;AACH;EACA;EACA,EAAE,EAAE,CAAC,CAAC,GAAG,EAAE,QAAQ,EAAE;EACrB,IAAI,MAAM,GAAG,GAAG,IAAI,CAAC,KAAI;EACzB,IAAI,IAAI,CAAC,GAAG,CAAC,GAAG,CAAC,GAAG,CAAC,EAAE,GAAG,CAAC,GAAG,CAAC,GAAG,EAAE,IAAI,GAAG,EAAE,EAAC;EAC9C,IAAI,GAAG,CAAC,GAAG,CAAC,GAAG,CAAC,CAAC,GAAG,CAAC,QAAQ,EAAC;EAC9B,GAAG;AACH;EACA,EAAE,GAAG,CAAC,CAAC,GAAG,EAAE,QAAQ,EAAE;EACtB,IAAI,MAAM,GAAG,GAAG,IAAI,CAAC,KAAI;EACzB,IAAI,MAAM,SAAS,GAAG,GAAG,CAAC,GAAG,CAAC,GAAG,EAAC;EAClC,IAAI,IAAI,CAAC,SAAS,EAAE,MAAM;EAC1B,IAAI,SAAS,CAAC,MAAM,CAAC,QAAQ,EAAC;EAC9B,IAAI,IAAI,SAAS,CAAC,IAAI,KAAK,CAAC,EAAE,GAAG,CAAC,MAAM,CAAC,GAAG,EAAC;EAC7C,GAAG;AACH;EACA,EAAE,IAAI,CAAC,CAAC,GAAG,EAAE,QAAQ,EAAE;EACvB,IAAI,MAAM,SAAS,GAAG,CAAC,GAAG,IAAI,KAAK;EACnC,MAAM,IAAI,CAAC,GAAG,CAAC,GAAG,EAAE,SAAS,EAAC;EAC9B,MAAM,QAAQ,CAAC,GAAG,IAAI,EAAC;EACvB,MAAK;EACL,IAAI,IAAI,CAAC,EAAE,CAAC,GAAG,EAAE,SAAS,EAAC;EAC3B,GAAG;AACH;EACA,EAAE,IAAI,CAAC,CAAC,GAAG,EAAE,GAAG,IAAI,EAAE;EACtB,IAAI,MAAM,GAAG,GAAG,IAAI,CAAC,KAAI;EACzB,IAAI,IAAI,CAAC,GAAG,CAAC,GAAG,CAAC,GAAG,CAAC,EAAE,MAAM;EAC7B,IAAI,KAAK,MAAM,QAAQ,IAAI,GAAG,CAAC,GAAG,CAAC,GAAG,CAAC,EAAE;EACzC,MAAM,IAAI;EACV,QAAQ,QAAQ,CAAC,GAAG,IAAI,EAAC;EACzB,OAAO,CAAC,OAAO,GAAG,EAAE;EACpB,QAAQ,OAAO,CAAC,KAAK,CAAC,GAAG,EAAC;EAC1B,OAAO;EACP,KAAK;EACL,GAAG;EACH,CAAC;AACD;EACA,IAAI,CAAC,cAAc,GAAG,CAAC,CAAC,aAAa,GAAE;AACvC;EACA;EACA;EACA;EACA;EACA;EACA,IAAI,CAAC,MAAM,GAAG;EACd,EAAE,UAAU,EAAE;EACd,IAAI;EACJ,MAAM,IAAI,EAAE;EACZ,QAAQ,8BAA8B;EACtC,QAAQ,kCAAkC;EAC1C,OAAO;EACP,KAAK;EACL,GAAG;EACH,EAAE,YAAY,EAAE,cAAc;EAC9B,EAAC;AACD;EACA,IAAI,CAAC,aAAa,GAAG;;EC/oCmB,MAAM,6BAA6B,CAAC,WAAW,CAAC,CAAC,mBAAmB,CAAC,CAAC,CAAC,kBAAkB,CAAC,CAAC,CAAC,CAAC,CAAC,IAAI,CAAC,IAAI,CAAC,IAAI,CAAC,IAAI,CAAC,aAAa,CAAC,IAAI,GAAG,CAAC,IAAI,CAAC,OAAO,CAAC,IAAI,GAAG,CAAC,IAAI,CAAC,cAAc,CAAC,IAAI,OAAO,CAAC,IAAI,CAAC,mBAAmB,CAAC,CAAC,CAAC,IAAI,CAAC,kBAAkB,CAAC,EAAC,CAAC,UAAU,EAAE,CAAC,OAAM,CAAC,OAAO,CAAC,CAAC,CAAC,CAAC,CAAC,GAAG,CAAC,CAAC,CAAC,QAAQ,GAAG,QAAQ,EAAE,IAAI,CAAC,mBAAmB,CAAC,CAAC,CAAC,CAAC,EAAC,CAAC,CAAC,SAAS,CAAC,CAAC,EAAE,CAAC,IAAI,CAAC,MAAM,CAAC,CAAC,CAAC,WAAU,CAAC,CAAC,CAAC,WAAW,CAAC,CAAC,CAAC,CAAC,CAAC,CAAC,GAAG,CAAC,IAAI,CAAC,cAAc,CAAC,GAAG,CAAC,CAAC,CAAC,CAAC,CAAC,GAAG,CAAC,CAAC,OAAO,GAAG,OAAO,CAAC,CAAC,MAAM,CAAC,CAAC,CAAC,CAAC,CAAC,CAAC,SAAS,CAAC,CAAC,CAAC,CAAC,CAAC,IAAI,EAAE,CAAC,IAAI,CAAC,cAAc,CAAC,GAAG,CAAC,CAAC,CAAC,CAAC,MAAM,CAAC,GAAG,2BAA2B,GAAG,MAAM,CAAC,CAAC,MAAM,CAAC,CAAC,CAAC,CAAC,CAAC,CAAC,CAAC,CAAC,UAAU,CAAC,IAAI,CAAC,CAAC,GAAG,CAAC,CAAC,CAAC,MAAM,IAAI,KAAK,CAAC,CAAC,iDAAiD,EAAE,CAAC,CAAC,SAAS,CAAC,CAAC,CAAC,CAAC,MAAM,CAAC,CAAC,CAAC,CAAC,cAAc,EAAE,CAAC,CAAC,CAAC,CAAC,CAAC,CAAC,IAAI,yBAAyB,CAAC,CAAC,KAAK,CAAC,CAAC,CAAC,CAAC,CAAC,QAAQ,CAAC,SAAS,EAAE,CAAC,CAAC,CAAC,UAAU,CAAC,CAAC,CAAC,IAAI,EAAE,CAAC,IAAI,CAAC,CAAC,CAAC,IAAI,CAAC,CAAC,CAAC,KAAK,CAAC,CAAC,CAAC,GAAG,CAAC,CAAC,CAAC,GAAG,CAAC,CAAC,CAAC,KAAK,GAAG,CAAC,CAAC,YAAY,EAAE,CAAC,CAAC,MAAM,GAAG,CAAC,CAAC,aAAa,IAAI,CAAC,CAAC,KAAK,CAAC,CAAC,CAAC,YAAY,CAAC,CAAC,CAAC,MAAM,CAAC,CAAC,CAAC,aAAa,CAAC,CAAC,CAAC,CAAC,SAAS,CAAC,CAAC,CAAC,CAAC,CAAC,CAAC,CAAC,KAAK,CAAC,CAAC,CAAC,MAAM,CAAC,CAAC,CAAC,CAAC,SAAS,CAAC,CAAC,CAAC,CAAC,CAAC,CAAC,CAAC,CAAC,CAAC,CAAC,KAAK,EAAE,CAAC,CAAC,EAAE,CAAC,EAAE,EAAC,CAAC,EAAC,CAAC,CAAC,CAAC,EAAE,CAAC,IAAI,CAAC,cAAc,CAAC,GAAG,CAAC,CAAC,EAAC,CAAC,KAAI,CAAC,MAAM,CAAC,CAAC,QAAQ,CAAC,aAAa,CAAC,OAAO,CAAC,CAAC,CAAC,CAAC,YAAY,CAAC,UAAU,CAAC,MAAM,CAAC,CAAC,CAAC,CAAC,YAAY,CAAC,aAAa,CAAC,MAAM,CAAC,CAAC,CAAC,CAAC,YAAY,CAAC,OAAO,CAAC,CAAC,CAAC,KAAK,CAAC,QAAQ,EAAE,CAAC,CAAC,CAAC,CAAC,YAAY,CAAC,QAAQ,CAAC,CAAC,CAAC,MAAM,CAAC,QAAQ,EAAE,CAAC,CAAC,CAAC,CAAC,WAAW,CAAC,CAAC,CAAC,CAAC,IAAI,CAAC,WAAW,CAAC,CAAC,CAAC,CAAC,EAAC,CAAC,CAAC,CAAC,aAAa,CAAC,CAAC,CAAC,CAAC,IAAI,CAAC,IAAI,GAAG,IAAI,CAAC,IAAI,CAAC,IAAIA,IAAC,CAAC,CAAC,SAAS,CAAC,CAAC,CAAC,CAAC,CAAC,CAAC,IAAI,CAAC,IAAI,CAAC,EAAE,CAAC,OAAO,CAAC,CAAC,EAAE,CAAC,IAAI,CAAC,IAAI,CAAC,IAAI,CAAC,OAAO,CAAC,GAAG,CAAC,OAAO,CAAC,CAAC,EAAC,CAAC,CAAC,CAAC,IAAI,CAAC,IAAI,CAAC,EAAE,CAAC,OAAO,CAAC,IAAI,CAAC,IAAI,CAAC,IAAI,CAAC,IAAI,CAAC,OAAO,CAAC,GAAG,CAAC,SAAS,EAAC,CAAC,CAAC,CAAC,IAAI,CAAC,IAAI,CAAC,EAAE,CAAC,QAAQ,CAAC,CAAC,EAAE,CAAC,IAAI,CAAC,kBAAkB,CAAC,CAAC,EAAC,CAAC,CAAC,CAAC,IAAI,CAAC,IAAI,CAAC,EAAE,CAAC,SAAS,CAAC,IAAI,EAAE,CAAC,CAAC,IAAI,CAAC,IAAI,CAAC,EAAE,CAAC,MAAM,CAAC,CAAC,EAAE,CAAC,GAAG,CAAC,MAAM,CAAC,CAAC,IAAI,CAAC,KAAK,CAAC,CAAC,CAAC,CAAC,IAAI,CAAC,aAAa,CAAC,GAAG,CAAC,CAAC,CAAC,QAAQ,CAAC,CAAC,CAAC,MAAM,EAAC,CAAC,MAAM,CAAC,CAAC,CAAC,OAAO,CAAC,KAAK,CAAC,sBAAsB,CAAC,CAAC,EAAC,CAAC,IAAI,CAAC,YAAY,GAAE,CAAC,CAAC,CAAC,IAAI,CAAC,IAAI,CAAC,EAAE,CAAC,QAAQ,CAAC,CAAC,EAAE,CAAC,IAAI,CAAC,OAAO,CAAC,GAAG,CAAC,CAAC,CAAC,CAAC,IAAI,CAAC,YAAY,GAAE,CAAC,CAAC,CAAC,CAAC,IAAI,CAAC,IAAI,CAAC,MAAM,CAAC,CAAC,EAAC,CAAC,YAAY,EAAE,CAAC,IAAI,CAAC,OAAO,CAAC,OAAO,CAAC,CAAC,EAAE,CAAC,MAAM,CAAC,CAAC,IAAI,CAAC,aAAa,CAAC,GAAG,CAAC,CAAC,CAAC,EAAE,CAAC,CAAC,GAAG,CAAC,CAAC,CAAC,OAAO,MAAM,CAAC,CAAC,IAAI,CAAC,MAAM,CAAC,OAAO,CAAC,CAAC,CAAC,CAAC,CAAC,EAAE,IAAI,CAAC,WAAW,CAAC,CAAC,CAAC,CAAC,EAAC,CAAC,EAAC,CAAC;;;;;;;;;;;;"} +\ No newline at end of file +diff --git a/node_modules/rrweb/dist/plugins/console-record.js b/node_modules/rrweb/dist/plugins/console-record.js +old mode 100644 +new mode 100755 +diff --git a/node_modules/rrweb/dist/plugins/console-record.min.js b/node_modules/rrweb/dist/plugins/console-record.min.js +old mode 100644 +new mode 100755 +diff --git a/node_modules/rrweb/dist/plugins/console-record.min.js.map b/node_modules/rrweb/dist/plugins/console-record.min.js.map +old mode 100644 +new mode 100755 +index 57dde7a..5eb3e3a +--- a/node_modules/rrweb/dist/plugins/console-record.min.js.map ++++ b/node_modules/rrweb/dist/plugins/console-record.min.js.map +@@ -1 +1 @@ +-{"version":3,"file":"console-record.min.js","sources":["../../node_modules/tslib/tslib.es6.js","../../../src/types.ts","../../../rrweb-snapshot/es/rrweb-snapshot.js","../../../src/utils.ts","../../../src/plugins/console/record/error-stack-parser.ts","../../../src/plugins/console/record/stringify.ts","../../../src/plugins/console/record/index.ts"],"sourcesContent":["/*! *****************************************************************************\r\nCopyright (c) Microsoft Corporation.\r\n\r\nPermission to use, copy, modify, and/or distribute this software for any\r\npurpose with or without fee is hereby granted.\r\n\r\nTHE SOFTWARE IS PROVIDED \"AS IS\" AND THE AUTHOR DISCLAIMS ALL WARRANTIES WITH\r\nREGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF MERCHANTABILITY\r\nAND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR ANY SPECIAL, DIRECT,\r\nINDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES WHATSOEVER RESULTING FROM\r\nLOSS OF USE, DATA OR PROFITS, WHETHER IN AN ACTION OF CONTRACT, NEGLIGENCE OR\r\nOTHER TORTIOUS ACTION, ARISING OUT OF OR IN CONNECTION WITH THE USE OR\r\nPERFORMANCE OF THIS SOFTWARE.\r\n***************************************************************************** */\r\n/* global Reflect, Promise */\r\n\r\nvar extendStatics = function(d, b) {\r\n extendStatics = Object.setPrototypeOf ||\r\n ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) ||\r\n function (d, b) { for (var p in b) if (Object.prototype.hasOwnProperty.call(b, p)) d[p] = b[p]; };\r\n return extendStatics(d, b);\r\n};\r\n\r\nexport function __extends(d, b) {\r\n if (typeof b !== \"function\" && b !== null)\r\n throw new TypeError(\"Class extends value \" + String(b) + \" is not a constructor or null\");\r\n extendStatics(d, b);\r\n function __() { this.constructor = d; }\r\n d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __());\r\n}\r\n\r\nexport var __assign = function() {\r\n __assign = Object.assign || function __assign(t) {\r\n for (var s, i = 1, n = arguments.length; i < n; i++) {\r\n s = arguments[i];\r\n for (var p in s) if (Object.prototype.hasOwnProperty.call(s, p)) t[p] = s[p];\r\n }\r\n return t;\r\n }\r\n return __assign.apply(this, arguments);\r\n}\r\n\r\nexport function __rest(s, e) {\r\n var t = {};\r\n for (var p in s) if (Object.prototype.hasOwnProperty.call(s, p) && e.indexOf(p) < 0)\r\n t[p] = s[p];\r\n if (s != null && typeof Object.getOwnPropertySymbols === \"function\")\r\n for (var i = 0, p = Object.getOwnPropertySymbols(s); i < p.length; i++) {\r\n if (e.indexOf(p[i]) < 0 && Object.prototype.propertyIsEnumerable.call(s, p[i]))\r\n t[p[i]] = s[p[i]];\r\n }\r\n return t;\r\n}\r\n\r\nexport function __decorate(decorators, target, key, desc) {\r\n var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d;\r\n if (typeof Reflect === \"object\" && typeof Reflect.decorate === \"function\") r = Reflect.decorate(decorators, target, key, desc);\r\n else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r;\r\n return c > 3 && r && Object.defineProperty(target, key, r), r;\r\n}\r\n\r\nexport function __param(paramIndex, decorator) {\r\n return function (target, key) { decorator(target, key, paramIndex); }\r\n}\r\n\r\nexport function __metadata(metadataKey, metadataValue) {\r\n if (typeof Reflect === \"object\" && typeof Reflect.metadata === \"function\") return Reflect.metadata(metadataKey, metadataValue);\r\n}\r\n\r\nexport function __awaiter(thisArg, _arguments, P, generator) {\r\n function adopt(value) { return value instanceof P ? value : new P(function (resolve) { resolve(value); }); }\r\n return new (P || (P = Promise))(function (resolve, reject) {\r\n function fulfilled(value) { try { step(generator.next(value)); } catch (e) { reject(e); } }\r\n function rejected(value) { try { step(generator[\"throw\"](value)); } catch (e) { reject(e); } }\r\n function step(result) { result.done ? resolve(result.value) : adopt(result.value).then(fulfilled, rejected); }\r\n step((generator = generator.apply(thisArg, _arguments || [])).next());\r\n });\r\n}\r\n\r\nexport function __generator(thisArg, body) {\r\n var _ = { label: 0, sent: function() { if (t[0] & 1) throw t[1]; return t[1]; }, trys: [], ops: [] }, f, y, t, g;\r\n return g = { next: verb(0), \"throw\": verb(1), \"return\": verb(2) }, typeof Symbol === \"function\" && (g[Symbol.iterator] = function() { return this; }), g;\r\n function verb(n) { return function (v) { return step([n, v]); }; }\r\n function step(op) {\r\n if (f) throw new TypeError(\"Generator is already executing.\");\r\n while (_) try {\r\n if (f = 1, y && (t = op[0] & 2 ? y[\"return\"] : op[0] ? y[\"throw\"] || ((t = y[\"return\"]) && t.call(y), 0) : y.next) && !(t = t.call(y, op[1])).done) return t;\r\n if (y = 0, t) op = [op[0] & 2, t.value];\r\n switch (op[0]) {\r\n case 0: case 1: t = op; break;\r\n case 4: _.label++; return { value: op[1], done: false };\r\n case 5: _.label++; y = op[1]; op = [0]; continue;\r\n case 7: op = _.ops.pop(); _.trys.pop(); continue;\r\n default:\r\n if (!(t = _.trys, t = t.length > 0 && t[t.length - 1]) && (op[0] === 6 || op[0] === 2)) { _ = 0; continue; }\r\n if (op[0] === 3 && (!t || (op[1] > t[0] && op[1] < t[3]))) { _.label = op[1]; break; }\r\n if (op[0] === 6 && _.label < t[1]) { _.label = t[1]; t = op; break; }\r\n if (t && _.label < t[2]) { _.label = t[2]; _.ops.push(op); break; }\r\n if (t[2]) _.ops.pop();\r\n _.trys.pop(); continue;\r\n }\r\n op = body.call(thisArg, _);\r\n } catch (e) { op = [6, e]; y = 0; } finally { f = t = 0; }\r\n if (op[0] & 5) throw op[1]; return { value: op[0] ? op[1] : void 0, done: true };\r\n }\r\n}\r\n\r\nexport var __createBinding = Object.create ? (function(o, m, k, k2) {\r\n if (k2 === undefined) k2 = k;\r\n Object.defineProperty(o, k2, { enumerable: true, get: function() { return m[k]; } });\r\n}) : (function(o, m, k, k2) {\r\n if (k2 === undefined) k2 = k;\r\n o[k2] = m[k];\r\n});\r\n\r\nexport function __exportStar(m, o) {\r\n for (var p in m) if (p !== \"default\" && !Object.prototype.hasOwnProperty.call(o, p)) __createBinding(o, m, p);\r\n}\r\n\r\nexport function __values(o) {\r\n var s = typeof Symbol === \"function\" && Symbol.iterator, m = s && o[s], i = 0;\r\n if (m) return m.call(o);\r\n if (o && typeof o.length === \"number\") return {\r\n next: function () {\r\n if (o && i >= o.length) o = void 0;\r\n return { value: o && o[i++], done: !o };\r\n }\r\n };\r\n throw new TypeError(s ? \"Object is not iterable.\" : \"Symbol.iterator is not defined.\");\r\n}\r\n\r\nexport function __read(o, n) {\r\n var m = typeof Symbol === \"function\" && o[Symbol.iterator];\r\n if (!m) return o;\r\n var i = m.call(o), r, ar = [], e;\r\n try {\r\n while ((n === void 0 || n-- > 0) && !(r = i.next()).done) ar.push(r.value);\r\n }\r\n catch (error) { e = { error: error }; }\r\n finally {\r\n try {\r\n if (r && !r.done && (m = i[\"return\"])) m.call(i);\r\n }\r\n finally { if (e) throw e.error; }\r\n }\r\n return ar;\r\n}\r\n\r\n/** @deprecated */\r\nexport function __spread() {\r\n for (var ar = [], i = 0; i < arguments.length; i++)\r\n ar = ar.concat(__read(arguments[i]));\r\n return ar;\r\n}\r\n\r\n/** @deprecated */\r\nexport function __spreadArrays() {\r\n for (var s = 0, i = 0, il = arguments.length; i < il; i++) s += arguments[i].length;\r\n for (var r = Array(s), k = 0, i = 0; i < il; i++)\r\n for (var a = arguments[i], j = 0, jl = a.length; j < jl; j++, k++)\r\n r[k] = a[j];\r\n return r;\r\n}\r\n\r\nexport function __spreadArray(to, from, pack) {\r\n if (pack || arguments.length === 2) for (var i = 0, l = from.length, ar; i < l; i++) {\r\n if (ar || !(i in from)) {\r\n if (!ar) ar = Array.prototype.slice.call(from, 0, i);\r\n ar[i] = from[i];\r\n }\r\n }\r\n return to.concat(ar || Array.prototype.slice.call(from));\r\n}\r\n\r\nexport function __await(v) {\r\n return this instanceof __await ? (this.v = v, this) : new __await(v);\r\n}\r\n\r\nexport function __asyncGenerator(thisArg, _arguments, generator) {\r\n if (!Symbol.asyncIterator) throw new TypeError(\"Symbol.asyncIterator is not defined.\");\r\n var g = generator.apply(thisArg, _arguments || []), i, q = [];\r\n return i = {}, verb(\"next\"), verb(\"throw\"), verb(\"return\"), i[Symbol.asyncIterator] = function () { return this; }, i;\r\n function verb(n) { if (g[n]) i[n] = function (v) { return new Promise(function (a, b) { q.push([n, v, a, b]) > 1 || resume(n, v); }); }; }\r\n function resume(n, v) { try { step(g[n](v)); } catch (e) { settle(q[0][3], e); } }\r\n function step(r) { r.value instanceof __await ? Promise.resolve(r.value.v).then(fulfill, reject) : settle(q[0][2], r); }\r\n function fulfill(value) { resume(\"next\", value); }\r\n function reject(value) { resume(\"throw\", value); }\r\n function settle(f, v) { if (f(v), q.shift(), q.length) resume(q[0][0], q[0][1]); }\r\n}\r\n\r\nexport function __asyncDelegator(o) {\r\n var i, p;\r\n return i = {}, verb(\"next\"), verb(\"throw\", function (e) { throw e; }), verb(\"return\"), i[Symbol.iterator] = function () { return this; }, i;\r\n function verb(n, f) { i[n] = o[n] ? function (v) { return (p = !p) ? { value: __await(o[n](v)), done: n === \"return\" } : f ? f(v) : v; } : f; }\r\n}\r\n\r\nexport function __asyncValues(o) {\r\n if (!Symbol.asyncIterator) throw new TypeError(\"Symbol.asyncIterator is not defined.\");\r\n var m = o[Symbol.asyncIterator], i;\r\n return m ? m.call(o) : (o = typeof __values === \"function\" ? __values(o) : o[Symbol.iterator](), i = {}, verb(\"next\"), verb(\"throw\"), verb(\"return\"), i[Symbol.asyncIterator] = function () { return this; }, i);\r\n function verb(n) { i[n] = o[n] && function (v) { return new Promise(function (resolve, reject) { v = o[n](v), settle(resolve, reject, v.done, v.value); }); }; }\r\n function settle(resolve, reject, d, v) { Promise.resolve(v).then(function(v) { resolve({ value: v, done: d }); }, reject); }\r\n}\r\n\r\nexport function __makeTemplateObject(cooked, raw) {\r\n if (Object.defineProperty) { Object.defineProperty(cooked, \"raw\", { value: raw }); } else { cooked.raw = raw; }\r\n return cooked;\r\n};\r\n\r\nvar __setModuleDefault = Object.create ? (function(o, v) {\r\n Object.defineProperty(o, \"default\", { enumerable: true, value: v });\r\n}) : function(o, v) {\r\n o[\"default\"] = v;\r\n};\r\n\r\nexport function __importStar(mod) {\r\n if (mod && mod.__esModule) return mod;\r\n var result = {};\r\n if (mod != null) for (var k in mod) if (k !== \"default\" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding(result, mod, k);\r\n __setModuleDefault(result, mod);\r\n return result;\r\n}\r\n\r\nexport function __importDefault(mod) {\r\n return (mod && mod.__esModule) ? mod : { default: mod };\r\n}\r\n\r\nexport function __classPrivateFieldGet(receiver, state, kind, f) {\r\n if (kind === \"a\" && !f) throw new TypeError(\"Private accessor was defined without a getter\");\r\n if (typeof state === \"function\" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError(\"Cannot read private member from an object whose class did not declare it\");\r\n return kind === \"m\" ? f : kind === \"a\" ? f.call(receiver) : f ? f.value : state.get(receiver);\r\n}\r\n\r\nexport function __classPrivateFieldSet(receiver, state, value, kind, f) {\r\n if (kind === \"m\") throw new TypeError(\"Private method is not writable\");\r\n if (kind === \"a\" && !f) throw new TypeError(\"Private accessor was defined without a setter\");\r\n if (typeof state === \"function\" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError(\"Cannot write private member to an object whose class did not declare it\");\r\n return (kind === \"a\" ? f.call(receiver, value) : f ? f.value = value : state.set(receiver, value)), value;\r\n}\r\n","import {\n serializedNodeWithId,\n idNodeMap,\n INode,\n MaskInputOptions,\n SlimDOMOptions,\n MaskInputFn,\n MaskTextFn,\n} from 'rrweb-snapshot';\nimport { PackFn, UnpackFn } from './packer/base';\nimport { IframeManager } from './record/iframe-manager';\nimport { ShadowDomManager } from './record/shadow-dom-manager';\nimport type { Replayer } from './replay';\nimport { CanvasManager } from './record/observers/canvas/canvas-manager';\n\nexport enum EventType {\n DomContentLoaded,\n Load,\n FullSnapshot,\n IncrementalSnapshot,\n Meta,\n Custom,\n Plugin,\n}\n\nexport type domContentLoadedEvent = {\n type: EventType.DomContentLoaded;\n data: {};\n};\n\nexport type loadedEvent = {\n type: EventType.Load;\n data: {};\n};\n\nexport type fullSnapshotEvent = {\n type: EventType.FullSnapshot;\n data: {\n node: serializedNodeWithId;\n initialOffset: {\n top: number;\n left: number;\n };\n };\n};\n\nexport type incrementalSnapshotEvent = {\n type: EventType.IncrementalSnapshot;\n data: incrementalData;\n};\n\nexport type metaEvent = {\n type: EventType.Meta;\n data: {\n href: string;\n width: number;\n height: number;\n };\n};\n\nexport type customEvent = {\n type: EventType.Custom;\n data: {\n tag: string;\n payload: T;\n };\n};\n\nexport type pluginEvent = {\n type: EventType.Plugin;\n data: {\n plugin: string;\n payload: T;\n };\n};\n\nexport type styleSheetEvent = {};\n\nexport enum IncrementalSource {\n Mutation,\n MouseMove,\n MouseInteraction,\n Scroll,\n ViewportResize,\n Input,\n TouchMove,\n MediaInteraction,\n StyleSheetRule,\n CanvasMutation,\n Font,\n Log,\n Drag,\n StyleDeclaration,\n}\n\nexport type mutationData = {\n source: IncrementalSource.Mutation;\n} & mutationCallbackParam;\n\nexport type mousemoveData = {\n source:\n | IncrementalSource.MouseMove\n | IncrementalSource.TouchMove\n | IncrementalSource.Drag;\n positions: mousePosition[];\n};\n\nexport type mouseInteractionData = {\n source: IncrementalSource.MouseInteraction;\n} & mouseInteractionParam;\n\nexport type scrollData = {\n source: IncrementalSource.Scroll;\n} & scrollPosition;\n\nexport type viewportResizeData = {\n source: IncrementalSource.ViewportResize;\n} & viewportResizeDimension;\n\nexport type inputData = {\n source: IncrementalSource.Input;\n id: number;\n} & inputValue;\n\nexport type mediaInteractionData = {\n source: IncrementalSource.MediaInteraction;\n} & mediaInteractionParam;\n\nexport type styleSheetRuleData = {\n source: IncrementalSource.StyleSheetRule;\n} & styleSheetRuleParam;\n\nexport type styleDeclarationData = {\n source: IncrementalSource.StyleDeclaration;\n} & styleDeclarationParam;\n\nexport type canvasMutationData = {\n source: IncrementalSource.CanvasMutation;\n} & canvasMutationParam;\n\nexport type fontData = {\n source: IncrementalSource.Font;\n} & fontParam;\n\nexport type incrementalData =\n | mutationData\n | mousemoveData\n | mouseInteractionData\n | scrollData\n | viewportResizeData\n | inputData\n | mediaInteractionData\n | styleSheetRuleData\n | canvasMutationData\n | fontData\n | styleDeclarationData;\n\nexport type event =\n | domContentLoadedEvent\n | loadedEvent\n | fullSnapshotEvent\n | incrementalSnapshotEvent\n | metaEvent\n | customEvent\n | pluginEvent;\n\nexport type eventWithTime = event & {\n timestamp: number;\n delay?: number;\n};\n\nexport type blockClass = string | RegExp;\n\nexport type maskTextClass = string | RegExp;\n\nexport type SamplingStrategy = Partial<{\n /**\n * false means not to record mouse/touch move events\n * number is the throttle threshold of recording mouse/touch move\n */\n mousemove: boolean | number;\n /**\n * number is the throttle threshold of mouse/touch move callback\n */\n mousemoveCallback: number;\n /**\n * false means not to record mouse interaction events\n * can also specify record some kinds of mouse interactions\n */\n mouseInteraction: boolean | Record;\n /**\n * number is the throttle threshold of recording scroll\n */\n scroll: number;\n /**\n * number is the throttle threshold of recording media interactions\n */\n media: number;\n /**\n * 'all' will record all the input events\n * 'last' will only record the last input value while input a sequence of chars\n */\n input: 'all' | 'last';\n}>;\n\nexport type RecordPlugin = {\n name: string;\n observer?: (cb: Function, win: IWindow, options: TOptions) => listenerHandler;\n eventProcessor?: (event: eventWithTime) => eventWithTime & TExtend;\n options: TOptions;\n};\n\nexport type recordOptions = {\n emit?: (e: T, isCheckout?: boolean) => void;\n checkoutEveryNth?: number;\n checkoutEveryNms?: number;\n blockClass?: blockClass;\n blockSelector?: string;\n ignoreClass?: string;\n maskTextClass?: maskTextClass;\n maskTextSelector?: string;\n maskAllInputs?: boolean;\n maskInputOptions?: MaskInputOptions;\n maskInputFn?: MaskInputFn;\n maskTextFn?: MaskTextFn;\n slimDOMOptions?: SlimDOMOptions | 'all' | true;\n inlineStylesheet?: boolean;\n hooks?: hooksParam;\n packFn?: PackFn;\n sampling?: SamplingStrategy;\n recordCanvas?: boolean;\n userTriggeredOnInput?: boolean;\n collectFonts?: boolean;\n inlineImages?: boolean;\n plugins?: RecordPlugin[];\n // departed, please use sampling options\n mousemoveWait?: number;\n keepIframeSrcFn?: KeepIframeSrcFn;\n};\n\nexport type observerParam = {\n mutationCb: mutationCallBack;\n mousemoveCb: mousemoveCallBack;\n mouseInteractionCb: mouseInteractionCallBack;\n scrollCb: scrollCallback;\n viewportResizeCb: viewportResizeCallback;\n inputCb: inputCallback;\n mediaInteractionCb: mediaInteractionCallback;\n blockClass: blockClass;\n blockSelector: string | null;\n ignoreClass: string;\n maskTextClass: maskTextClass;\n maskTextSelector: string | null;\n maskInputOptions: MaskInputOptions;\n maskInputFn?: MaskInputFn;\n maskTextFn?: MaskTextFn;\n inlineStylesheet: boolean;\n styleSheetRuleCb: styleSheetRuleCallback;\n styleDeclarationCb: styleDeclarationCallback;\n canvasMutationCb: canvasMutationCallback;\n fontCb: fontCallback;\n sampling: SamplingStrategy;\n recordCanvas: boolean;\n inlineImages: boolean;\n userTriggeredOnInput: boolean;\n collectFonts: boolean;\n slimDOMOptions: SlimDOMOptions;\n doc: Document;\n mirror: Mirror;\n iframeManager: IframeManager;\n shadowDomManager: ShadowDomManager;\n canvasManager: CanvasManager;\n plugins: Array<{\n observer: Function;\n callback: Function;\n options: unknown;\n }>;\n};\n\nexport type MutationBufferParam = Pick<\n observerParam,\n | 'mutationCb'\n | 'blockClass'\n | 'blockSelector'\n | 'maskTextClass'\n | 'maskTextSelector'\n | 'inlineStylesheet'\n | 'maskInputOptions'\n | 'maskTextFn'\n | 'maskInputFn'\n | 'recordCanvas'\n | 'inlineImages'\n | 'slimDOMOptions'\n | 'doc'\n | 'mirror'\n | 'iframeManager'\n | 'shadowDomManager'\n | 'canvasManager'\n>;\n\nexport type hooksParam = {\n mutation?: mutationCallBack;\n mousemove?: mousemoveCallBack;\n mouseInteraction?: mouseInteractionCallBack;\n scroll?: scrollCallback;\n viewportResize?: viewportResizeCallback;\n input?: inputCallback;\n mediaInteaction?: mediaInteractionCallback;\n styleSheetRule?: styleSheetRuleCallback;\n styleDeclaration?: styleDeclarationCallback;\n canvasMutation?: canvasMutationCallback;\n font?: fontCallback;\n};\n\n// https://dom.spec.whatwg.org/#interface-mutationrecord\nexport type mutationRecord = {\n type: string;\n target: Node;\n oldValue: string | null;\n addedNodes: NodeList;\n removedNodes: NodeList;\n attributeName: string | null;\n};\n\nexport type textCursor = {\n node: Node;\n value: string | null;\n};\nexport type textMutation = {\n id: number;\n value: string | null;\n};\n\nexport type styleAttributeValue = {\n [key: string]: styleValueWithPriority | string | false;\n};\n\nexport type styleValueWithPriority = [string, string];\n\nexport type attributeCursor = {\n node: Node;\n attributes: {\n [key: string]: string | styleAttributeValue | null;\n };\n};\nexport type attributeMutation = {\n id: number;\n attributes: {\n [key: string]: string | styleAttributeValue | null;\n };\n};\n\nexport type removedNodeMutation = {\n parentId: number;\n id: number;\n isShadow?: boolean;\n};\n\nexport type addedNodeMutation = {\n parentId: number;\n // Newly recorded mutations will not have previousId any more, just for compatibility\n previousId?: number | null;\n nextId: number | null;\n node: serializedNodeWithId;\n};\n\nexport type mutationCallbackParam = {\n texts: textMutation[];\n attributes: attributeMutation[];\n removes: removedNodeMutation[];\n adds: addedNodeMutation[];\n isAttachIframe?: true;\n};\n\nexport type mutationCallBack = (m: mutationCallbackParam) => void;\n\nexport type mousemoveCallBack = (\n p: mousePosition[],\n source:\n | IncrementalSource.MouseMove\n | IncrementalSource.TouchMove\n | IncrementalSource.Drag,\n) => void;\n\nexport type mousePosition = {\n x: number;\n y: number;\n id: number;\n timeOffset: number;\n};\n\nexport type mouseMovePos = {\n x: number;\n y: number;\n id: number;\n debugData: incrementalData;\n};\n\nexport enum MouseInteractions {\n MouseUp,\n MouseDown,\n Click,\n ContextMenu,\n DblClick,\n Focus,\n Blur,\n TouchStart,\n TouchMove_Departed, // we will start a separate observer for touch move event\n TouchEnd,\n TouchCancel,\n}\n\nexport enum CanvasContext {\n '2D',\n WebGL,\n WebGL2,\n}\n\nexport type SerializedWebGlArg =\n | {\n rr_type: 'ArrayBuffer';\n base64: string; // base64\n }\n | {\n rr_type: string;\n src: string; // url of image\n }\n | {\n rr_type: string;\n args: SerializedWebGlArg[];\n }\n | {\n rr_type: string;\n index: number;\n }\n | string\n | number\n | boolean\n | null\n | SerializedWebGlArg[];\n\ntype mouseInteractionParam = {\n type: MouseInteractions;\n id: number;\n x: number;\n y: number;\n};\n\nexport type mouseInteractionCallBack = (d: mouseInteractionParam) => void;\n\nexport type scrollPosition = {\n id: number;\n x: number;\n y: number;\n};\n\nexport type scrollCallback = (p: scrollPosition) => void;\n\nexport type styleSheetAddRule = {\n rule: string;\n index?: number | number[];\n};\n\nexport type styleSheetDeleteRule = {\n index: number | number[];\n};\n\nexport type styleSheetRuleParam = {\n id: number;\n removes?: styleSheetDeleteRule[];\n adds?: styleSheetAddRule[];\n};\n\nexport type styleSheetRuleCallback = (s: styleSheetRuleParam) => void;\n\nexport type styleDeclarationParam = {\n id: number;\n index: number[];\n set?: {\n property: string;\n value: string | null;\n priority: string | undefined;\n };\n remove?: {\n property: string;\n };\n};\n\nexport type styleDeclarationCallback = (s: styleDeclarationParam) => void;\n\nexport type canvasMutationCommand = {\n property: string;\n args: Array;\n setter?: true;\n};\n\nexport type canvasMutationParam =\n | {\n id: number;\n type: CanvasContext;\n commands: canvasMutationCommand[];\n }\n | ({\n id: number;\n type: CanvasContext;\n } & canvasMutationCommand);\n\nexport type canvasMutationWithType = {\n type: CanvasContext;\n} & canvasMutationCommand;\n\nexport type canvasMutationCallback = (p: canvasMutationParam) => void;\n\nexport type canvasManagerMutationCallback = (\n target: HTMLCanvasElement,\n p: canvasMutationWithType,\n) => void;\n\nexport type fontParam = {\n family: string;\n fontSource: string;\n buffer: boolean;\n descriptors?: FontFaceDescriptors;\n};\n\nexport type fontCallback = (p: fontParam) => void;\n\nexport type viewportResizeDimension = {\n width: number;\n height: number;\n};\n\nexport type viewportResizeCallback = (d: viewportResizeDimension) => void;\n\nexport type inputValue = {\n text: string;\n isChecked: boolean;\n\n // `userTriggered` indicates if this event was triggered directly by user (userTriggered: true)\n // or was triggered indirectly (userTriggered: false)\n // Example of `userTriggered` in action:\n // User clicks on radio element (userTriggered: true) which triggers the other radio element to change (userTriggered: false)\n userTriggered?: boolean;\n};\n\nexport type inputCallback = (v: inputValue & { id: number }) => void;\n\nexport const enum MediaInteractions {\n Play,\n Pause,\n Seeked,\n VolumeChange,\n}\n\nexport type mediaInteractionParam = {\n type: MediaInteractions;\n id: number;\n currentTime?: number;\n volume?: number;\n muted?: boolean;\n};\n\nexport type mediaInteractionCallback = (p: mediaInteractionParam) => void;\n\nexport type DocumentDimension = {\n x: number;\n y: number;\n // scale value relative to its parent iframe\n relativeScale: number;\n // scale value relative to the root iframe\n absoluteScale: number;\n};\n\nexport type Mirror = {\n map: idNodeMap;\n getId: (n: INode) => number;\n getNode: (id: number) => INode | null;\n removeNodeFromMap: (n: INode) => void;\n has: (id: number) => boolean;\n reset: () => void;\n};\n\nexport type throttleOptions = {\n leading?: boolean;\n trailing?: boolean;\n};\n\nexport type listenerHandler = () => void;\nexport type hookResetter = () => void;\n\nexport type ReplayPlugin = {\n handler: (\n event: eventWithTime,\n isSync: boolean,\n context: { replayer: Replayer },\n ) => void;\n};\nexport type playerConfig = {\n speed: number;\n maxSpeed: number;\n root: Element;\n loadTimeout: number;\n skipInactive: boolean;\n showWarning: boolean;\n showDebug: boolean;\n blockClass: string;\n liveMode: boolean;\n insertStyleRules: string[];\n triggerFocus: boolean;\n UNSAFE_replayCanvas: boolean;\n pauseAnimation?: boolean;\n mouseTail:\n | boolean\n | {\n duration?: number;\n lineCap?: string;\n lineWidth?: number;\n strokeStyle?: string;\n };\n unpackFn?: UnpackFn;\n plugins?: ReplayPlugin[];\n};\n\nexport type playerMetaData = {\n startTime: number;\n endTime: number;\n totalTime: number;\n};\n\nexport type missingNode = {\n node: Node;\n mutation: addedNodeMutation;\n};\nexport type missingNodeMap = {\n [id: number]: missingNode;\n};\n\nexport type actionWithDelay = {\n doAction: () => void;\n delay: number;\n};\n\nexport type Handler = (event?: unknown) => void;\n\nexport type Emitter = {\n on(type: string, handler: Handler): void;\n emit(type: string, event?: unknown): void;\n off(type: string, handler: Handler): void;\n};\n\nexport type Arguments = T extends (...payload: infer U) => unknown\n ? U\n : unknown;\n\nexport enum ReplayerEvents {\n Start = 'start',\n Pause = 'pause',\n Resume = 'resume',\n Resize = 'resize',\n Finish = 'finish',\n FullsnapshotRebuilded = 'fullsnapshot-rebuilded',\n LoadStylesheetStart = 'load-stylesheet-start',\n LoadStylesheetEnd = 'load-stylesheet-end',\n SkipStart = 'skip-start',\n SkipEnd = 'skip-end',\n MouseInteraction = 'mouse-interaction',\n EventCast = 'event-cast',\n CustomEvent = 'custom-event',\n Flush = 'flush',\n StateChange = 'state-change',\n PlayBack = 'play-back',\n}\n\n// store the state that would be changed during the process(unmount from dom and mount again)\nexport type ElementState = {\n // [scrollLeft,scrollTop]\n scroll?: [number, number];\n};\n\nexport type KeepIframeSrcFn = (src: string) => boolean;\n\ndeclare global {\n interface Window {\n FontFace: typeof FontFace;\n }\n}\n\nexport type IWindow = Window & typeof globalThis;\n\nexport type Optional = Pick, K> & Omit;\n","var NodeType;\n(function (NodeType) {\n NodeType[NodeType[\"Document\"] = 0] = \"Document\";\n NodeType[NodeType[\"DocumentType\"] = 1] = \"DocumentType\";\n NodeType[NodeType[\"Element\"] = 2] = \"Element\";\n NodeType[NodeType[\"Text\"] = 3] = \"Text\";\n NodeType[NodeType[\"CDATA\"] = 4] = \"CDATA\";\n NodeType[NodeType[\"Comment\"] = 5] = \"Comment\";\n})(NodeType || (NodeType = {}));\n\nfunction isElement(n) {\n return n.nodeType === n.ELEMENT_NODE;\n}\nfunction isShadowRoot(n) {\n var _a;\n var host = (_a = n) === null || _a === void 0 ? void 0 : _a.host;\n return Boolean(host && host.shadowRoot && host.shadowRoot === n);\n}\nfunction maskInputValue(_a) {\n var maskInputOptions = _a.maskInputOptions, tagName = _a.tagName, type = _a.type, value = _a.value, maskInputFn = _a.maskInputFn;\n var text = value || '';\n if (maskInputOptions[tagName.toLowerCase()] ||\n maskInputOptions[type]) {\n if (maskInputFn) {\n text = maskInputFn(text);\n }\n else {\n text = '*'.repeat(text.length);\n }\n }\n return text;\n}\nvar ORIGINAL_ATTRIBUTE_NAME = '__rrweb_original__';\nfunction is2DCanvasBlank(canvas) {\n var ctx = canvas.getContext('2d');\n if (!ctx)\n return true;\n var chunkSize = 50;\n for (var x = 0; x < canvas.width; x += chunkSize) {\n for (var y = 0; y < canvas.height; y += chunkSize) {\n var getImageData = ctx.getImageData;\n var originalGetImageData = ORIGINAL_ATTRIBUTE_NAME in getImageData\n ? getImageData[ORIGINAL_ATTRIBUTE_NAME]\n : getImageData;\n var pixelBuffer = new Uint32Array(originalGetImageData.call(ctx, x, y, Math.min(chunkSize, canvas.width - x), Math.min(chunkSize, canvas.height - y)).data.buffer);\n if (pixelBuffer.some(function (pixel) { return pixel !== 0; }))\n return false;\n }\n }\n return true;\n}\n\nvar _id = 1;\nvar tagNameRegex = new RegExp('[^a-z0-9-_:]');\nvar IGNORED_NODE = -2;\nfunction genId() {\n return _id++;\n}\nfunction getValidTagName(element) {\n if (element instanceof HTMLFormElement) {\n return 'form';\n }\n var processedTagName = element.tagName.toLowerCase().trim();\n if (tagNameRegex.test(processedTagName)) {\n return 'div';\n }\n return processedTagName;\n}\nfunction getCssRulesString(s) {\n try {\n var rules = s.rules || s.cssRules;\n return rules ? Array.from(rules).map(getCssRuleString).join('') : null;\n }\n catch (error) {\n return null;\n }\n}\nfunction getCssRuleString(rule) {\n var cssStringified = rule.cssText;\n if (isCSSImportRule(rule)) {\n try {\n cssStringified = getCssRulesString(rule.styleSheet) || cssStringified;\n }\n catch (_a) {\n }\n }\n return cssStringified;\n}\nfunction isCSSImportRule(rule) {\n return 'styleSheet' in rule;\n}\nfunction stringifyStyleSheet(sheet) {\n return sheet.cssRules\n ? Array.from(sheet.cssRules)\n .map(function (rule) { return rule.cssText || ''; })\n .join('')\n : '';\n}\nfunction extractOrigin(url) {\n var origin = '';\n if (url.indexOf('//') > -1) {\n origin = url.split('/').slice(0, 3).join('/');\n }\n else {\n origin = url.split('/')[0];\n }\n origin = origin.split('?')[0];\n return origin;\n}\nvar canvasService;\nvar canvasCtx;\nvar URL_IN_CSS_REF = /url\\((?:(')([^']*)'|(\")(.*?)\"|([^)]*))\\)/gm;\nvar RELATIVE_PATH = /^(?!www\\.|(?:http|ftp)s?:\\/\\/|[A-Za-z]:\\\\|\\/\\/|#).*/;\nvar DATA_URI = /^(data:)([^,]*),(.*)/i;\nfunction absoluteToStylesheet(cssText, href) {\n return (cssText || '').replace(URL_IN_CSS_REF, function (origin, quote1, path1, quote2, path2, path3) {\n var filePath = path1 || path2 || path3;\n var maybeQuote = quote1 || quote2 || '';\n if (!filePath) {\n return origin;\n }\n if (!RELATIVE_PATH.test(filePath)) {\n return \"url(\" + maybeQuote + filePath + maybeQuote + \")\";\n }\n if (DATA_URI.test(filePath)) {\n return \"url(\" + maybeQuote + filePath + maybeQuote + \")\";\n }\n if (filePath[0] === '/') {\n return \"url(\" + maybeQuote + (extractOrigin(href) + filePath) + maybeQuote + \")\";\n }\n var stack = href.split('/');\n var parts = filePath.split('/');\n stack.pop();\n for (var _i = 0, parts_1 = parts; _i < parts_1.length; _i++) {\n var part = parts_1[_i];\n if (part === '.') {\n continue;\n }\n else if (part === '..') {\n stack.pop();\n }\n else {\n stack.push(part);\n }\n }\n return \"url(\" + maybeQuote + stack.join('/') + maybeQuote + \")\";\n });\n}\nvar SRCSET_NOT_SPACES = /^[^ \\t\\n\\r\\u000c]+/;\nvar SRCSET_COMMAS_OR_SPACES = /^[, \\t\\n\\r\\u000c]+/;\nfunction getAbsoluteSrcsetString(doc, attributeValue) {\n if (attributeValue.trim() === '') {\n return attributeValue;\n }\n var pos = 0;\n function collectCharacters(regEx) {\n var chars;\n var match = regEx.exec(attributeValue.substring(pos));\n if (match) {\n chars = match[0];\n pos += chars.length;\n return chars;\n }\n return '';\n }\n var output = [];\n while (true) {\n collectCharacters(SRCSET_COMMAS_OR_SPACES);\n if (pos >= attributeValue.length) {\n break;\n }\n var url = collectCharacters(SRCSET_NOT_SPACES);\n if (url.slice(-1) === ',') {\n url = absoluteToDoc(doc, url.substring(0, url.length - 1));\n output.push(url);\n }\n else {\n var descriptorsStr = '';\n url = absoluteToDoc(doc, url);\n var inParens = false;\n while (true) {\n var c = attributeValue.charAt(pos);\n if (c === '') {\n output.push((url + descriptorsStr).trim());\n break;\n }\n else if (!inParens) {\n if (c === ',') {\n pos += 1;\n output.push((url + descriptorsStr).trim());\n break;\n }\n else if (c === '(') {\n inParens = true;\n }\n }\n else {\n if (c === ')') {\n inParens = false;\n }\n }\n descriptorsStr += c;\n pos += 1;\n }\n }\n }\n return output.join(', ');\n}\nfunction absoluteToDoc(doc, attributeValue) {\n if (!attributeValue || attributeValue.trim() === '') {\n return attributeValue;\n }\n var a = doc.createElement('a');\n a.href = attributeValue;\n return a.href;\n}\nfunction isSVGElement(el) {\n return Boolean(el.tagName === 'svg' || el.ownerSVGElement);\n}\nfunction getHref() {\n var a = document.createElement('a');\n a.href = '';\n return a.href;\n}\nfunction transformAttribute(doc, tagName, name, value) {\n if (name === 'src' || (name === 'href' && value)) {\n return absoluteToDoc(doc, value);\n }\n else if (name === 'xlink:href' && value && value[0] !== '#') {\n return absoluteToDoc(doc, value);\n }\n else if (name === 'background' &&\n value &&\n (tagName === 'table' || tagName === 'td' || tagName === 'th')) {\n return absoluteToDoc(doc, value);\n }\n else if (name === 'srcset' && value) {\n return getAbsoluteSrcsetString(doc, value);\n }\n else if (name === 'style' && value) {\n return absoluteToStylesheet(value, getHref());\n }\n else if (tagName === 'object' && name === 'data' && value) {\n return absoluteToDoc(doc, value);\n }\n else {\n return value;\n }\n}\nfunction _isBlockedElement(element, blockClass, blockSelector) {\n if (typeof blockClass === 'string') {\n if (element.classList.contains(blockClass)) {\n return true;\n }\n }\n else {\n for (var eIndex = 0; eIndex < element.classList.length; eIndex++) {\n var className = element.classList[eIndex];\n if (blockClass.test(className)) {\n return true;\n }\n }\n }\n if (blockSelector) {\n return element.matches(blockSelector);\n }\n return false;\n}\nfunction needMaskingText(node, maskTextClass, maskTextSelector) {\n if (!node) {\n return false;\n }\n if (node.nodeType === node.ELEMENT_NODE) {\n if (typeof maskTextClass === 'string') {\n if (node.classList.contains(maskTextClass)) {\n return true;\n }\n }\n else {\n for (var eIndex = 0; eIndex < node.classList.length; eIndex++) {\n var className = node.classList[eIndex];\n if (maskTextClass.test(className)) {\n return true;\n }\n }\n }\n if (maskTextSelector) {\n if (node.matches(maskTextSelector)) {\n return true;\n }\n }\n return needMaskingText(node.parentNode, maskTextClass, maskTextSelector);\n }\n if (node.nodeType === node.TEXT_NODE) {\n return needMaskingText(node.parentNode, maskTextClass, maskTextSelector);\n }\n return needMaskingText(node.parentNode, maskTextClass, maskTextSelector);\n}\nfunction onceIframeLoaded(iframeEl, listener, iframeLoadTimeout) {\n var win = iframeEl.contentWindow;\n if (!win) {\n return;\n }\n var fired = false;\n var readyState;\n try {\n readyState = win.document.readyState;\n }\n catch (error) {\n return;\n }\n if (readyState !== 'complete') {\n var timer_1 = setTimeout(function () {\n if (!fired) {\n listener();\n fired = true;\n }\n }, iframeLoadTimeout);\n iframeEl.addEventListener('load', function () {\n clearTimeout(timer_1);\n fired = true;\n listener();\n });\n return;\n }\n var blankUrl = 'about:blank';\n if (win.location.href !== blankUrl ||\n iframeEl.src === blankUrl ||\n iframeEl.src === '') {\n setTimeout(listener, 0);\n return;\n }\n iframeEl.addEventListener('load', listener);\n}\nfunction serializeNode(n, options) {\n var _a;\n var doc = options.doc, blockClass = options.blockClass, blockSelector = options.blockSelector, maskTextClass = options.maskTextClass, maskTextSelector = options.maskTextSelector, inlineStylesheet = options.inlineStylesheet, _b = options.maskInputOptions, maskInputOptions = _b === void 0 ? {} : _b, maskTextFn = options.maskTextFn, maskInputFn = options.maskInputFn, _c = options.dataURLOptions, dataURLOptions = _c === void 0 ? {} : _c, inlineImages = options.inlineImages, recordCanvas = options.recordCanvas, keepIframeSrcFn = options.keepIframeSrcFn;\n var rootId;\n if (doc.__sn) {\n var docId = doc.__sn.id;\n rootId = docId === 1 ? undefined : docId;\n }\n switch (n.nodeType) {\n case n.DOCUMENT_NODE:\n if (n.compatMode !== 'CSS1Compat') {\n return {\n type: NodeType.Document,\n childNodes: [],\n compatMode: n.compatMode,\n rootId: rootId\n };\n }\n else {\n return {\n type: NodeType.Document,\n childNodes: [],\n rootId: rootId\n };\n }\n case n.DOCUMENT_TYPE_NODE:\n return {\n type: NodeType.DocumentType,\n name: n.name,\n publicId: n.publicId,\n systemId: n.systemId,\n rootId: rootId\n };\n case n.ELEMENT_NODE:\n var needBlock = _isBlockedElement(n, blockClass, blockSelector);\n var tagName = getValidTagName(n);\n var attributes_1 = {};\n for (var _i = 0, _d = Array.from(n.attributes); _i < _d.length; _i++) {\n var _e = _d[_i], name_1 = _e.name, value = _e.value;\n attributes_1[name_1] = transformAttribute(doc, tagName, name_1, value);\n }\n if (tagName === 'link' && inlineStylesheet) {\n var stylesheet = Array.from(doc.styleSheets).find(function (s) {\n return s.href === n.href;\n });\n var cssText = null;\n if (stylesheet) {\n cssText = getCssRulesString(stylesheet);\n }\n if (cssText) {\n delete attributes_1.rel;\n delete attributes_1.href;\n attributes_1._cssText = absoluteToStylesheet(cssText, stylesheet.href);\n }\n }\n if (tagName === 'style' &&\n n.sheet &&\n !(n.innerText ||\n n.textContent ||\n '').trim().length) {\n var cssText = getCssRulesString(n.sheet);\n if (cssText) {\n attributes_1._cssText = absoluteToStylesheet(cssText, getHref());\n }\n }\n if (tagName === 'input' ||\n tagName === 'textarea' ||\n tagName === 'select') {\n var value = n.value;\n if (attributes_1.type !== 'radio' &&\n attributes_1.type !== 'checkbox' &&\n attributes_1.type !== 'submit' &&\n attributes_1.type !== 'button' &&\n value) {\n attributes_1.value = maskInputValue({\n type: attributes_1.type,\n tagName: tagName,\n value: value,\n maskInputOptions: maskInputOptions,\n maskInputFn: maskInputFn\n });\n }\n else if (n.checked) {\n attributes_1.checked = n.checked;\n }\n }\n if (tagName === 'option') {\n if (n.selected && !maskInputOptions['select']) {\n attributes_1.selected = true;\n }\n else {\n delete attributes_1.selected;\n }\n }\n if (tagName === 'canvas' && recordCanvas) {\n if (n.__context === '2d') {\n if (!is2DCanvasBlank(n)) {\n attributes_1.rr_dataURL = n.toDataURL(dataURLOptions.type, dataURLOptions.quality);\n }\n }\n else if (!('__context' in n)) {\n var canvasDataURL = n.toDataURL(dataURLOptions.type, dataURLOptions.quality);\n var blankCanvas = document.createElement('canvas');\n blankCanvas.width = n.width;\n blankCanvas.height = n.height;\n var blankCanvasDataURL = blankCanvas.toDataURL(dataURLOptions.type, dataURLOptions.quality);\n if (canvasDataURL !== blankCanvasDataURL) {\n attributes_1.rr_dataURL = canvasDataURL;\n }\n }\n }\n if (tagName === 'img' && inlineImages) {\n if (!canvasService) {\n canvasService = doc.createElement('canvas');\n canvasCtx = canvasService.getContext('2d');\n }\n var image_1 = n;\n var oldValue_1 = image_1.crossOrigin;\n image_1.crossOrigin = 'anonymous';\n var recordInlineImage = function () {\n try {\n canvasService.width = image_1.naturalWidth;\n canvasService.height = image_1.naturalHeight;\n canvasCtx.drawImage(image_1, 0, 0);\n attributes_1.rr_dataURL = canvasService.toDataURL(dataURLOptions.type, dataURLOptions.quality);\n }\n catch (err) {\n console.warn(\"Cannot inline img src=\" + image_1.currentSrc + \"! Error: \" + err);\n }\n oldValue_1\n ? (attributes_1.crossOrigin = oldValue_1)\n : delete attributes_1.crossOrigin;\n };\n if (image_1.complete && image_1.naturalWidth !== 0)\n recordInlineImage();\n else\n image_1.onload = recordInlineImage;\n }\n if (tagName === 'audio' || tagName === 'video') {\n attributes_1.rr_mediaState = n.paused\n ? 'paused'\n : 'played';\n attributes_1.rr_mediaCurrentTime = n.currentTime;\n }\n if (n.scrollLeft) {\n attributes_1.rr_scrollLeft = n.scrollLeft;\n }\n if (n.scrollTop) {\n attributes_1.rr_scrollTop = n.scrollTop;\n }\n if (needBlock) {\n var _f = n.getBoundingClientRect(), width = _f.width, height = _f.height;\n attributes_1 = {\n \"class\": attributes_1[\"class\"],\n rr_width: width + \"px\",\n rr_height: height + \"px\"\n };\n }\n if (tagName === 'iframe' && !keepIframeSrcFn(attributes_1.src)) {\n if (!n.contentDocument) {\n attributes_1.rr_src = attributes_1.src;\n }\n delete attributes_1.src;\n }\n return {\n type: NodeType.Element,\n tagName: tagName,\n attributes: attributes_1,\n childNodes: [],\n isSVG: isSVGElement(n) || undefined,\n needBlock: needBlock,\n rootId: rootId\n };\n case n.TEXT_NODE:\n var parentTagName = n.parentNode && n.parentNode.tagName;\n var textContent = n.textContent;\n var isStyle = parentTagName === 'STYLE' ? true : undefined;\n var isScript = parentTagName === 'SCRIPT' ? true : undefined;\n if (isStyle && textContent) {\n try {\n if (n.nextSibling || n.previousSibling) {\n }\n else if ((_a = n.parentNode.sheet) === null || _a === void 0 ? void 0 : _a.cssRules) {\n textContent = stringifyStyleSheet(n.parentNode.sheet);\n }\n }\n catch (err) {\n console.warn(\"Cannot get CSS styles from text's parentNode. Error: \" + err, n);\n }\n textContent = absoluteToStylesheet(textContent, getHref());\n }\n if (isScript) {\n textContent = 'SCRIPT_PLACEHOLDER';\n }\n if (!isStyle &&\n !isScript &&\n needMaskingText(n, maskTextClass, maskTextSelector) &&\n textContent) {\n textContent = maskTextFn\n ? maskTextFn(textContent)\n : textContent.replace(/[\\S]/g, '*');\n }\n return {\n type: NodeType.Text,\n textContent: textContent || '',\n isStyle: isStyle,\n rootId: rootId\n };\n case n.CDATA_SECTION_NODE:\n return {\n type: NodeType.CDATA,\n textContent: '',\n rootId: rootId\n };\n case n.COMMENT_NODE:\n return {\n type: NodeType.Comment,\n textContent: n.textContent || '',\n rootId: rootId\n };\n default:\n return false;\n }\n}\nfunction lowerIfExists(maybeAttr) {\n if (maybeAttr === undefined) {\n return '';\n }\n else {\n return maybeAttr.toLowerCase();\n }\n}\nfunction slimDOMExcluded(sn, slimDOMOptions) {\n if (slimDOMOptions.comment && sn.type === NodeType.Comment) {\n return true;\n }\n else if (sn.type === NodeType.Element) {\n if (slimDOMOptions.script &&\n (sn.tagName === 'script' ||\n (sn.tagName === 'link' &&\n sn.attributes.rel === 'preload' &&\n sn.attributes.as === 'script') ||\n (sn.tagName === 'link' &&\n sn.attributes.rel === 'prefetch' &&\n typeof sn.attributes.href === 'string' &&\n sn.attributes.href.endsWith('.js')))) {\n return true;\n }\n else if (slimDOMOptions.headFavicon &&\n ((sn.tagName === 'link' && sn.attributes.rel === 'shortcut icon') ||\n (sn.tagName === 'meta' &&\n (lowerIfExists(sn.attributes.name).match(/^msapplication-tile(image|color)$/) ||\n lowerIfExists(sn.attributes.name) === 'application-name' ||\n lowerIfExists(sn.attributes.rel) === 'icon' ||\n lowerIfExists(sn.attributes.rel) === 'apple-touch-icon' ||\n lowerIfExists(sn.attributes.rel) === 'shortcut icon')))) {\n return true;\n }\n else if (sn.tagName === 'meta') {\n if (slimDOMOptions.headMetaDescKeywords &&\n lowerIfExists(sn.attributes.name).match(/^description|keywords$/)) {\n return true;\n }\n else if (slimDOMOptions.headMetaSocial &&\n (lowerIfExists(sn.attributes.property).match(/^(og|twitter|fb):/) ||\n lowerIfExists(sn.attributes.name).match(/^(og|twitter):/) ||\n lowerIfExists(sn.attributes.name) === 'pinterest')) {\n return true;\n }\n else if (slimDOMOptions.headMetaRobots &&\n (lowerIfExists(sn.attributes.name) === 'robots' ||\n lowerIfExists(sn.attributes.name) === 'googlebot' ||\n lowerIfExists(sn.attributes.name) === 'bingbot')) {\n return true;\n }\n else if (slimDOMOptions.headMetaHttpEquiv &&\n sn.attributes['http-equiv'] !== undefined) {\n return true;\n }\n else if (slimDOMOptions.headMetaAuthorship &&\n (lowerIfExists(sn.attributes.name) === 'author' ||\n lowerIfExists(sn.attributes.name) === 'generator' ||\n lowerIfExists(sn.attributes.name) === 'framework' ||\n lowerIfExists(sn.attributes.name) === 'publisher' ||\n lowerIfExists(sn.attributes.name) === 'progid' ||\n lowerIfExists(sn.attributes.property).match(/^article:/) ||\n lowerIfExists(sn.attributes.property).match(/^product:/))) {\n return true;\n }\n else if (slimDOMOptions.headMetaVerification &&\n (lowerIfExists(sn.attributes.name) === 'google-site-verification' ||\n lowerIfExists(sn.attributes.name) === 'yandex-verification' ||\n lowerIfExists(sn.attributes.name) === 'csrf-token' ||\n lowerIfExists(sn.attributes.name) === 'p:domain_verify' ||\n lowerIfExists(sn.attributes.name) === 'verify-v1' ||\n lowerIfExists(sn.attributes.name) === 'verification' ||\n lowerIfExists(sn.attributes.name) === 'shopify-checkout-api-token')) {\n return true;\n }\n }\n }\n return false;\n}\nfunction serializeNodeWithId(n, options) {\n var doc = options.doc, map = options.map, blockClass = options.blockClass, blockSelector = options.blockSelector, maskTextClass = options.maskTextClass, maskTextSelector = options.maskTextSelector, _a = options.skipChild, skipChild = _a === void 0 ? false : _a, _b = options.inlineStylesheet, inlineStylesheet = _b === void 0 ? true : _b, _c = options.maskInputOptions, maskInputOptions = _c === void 0 ? {} : _c, maskTextFn = options.maskTextFn, maskInputFn = options.maskInputFn, slimDOMOptions = options.slimDOMOptions, _d = options.dataURLOptions, dataURLOptions = _d === void 0 ? {} : _d, _e = options.inlineImages, inlineImages = _e === void 0 ? false : _e, _f = options.recordCanvas, recordCanvas = _f === void 0 ? false : _f, onSerialize = options.onSerialize, onIframeLoad = options.onIframeLoad, _g = options.iframeLoadTimeout, iframeLoadTimeout = _g === void 0 ? 5000 : _g, _h = options.keepIframeSrcFn, keepIframeSrcFn = _h === void 0 ? function () { return false; } : _h;\n var _j = options.preserveWhiteSpace, preserveWhiteSpace = _j === void 0 ? true : _j;\n var _serializedNode = serializeNode(n, {\n doc: doc,\n blockClass: blockClass,\n blockSelector: blockSelector,\n maskTextClass: maskTextClass,\n maskTextSelector: maskTextSelector,\n inlineStylesheet: inlineStylesheet,\n maskInputOptions: maskInputOptions,\n maskTextFn: maskTextFn,\n maskInputFn: maskInputFn,\n dataURLOptions: dataURLOptions,\n inlineImages: inlineImages,\n recordCanvas: recordCanvas,\n keepIframeSrcFn: keepIframeSrcFn\n });\n if (!_serializedNode) {\n console.warn(n, 'not serialized');\n return null;\n }\n var id;\n if ('__sn' in n) {\n id = n.__sn.id;\n }\n else if (slimDOMExcluded(_serializedNode, slimDOMOptions) ||\n (!preserveWhiteSpace &&\n _serializedNode.type === NodeType.Text &&\n !_serializedNode.isStyle &&\n !_serializedNode.textContent.replace(/^\\s+|\\s+$/gm, '').length)) {\n id = IGNORED_NODE;\n }\n else {\n id = genId();\n }\n var serializedNode = Object.assign(_serializedNode, { id: id });\n n.__sn = serializedNode;\n if (id === IGNORED_NODE) {\n return null;\n }\n map[id] = n;\n if (onSerialize) {\n onSerialize(n);\n }\n var recordChild = !skipChild;\n if (serializedNode.type === NodeType.Element) {\n recordChild = recordChild && !serializedNode.needBlock;\n delete serializedNode.needBlock;\n if (n.shadowRoot)\n serializedNode.isShadowHost = true;\n }\n if ((serializedNode.type === NodeType.Document ||\n serializedNode.type === NodeType.Element) &&\n recordChild) {\n if (slimDOMOptions.headWhitespace &&\n _serializedNode.type === NodeType.Element &&\n _serializedNode.tagName === 'head') {\n preserveWhiteSpace = false;\n }\n var bypassOptions = {\n doc: doc,\n map: map,\n blockClass: blockClass,\n blockSelector: blockSelector,\n maskTextClass: maskTextClass,\n maskTextSelector: maskTextSelector,\n skipChild: skipChild,\n inlineStylesheet: inlineStylesheet,\n maskInputOptions: maskInputOptions,\n maskTextFn: maskTextFn,\n maskInputFn: maskInputFn,\n slimDOMOptions: slimDOMOptions,\n dataURLOptions: dataURLOptions,\n inlineImages: inlineImages,\n recordCanvas: recordCanvas,\n preserveWhiteSpace: preserveWhiteSpace,\n onSerialize: onSerialize,\n onIframeLoad: onIframeLoad,\n iframeLoadTimeout: iframeLoadTimeout,\n keepIframeSrcFn: keepIframeSrcFn\n };\n for (var _i = 0, _k = Array.from(n.childNodes); _i < _k.length; _i++) {\n var childN = _k[_i];\n var serializedChildNode = serializeNodeWithId(childN, bypassOptions);\n if (serializedChildNode) {\n serializedNode.childNodes.push(serializedChildNode);\n }\n }\n if (isElement(n) && n.shadowRoot) {\n for (var _l = 0, _m = Array.from(n.shadowRoot.childNodes); _l < _m.length; _l++) {\n var childN = _m[_l];\n var serializedChildNode = serializeNodeWithId(childN, bypassOptions);\n if (serializedChildNode) {\n serializedChildNode.isShadow = true;\n serializedNode.childNodes.push(serializedChildNode);\n }\n }\n }\n }\n if (n.parentNode && isShadowRoot(n.parentNode)) {\n serializedNode.isShadow = true;\n }\n if (serializedNode.type === NodeType.Element &&\n serializedNode.tagName === 'iframe') {\n onceIframeLoaded(n, function () {\n var iframeDoc = n.contentDocument;\n if (iframeDoc && onIframeLoad) {\n var serializedIframeNode = serializeNodeWithId(iframeDoc, {\n doc: iframeDoc,\n map: map,\n blockClass: blockClass,\n blockSelector: blockSelector,\n maskTextClass: maskTextClass,\n maskTextSelector: maskTextSelector,\n skipChild: false,\n inlineStylesheet: inlineStylesheet,\n maskInputOptions: maskInputOptions,\n maskTextFn: maskTextFn,\n maskInputFn: maskInputFn,\n slimDOMOptions: slimDOMOptions,\n dataURLOptions: dataURLOptions,\n inlineImages: inlineImages,\n recordCanvas: recordCanvas,\n preserveWhiteSpace: preserveWhiteSpace,\n onSerialize: onSerialize,\n onIframeLoad: onIframeLoad,\n iframeLoadTimeout: iframeLoadTimeout,\n keepIframeSrcFn: keepIframeSrcFn\n });\n if (serializedIframeNode) {\n onIframeLoad(n, serializedIframeNode);\n }\n }\n }, iframeLoadTimeout);\n }\n return serializedNode;\n}\nfunction snapshot(n, options) {\n var _a = options || {}, _b = _a.blockClass, blockClass = _b === void 0 ? 'rr-block' : _b, _c = _a.blockSelector, blockSelector = _c === void 0 ? null : _c, _d = _a.maskTextClass, maskTextClass = _d === void 0 ? 'rr-mask' : _d, _e = _a.maskTextSelector, maskTextSelector = _e === void 0 ? null : _e, _f = _a.inlineStylesheet, inlineStylesheet = _f === void 0 ? true : _f, _g = _a.inlineImages, inlineImages = _g === void 0 ? false : _g, _h = _a.recordCanvas, recordCanvas = _h === void 0 ? false : _h, _j = _a.maskAllInputs, maskAllInputs = _j === void 0 ? false : _j, maskTextFn = _a.maskTextFn, maskInputFn = _a.maskInputFn, _k = _a.slimDOM, slimDOM = _k === void 0 ? false : _k, dataURLOptions = _a.dataURLOptions, preserveWhiteSpace = _a.preserveWhiteSpace, onSerialize = _a.onSerialize, onIframeLoad = _a.onIframeLoad, iframeLoadTimeout = _a.iframeLoadTimeout, _l = _a.keepIframeSrcFn, keepIframeSrcFn = _l === void 0 ? function () { return false; } : _l;\n var idNodeMap = {};\n var maskInputOptions = maskAllInputs === true\n ? {\n color: true,\n date: true,\n 'datetime-local': true,\n email: true,\n month: true,\n number: true,\n range: true,\n search: true,\n tel: true,\n text: true,\n time: true,\n url: true,\n week: true,\n textarea: true,\n select: true,\n password: true\n }\n : maskAllInputs === false\n ? {\n password: true\n }\n : maskAllInputs;\n var slimDOMOptions = slimDOM === true || slimDOM === 'all'\n ?\n {\n script: true,\n comment: true,\n headFavicon: true,\n headWhitespace: true,\n headMetaDescKeywords: slimDOM === 'all',\n headMetaSocial: true,\n headMetaRobots: true,\n headMetaHttpEquiv: true,\n headMetaAuthorship: true,\n headMetaVerification: true\n }\n : slimDOM === false\n ? {}\n : slimDOM;\n return [\n serializeNodeWithId(n, {\n doc: n,\n map: idNodeMap,\n blockClass: blockClass,\n blockSelector: blockSelector,\n maskTextClass: maskTextClass,\n maskTextSelector: maskTextSelector,\n skipChild: false,\n inlineStylesheet: inlineStylesheet,\n maskInputOptions: maskInputOptions,\n maskTextFn: maskTextFn,\n maskInputFn: maskInputFn,\n slimDOMOptions: slimDOMOptions,\n dataURLOptions: dataURLOptions,\n inlineImages: inlineImages,\n recordCanvas: recordCanvas,\n preserveWhiteSpace: preserveWhiteSpace,\n onSerialize: onSerialize,\n onIframeLoad: onIframeLoad,\n iframeLoadTimeout: iframeLoadTimeout,\n keepIframeSrcFn: keepIframeSrcFn\n }),\n idNodeMap,\n ];\n}\nfunction visitSnapshot(node, onVisit) {\n function walk(current) {\n onVisit(current);\n if (current.type === NodeType.Document ||\n current.type === NodeType.Element) {\n current.childNodes.forEach(walk);\n }\n }\n walk(node);\n}\nfunction cleanupSnapshot() {\n _id = 1;\n}\n\nvar commentre = /\\/\\*[^*]*\\*+([^/*][^*]*\\*+)*\\//g;\nfunction parse(css, options) {\n if (options === void 0) { options = {}; }\n var lineno = 1;\n var column = 1;\n function updatePosition(str) {\n var lines = str.match(/\\n/g);\n if (lines) {\n lineno += lines.length;\n }\n var i = str.lastIndexOf('\\n');\n column = i === -1 ? column + str.length : str.length - i;\n }\n function position() {\n var start = { line: lineno, column: column };\n return function (node) {\n node.position = new Position(start);\n whitespace();\n return node;\n };\n }\n var Position = (function () {\n function Position(start) {\n this.start = start;\n this.end = { line: lineno, column: column };\n this.source = options.source;\n }\n return Position;\n }());\n Position.prototype.content = css;\n var errorsList = [];\n function error(msg) {\n var err = new Error(options.source + ':' + lineno + ':' + column + ': ' + msg);\n err.reason = msg;\n err.filename = options.source;\n err.line = lineno;\n err.column = column;\n err.source = css;\n if (options.silent) {\n errorsList.push(err);\n }\n else {\n throw err;\n }\n }\n function stylesheet() {\n var rulesList = rules();\n return {\n type: 'stylesheet',\n stylesheet: {\n source: options.source,\n rules: rulesList,\n parsingErrors: errorsList\n }\n };\n }\n function open() {\n return match(/^{\\s*/);\n }\n function close() {\n return match(/^}/);\n }\n function rules() {\n var node;\n var rules = [];\n whitespace();\n comments(rules);\n while (css.length && css.charAt(0) !== '}' && (node = atrule() || rule())) {\n if (node !== false) {\n rules.push(node);\n comments(rules);\n }\n }\n return rules;\n }\n function match(re) {\n var m = re.exec(css);\n if (!m) {\n return;\n }\n var str = m[0];\n updatePosition(str);\n css = css.slice(str.length);\n return m;\n }\n function whitespace() {\n match(/^\\s*/);\n }\n function comments(rules) {\n if (rules === void 0) { rules = []; }\n var c;\n while ((c = comment())) {\n if (c !== false) {\n rules.push(c);\n }\n c = comment();\n }\n return rules;\n }\n function comment() {\n var pos = position();\n if ('/' !== css.charAt(0) || '*' !== css.charAt(1)) {\n return;\n }\n var i = 2;\n while ('' !== css.charAt(i) &&\n ('*' !== css.charAt(i) || '/' !== css.charAt(i + 1))) {\n ++i;\n }\n i += 2;\n if ('' === css.charAt(i - 1)) {\n return error('End of comment missing');\n }\n var str = css.slice(2, i - 2);\n column += 2;\n updatePosition(str);\n css = css.slice(i);\n column += 2;\n return pos({\n type: 'comment',\n comment: str\n });\n }\n function selector() {\n var m = match(/^([^{]+)/);\n if (!m) {\n return;\n }\n return trim(m[0])\n .replace(/\\/\\*([^*]|[\\r\\n]|(\\*+([^*/]|[\\r\\n])))*\\*\\/+/g, '')\n .replace(/\"(?:\\\\\"|[^\"])*\"|'(?:\\\\'|[^'])*'/g, function (m) {\n return m.replace(/,/g, '\\u200C');\n })\n .split(/\\s*(?![^(]*\\)),\\s*/)\n .map(function (s) {\n return s.replace(/\\u200C/g, ',');\n });\n }\n function declaration() {\n var pos = position();\n var propMatch = match(/^(\\*?[-#\\/\\*\\\\\\w]+(\\[[0-9a-z_-]+\\])?)\\s*/);\n if (!propMatch) {\n return;\n }\n var prop = trim(propMatch[0]);\n if (!match(/^:\\s*/)) {\n return error(\"property missing ':'\");\n }\n var val = match(/^((?:'(?:\\\\'|.)*?'|\"(?:\\\\\"|.)*?\"|\\([^\\)]*?\\)|[^};])+)/);\n var ret = pos({\n type: 'declaration',\n property: prop.replace(commentre, ''),\n value: val ? trim(val[0]).replace(commentre, '') : ''\n });\n match(/^[;\\s]*/);\n return ret;\n }\n function declarations() {\n var decls = [];\n if (!open()) {\n return error(\"missing '{'\");\n }\n comments(decls);\n var decl;\n while ((decl = declaration())) {\n if (decl !== false) {\n decls.push(decl);\n comments(decls);\n }\n decl = declaration();\n }\n if (!close()) {\n return error(\"missing '}'\");\n }\n return decls;\n }\n function keyframe() {\n var m;\n var vals = [];\n var pos = position();\n while ((m = match(/^((\\d+\\.\\d+|\\.\\d+|\\d+)%?|[a-z]+)\\s*/))) {\n vals.push(m[1]);\n match(/^,\\s*/);\n }\n if (!vals.length) {\n return;\n }\n return pos({\n type: 'keyframe',\n values: vals,\n declarations: declarations()\n });\n }\n function atkeyframes() {\n var pos = position();\n var m = match(/^@([-\\w]+)?keyframes\\s*/);\n if (!m) {\n return;\n }\n var vendor = m[1];\n m = match(/^([-\\w]+)\\s*/);\n if (!m) {\n return error('@keyframes missing name');\n }\n var name = m[1];\n if (!open()) {\n return error(\"@keyframes missing '{'\");\n }\n var frame;\n var frames = comments();\n while ((frame = keyframe())) {\n frames.push(frame);\n frames = frames.concat(comments());\n }\n if (!close()) {\n return error(\"@keyframes missing '}'\");\n }\n return pos({\n type: 'keyframes',\n name: name,\n vendor: vendor,\n keyframes: frames\n });\n }\n function atsupports() {\n var pos = position();\n var m = match(/^@supports *([^{]+)/);\n if (!m) {\n return;\n }\n var supports = trim(m[1]);\n if (!open()) {\n return error(\"@supports missing '{'\");\n }\n var style = comments().concat(rules());\n if (!close()) {\n return error(\"@supports missing '}'\");\n }\n return pos({\n type: 'supports',\n supports: supports,\n rules: style\n });\n }\n function athost() {\n var pos = position();\n var m = match(/^@host\\s*/);\n if (!m) {\n return;\n }\n if (!open()) {\n return error(\"@host missing '{'\");\n }\n var style = comments().concat(rules());\n if (!close()) {\n return error(\"@host missing '}'\");\n }\n return pos({\n type: 'host',\n rules: style\n });\n }\n function atmedia() {\n var pos = position();\n var m = match(/^@media *([^{]+)/);\n if (!m) {\n return;\n }\n var media = trim(m[1]);\n if (!open()) {\n return error(\"@media missing '{'\");\n }\n var style = comments().concat(rules());\n if (!close()) {\n return error(\"@media missing '}'\");\n }\n return pos({\n type: 'media',\n media: media,\n rules: style\n });\n }\n function atcustommedia() {\n var pos = position();\n var m = match(/^@custom-media\\s+(--[^\\s]+)\\s*([^{;]+);/);\n if (!m) {\n return;\n }\n return pos({\n type: 'custom-media',\n name: trim(m[1]),\n media: trim(m[2])\n });\n }\n function atpage() {\n var pos = position();\n var m = match(/^@page */);\n if (!m) {\n return;\n }\n var sel = selector() || [];\n if (!open()) {\n return error(\"@page missing '{'\");\n }\n var decls = comments();\n var decl;\n while ((decl = declaration())) {\n decls.push(decl);\n decls = decls.concat(comments());\n }\n if (!close()) {\n return error(\"@page missing '}'\");\n }\n return pos({\n type: 'page',\n selectors: sel,\n declarations: decls\n });\n }\n function atdocument() {\n var pos = position();\n var m = match(/^@([-\\w]+)?document *([^{]+)/);\n if (!m) {\n return;\n }\n var vendor = trim(m[1]);\n var doc = trim(m[2]);\n if (!open()) {\n return error(\"@document missing '{'\");\n }\n var style = comments().concat(rules());\n if (!close()) {\n return error(\"@document missing '}'\");\n }\n return pos({\n type: 'document',\n document: doc,\n vendor: vendor,\n rules: style\n });\n }\n function atfontface() {\n var pos = position();\n var m = match(/^@font-face\\s*/);\n if (!m) {\n return;\n }\n if (!open()) {\n return error(\"@font-face missing '{'\");\n }\n var decls = comments();\n var decl;\n while ((decl = declaration())) {\n decls.push(decl);\n decls = decls.concat(comments());\n }\n if (!close()) {\n return error(\"@font-face missing '}'\");\n }\n return pos({\n type: 'font-face',\n declarations: decls\n });\n }\n var atimport = _compileAtrule('import');\n var atcharset = _compileAtrule('charset');\n var atnamespace = _compileAtrule('namespace');\n function _compileAtrule(name) {\n var re = new RegExp('^@' + name + '\\\\s*([^;]+);');\n return function () {\n var pos = position();\n var m = match(re);\n if (!m) {\n return;\n }\n var ret = { type: name };\n ret[name] = m[1].trim();\n return pos(ret);\n };\n }\n function atrule() {\n if (css[0] !== '@') {\n return;\n }\n return (atkeyframes() ||\n atmedia() ||\n atcustommedia() ||\n atsupports() ||\n atimport() ||\n atcharset() ||\n atnamespace() ||\n atdocument() ||\n atpage() ||\n athost() ||\n atfontface());\n }\n function rule() {\n var pos = position();\n var sel = selector();\n if (!sel) {\n return error('selector missing');\n }\n comments();\n return pos({\n type: 'rule',\n selectors: sel,\n declarations: declarations()\n });\n }\n return addParent(stylesheet());\n}\nfunction trim(str) {\n return str ? str.replace(/^\\s+|\\s+$/g, '') : '';\n}\nfunction addParent(obj, parent) {\n var isNode = obj && typeof obj.type === 'string';\n var childParent = isNode ? obj : parent;\n for (var _i = 0, _a = Object.keys(obj); _i < _a.length; _i++) {\n var k = _a[_i];\n var value = obj[k];\n if (Array.isArray(value)) {\n value.forEach(function (v) {\n addParent(v, childParent);\n });\n }\n else if (value && typeof value === 'object') {\n addParent(value, childParent);\n }\n }\n if (isNode) {\n Object.defineProperty(obj, 'parent', {\n configurable: true,\n writable: true,\n enumerable: false,\n value: parent || null\n });\n }\n return obj;\n}\n\nvar tagMap = {\n script: 'noscript',\n altglyph: 'altGlyph',\n altglyphdef: 'altGlyphDef',\n altglyphitem: 'altGlyphItem',\n animatecolor: 'animateColor',\n animatemotion: 'animateMotion',\n animatetransform: 'animateTransform',\n clippath: 'clipPath',\n feblend: 'feBlend',\n fecolormatrix: 'feColorMatrix',\n fecomponenttransfer: 'feComponentTransfer',\n fecomposite: 'feComposite',\n feconvolvematrix: 'feConvolveMatrix',\n fediffuselighting: 'feDiffuseLighting',\n fedisplacementmap: 'feDisplacementMap',\n fedistantlight: 'feDistantLight',\n fedropshadow: 'feDropShadow',\n feflood: 'feFlood',\n fefunca: 'feFuncA',\n fefuncb: 'feFuncB',\n fefuncg: 'feFuncG',\n fefuncr: 'feFuncR',\n fegaussianblur: 'feGaussianBlur',\n feimage: 'feImage',\n femerge: 'feMerge',\n femergenode: 'feMergeNode',\n femorphology: 'feMorphology',\n feoffset: 'feOffset',\n fepointlight: 'fePointLight',\n fespecularlighting: 'feSpecularLighting',\n fespotlight: 'feSpotLight',\n fetile: 'feTile',\n feturbulence: 'feTurbulence',\n foreignobject: 'foreignObject',\n glyphref: 'glyphRef',\n lineargradient: 'linearGradient',\n radialgradient: 'radialGradient'\n};\nfunction getTagName(n) {\n var tagName = tagMap[n.tagName] ? tagMap[n.tagName] : n.tagName;\n if (tagName === 'link' && n.attributes._cssText) {\n tagName = 'style';\n }\n return tagName;\n}\nfunction escapeRegExp(str) {\n return str.replace(/[.*+?^${}()|[\\]\\\\]/g, '\\\\$&');\n}\nvar HOVER_SELECTOR = /([^\\\\]):hover/;\nvar HOVER_SELECTOR_GLOBAL = new RegExp(HOVER_SELECTOR.source, 'g');\nfunction addHoverClass(cssText, cache) {\n var cachedStyle = cache === null || cache === void 0 ? void 0 : cache.stylesWithHoverClass.get(cssText);\n if (cachedStyle)\n return cachedStyle;\n var ast = parse(cssText, {\n silent: true\n });\n if (!ast.stylesheet) {\n return cssText;\n }\n var selectors = [];\n ast.stylesheet.rules.forEach(function (rule) {\n if ('selectors' in rule) {\n (rule.selectors || []).forEach(function (selector) {\n if (HOVER_SELECTOR.test(selector)) {\n selectors.push(selector);\n }\n });\n }\n });\n if (selectors.length === 0) {\n return cssText;\n }\n var selectorMatcher = new RegExp(selectors\n .filter(function (selector, index) { return selectors.indexOf(selector) === index; })\n .sort(function (a, b) { return b.length - a.length; })\n .map(function (selector) {\n return escapeRegExp(selector);\n })\n .join('|'), 'g');\n var result = cssText.replace(selectorMatcher, function (selector) {\n var newSelector = selector.replace(HOVER_SELECTOR_GLOBAL, '$1.\\\\:hover');\n return selector + \", \" + newSelector;\n });\n cache === null || cache === void 0 ? void 0 : cache.stylesWithHoverClass.set(cssText, result);\n return result;\n}\nfunction createCache() {\n var stylesWithHoverClass = new Map();\n return {\n stylesWithHoverClass: stylesWithHoverClass\n };\n}\nfunction buildNode(n, options) {\n var doc = options.doc, hackCss = options.hackCss, cache = options.cache;\n switch (n.type) {\n case NodeType.Document:\n return doc.implementation.createDocument(null, '', null);\n case NodeType.DocumentType:\n return doc.implementation.createDocumentType(n.name || 'html', n.publicId, n.systemId);\n case NodeType.Element:\n var tagName = getTagName(n);\n var node_1;\n if (n.isSVG) {\n node_1 = doc.createElementNS('http://www.w3.org/2000/svg', tagName);\n }\n else {\n node_1 = doc.createElement(tagName);\n }\n var _loop_1 = function (name_1) {\n if (!n.attributes.hasOwnProperty(name_1)) {\n return \"continue\";\n }\n var value = n.attributes[name_1];\n if (tagName === 'option' && name_1 === 'selected' && value === false) {\n return \"continue\";\n }\n value =\n typeof value === 'boolean' || typeof value === 'number' ? '' : value;\n if (!name_1.startsWith('rr_')) {\n var isTextarea = tagName === 'textarea' && name_1 === 'value';\n var isRemoteOrDynamicCss = tagName === 'style' && name_1 === '_cssText';\n if (isRemoteOrDynamicCss && hackCss) {\n value = addHoverClass(value, cache);\n }\n if (isTextarea || isRemoteOrDynamicCss) {\n var child = doc.createTextNode(value);\n for (var _i = 0, _a = Array.from(node_1.childNodes); _i < _a.length; _i++) {\n var c = _a[_i];\n if (c.nodeType === node_1.TEXT_NODE) {\n node_1.removeChild(c);\n }\n }\n node_1.appendChild(child);\n return \"continue\";\n }\n try {\n if (n.isSVG && name_1 === 'xlink:href') {\n node_1.setAttributeNS('http://www.w3.org/1999/xlink', name_1, value);\n }\n else if (name_1 === 'onload' ||\n name_1 === 'onclick' ||\n name_1.substring(0, 7) === 'onmouse') {\n node_1.setAttribute('_' + name_1, value);\n }\n else if (tagName === 'meta' &&\n n.attributes['http-equiv'] === 'Content-Security-Policy' &&\n name_1 === 'content') {\n node_1.setAttribute('csp-content', value);\n return \"continue\";\n }\n else if (tagName === 'link' &&\n n.attributes.rel === 'preload' &&\n n.attributes.as === 'script') {\n }\n else if (tagName === 'link' &&\n n.attributes.rel === 'prefetch' &&\n typeof n.attributes.href === 'string' &&\n n.attributes.href.endsWith('.js')) {\n }\n else if (tagName === 'img' &&\n n.attributes.srcset &&\n n.attributes.rr_dataURL) {\n node_1.setAttribute('rrweb-original-srcset', n.attributes.srcset);\n }\n else {\n node_1.setAttribute(name_1, value);\n }\n }\n catch (error) {\n }\n }\n else {\n if (tagName === 'canvas' && name_1 === 'rr_dataURL') {\n var image_1 = document.createElement('img');\n image_1.src = value;\n image_1.onload = function () {\n var ctx = node_1.getContext('2d');\n if (ctx) {\n ctx.drawImage(image_1, 0, 0, image_1.width, image_1.height);\n }\n };\n }\n else if (tagName === 'img' && name_1 === 'rr_dataURL') {\n var image = node_1;\n if (!image.currentSrc.startsWith('data:')) {\n image.setAttribute('rrweb-original-src', n.attributes.src);\n image.src = value;\n }\n }\n if (name_1 === 'rr_width') {\n node_1.style.width = value;\n }\n else if (name_1 === 'rr_height') {\n node_1.style.height = value;\n }\n else if (name_1 === 'rr_mediaCurrentTime') {\n node_1.currentTime = n.attributes\n .rr_mediaCurrentTime;\n }\n else if (name_1 === 'rr_mediaState') {\n switch (value) {\n case 'played':\n node_1\n .play()[\"catch\"](function (e) { return console.warn('media playback error', e); });\n break;\n case 'paused':\n node_1.pause();\n break;\n }\n }\n }\n };\n for (var name_1 in n.attributes) {\n _loop_1(name_1);\n }\n if (n.isShadowHost) {\n if (!node_1.shadowRoot) {\n node_1.attachShadow({ mode: 'open' });\n }\n else {\n while (node_1.shadowRoot.firstChild) {\n node_1.shadowRoot.removeChild(node_1.shadowRoot.firstChild);\n }\n }\n }\n return node_1;\n case NodeType.Text:\n return doc.createTextNode(n.isStyle && hackCss\n ? addHoverClass(n.textContent, cache)\n : n.textContent);\n case NodeType.CDATA:\n return doc.createCDATASection(n.textContent);\n case NodeType.Comment:\n return doc.createComment(n.textContent);\n default:\n return null;\n }\n}\nfunction buildNodeWithSN(n, options) {\n var doc = options.doc, map = options.map, _a = options.skipChild, skipChild = _a === void 0 ? false : _a, _b = options.hackCss, hackCss = _b === void 0 ? true : _b, afterAppend = options.afterAppend, cache = options.cache;\n var node = buildNode(n, { doc: doc, hackCss: hackCss, cache: cache });\n if (!node) {\n return null;\n }\n if (n.rootId) {\n console.assert(map[n.rootId] === doc, 'Target document should has the same root id.');\n }\n if (n.type === NodeType.Document) {\n doc.close();\n doc.open();\n if (n.compatMode === 'BackCompat' &&\n n.childNodes &&\n n.childNodes[0].type !== NodeType.DocumentType) {\n if (n.childNodes[0].type === NodeType.Element &&\n 'xmlns' in n.childNodes[0].attributes &&\n n.childNodes[0].attributes.xmlns === 'http://www.w3.org/1999/xhtml') {\n doc.write('');\n }\n else {\n doc.write('');\n }\n }\n node = doc;\n }\n node.__sn = n;\n map[n.id] = node;\n if ((n.type === NodeType.Document || n.type === NodeType.Element) &&\n !skipChild) {\n for (var _i = 0, _c = n.childNodes; _i < _c.length; _i++) {\n var childN = _c[_i];\n var childNode = buildNodeWithSN(childN, {\n doc: doc,\n map: map,\n skipChild: false,\n hackCss: hackCss,\n afterAppend: afterAppend,\n cache: cache\n });\n if (!childNode) {\n console.warn('Failed to rebuild', childN);\n continue;\n }\n if (childN.isShadow && isElement(node) && node.shadowRoot) {\n node.shadowRoot.appendChild(childNode);\n }\n else {\n node.appendChild(childNode);\n }\n if (afterAppend) {\n afterAppend(childNode);\n }\n }\n }\n return node;\n}\nfunction visit(idNodeMap, onVisit) {\n function walk(node) {\n onVisit(node);\n }\n for (var key in idNodeMap) {\n if (idNodeMap[key]) {\n walk(idNodeMap[key]);\n }\n }\n}\nfunction handleScroll(node) {\n var n = node.__sn;\n if (n.type !== NodeType.Element) {\n return;\n }\n var el = node;\n for (var name_2 in n.attributes) {\n if (!(n.attributes.hasOwnProperty(name_2) && name_2.startsWith('rr_'))) {\n continue;\n }\n var value = n.attributes[name_2];\n if (name_2 === 'rr_scrollLeft') {\n el.scrollLeft = value;\n }\n if (name_2 === 'rr_scrollTop') {\n el.scrollTop = value;\n }\n }\n}\nfunction rebuild(n, options) {\n var doc = options.doc, onVisit = options.onVisit, _a = options.hackCss, hackCss = _a === void 0 ? true : _a, afterAppend = options.afterAppend, cache = options.cache;\n var idNodeMap = {};\n var node = buildNodeWithSN(n, {\n doc: doc,\n map: idNodeMap,\n skipChild: false,\n hackCss: hackCss,\n afterAppend: afterAppend,\n cache: cache\n });\n visit(idNodeMap, function (visitedNode) {\n if (onVisit) {\n onVisit(visitedNode);\n }\n handleScroll(visitedNode);\n });\n return [node, idNodeMap];\n}\n\nexport { IGNORED_NODE, NodeType, addHoverClass, buildNodeWithSN, cleanupSnapshot, createCache, is2DCanvasBlank, isElement, isShadowRoot, maskInputValue, needMaskingText, rebuild, serializeNodeWithId, snapshot, transformAttribute, visitSnapshot };\n","import {\n Mirror,\n throttleOptions,\n listenerHandler,\n hookResetter,\n blockClass,\n IncrementalSource,\n addedNodeMutation,\n removedNodeMutation,\n textMutation,\n attributeMutation,\n mutationData,\n scrollData,\n inputData,\n DocumentDimension,\n IWindow,\n} from './types';\nimport {\n INode,\n IGNORED_NODE,\n serializedNodeWithId,\n NodeType,\n isShadowRoot,\n} from 'rrweb-snapshot';\n\nexport function on(\n type: string,\n fn: EventListenerOrEventListenerObject,\n target: Document | IWindow = document,\n): listenerHandler {\n const options = { capture: true, passive: true };\n target.addEventListener(type, fn, options);\n return () => target.removeEventListener(type, fn, options);\n}\n\nexport function createMirror(): Mirror {\n return {\n map: {},\n getId(n) {\n // if n is not a serialized INode, use -1 as its id.\n if (!n || !n.__sn) {\n return -1;\n }\n return n.__sn.id;\n },\n getNode(id) {\n return this.map[id] || null;\n },\n // TODO: use a weakmap to get rid of manually memory management\n removeNodeFromMap(n) {\n const id = n.__sn && n.__sn.id;\n delete this.map[id];\n if (n.childNodes) {\n n.childNodes.forEach((child) =>\n this.removeNodeFromMap((child as Node) as INode),\n );\n }\n },\n has(id) {\n return this.map.hasOwnProperty(id);\n },\n reset() {\n this.map = {};\n },\n };\n}\n\n// https://github.com/rrweb-io/rrweb/pull/407\nconst DEPARTED_MIRROR_ACCESS_WARNING =\n 'Please stop import mirror directly. Instead of that,' +\n '\\r\\n' +\n 'now you can use replayer.getMirror() to access the mirror instance of a replayer,' +\n '\\r\\n' +\n 'or you can use record.mirror to access the mirror instance during recording.';\nexport let _mirror: Mirror = {\n map: {},\n getId() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n return -1;\n },\n getNode() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n return null;\n },\n removeNodeFromMap() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n },\n has() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n return false;\n },\n reset() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n },\n};\nif (typeof window !== 'undefined' && window.Proxy && window.Reflect) {\n _mirror = new Proxy(_mirror, {\n get(target, prop, receiver) {\n if (prop === 'map') {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n }\n return Reflect.get(target, prop, receiver);\n },\n });\n}\n\n// copy from underscore and modified\nexport function throttle(\n func: (arg: T) => void,\n wait: number,\n options: throttleOptions = {},\n) {\n let timeout: ReturnType | null = null;\n let previous = 0;\n // tslint:disable-next-line: only-arrow-functions\n return function (arg: T) {\n let now = Date.now();\n if (!previous && options.leading === false) {\n previous = now;\n }\n let remaining = wait - (now - previous);\n let context = this;\n let args = arguments;\n if (remaining <= 0 || remaining > wait) {\n if (timeout) {\n clearTimeout(timeout);\n timeout = null;\n }\n previous = now;\n func.apply(context, args);\n } else if (!timeout && options.trailing !== false) {\n timeout = setTimeout(() => {\n previous = options.leading === false ? 0 : Date.now();\n timeout = null;\n func.apply(context, args);\n }, remaining);\n }\n };\n}\n\nexport function hookSetter(\n target: T,\n key: string | number | symbol,\n d: PropertyDescriptor,\n isRevoked?: boolean,\n win = window,\n): hookResetter {\n const original = win.Object.getOwnPropertyDescriptor(target, key);\n win.Object.defineProperty(\n target,\n key,\n isRevoked\n ? d\n : {\n set(value) {\n // put hooked setter into event loop to avoid of set latency\n setTimeout(() => {\n d.set!.call(this, value);\n }, 0);\n if (original && original.set) {\n original.set.call(this, value);\n }\n },\n },\n );\n return () => hookSetter(target, key, original || {}, true);\n}\n\n// copy from https://github.com/getsentry/sentry-javascript/blob/b2109071975af8bf0316d3b5b38f519bdaf5dc15/packages/utils/src/object.ts\nexport function patch(\n // tslint:disable-next-line:no-any\n source: { [key: string]: any },\n name: string,\n // tslint:disable-next-line:no-any\n replacement: (...args: any[]) => any,\n): () => void {\n try {\n if (!(name in source)) {\n return () => {};\n }\n\n const original = source[name] as () => unknown;\n const wrapped = replacement(original);\n\n // Make sure it's a function first, as we need to attach an empty prototype for `defineProperties` to work\n // otherwise it'll throw \"TypeError: Object.defineProperties called on non-object\"\n // tslint:disable-next-line:strict-type-predicates\n if (typeof wrapped === 'function') {\n wrapped.prototype = wrapped.prototype || {};\n Object.defineProperties(wrapped, {\n __rrweb_original__: {\n enumerable: false,\n value: original,\n },\n });\n }\n\n source[name] = wrapped;\n\n return () => {\n source[name] = original;\n };\n } catch {\n return () => {};\n // This can throw if multiple fill happens on a global object like XMLHttpRequest\n // Fixes https://github.com/getsentry/sentry-javascript/issues/2043\n }\n}\n\nexport function getWindowHeight(): number {\n return (\n window.innerHeight ||\n (document.documentElement && document.documentElement.clientHeight) ||\n (document.body && document.body.clientHeight)\n );\n}\n\nexport function getWindowWidth(): number {\n return (\n window.innerWidth ||\n (document.documentElement && document.documentElement.clientWidth) ||\n (document.body && document.body.clientWidth)\n );\n}\n\nexport function isBlocked(node: Node | null, blockClass: blockClass): boolean {\n if (!node) {\n return false;\n }\n if (node.nodeType === node.ELEMENT_NODE) {\n let needBlock = false;\n if (typeof blockClass === 'string') {\n if ((node as HTMLElement).closest !== undefined) {\n return (node as HTMLElement).closest('.' + blockClass) !== null;\n } else {\n needBlock = (node as HTMLElement).classList.contains(blockClass);\n }\n } else {\n (node as HTMLElement).classList.forEach((className) => {\n if (blockClass.test(className)) {\n needBlock = true;\n }\n });\n }\n return needBlock || isBlocked(node.parentNode, blockClass);\n }\n if (node.nodeType === node.TEXT_NODE) {\n // check parent node since text node do not have class name\n return isBlocked(node.parentNode, blockClass);\n }\n return isBlocked(node.parentNode, blockClass);\n}\n\nexport function isIgnored(n: Node | INode): boolean {\n if ('__sn' in n) {\n return (n as INode).__sn.id === IGNORED_NODE;\n }\n // The main part of the slimDOM check happens in\n // rrweb-snapshot::serializeNodeWithId\n return false;\n}\n\nexport function isAncestorRemoved(target: INode, mirror: Mirror): boolean {\n if (isShadowRoot(target)) {\n return false;\n }\n const id = mirror.getId(target);\n if (!mirror.has(id)) {\n return true;\n }\n if (\n target.parentNode &&\n target.parentNode.nodeType === target.DOCUMENT_NODE\n ) {\n return false;\n }\n // if the root is not document, it means the node is not in the DOM tree anymore\n if (!target.parentNode) {\n return true;\n }\n return isAncestorRemoved((target.parentNode as unknown) as INode, mirror);\n}\n\nexport function isTouchEvent(\n event: MouseEvent | TouchEvent,\n): event is TouchEvent {\n return Boolean((event as TouchEvent).changedTouches);\n}\n\nexport function polyfill(win = window) {\n if ('NodeList' in win && !win.NodeList.prototype.forEach) {\n win.NodeList.prototype.forEach = (Array.prototype\n .forEach as unknown) as NodeList['forEach'];\n }\n\n if ('DOMTokenList' in win && !win.DOMTokenList.prototype.forEach) {\n win.DOMTokenList.prototype.forEach = (Array.prototype\n .forEach as unknown) as DOMTokenList['forEach'];\n }\n\n // https://github.com/Financial-Times/polyfill-service/pull/183\n if (!Node.prototype.contains) {\n Node.prototype.contains = function contains(node) {\n if (!(0 in arguments)) {\n throw new TypeError('1 argument is required');\n }\n\n do {\n if (this === node) {\n return true;\n }\n // tslint:disable-next-line: no-conditional-assignment\n } while ((node = node && node.parentNode));\n\n return false;\n };\n }\n}\n\nexport type TreeNode = {\n id: number;\n mutation: addedNodeMutation;\n parent?: TreeNode;\n children: Record;\n texts: textMutation[];\n attributes: attributeMutation[];\n};\nexport class TreeIndex {\n public tree!: Record;\n\n private removeNodeMutations!: removedNodeMutation[];\n private textMutations!: textMutation[];\n private attributeMutations!: attributeMutation[];\n private indexes!: Map;\n private removeIdSet!: Set;\n private scrollMap!: Map;\n private inputMap!: Map;\n\n constructor() {\n this.reset();\n }\n\n public add(mutation: addedNodeMutation) {\n const parentTreeNode = this.indexes.get(mutation.parentId);\n const treeNode: TreeNode = {\n id: mutation.node.id,\n mutation,\n children: [],\n texts: [],\n attributes: [],\n };\n if (!parentTreeNode) {\n this.tree[treeNode.id] = treeNode;\n } else {\n treeNode.parent = parentTreeNode;\n parentTreeNode.children[treeNode.id] = treeNode;\n }\n this.indexes.set(treeNode.id, treeNode);\n }\n\n public remove(mutation: removedNodeMutation, mirror: Mirror) {\n const parentTreeNode = this.indexes.get(mutation.parentId);\n const treeNode = this.indexes.get(mutation.id);\n\n const deepRemoveFromMirror = (id: number) => {\n this.removeIdSet.add(id);\n const node = mirror.getNode(id);\n node?.childNodes.forEach((childNode) => {\n if ('__sn' in childNode) {\n deepRemoveFromMirror(((childNode as unknown) as INode).__sn.id);\n }\n });\n };\n const deepRemoveFromTreeIndex = (node: TreeNode) => {\n this.removeIdSet.add(node.id);\n Object.values(node.children).forEach((n) => deepRemoveFromTreeIndex(n));\n const _treeNode = this.indexes.get(node.id);\n if (_treeNode) {\n const _parentTreeNode = _treeNode.parent;\n if (_parentTreeNode) {\n delete _treeNode.parent;\n delete _parentTreeNode.children[_treeNode.id];\n this.indexes.delete(mutation.id);\n }\n }\n };\n\n if (!treeNode) {\n this.removeNodeMutations.push(mutation);\n deepRemoveFromMirror(mutation.id);\n } else if (!parentTreeNode) {\n delete this.tree[treeNode.id];\n this.indexes.delete(treeNode.id);\n deepRemoveFromTreeIndex(treeNode);\n } else {\n delete treeNode.parent;\n delete parentTreeNode.children[treeNode.id];\n this.indexes.delete(mutation.id);\n deepRemoveFromTreeIndex(treeNode);\n }\n }\n\n public text(mutation: textMutation) {\n const treeNode = this.indexes.get(mutation.id);\n if (treeNode) {\n treeNode.texts.push(mutation);\n } else {\n this.textMutations.push(mutation);\n }\n }\n\n public attribute(mutation: attributeMutation) {\n const treeNode = this.indexes.get(mutation.id);\n if (treeNode) {\n treeNode.attributes.push(mutation);\n } else {\n this.attributeMutations.push(mutation);\n }\n }\n\n public scroll(d: scrollData) {\n this.scrollMap.set(d.id, d);\n }\n\n public input(d: inputData) {\n this.inputMap.set(d.id, d);\n }\n\n public flush(): {\n mutationData: mutationData;\n scrollMap: TreeIndex['scrollMap'];\n inputMap: TreeIndex['inputMap'];\n } {\n const {\n tree,\n removeNodeMutations,\n textMutations,\n attributeMutations,\n } = this;\n\n const batchMutationData: mutationData = {\n source: IncrementalSource.Mutation,\n removes: removeNodeMutations,\n texts: textMutations,\n attributes: attributeMutations,\n adds: [],\n };\n\n const walk = (treeNode: TreeNode, removed: boolean) => {\n if (removed) {\n this.removeIdSet.add(treeNode.id);\n }\n batchMutationData.texts = batchMutationData.texts\n .concat(removed ? [] : treeNode.texts)\n .filter((m) => !this.removeIdSet.has(m.id));\n batchMutationData.attributes = batchMutationData.attributes\n .concat(removed ? [] : treeNode.attributes)\n .filter((m) => !this.removeIdSet.has(m.id));\n if (\n !this.removeIdSet.has(treeNode.id) &&\n !this.removeIdSet.has(treeNode.mutation.parentId) &&\n !removed\n ) {\n batchMutationData.adds.push(treeNode.mutation);\n if (treeNode.children) {\n Object.values(treeNode.children).forEach((n) => walk(n, false));\n }\n } else {\n Object.values(treeNode.children).forEach((n) => walk(n, true));\n }\n };\n\n Object.values(tree).forEach((n) => walk(n, false));\n\n for (const id of this.scrollMap.keys()) {\n if (this.removeIdSet.has(id)) {\n this.scrollMap.delete(id);\n }\n }\n for (const id of this.inputMap.keys()) {\n if (this.removeIdSet.has(id)) {\n this.inputMap.delete(id);\n }\n }\n\n const scrollMap = new Map(this.scrollMap);\n const inputMap = new Map(this.inputMap);\n\n this.reset();\n\n return {\n mutationData: batchMutationData,\n scrollMap,\n inputMap,\n };\n }\n\n private reset() {\n this.tree = [];\n this.indexes = new Map();\n this.removeNodeMutations = [];\n this.textMutations = [];\n this.attributeMutations = [];\n this.removeIdSet = new Set();\n this.scrollMap = new Map();\n this.inputMap = new Map();\n }\n\n public idRemoved(id: number): boolean {\n return this.removeIdSet.has(id);\n }\n}\n\ntype ResolveTree = {\n value: addedNodeMutation;\n children: ResolveTree[];\n parent: ResolveTree | null;\n};\n\nexport function queueToResolveTrees(queue: addedNodeMutation[]): ResolveTree[] {\n const queueNodeMap: Record = {};\n const putIntoMap = (\n m: addedNodeMutation,\n parent: ResolveTree | null,\n ): ResolveTree => {\n const nodeInTree: ResolveTree = {\n value: m,\n parent,\n children: [],\n };\n queueNodeMap[m.node.id] = nodeInTree;\n return nodeInTree;\n };\n\n const queueNodeTrees: ResolveTree[] = [];\n for (const mutation of queue) {\n const { nextId, parentId } = mutation;\n if (nextId && nextId in queueNodeMap) {\n const nextInTree = queueNodeMap[nextId];\n if (nextInTree.parent) {\n const idx = nextInTree.parent.children.indexOf(nextInTree);\n nextInTree.parent.children.splice(\n idx,\n 0,\n putIntoMap(mutation, nextInTree.parent),\n );\n } else {\n const idx = queueNodeTrees.indexOf(nextInTree);\n queueNodeTrees.splice(idx, 0, putIntoMap(mutation, null));\n }\n continue;\n }\n if (parentId in queueNodeMap) {\n const parentInTree = queueNodeMap[parentId];\n parentInTree.children.push(putIntoMap(mutation, parentInTree));\n continue;\n }\n queueNodeTrees.push(putIntoMap(mutation, null));\n }\n\n return queueNodeTrees;\n}\n\nexport function iterateResolveTree(\n tree: ResolveTree,\n cb: (mutation: addedNodeMutation) => unknown,\n) {\n cb(tree.value);\n /**\n * The resolve tree was designed to reflect the DOM layout,\n * but we need append next sibling first, so we do a reverse\n * loop here.\n */\n for (let i = tree.children.length - 1; i >= 0; i--) {\n iterateResolveTree(tree.children[i], cb);\n }\n}\n\ntype HTMLIFrameINode = HTMLIFrameElement & {\n __sn: serializedNodeWithId;\n};\nexport type AppendedIframe = {\n mutationInQueue: addedNodeMutation;\n builtNode: HTMLIFrameINode;\n};\n\nexport function isIframeINode(\n node: INode | ShadowRoot,\n): node is HTMLIFrameINode {\n if ('__sn' in node) {\n return (\n node.__sn.type === NodeType.Element && node.__sn.tagName === 'iframe'\n );\n }\n // node can be document fragment when using the virtual parent feature\n return false;\n}\n\nexport function getBaseDimension(\n node: Node,\n rootIframe: Node,\n): DocumentDimension {\n const frameElement = node.ownerDocument?.defaultView?.frameElement;\n if (!frameElement || frameElement === rootIframe) {\n return {\n x: 0,\n y: 0,\n relativeScale: 1,\n absoluteScale: 1,\n };\n }\n\n const frameDimension = frameElement.getBoundingClientRect();\n const frameBaseDimension = getBaseDimension(frameElement, rootIframe);\n // the iframe element may have a scale transform\n const relativeScale = frameDimension.height / frameElement.clientHeight;\n return {\n x:\n frameDimension.x * frameBaseDimension.relativeScale +\n frameBaseDimension.x,\n y:\n frameDimension.y * frameBaseDimension.relativeScale +\n frameBaseDimension.y,\n relativeScale,\n absoluteScale: frameBaseDimension.absoluteScale * relativeScale,\n };\n}\n\nexport function hasShadowRoot(\n n: T,\n): n is T & { shadowRoot: ShadowRoot } {\n return Boolean(((n as unknown) as Element)?.shadowRoot);\n}\n","// tslint:disable\n/**\n * Class StackFrame is a fork of https://github.com/stacktracejs/stackframe/blob/master/stackframe.js\n * I fork it because:\n * 1. There are some build issues when importing this package.\n * 2. Rewrites into typescript give us a better type interface.\n * 3. StackFrame contains some functions we don't need.\n */\nexport class StackFrame {\n private fileName: string;\n private functionName: string;\n private lineNumber?: number;\n private columnNumber?: number;\n\n constructor(obj: {\n fileName?: string;\n functionName?: string;\n lineNumber?: number;\n columnNumber?: number;\n }) {\n this.fileName = obj.fileName || '';\n this.functionName = obj.functionName || '';\n this.lineNumber = obj.lineNumber;\n this.columnNumber = obj.columnNumber;\n }\n\n toString() {\n const lineNumber = this.lineNumber || '';\n const columnNumber = this.columnNumber || '';\n if (this.functionName) {\n return (\n this.functionName +\n ' (' +\n this.fileName +\n ':' +\n lineNumber +\n ':' +\n columnNumber +\n ')'\n );\n }\n return this.fileName + ':' + lineNumber + ':' + columnNumber;\n }\n}\n\n/**\n * ErrorStackParser is a fork of https://github.com/stacktracejs/error-stack-parser/blob/master/error-stack-parser.js\n * I fork it because:\n * 1. There are some build issues when importing this package.\n * 2. Rewrites into typescript give us a better type interface.\n */\nconst FIREFOX_SAFARI_STACK_REGEXP = /(^|@)\\S+:\\d+/;\nconst CHROME_IE_STACK_REGEXP = /^\\s*at .*(\\S+:\\d+|\\(native\\))/m;\nconst SAFARI_NATIVE_CODE_REGEXP = /^(eval@)?(\\[native code])?$/;\nexport const ErrorStackParser = {\n /**\n * Given an Error object, extract the most information from it.\n *\n * @param {Error} error object\n * @return {Array} of StackFrames\n */\n parse: function (error: Error): StackFrame[] {\n // https://github.com/rrweb-io/rrweb/issues/782\n if (!error) {\n return [];\n }\n if (\n // @ts-ignore\n typeof error.stacktrace !== 'undefined' ||\n // @ts-ignore\n typeof error['opera#sourceloc'] !== 'undefined'\n ) {\n return this.parseOpera(\n error as {\n stacktrace?: string;\n message: string;\n stack?: string;\n },\n );\n } else if (error.stack && error.stack.match(CHROME_IE_STACK_REGEXP)) {\n return this.parseV8OrIE(error as { stack: string });\n } else if (error.stack) {\n return this.parseFFOrSafari(error as { stack: string });\n } else {\n throw new Error('Cannot parse given Error object');\n }\n },\n // Separate line and column numbers from a string of the form: (URI:Line:Column)\n extractLocation: function (urlLike: string) {\n // Fail-fast but return locations like \"(native)\"\n if (urlLike.indexOf(':') === -1) {\n return [urlLike];\n }\n\n const regExp = /(.+?)(?::(\\d+))?(?::(\\d+))?$/;\n const parts = regExp.exec(urlLike.replace(/[()]/g, ''));\n if (!parts) throw new Error(`Cannot parse given url: ${urlLike}`);\n return [parts[1], parts[2] || undefined, parts[3] || undefined];\n },\n parseV8OrIE: function (error: { stack: string }) {\n const filtered = error.stack.split('\\n').filter(function (line) {\n return !!line.match(CHROME_IE_STACK_REGEXP);\n }, this);\n\n return filtered.map(function (line) {\n if (line.indexOf('(eval ') > -1) {\n // Throw away eval information until we implement stacktrace.js/stackframe#8\n line = line\n .replace(/eval code/g, 'eval')\n .replace(/(\\(eval at [^()]*)|(\\),.*$)/g, '');\n }\n let sanitizedLine = line.replace(/^\\s+/, '').replace(/\\(eval code/g, '(');\n\n // capture and preseve the parenthesized location \"(/foo/my bar.js:12:87)\" in\n // case it has spaces in it, as the string is split on \\s+ later on\n const location = sanitizedLine.match(/ (\\((.+):(\\d+):(\\d+)\\)$)/);\n\n // remove the parenthesized location from the line, if it was matched\n sanitizedLine = location\n ? sanitizedLine.replace(location[0], '')\n : sanitizedLine;\n\n const tokens = sanitizedLine.split(/\\s+/).slice(1);\n // if a location was matched, pass it to extractLocation() otherwise pop the last token\n const locationParts = this.extractLocation(\n location ? location[1] : tokens.pop(),\n );\n const functionName = tokens.join(' ') || undefined;\n const fileName =\n ['eval', ''].indexOf(locationParts[0]) > -1\n ? undefined\n : locationParts[0];\n\n return new StackFrame({\n functionName,\n fileName,\n lineNumber: locationParts[1],\n columnNumber: locationParts[2],\n });\n }, this);\n },\n parseFFOrSafari: function (error: { stack: string }) {\n const filtered = error.stack.split('\\n').filter(function (line) {\n return !line.match(SAFARI_NATIVE_CODE_REGEXP);\n }, this);\n\n return filtered.map(function (line) {\n // Throw away eval information until we implement stacktrace.js/stackframe#8\n if (line.indexOf(' > eval') > -1) {\n line = line.replace(\n / line (\\d+)(?: > eval line \\d+)* > eval:\\d+:\\d+/g,\n ':$1',\n );\n }\n\n if (line.indexOf('@') === -1 && line.indexOf(':') === -1) {\n // Safari eval frames only have function names and nothing else\n return new StackFrame({\n functionName: line,\n });\n } else {\n const functionNameRegex = /((.*\".+\"[^@]*)?[^@]*)(?:@)/;\n const matches = line.match(functionNameRegex);\n const functionName = matches && matches[1] ? matches[1] : undefined;\n const locationParts = this.extractLocation(\n line.replace(functionNameRegex, ''),\n );\n\n return new StackFrame({\n functionName,\n fileName: locationParts[0],\n lineNumber: locationParts[1],\n columnNumber: locationParts[2],\n });\n }\n }, this);\n },\n parseOpera: function (e: {\n stacktrace?: string;\n message: string;\n stack?: string;\n }): StackFrame[] {\n if (\n !e.stacktrace ||\n (e.message.indexOf('\\n') > -1 &&\n e.message.split('\\n').length > e.stacktrace.split('\\n').length)\n ) {\n return this.parseOpera9(e as { message: string });\n } else if (!e.stack) {\n return this.parseOpera10(e as { stacktrace: string });\n } else {\n return this.parseOpera11(e as { stack: string });\n }\n },\n parseOpera9: function (e: { message: string }) {\n const lineRE = /Line (\\d+).*script (?:in )?(\\S+)/i;\n const lines = e.message.split('\\n');\n const result = [];\n\n for (let i = 2, len = lines.length; i < len; i += 2) {\n const match = lineRE.exec(lines[i]);\n if (match) {\n result.push(\n new StackFrame({\n fileName: match[2],\n lineNumber: parseFloat(match[1]),\n }),\n );\n }\n }\n\n return result;\n },\n parseOpera10: function (e: { stacktrace: string }) {\n const lineRE = /Line (\\d+).*script (?:in )?(\\S+)(?:: In function (\\S+))?$/i;\n const lines = e.stacktrace.split('\\n');\n const result = [];\n\n for (let i = 0, len = lines.length; i < len; i += 2) {\n const match = lineRE.exec(lines[i]);\n if (match) {\n result.push(\n new StackFrame({\n functionName: match[3] || undefined,\n fileName: match[2],\n lineNumber: parseFloat(match[1]),\n }),\n );\n }\n }\n\n return result;\n },\n // Opera 10.65+ Error.stack very similar to FF/Safari\n parseOpera11: function (error: { stack: string }) {\n const filtered = error.stack.split('\\n').filter(function (line) {\n return (\n !!line.match(FIREFOX_SAFARI_STACK_REGEXP) &&\n !line.match(/^Error created at/)\n );\n }, this);\n\n return filtered.map(function (line: string) {\n const tokens = line.split('@');\n const locationParts = this.extractLocation(tokens.pop());\n const functionCall = tokens.shift() || '';\n const functionName =\n functionCall\n .replace(//, '$2')\n .replace(/\\([^)]*\\)/g, '') || undefined;\n return new StackFrame({\n functionName,\n fileName: locationParts[0],\n lineNumber: locationParts[1],\n columnNumber: locationParts[2],\n });\n }, this);\n },\n};\n","// tslint:disable:no-any no-bitwise forin\n/**\n * this file is used to serialize log message to string\n *\n */\n\nimport { StringifyOptions } from './index';\n\n/**\n * transfer the node path in Event to string\n * @param node the first node in a node path array\n */\nfunction pathToSelector(node: HTMLElement): string | '' {\n if (!node || !node.outerHTML) {\n return '';\n }\n\n let path = '';\n while (node.parentElement) {\n let name = node.localName;\n if (!name) {\n break;\n }\n name = name.toLowerCase();\n let parent = node.parentElement;\n\n let domSiblings = [];\n\n if (parent.children && parent.children.length > 0) {\n // tslint:disable-next-line:prefer-for-of\n for (let i = 0; i < parent.children.length; i++) {\n let sibling = parent.children[i];\n if (sibling.localName && sibling.localName.toLowerCase) {\n if (sibling.localName.toLowerCase() === name) {\n domSiblings.push(sibling);\n }\n }\n }\n }\n\n if (domSiblings.length > 1) {\n name += ':eq(' + domSiblings.indexOf(node) + ')';\n }\n path = name + (path ? '>' + path : '');\n node = parent;\n }\n\n return path;\n}\n\n/**\n * judge is object\n */\nfunction isObject(obj: any): boolean {\n return Object.prototype.toString.call(obj) === '[object Object]';\n}\n\n/**\n * judge the object's depth\n */\nfunction isObjTooDeep(obj: any, limit: number): boolean {\n if (limit === 0) {\n return true;\n }\n\n const keys = Object.keys(obj);\n for (const key of keys) {\n if (isObject(obj[key]) && isObjTooDeep(obj[key], limit - 1)) {\n return true;\n }\n }\n\n return false;\n}\n\n/**\n * stringify any js object\n * @param obj the object to stringify\n */\nexport function stringify(\n obj: any,\n stringifyOptions?: StringifyOptions,\n): string {\n const options: StringifyOptions = {\n numOfKeysLimit: 50,\n depthOfLimit: 4,\n };\n Object.assign(options, stringifyOptions);\n const stack: any[] = [];\n const keys: any[] = [];\n return JSON.stringify(obj, function (key, value) {\n /**\n * forked from https://github.com/moll/json-stringify-safe/blob/master/stringify.js\n * to deCycle the object\n */\n if (stack.length > 0) {\n const thisPos = stack.indexOf(this);\n ~thisPos ? stack.splice(thisPos + 1) : stack.push(this);\n ~thisPos ? keys.splice(thisPos, Infinity, key) : keys.push(key);\n if (~stack.indexOf(value)) {\n if (stack[0] === value) {\n value = '[Circular ~]';\n } else {\n value =\n '[Circular ~.' +\n keys.slice(0, stack.indexOf(value)).join('.') +\n ']';\n }\n }\n } else {\n stack.push(value);\n }\n /* END of the FORK */\n\n if (value === null || value === undefined) {\n return value;\n }\n if (shouldIgnore(value)) {\n return toString(value);\n }\n if (value instanceof Event) {\n const eventResult: any = {};\n for (const eventKey in value) {\n const eventValue = (value as any)[eventKey];\n if (Array.isArray(eventValue)) {\n eventResult[eventKey] = pathToSelector(\n eventValue.length ? eventValue[0] : null,\n );\n } else {\n eventResult[eventKey] = eventValue;\n }\n }\n return eventResult;\n } else if (value instanceof Node) {\n if (value instanceof HTMLElement) {\n return value ? value.outerHTML : '';\n }\n return value.nodeName;\n } else if (value instanceof Error) {\n return value.stack\n ? value.stack + '\\nEnd of stack for Error object'\n : value.name + ': ' + value.message;\n }\n return value;\n });\n\n /**\n * whether we should ignore obj's info and call toString() function instead\n */\n function shouldIgnore(_obj: object): boolean {\n // outof keys limit\n if (isObject(_obj) && Object.keys(_obj).length > options.numOfKeysLimit) {\n return true;\n }\n\n // is function\n if (typeof _obj === 'function') {\n return true;\n }\n\n /**\n * judge object's depth to avoid browser's OOM\n *\n * issues: https://github.com/rrweb-io/rrweb/issues/653\n */\n if (isObject(_obj) && isObjTooDeep(_obj, options.depthOfLimit)) {\n return true;\n }\n\n return false;\n }\n\n /**\n * limit the toString() result according to option\n */\n function toString(_obj: object): string {\n let str = _obj.toString();\n if (options.stringLengthLimit && str.length > options.stringLengthLimit) {\n str = `${str.slice(0, options.stringLengthLimit)}...`;\n }\n return str;\n }\n}\n","import { listenerHandler, RecordPlugin, IWindow } from '../../../types';\nimport { patch } from '../../../utils';\nimport { ErrorStackParser, StackFrame } from './error-stack-parser';\nimport { stringify } from './stringify';\n\nexport type StringifyOptions = {\n // limit of string length\n stringLengthLimit?: number;\n /**\n * limit of number of keys in an object\n * if an object contains more keys than this limit, we would call its toString function directly\n */\n numOfKeysLimit: number;\n /**\n * limit number of depth in an object\n * if an object is too deep, toString process may cause browser OOM\n */\n depthOfLimit: number;\n};\n\ntype LogRecordOptions = {\n level?: LogLevel[];\n lengthThreshold?: number;\n stringifyOptions?: StringifyOptions;\n logger?: Logger | 'console';\n};\n\nconst defaultLogOptions: LogRecordOptions = {\n level: [\n 'assert',\n 'clear',\n 'count',\n 'countReset',\n 'debug',\n 'dir',\n 'dirxml',\n 'error',\n 'group',\n 'groupCollapsed',\n 'groupEnd',\n 'info',\n 'log',\n 'table',\n 'time',\n 'timeEnd',\n 'timeLog',\n 'trace',\n 'warn',\n ],\n lengthThreshold: 1000,\n logger: 'console',\n};\n\nexport type LogData = {\n level: LogLevel;\n trace: string[];\n payload: string[];\n};\n\ntype logCallback = (p: LogData) => void;\n\nexport type LogLevel =\n | 'assert'\n | 'clear'\n | 'count'\n | 'countReset'\n | 'debug'\n | 'dir'\n | 'dirxml'\n | 'error'\n | 'group'\n | 'groupCollapsed'\n | 'groupEnd'\n | 'info'\n | 'log'\n | 'table'\n | 'time'\n | 'timeEnd'\n | 'timeLog'\n | 'trace'\n | 'warn';\n\n/* fork from interface Console */\n// all kinds of console functions\nexport type Logger = {\n assert?: typeof console.assert;\n clear?: typeof console.clear;\n count?: typeof console.count;\n countReset?: typeof console.countReset;\n debug?: typeof console.debug;\n dir?: typeof console.dir;\n dirxml?: typeof console.dirxml;\n error?: typeof console.error;\n group?: typeof console.group;\n groupCollapsed?: typeof console.groupCollapsed;\n groupEnd?: () => void;\n info?: typeof console.info;\n log?: typeof console.log;\n table?: typeof console.table;\n time?: typeof console.time;\n timeEnd?: typeof console.timeEnd;\n timeLog?: typeof console.timeLog;\n trace?: typeof console.trace;\n warn?: typeof console.warn;\n};\n\nfunction initLogObserver(\n cb: logCallback,\n win: IWindow, // top window or in an iframe\n logOptions: LogRecordOptions,\n): listenerHandler {\n const loggerType = logOptions.logger;\n if (!loggerType) {\n return () => {};\n }\n let logger: Logger;\n if (typeof loggerType === 'string') {\n logger = win[loggerType];\n } else {\n logger = loggerType;\n }\n let logCount = 0;\n const cancelHandlers: listenerHandler[] = [];\n // add listener to thrown errors\n if (logOptions.level!.includes('error')) {\n if (window) {\n const errorHandler = (event: ErrorEvent) => {\n const { message, error } = event;\n const trace: string[] = ErrorStackParser.parse(\n error,\n ).map((stackFrame: StackFrame) => stackFrame.toString());\n const payload = [stringify(message, logOptions.stringifyOptions)];\n cb({\n level: 'error',\n trace,\n payload,\n });\n };\n window.addEventListener('error', errorHandler);\n cancelHandlers.push(() => {\n if (window) window.removeEventListener('error', errorHandler);\n });\n }\n }\n for (const levelType of logOptions.level!) {\n cancelHandlers.push(replace(logger, levelType));\n }\n return () => {\n cancelHandlers.forEach((h) => h());\n };\n\n /**\n * replace the original console function and record logs\n * @param logger the logger object such as Console\n * @param level the name of log function to be replaced\n */\n function replace(_logger: Logger, level: LogLevel) {\n if (!_logger[level]) {\n return () => {};\n }\n // replace the logger.{level}. return a restore function\n return patch(_logger, level, (original) => {\n return (...args: Array) => {\n original.apply(this, args);\n try {\n const trace = ErrorStackParser.parse(new Error())\n .map((stackFrame: StackFrame) => stackFrame.toString())\n .splice(1); // splice(1) to omit the hijacked log function\n const payload = args.map((s) =>\n stringify(s, logOptions.stringifyOptions),\n );\n logCount++;\n if (logCount < logOptions.lengthThreshold!) {\n cb({\n level,\n trace,\n payload,\n });\n } else if (logCount === logOptions.lengthThreshold) {\n // notify the user\n cb({\n level: 'warn',\n trace: [],\n payload: [\n stringify('The number of log records reached the threshold.'),\n ],\n });\n }\n } catch (error) {\n original('rrweb logger error:', error, ...args);\n }\n };\n });\n }\n}\n\nexport const PLUGIN_NAME = 'rrweb/console@1';\n\nexport const getRecordConsolePlugin: (\n options?: LogRecordOptions,\n) => RecordPlugin = (options) => ({\n name: PLUGIN_NAME,\n observer: initLogObserver,\n options: options\n ? Object.assign({}, defaultLogOptions, options)\n : defaultLogOptions,\n});\n"],"names":["__values","o","s","Symbol","iterator","m","i","call","length","next","value","done","TypeError","__read","n","r","e","ar","push","error","__spreadArray","to","from","pack","arguments","l","Array","prototype","slice","concat","EventType","IncrementalSource","MouseInteractions","CanvasContext","MediaInteractions","ReplayerEvents","NodeType","DEPARTED_MIRROR_ACCESS_WARNING","_mirror","map","getId","console","getNode","removeNodeFromMap","has","reset","window","Proxy","Reflect","get","target","prop","receiver","obj","this","fileName","functionName","lineNumber","columnNumber","StackFrame","FIREFOX_SAFARI_STACK_REGEXP","CHROME_IE_STACK_REGEXP","SAFARI_NATIVE_CODE_REGEXP","ErrorStackParser","parse","stacktrace","parseOpera","stack","match","parseV8OrIE","parseFFOrSafari","Error","extractLocation","urlLike","indexOf","parts","exec","replace","undefined","split","filter","line","sanitizedLine","location","tokens","locationParts","pop","join","functionNameRegex","matches","message","parseOpera9","parseOpera11","parseOpera10","lineRE","lines","result","len","parseFloat","shift","pathToSelector","node","outerHTML","path","parentElement","name_1","localName","toLowerCase","parent_1","domSiblings","children","sibling","isObject","Object","toString","isObjTooDeep","limit","keys","keys_1","key","stringify","stringifyOptions","options","numOfKeysLimit","depthOfLimit","assign","JSON","thisPos","splice","Infinity","_obj","shouldIgnore","str","stringLengthLimit","Event","eventResult","eventKey","eventValue","isArray","Node","HTMLElement","nodeName","name","defaultLogOptions","level","lengthThreshold","logger","initLogObserver","cb","win","logOptions","loggerType","logCount","cancelHandlers","includes","errorHandler_1","event","trace","stackFrame","payload","addEventListener","removeEventListener","_b","levelType","forEach","h","_logger","source","replacement","original_1","wrapped","defineProperties","__rrweb_original__","enumerable","patch","original","_i","args","apply","_this","PLUGIN_NAME","observer"],"mappings":";;;;;;;;;;;;;;oFAuHO,SAASA,EAASC,GACrB,IAAIC,EAAsB,mBAAXC,QAAyBA,OAAOC,SAAUC,EAAIH,GAAKD,EAAEC,GAAII,EAAI,EAC5E,GAAID,EAAG,OAAOA,EAAEE,KAAKN,GACrB,GAAIA,GAAyB,iBAAbA,EAAEO,OAAqB,MAAO,CAC1CC,KAAM,WAEF,OADIR,GAAKK,GAAKL,EAAEO,SAAQP,OAAI,GACrB,CAAES,MAAOT,GAAKA,EAAEK,KAAMK,MAAOV,KAG5C,MAAM,IAAIW,UAAUV,EAAI,0BAA4B,mCAGjD,SAASW,EAAOZ,EAAGa,GACtB,IAAIT,EAAsB,mBAAXF,QAAyBF,EAAEE,OAAOC,UACjD,IAAKC,EAAG,OAAOJ,EACf,IAAmBc,EAAYC,EAA3BV,EAAID,EAAEE,KAAKN,GAAOgB,EAAK,GAC3B,IACI,WAAc,IAANH,GAAgBA,KAAM,MAAQC,EAAIT,EAAEG,QAAQE,MAAMM,EAAGC,KAAKH,EAAEL,OAExE,MAAOS,GAASH,EAAI,CAAEG,MAAOA,WAEzB,IACQJ,IAAMA,EAAEJ,OAASN,EAAIC,EAAU,SAAID,EAAEE,KAAKD,WAExC,GAAIU,EAAG,MAAMA,EAAEG,OAE7B,OAAOF,EAmBJ,SAASG,EAAcC,EAAIC,EAAMC,GACpC,GAAIA,GAA6B,IAArBC,UAAUhB,OAAc,IAAK,IAA4BS,EAAxBX,EAAI,EAAGmB,EAAIH,EAAKd,OAAYF,EAAImB,EAAGnB,KACxEW,GAAQX,KAAKgB,IACRL,IAAIA,EAAKS,MAAMC,UAAUC,MAAMrB,KAAKe,EAAM,EAAGhB,IAClDW,EAAGX,GAAKgB,EAAKhB,IAGrB,OAAOe,EAAGQ,OAAOZ,GAAMS,MAAMC,UAAUC,MAAMrB,KAAKe,IC5JtD,IAAYQ,EA+DAC,EAgUAC,EAcAC,EAuIMC,EA2GNC,EC9oBRC,GDeJ,SAAYN,GACVA,2CACAA,mBACAA,mCACAA,iDACAA,mBACAA,uBACAA,uBAPF,CAAYA,IAAAA,OA+DZ,SAAYC,GACVA,2BACAA,6BACAA,2CACAA,uBACAA,uCACAA,qBACAA,6BACAA,2CACAA,uCACAA,uCACAA,oBACAA,kBACAA,oBACAA,4CAdF,CAAYA,IAAAA,OAgUZ,SAAYC,GACVA,yBACAA,6BACAA,qBACAA,iCACAA,2BACAA,qBACAA,mBACAA,+BACAA,+CACAA,2BACAA,kCAXF,CAAYA,IAAAA,OAcZ,SAAYC,GACVA,kBACAA,qBACAA,uBAHF,CAAYA,IAAAA,OAuIZ,SAAkBC,GAChBA,mBACAA,qBACAA,uBACAA,mCAJF,CAAkBA,IAAAA,OA2GlB,SAAYC,GACVA,gBACAA,gBACAA,kBACAA,kBACAA,kBACAA,iDACAA,8CACAA,0CACAA,yBACAA,qBACAA,uCACAA,yBACAA,6BACAA,gBACAA,6BACAA,uBAhBF,CAAYA,IAAAA,OC7oBZ,SAAWC,GACPA,EAASA,EAAmB,SAAI,GAAK,WACrCA,EAASA,EAAuB,aAAI,GAAK,eACzCA,EAASA,EAAkB,QAAI,GAAK,UACpCA,EAASA,EAAe,KAAI,GAAK,OACjCA,EAASA,EAAgB,MAAI,GAAK,QAClCA,EAASA,EAAkB,QAAI,GAAK,UANxC,CAOGA,IAAaA,EAAW,KC4D3B,IAAMC,EACJ,4NAKSC,EAAkB,CAC3BC,IAAK,GACLC,iBAEE,OADAC,QAAQtB,MAAMkB,IACN,GAEVK,mBAEE,OADAD,QAAQtB,MAAMkB,GACP,MAETM,6BACEF,QAAQtB,MAAMkB,IAEhBO,eAEE,OADAH,QAAQtB,MAAMkB,IACP,GAETQ,iBACEJ,QAAQtB,MAAMkB,KAGI,oBAAXS,QAA0BA,OAAOC,OAASD,OAAOE,UAC1DV,EAAU,IAAIS,MAAMT,EAAS,CAC3BW,aAAIC,EAAQC,EAAMC,GAIhB,MAHa,QAATD,GACFV,QAAQtB,MAAMkB,GAETW,QAAQC,IAAIC,EAAQC,EAAMC,OC7FvC,iBAME,WAAYC,GAMVC,KAAKC,SAAWF,EAAIE,UAAY,GAChCD,KAAKE,aAAeH,EAAIG,cAAgB,GACxCF,KAAKG,WAAaJ,EAAII,WACtBH,KAAKI,aAAeL,EAAIK,aAoB5B,OAjBEC,qBAAA,WACE,IAAMF,EAAaH,KAAKG,YAAc,GAChCC,EAAeJ,KAAKI,cAAgB,GAC1C,OAAIJ,KAAKE,aAELF,KAAKE,aACL,KACAF,KAAKC,SACL,IACAE,EACA,IACAC,EACA,IAGGJ,KAAKC,SAAW,IAAME,EAAa,IAAMC,QAU9CE,EAA8B,eAC9BC,EAAyB,iCACzBC,EAA4B,8BACrBC,EAAmB,CAO9BC,MAAO,SAAU7C,GAEf,IAAKA,EACH,MAAO,GAET,QAE8B,IAArBA,EAAM8C,iBAEuB,IAA7B9C,EAAM,mBAEb,OAAOmC,KAAKY,WACV/C,GAMG,GAAIA,EAAMgD,OAAShD,EAAMgD,MAAMC,MAAMP,GAC1C,OAAOP,KAAKe,YAAYlD,GACnB,GAAIA,EAAMgD,MACf,OAAOb,KAAKgB,gBAAgBnD,GAE5B,MAAM,IAAIoD,MAAM,oCAIpBC,gBAAiB,SAAUC,GAEzB,IAA8B,IAA1BA,EAAQC,QAAQ,KAClB,MAAO,CAACD,GAGV,IACME,EADS,+BACMC,KAAKH,EAAQI,QAAQ,QAAS,KACnD,IAAKF,EAAO,MAAM,IAAIJ,MAAM,kCAA2BE,IACvD,MAAO,CAACE,EAAM,GAAIA,EAAM,SAAMG,EAAWH,EAAM,SAAMG,IAEvDT,YAAa,SAAUlD,GAKrB,OAJiBA,EAAMgD,MAAMY,MAAM,MAAMC,QAAO,SAAUC,GACxD,QAASA,EAAKb,MAAMP,KACnBP,MAEaf,KAAI,SAAU0C,GACxBA,EAAKP,QAAQ,WAAa,IAE5BO,EAAOA,EACJJ,QAAQ,aAAc,QACtBA,QAAQ,+BAAgC,KAE7C,IAAIK,EAAgBD,EAAKJ,QAAQ,OAAQ,IAAIA,QAAQ,eAAgB,KAI/DM,EAAWD,EAAcd,MAAM,4BAO/BgB,GAJNF,EAAgBC,EACZD,EAAcL,QAAQM,EAAS,GAAI,IACnCD,GAEyBH,MAAM,OAAOnD,MAAM,GAE1CyD,EAAgB/B,KAAKkB,gBACzBW,EAAWA,EAAS,GAAKC,EAAOE,OAE5B9B,EAAe4B,EAAOG,KAAK,WAAQT,EACnCvB,EACJ,CAAC,OAAQ,eAAemB,QAAQW,EAAc,KAAO,OACjDP,EACAO,EAAc,GAEpB,OAAO,IAAI1B,EAAW,CACpBH,eACAD,WACAE,WAAY4B,EAAc,GAC1B3B,aAAc2B,EAAc,OAE7B/B,OAELgB,gBAAiB,SAAUnD,GAKzB,OAJiBA,EAAMgD,MAAMY,MAAM,MAAMC,QAAO,SAAUC,GACxD,OAAQA,EAAKb,MAAMN,KAClBR,MAEaf,KAAI,SAAU0C,GAS5B,GAPIA,EAAKP,QAAQ,YAAc,IAC7BO,EAAOA,EAAKJ,QACV,mDACA,SAIuB,IAAvBI,EAAKP,QAAQ,OAAsC,IAAvBO,EAAKP,QAAQ,KAE3C,OAAO,IAAIf,EAAW,CACpBH,aAAcyB,IAGhB,IAAMO,EAAoB,6BACpBC,EAAUR,EAAKb,MAAMoB,GACrBhC,EAAeiC,GAAWA,EAAQ,GAAKA,EAAQ,QAAKX,EACpDO,EAAgB/B,KAAKkB,gBACzBS,EAAKJ,QAAQW,EAAmB,KAGlC,OAAO,IAAI7B,EAAW,CACpBH,eACAD,SAAU8B,EAAc,GACxB5B,WAAY4B,EAAc,GAC1B3B,aAAc2B,EAAc,OAG/B/B,OAELY,WAAY,SAAUlD,GAKpB,OACGA,EAAEiD,YACFjD,EAAE0E,QAAQhB,QAAQ,OAAS,GAC1B1D,EAAE0E,QAAQX,MAAM,MAAMvE,OAASQ,EAAEiD,WAAWc,MAAM,MAAMvE,OAEnD8C,KAAKqC,YAAY3E,GACdA,EAAEmD,MAGLb,KAAKsC,aAAa5E,GAFlBsC,KAAKuC,aAAa7E,IAK7B2E,YAAa,SAAU3E,GAKrB,IAJA,IAAM8E,EAAS,oCACTC,EAAQ/E,EAAE0E,QAAQX,MAAM,MACxBiB,EAAS,GAEN1F,EAAI,EAAG2F,EAAMF,EAAMvF,OAAQF,EAAI2F,EAAK3F,GAAK,EAAG,CACnD,IAAM8D,EAAQ0B,EAAOlB,KAAKmB,EAAMzF,IAC5B8D,GACF4B,EAAO9E,KACL,IAAIyC,EAAW,CACbJ,SAAUa,EAAM,GAChBX,WAAYyC,WAAW9B,EAAM,OAMrC,OAAO4B,GAETH,aAAc,SAAU7E,GAKtB,IAJA,IAAM8E,EAAS,6DACTC,EAAQ/E,EAAEiD,WAAWc,MAAM,MAC3BiB,EAAS,GAEN1F,EAAI,EAAG2F,EAAMF,EAAMvF,OAAQF,EAAI2F,EAAK3F,GAAK,EAAG,CACnD,IAAM8D,EAAQ0B,EAAOlB,KAAKmB,EAAMzF,IAC5B8D,GACF4B,EAAO9E,KACL,IAAIyC,EAAW,CACbH,aAAcY,EAAM,SAAMU,EAC1BvB,SAAUa,EAAM,GAChBX,WAAYyC,WAAW9B,EAAM,OAMrC,OAAO4B,GAGTJ,aAAc,SAAUzE,GAQtB,OAPiBA,EAAMgD,MAAMY,MAAM,MAAMC,QAAO,SAAUC,GACxD,QACIA,EAAKb,MAAMR,KACZqB,EAAKb,MAAM,uBAEbd,MAEaf,KAAI,SAAU0C,GAC5B,IAAMG,EAASH,EAAKF,MAAM,KACpBM,EAAgB/B,KAAKkB,gBAAgBY,EAAOE,OAE5C9B,GADe4B,EAAOe,SAAW,IAGlCtB,QAAQ,iCAAkC,MAC1CA,QAAQ,aAAc,UAAOC,EAClC,OAAO,IAAInB,EAAW,CACpBH,eACAD,SAAU8B,EAAc,GACxB5B,WAAY4B,EAAc,GAC1B3B,aAAc2B,EAAc,OAE7B/B,QCpPP,SAAS8C,EAAeC,GACtB,IAAKA,IAASA,EAAKC,UACjB,MAAO,GAIT,IADA,IAAIC,EAAO,GACJF,EAAKG,eAAe,CACzB,IAAIC,EAAOJ,EAAKK,UAChB,IAAKD,EACH,MAEFA,EAAOA,EAAKE,cACZ,IAAIC,EAASP,EAAKG,cAEdK,EAAc,GAElB,GAAID,EAAOE,UAAYF,EAAOE,SAAStG,OAAS,EAE9C,IAAK,IAAIF,EAAI,EAAGA,EAAIsG,EAAOE,SAAStG,OAAQF,IAAK,CAC/C,IAAIyG,EAAUH,EAAOE,SAASxG,GAC1ByG,EAAQL,WAAaK,EAAQL,UAAUC,aACrCI,EAAQL,UAAUC,gBAAkBF,GACtCI,EAAY3F,KAAK6F,GAMrBF,EAAYrG,OAAS,IACvBiG,GAAQ,OAASI,EAAYnC,QAAQ2B,GAAQ,KAE/CE,EAAOE,GAAQF,EAAO,IAAMA,EAAO,IACnCF,EAAOO,EAGT,OAAOL,EAMT,SAASS,EAAS3D,GAChB,MAA+C,oBAAxC4D,OAAOtF,UAAUuF,SAAS3G,KAAK8C,GAMxC,SAAS8D,EAAa9D,EAAU+D,WAC9B,GAAc,IAAVA,EACF,OAAO,EAGT,IAAMC,EAAOJ,OAAOI,KAAKhE,OACzB,IAAkB,IAAAiE,EAAAtH,EAAAqH,iCAAM,CAAnB,IAAME,UACT,GAAIP,EAAS3D,EAAIkE,KAASJ,EAAa9D,EAAIkE,GAAMH,EAAQ,GACvD,OAAO,oGAIX,OAAO,WAOOI,EACdnE,EACAoE,GAEA,IAAMC,EAA4B,CAChCC,eAAgB,GAChBC,aAAc,GAEhBX,OAAOY,OAAOH,EAASD,GACvB,IAAMtD,EAAe,GACfkD,EAAc,GACpB,OAAOS,KAAKN,UAAUnE,GAAK,SAAUkE,EAAK7G,GAKxC,GAAIyD,EAAM3D,OAAS,EAAG,CACpB,IAAMuH,EAAU5D,EAAMO,QAAQpB,OAC7ByE,EAAU5D,EAAM6D,OAAOD,EAAU,GAAK5D,EAAMjD,KAAKoC,OACjDyE,EAAUV,EAAKW,OAAOD,EAASE,EAAAA,EAAUV,GAAOF,EAAKnG,KAAKqG,IACtDpD,EAAMO,QAAQhE,KAEfA,EADEyD,EAAM,KAAOzD,EACP,eAGN,eACA2G,EAAKzF,MAAM,EAAGuC,EAAMO,QAAQhE,IAAQ6E,KAAK,KACzC,UAINpB,EAAMjD,KAAKR,GAIb,GAAIA,MAAAA,EACF,OAAOA,EAET,GAgCF,SAAsBwH,GAEpB,GAAIlB,EAASkB,IAASjB,OAAOI,KAAKa,GAAM1H,OAASkH,EAAQC,eACvD,OAAO,EAIT,GAAoB,mBAATO,EACT,OAAO,EAQT,GAAIlB,EAASkB,IAASf,EAAae,EAAMR,EAAQE,cAC/C,OAAO,EAGT,OAAO,EApDHO,CAAazH,GACf,OAyDJ,SAAkBwH,GAChB,IAAIE,EAAMF,EAAKhB,WACXQ,EAAQW,mBAAqBD,EAAI5H,OAASkH,EAAQW,oBACpDD,EAAM,UAAGA,EAAIxG,MAAM,EAAG8F,EAAQW,2BAEhC,OAAOD,EA9DElB,CAASxG,GAElB,GAAIA,aAAiB4H,MAAO,CAC1B,IAAMC,EAAmB,GACzB,IAAK,IAAMC,KAAY9H,EAAO,CAC5B,IAAM+H,EAAc/H,EAAc8H,GAC9B9G,MAAMgH,QAAQD,GAChBF,EAAYC,GAAYpC,EACtBqC,EAAWjI,OAASiI,EAAW,GAAK,MAGtCF,EAAYC,GAAYC,EAG5B,OAAOF,EACF,OAAI7H,aAAiBiI,KACtBjI,aAAiBkI,YACZlI,EAAQA,EAAM4F,UAAY,GAE5B5F,EAAMmI,SACJnI,aAAiB6D,MACnB7D,EAAMyD,MACTzD,EAAMyD,MAAQ,kCACdzD,EAAMoI,KAAO,KAAOpI,EAAMgF,QAEzBhF,KCpHX,IAAMqI,EAAsC,CAC1CC,MAAO,CACL,SACA,QACA,QACA,aACA,QACA,MACA,SACA,QACA,QACA,iBACA,WACA,OACA,MACA,QACA,OACA,UACA,UACA,QACA,QAEFC,gBAAiB,IACjBC,OAAQ,WAwDV,SAASC,EACPC,EACAC,EACAC,WAMIJ,EAJEK,EAAaD,EAAWJ,OAC9B,IAAKK,EACH,OAAO,aAIPL,EADwB,iBAAfK,EACAF,EAAIE,GAEJA,EAEX,IAAIC,EAAW,EACTC,EAAoC,GAE1C,GAAIH,EAAWN,MAAOU,SAAS,UACzB5G,OAAQ,CACV,IAAM6G,EAAe,SAACC,GACZ,IAAAlE,EAAmBkE,UAAVzI,EAAUyI,QACrBC,EAAkB9F,EAAiBC,MACvC7C,GACAoB,KAAI,SAACuH,GAA2B,OAAAA,EAAW5C,cACvC6C,EAAU,CAACvC,EAAU9B,EAAS4D,EAAW7B,mBAC/C2B,EAAG,CACDJ,MAAO,QACPa,QACAE,aAGJjH,OAAOkH,iBAAiB,QAASL,GACjCF,EAAevI,MAAK,WACd4B,QAAQA,OAAOmH,oBAAoB,QAASN,UAItD,IAAwB,IAAAO,EAAAlK,EAAAsJ,EAAWN,qCAAQ,CAAtC,IAAMmB,UACTV,EAAevI,KAAK2D,EAAQqE,EAAQiB,sGAEtC,OAAO,WACLV,EAAeW,SAAQ,SAACC,GAAM,OAAAA,QAQhC,SAASxF,EAAQyF,EAAiBtB,GAAlC,WACE,OAAKsB,EAAQtB,YHcfuB,EACAzB,EAEA0B,GAEA,IACE,KAAM1B,KAAQyB,GACZ,OAAO,aAGT,IAAME,EAAWF,EAAOzB,GAClB4B,EAAUF,EAAYC,GAiB5B,MAZuB,mBAAZC,IACTA,EAAQ/I,UAAY+I,EAAQ/I,WAAa,GACzCsF,OAAO0D,iBAAiBD,EAAS,CAC/BE,mBAAoB,CAClBC,YAAY,EACZnK,MAAO+J,MAKbF,EAAOzB,GAAQ4B,EAER,WACLH,EAAOzB,GAAQ2B,GAEjB,SACA,OAAO,cG1CAK,CAAMR,EAAStB,GAAO,SAAC+B,GAC5B,OAAO,eAAC,aAAAC,mBAAAA,IAAAC,kBACNF,EAASG,MAAMC,EAAMF,GACrB,IACE,IAAMpB,EAAQ9F,EAAiBC,MAAM,IAAIO,OACtChC,KAAI,SAACuH,GAA2B,OAAAA,EAAW5C,cAC3Cc,OAAO,GACJ+B,EAAUkB,EAAK1I,KAAI,SAACrC,GACxB,OAAAsH,EAAUtH,EAAGoJ,EAAW7B,uBAE1B+B,EACeF,EAAWL,gBACxBG,EAAG,CACDJ,QACAa,QACAE,YAEOP,IAAaF,EAAWL,iBAEjCG,EAAG,CACDJ,MAAO,OACPa,MAAO,GACPE,QAAS,CACPvC,EAAU,uDAIhB,MAAOrG,GACP4J,kBAAS,sBAAuB5J,KAAU8J,aA/BvC,kBAsCAG,EAAc,kEAIP,SAAC1D,GAAY,OAC/BoB,KAAMsC,EACNC,SAAUlC,EACVzB,QAASA,EACLT,OAAOY,OAAO,GAAIkB,EAAmBrB,GACrCqB"} +\ No newline at end of file ++{"version":3,"file":"console-record.min.js","sources":["../../node_modules/tslib/tslib.es6.js","../../../src/types.ts","../../../rrweb-snapshot/es/rrweb-snapshot.js","../../../src/utils.ts","../../../src/plugins/console/record/error-stack-parser.ts","../../../src/plugins/console/record/stringify.ts","../../../src/plugins/console/record/index.ts"],"sourcesContent":["/*! *****************************************************************************\r\nCopyright (c) Microsoft Corporation.\r\n\r\nPermission to use, copy, modify, and/or distribute this software for any\r\npurpose with or without fee is hereby granted.\r\n\r\nTHE SOFTWARE IS PROVIDED \"AS IS\" AND THE AUTHOR DISCLAIMS ALL WARRANTIES WITH\r\nREGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF MERCHANTABILITY\r\nAND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR ANY SPECIAL, DIRECT,\r\nINDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES WHATSOEVER RESULTING FROM\r\nLOSS OF USE, DATA OR PROFITS, WHETHER IN AN ACTION OF CONTRACT, NEGLIGENCE OR\r\nOTHER TORTIOUS ACTION, ARISING OUT OF OR IN CONNECTION WITH THE USE OR\r\nPERFORMANCE OF THIS SOFTWARE.\r\n***************************************************************************** */\r\n/* global Reflect, Promise */\r\n\r\nvar extendStatics = function(d, b) {\r\n extendStatics = Object.setPrototypeOf ||\r\n ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) ||\r\n function (d, b) { for (var p in b) if (Object.prototype.hasOwnProperty.call(b, p)) d[p] = b[p]; };\r\n return extendStatics(d, b);\r\n};\r\n\r\nexport function __extends(d, b) {\r\n if (typeof b !== \"function\" && b !== null)\r\n throw new TypeError(\"Class extends value \" + String(b) + \" is not a constructor or null\");\r\n extendStatics(d, b);\r\n function __() { this.constructor = d; }\r\n d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __());\r\n}\r\n\r\nexport var __assign = function() {\r\n __assign = Object.assign || function __assign(t) {\r\n for (var s, i = 1, n = arguments.length; i < n; i++) {\r\n s = arguments[i];\r\n for (var p in s) if (Object.prototype.hasOwnProperty.call(s, p)) t[p] = s[p];\r\n }\r\n return t;\r\n }\r\n return __assign.apply(this, arguments);\r\n}\r\n\r\nexport function __rest(s, e) {\r\n var t = {};\r\n for (var p in s) if (Object.prototype.hasOwnProperty.call(s, p) && e.indexOf(p) < 0)\r\n t[p] = s[p];\r\n if (s != null && typeof Object.getOwnPropertySymbols === \"function\")\r\n for (var i = 0, p = Object.getOwnPropertySymbols(s); i < p.length; i++) {\r\n if (e.indexOf(p[i]) < 0 && Object.prototype.propertyIsEnumerable.call(s, p[i]))\r\n t[p[i]] = s[p[i]];\r\n }\r\n return t;\r\n}\r\n\r\nexport function __decorate(decorators, target, key, desc) {\r\n var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d;\r\n if (typeof Reflect === \"object\" && typeof Reflect.decorate === \"function\") r = Reflect.decorate(decorators, target, key, desc);\r\n else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r;\r\n return c > 3 && r && Object.defineProperty(target, key, r), r;\r\n}\r\n\r\nexport function __param(paramIndex, decorator) {\r\n return function (target, key) { decorator(target, key, paramIndex); }\r\n}\r\n\r\nexport function __metadata(metadataKey, metadataValue) {\r\n if (typeof Reflect === \"object\" && typeof Reflect.metadata === \"function\") return Reflect.metadata(metadataKey, metadataValue);\r\n}\r\n\r\nexport function __awaiter(thisArg, _arguments, P, generator) {\r\n function adopt(value) { return value instanceof P ? value : new P(function (resolve) { resolve(value); }); }\r\n return new (P || (P = Promise))(function (resolve, reject) {\r\n function fulfilled(value) { try { step(generator.next(value)); } catch (e) { reject(e); } }\r\n function rejected(value) { try { step(generator[\"throw\"](value)); } catch (e) { reject(e); } }\r\n function step(result) { result.done ? resolve(result.value) : adopt(result.value).then(fulfilled, rejected); }\r\n step((generator = generator.apply(thisArg, _arguments || [])).next());\r\n });\r\n}\r\n\r\nexport function __generator(thisArg, body) {\r\n var _ = { label: 0, sent: function() { if (t[0] & 1) throw t[1]; return t[1]; }, trys: [], ops: [] }, f, y, t, g;\r\n return g = { next: verb(0), \"throw\": verb(1), \"return\": verb(2) }, typeof Symbol === \"function\" && (g[Symbol.iterator] = function() { return this; }), g;\r\n function verb(n) { return function (v) { return step([n, v]); }; }\r\n function step(op) {\r\n if (f) throw new TypeError(\"Generator is already executing.\");\r\n while (_) try {\r\n if (f = 1, y && (t = op[0] & 2 ? y[\"return\"] : op[0] ? y[\"throw\"] || ((t = y[\"return\"]) && t.call(y), 0) : y.next) && !(t = t.call(y, op[1])).done) return t;\r\n if (y = 0, t) op = [op[0] & 2, t.value];\r\n switch (op[0]) {\r\n case 0: case 1: t = op; break;\r\n case 4: _.label++; return { value: op[1], done: false };\r\n case 5: _.label++; y = op[1]; op = [0]; continue;\r\n case 7: op = _.ops.pop(); _.trys.pop(); continue;\r\n default:\r\n if (!(t = _.trys, t = t.length > 0 && t[t.length - 1]) && (op[0] === 6 || op[0] === 2)) { _ = 0; continue; }\r\n if (op[0] === 3 && (!t || (op[1] > t[0] && op[1] < t[3]))) { _.label = op[1]; break; }\r\n if (op[0] === 6 && _.label < t[1]) { _.label = t[1]; t = op; break; }\r\n if (t && _.label < t[2]) { _.label = t[2]; _.ops.push(op); break; }\r\n if (t[2]) _.ops.pop();\r\n _.trys.pop(); continue;\r\n }\r\n op = body.call(thisArg, _);\r\n } catch (e) { op = [6, e]; y = 0; } finally { f = t = 0; }\r\n if (op[0] & 5) throw op[1]; return { value: op[0] ? op[1] : void 0, done: true };\r\n }\r\n}\r\n\r\nexport var __createBinding = Object.create ? (function(o, m, k, k2) {\r\n if (k2 === undefined) k2 = k;\r\n Object.defineProperty(o, k2, { enumerable: true, get: function() { return m[k]; } });\r\n}) : (function(o, m, k, k2) {\r\n if (k2 === undefined) k2 = k;\r\n o[k2] = m[k];\r\n});\r\n\r\nexport function __exportStar(m, o) {\r\n for (var p in m) if (p !== \"default\" && !Object.prototype.hasOwnProperty.call(o, p)) __createBinding(o, m, p);\r\n}\r\n\r\nexport function __values(o) {\r\n var s = typeof Symbol === \"function\" && Symbol.iterator, m = s && o[s], i = 0;\r\n if (m) return m.call(o);\r\n if (o && typeof o.length === \"number\") return {\r\n next: function () {\r\n if (o && i >= o.length) o = void 0;\r\n return { value: o && o[i++], done: !o };\r\n }\r\n };\r\n throw new TypeError(s ? \"Object is not iterable.\" : \"Symbol.iterator is not defined.\");\r\n}\r\n\r\nexport function __read(o, n) {\r\n var m = typeof Symbol === \"function\" && o[Symbol.iterator];\r\n if (!m) return o;\r\n var i = m.call(o), r, ar = [], e;\r\n try {\r\n while ((n === void 0 || n-- > 0) && !(r = i.next()).done) ar.push(r.value);\r\n }\r\n catch (error) { e = { error: error }; }\r\n finally {\r\n try {\r\n if (r && !r.done && (m = i[\"return\"])) m.call(i);\r\n }\r\n finally { if (e) throw e.error; }\r\n }\r\n return ar;\r\n}\r\n\r\n/** @deprecated */\r\nexport function __spread() {\r\n for (var ar = [], i = 0; i < arguments.length; i++)\r\n ar = ar.concat(__read(arguments[i]));\r\n return ar;\r\n}\r\n\r\n/** @deprecated */\r\nexport function __spreadArrays() {\r\n for (var s = 0, i = 0, il = arguments.length; i < il; i++) s += arguments[i].length;\r\n for (var r = Array(s), k = 0, i = 0; i < il; i++)\r\n for (var a = arguments[i], j = 0, jl = a.length; j < jl; j++, k++)\r\n r[k] = a[j];\r\n return r;\r\n}\r\n\r\nexport function __spreadArray(to, from, pack) {\r\n if (pack || arguments.length === 2) for (var i = 0, l = from.length, ar; i < l; i++) {\r\n if (ar || !(i in from)) {\r\n if (!ar) ar = Array.prototype.slice.call(from, 0, i);\r\n ar[i] = from[i];\r\n }\r\n }\r\n return to.concat(ar || Array.prototype.slice.call(from));\r\n}\r\n\r\nexport function __await(v) {\r\n return this instanceof __await ? (this.v = v, this) : new __await(v);\r\n}\r\n\r\nexport function __asyncGenerator(thisArg, _arguments, generator) {\r\n if (!Symbol.asyncIterator) throw new TypeError(\"Symbol.asyncIterator is not defined.\");\r\n var g = generator.apply(thisArg, _arguments || []), i, q = [];\r\n return i = {}, verb(\"next\"), verb(\"throw\"), verb(\"return\"), i[Symbol.asyncIterator] = function () { return this; }, i;\r\n function verb(n) { if (g[n]) i[n] = function (v) { return new Promise(function (a, b) { q.push([n, v, a, b]) > 1 || resume(n, v); }); }; }\r\n function resume(n, v) { try { step(g[n](v)); } catch (e) { settle(q[0][3], e); } }\r\n function step(r) { r.value instanceof __await ? Promise.resolve(r.value.v).then(fulfill, reject) : settle(q[0][2], r); }\r\n function fulfill(value) { resume(\"next\", value); }\r\n function reject(value) { resume(\"throw\", value); }\r\n function settle(f, v) { if (f(v), q.shift(), q.length) resume(q[0][0], q[0][1]); }\r\n}\r\n\r\nexport function __asyncDelegator(o) {\r\n var i, p;\r\n return i = {}, verb(\"next\"), verb(\"throw\", function (e) { throw e; }), verb(\"return\"), i[Symbol.iterator] = function () { return this; }, i;\r\n function verb(n, f) { i[n] = o[n] ? function (v) { return (p = !p) ? { value: __await(o[n](v)), done: n === \"return\" } : f ? f(v) : v; } : f; }\r\n}\r\n\r\nexport function __asyncValues(o) {\r\n if (!Symbol.asyncIterator) throw new TypeError(\"Symbol.asyncIterator is not defined.\");\r\n var m = o[Symbol.asyncIterator], i;\r\n return m ? m.call(o) : (o = typeof __values === \"function\" ? __values(o) : o[Symbol.iterator](), i = {}, verb(\"next\"), verb(\"throw\"), verb(\"return\"), i[Symbol.asyncIterator] = function () { return this; }, i);\r\n function verb(n) { i[n] = o[n] && function (v) { return new Promise(function (resolve, reject) { v = o[n](v), settle(resolve, reject, v.done, v.value); }); }; }\r\n function settle(resolve, reject, d, v) { Promise.resolve(v).then(function(v) { resolve({ value: v, done: d }); }, reject); }\r\n}\r\n\r\nexport function __makeTemplateObject(cooked, raw) {\r\n if (Object.defineProperty) { Object.defineProperty(cooked, \"raw\", { value: raw }); } else { cooked.raw = raw; }\r\n return cooked;\r\n};\r\n\r\nvar __setModuleDefault = Object.create ? (function(o, v) {\r\n Object.defineProperty(o, \"default\", { enumerable: true, value: v });\r\n}) : function(o, v) {\r\n o[\"default\"] = v;\r\n};\r\n\r\nexport function __importStar(mod) {\r\n if (mod && mod.__esModule) return mod;\r\n var result = {};\r\n if (mod != null) for (var k in mod) if (k !== \"default\" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding(result, mod, k);\r\n __setModuleDefault(result, mod);\r\n return result;\r\n}\r\n\r\nexport function __importDefault(mod) {\r\n return (mod && mod.__esModule) ? mod : { default: mod };\r\n}\r\n\r\nexport function __classPrivateFieldGet(receiver, state, kind, f) {\r\n if (kind === \"a\" && !f) throw new TypeError(\"Private accessor was defined without a getter\");\r\n if (typeof state === \"function\" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError(\"Cannot read private member from an object whose class did not declare it\");\r\n return kind === \"m\" ? f : kind === \"a\" ? f.call(receiver) : f ? f.value : state.get(receiver);\r\n}\r\n\r\nexport function __classPrivateFieldSet(receiver, state, value, kind, f) {\r\n if (kind === \"m\") throw new TypeError(\"Private method is not writable\");\r\n if (kind === \"a\" && !f) throw new TypeError(\"Private accessor was defined without a setter\");\r\n if (typeof state === \"function\" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError(\"Cannot write private member to an object whose class did not declare it\");\r\n return (kind === \"a\" ? f.call(receiver, value) : f ? f.value = value : state.set(receiver, value)), value;\r\n}\r\n","import {\n serializedNodeWithId,\n idNodeMap,\n INode,\n MaskInputOptions,\n SlimDOMOptions,\n MaskInputFn,\n MaskTextFn,\n} from 'rrweb-snapshot';\nimport { PackFn, UnpackFn } from './packer/base';\nimport { IframeManager } from './record/iframe-manager';\nimport { ShadowDomManager } from './record/shadow-dom-manager';\nimport type { Replayer } from './replay';\nimport { CanvasManager } from './record/observers/canvas/canvas-manager';\n\nexport enum EventType {\n DomContentLoaded,\n Load,\n FullSnapshot,\n IncrementalSnapshot,\n Meta,\n Custom,\n Plugin,\n}\n\nexport type domContentLoadedEvent = {\n type: EventType.DomContentLoaded;\n data: {};\n};\n\nexport type loadedEvent = {\n type: EventType.Load;\n data: {};\n};\n\nexport type fullSnapshotEvent = {\n type: EventType.FullSnapshot;\n data: {\n node: serializedNodeWithId;\n initialOffset: {\n top: number;\n left: number;\n };\n };\n};\n\nexport type incrementalSnapshotEvent = {\n type: EventType.IncrementalSnapshot;\n data: incrementalData;\n};\n\nexport type metaEvent = {\n type: EventType.Meta;\n data: {\n href: string;\n width: number;\n height: number;\n };\n};\n\nexport type customEvent = {\n type: EventType.Custom;\n data: {\n tag: string;\n payload: T;\n };\n};\n\nexport type pluginEvent = {\n type: EventType.Plugin;\n data: {\n plugin: string;\n payload: T;\n };\n};\n\nexport type styleSheetEvent = {};\n\nexport enum IncrementalSource {\n Mutation,\n MouseMove,\n MouseInteraction,\n Scroll,\n ViewportResize,\n Input,\n TouchMove,\n MediaInteraction,\n StyleSheetRule,\n CanvasMutation,\n Font,\n Log,\n Drag,\n StyleDeclaration,\n}\n\nexport type mutationData = {\n source: IncrementalSource.Mutation;\n} & mutationCallbackParam;\n\nexport type mousemoveData = {\n source:\n | IncrementalSource.MouseMove\n | IncrementalSource.TouchMove\n | IncrementalSource.Drag;\n positions: mousePosition[];\n};\n\nexport type mouseInteractionData = {\n source: IncrementalSource.MouseInteraction;\n} & mouseInteractionParam;\n\nexport type scrollData = {\n source: IncrementalSource.Scroll;\n} & scrollPosition;\n\nexport type viewportResizeData = {\n source: IncrementalSource.ViewportResize;\n} & viewportResizeDimension;\n\nexport type inputData = {\n source: IncrementalSource.Input;\n id: number;\n} & inputValue;\n\nexport type mediaInteractionData = {\n source: IncrementalSource.MediaInteraction;\n} & mediaInteractionParam;\n\nexport type styleSheetRuleData = {\n source: IncrementalSource.StyleSheetRule;\n} & styleSheetRuleParam;\n\nexport type styleDeclarationData = {\n source: IncrementalSource.StyleDeclaration;\n} & styleDeclarationParam;\n\nexport type canvasMutationData = {\n source: IncrementalSource.CanvasMutation;\n} & canvasMutationParam;\n\nexport type fontData = {\n source: IncrementalSource.Font;\n} & fontParam;\n\nexport type incrementalData =\n | mutationData\n | mousemoveData\n | mouseInteractionData\n | scrollData\n | viewportResizeData\n | inputData\n | mediaInteractionData\n | styleSheetRuleData\n | canvasMutationData\n | fontData\n | styleDeclarationData;\n\nexport type event =\n | domContentLoadedEvent\n | loadedEvent\n | fullSnapshotEvent\n | incrementalSnapshotEvent\n | metaEvent\n | customEvent\n | pluginEvent;\n\nexport type eventWithTime = event & {\n timestamp: number;\n delay?: number;\n};\n\nexport type blockClass = string | RegExp;\n\nexport type maskTextClass = string | RegExp;\n\nexport type SamplingStrategy = Partial<{\n /**\n * false means not to record mouse/touch move events\n * number is the throttle threshold of recording mouse/touch move\n */\n mousemove: boolean | number;\n /**\n * number is the throttle threshold of mouse/touch move callback\n */\n mousemoveCallback: number;\n /**\n * false means not to record mouse interaction events\n * can also specify record some kinds of mouse interactions\n */\n mouseInteraction: boolean | Record;\n /**\n * number is the throttle threshold of recording scroll\n */\n scroll: number;\n /**\n * number is the throttle threshold of recording media interactions\n */\n media: number;\n /**\n * 'all' will record all the input events\n * 'last' will only record the last input value while input a sequence of chars\n */\n input: 'all' | 'last';\n}>;\n\nexport type RecordPlugin = {\n name: string;\n observer?: (cb: Function, win: IWindow, options: TOptions) => listenerHandler;\n eventProcessor?: (event: eventWithTime) => eventWithTime & TExtend;\n options: TOptions;\n};\n\nexport type recordOptions = {\n emit?: (e: T, isCheckout?: boolean) => void;\n checkoutEveryNth?: number;\n checkoutEveryNms?: number;\n blockClass?: blockClass;\n blockSelector?: string;\n unblockSelector?: string;\n ignoreClass?: string;\n ignoreSelector?: string;\n maskTextClass?: maskTextClass;\n maskTextSelector?: string;\n maskAllInputs?: boolean;\n maskInputSelector?: string;\n maskInputOptions?: MaskInputOptions;\n maskInputFn?: MaskInputFn;\n maskTextFn?: MaskTextFn;\n unmaskTextSelector?: string;\n unmaskInputSelector?: string;\n slimDOMOptions?: SlimDOMOptions | 'all' | true;\n inlineStylesheet?: boolean;\n hooks?: hooksParam;\n packFn?: PackFn;\n sampling?: SamplingStrategy;\n recordCanvas?: boolean;\n userTriggeredOnInput?: boolean;\n collectFonts?: boolean;\n inlineImages?: boolean;\n plugins?: RecordPlugin[];\n // departed, please use sampling options\n mousemoveWait?: number;\n keepIframeSrcFn?: KeepIframeSrcFn;\n};\n\nexport type observerParam = {\n mutationCb: mutationCallBack;\n mousemoveCb: mousemoveCallBack;\n mouseInteractionCb: mouseInteractionCallBack;\n scrollCb: scrollCallback;\n viewportResizeCb: viewportResizeCallback;\n inputCb: inputCallback;\n mediaInteractionCb: mediaInteractionCallback;\n blockClass: blockClass;\n blockSelector: string | null;\n unblockSelector: string | null;\n ignoreClass: string;\n ignoreSelector: string | null;\n maskTextClass: maskTextClass;\n maskTextSelector: string | null;\n unmaskTextSelector: string | null;\n maskInputSelector: string | null;\n unmaskInputSelector: string | null;\n maskInputOptions: MaskInputOptions;\n maskInputFn?: MaskInputFn;\n maskTextFn?: MaskTextFn;\n inlineStylesheet: boolean;\n styleSheetRuleCb: styleSheetRuleCallback;\n styleDeclarationCb: styleDeclarationCallback;\n canvasMutationCb: canvasMutationCallback;\n fontCb: fontCallback;\n sampling: SamplingStrategy;\n recordCanvas: boolean;\n inlineImages: boolean;\n userTriggeredOnInput: boolean;\n collectFonts: boolean;\n slimDOMOptions: SlimDOMOptions;\n doc: Document;\n mirror: Mirror;\n iframeManager: IframeManager;\n shadowDomManager: ShadowDomManager;\n canvasManager: CanvasManager;\n plugins: Array<{\n observer: Function;\n callback: Function;\n options: unknown;\n }>;\n};\n\nexport type MutationBufferParam = Pick<\n observerParam,\n | 'mutationCb'\n | 'blockClass'\n | 'blockSelector'\n | 'unblockSelector'\n | 'maskTextClass'\n | 'maskTextSelector'\n | 'unmaskTextSelector'\n | 'inlineStylesheet'\n | 'maskInputSelector'\n | 'unmaskInputSelector'\n | 'maskInputOptions'\n | 'maskTextFn'\n | 'maskInputFn'\n | 'recordCanvas'\n | 'inlineImages'\n | 'slimDOMOptions'\n | 'doc'\n | 'mirror'\n | 'iframeManager'\n | 'shadowDomManager'\n | 'canvasManager'\n>;\n\nexport type hooksParam = {\n mutation?: mutationCallBack;\n mousemove?: mousemoveCallBack;\n mouseInteraction?: mouseInteractionCallBack;\n scroll?: scrollCallback;\n viewportResize?: viewportResizeCallback;\n input?: inputCallback;\n mediaInteaction?: mediaInteractionCallback;\n styleSheetRule?: styleSheetRuleCallback;\n styleDeclaration?: styleDeclarationCallback;\n canvasMutation?: canvasMutationCallback;\n font?: fontCallback;\n};\n\n// https://dom.spec.whatwg.org/#interface-mutationrecord\nexport type mutationRecord = {\n type: string;\n target: Node;\n oldValue: string | null;\n addedNodes: NodeList;\n removedNodes: NodeList;\n attributeName: string | null;\n};\n\nexport type textCursor = {\n node: Node;\n value: string | null;\n};\nexport type textMutation = {\n id: number;\n value: string | null;\n};\n\nexport type styleAttributeValue = {\n [key: string]: styleValueWithPriority | string | false;\n};\n\nexport type styleValueWithPriority = [string, string];\n\nexport type attributeCursor = {\n node: Node;\n attributes: {\n [key: string]: string | styleAttributeValue | null;\n };\n};\nexport type attributeMutation = {\n id: number;\n attributes: {\n [key: string]: string | styleAttributeValue | null;\n };\n};\n\nexport type removedNodeMutation = {\n parentId: number;\n id: number;\n isShadow?: boolean;\n};\n\nexport type addedNodeMutation = {\n parentId: number;\n // Newly recorded mutations will not have previousId any more, just for compatibility\n previousId?: number | null;\n nextId: number | null;\n node: serializedNodeWithId;\n};\n\nexport type mutationCallbackParam = {\n texts: textMutation[];\n attributes: attributeMutation[];\n removes: removedNodeMutation[];\n adds: addedNodeMutation[];\n isAttachIframe?: true;\n};\n\nexport type mutationCallBack = (m: mutationCallbackParam) => void;\n\nexport type mousemoveCallBack = (\n p: mousePosition[],\n source:\n | IncrementalSource.MouseMove\n | IncrementalSource.TouchMove\n | IncrementalSource.Drag,\n) => void;\n\nexport type mousePosition = {\n x: number;\n y: number;\n id: number;\n timeOffset: number;\n};\n\nexport type mouseMovePos = {\n x: number;\n y: number;\n id: number;\n debugData: incrementalData;\n};\n\nexport enum MouseInteractions {\n MouseUp,\n MouseDown,\n Click,\n ContextMenu,\n DblClick,\n Focus,\n Blur,\n TouchStart,\n TouchMove_Departed, // we will start a separate observer for touch move event\n TouchEnd,\n TouchCancel,\n}\n\nexport enum CanvasContext {\n '2D',\n WebGL,\n WebGL2,\n}\n\nexport type SerializedWebGlArg =\n | {\n rr_type: 'ArrayBuffer';\n base64: string; // base64\n }\n | {\n rr_type: string;\n src: string; // url of image\n }\n | {\n rr_type: string;\n args: SerializedWebGlArg[];\n }\n | {\n rr_type: string;\n index: number;\n }\n | string\n | number\n | boolean\n | null\n | SerializedWebGlArg[];\n\ntype mouseInteractionParam = {\n type: MouseInteractions;\n id: number;\n x: number;\n y: number;\n};\n\nexport type mouseInteractionCallBack = (d: mouseInteractionParam) => void;\n\nexport type scrollPosition = {\n id: number;\n x: number;\n y: number;\n};\n\nexport type scrollCallback = (p: scrollPosition) => void;\n\nexport type styleSheetAddRule = {\n rule: string;\n index?: number | number[];\n};\n\nexport type styleSheetDeleteRule = {\n index: number | number[];\n};\n\nexport type styleSheetRuleParam = {\n id: number;\n removes?: styleSheetDeleteRule[];\n adds?: styleSheetAddRule[];\n};\n\nexport type styleSheetRuleCallback = (s: styleSheetRuleParam) => void;\n\nexport type styleDeclarationParam = {\n id: number;\n index: number[];\n set?: {\n property: string;\n value: string | null;\n priority: string | undefined;\n };\n remove?: {\n property: string;\n };\n};\n\nexport type styleDeclarationCallback = (s: styleDeclarationParam) => void;\n\nexport type canvasMutationCommand = {\n property: string;\n args: Array;\n setter?: true;\n};\n\nexport type canvasMutationParam =\n | {\n id: number;\n type: CanvasContext;\n commands: canvasMutationCommand[];\n }\n | ({\n id: number;\n type: CanvasContext;\n } & canvasMutationCommand);\n\nexport type canvasMutationWithType = {\n type: CanvasContext;\n} & canvasMutationCommand;\n\nexport type canvasMutationCallback = (p: canvasMutationParam) => void;\n\nexport type canvasManagerMutationCallback = (\n target: HTMLCanvasElement,\n p: canvasMutationWithType,\n) => void;\n\nexport type fontParam = {\n family: string;\n fontSource: string;\n buffer: boolean;\n descriptors?: FontFaceDescriptors;\n};\n\nexport type fontCallback = (p: fontParam) => void;\n\nexport type viewportResizeDimension = {\n width: number;\n height: number;\n};\n\nexport type viewportResizeCallback = (d: viewportResizeDimension) => void;\n\nexport type inputValue = {\n text: string;\n isChecked: boolean;\n\n // `userTriggered` indicates if this event was triggered directly by user (userTriggered: true)\n // or was triggered indirectly (userTriggered: false)\n // Example of `userTriggered` in action:\n // User clicks on radio element (userTriggered: true) which triggers the other radio element to change (userTriggered: false)\n userTriggered?: boolean;\n};\n\nexport type inputCallback = (v: inputValue & { id: number }) => void;\n\nexport const enum MediaInteractions {\n Play,\n Pause,\n Seeked,\n VolumeChange,\n}\n\nexport type mediaInteractionParam = {\n type: MediaInteractions;\n id: number;\n currentTime?: number;\n volume?: number;\n muted?: boolean;\n};\n\nexport type mediaInteractionCallback = (p: mediaInteractionParam) => void;\n\nexport type DocumentDimension = {\n x: number;\n y: number;\n // scale value relative to its parent iframe\n relativeScale: number;\n // scale value relative to the root iframe\n absoluteScale: number;\n};\n\nexport type Mirror = {\n map: idNodeMap;\n getId: (n: INode) => number;\n getNode: (id: number) => INode | null;\n removeNodeFromMap: (n: INode) => void;\n has: (id: number) => boolean;\n reset: () => void;\n};\n\nexport type throttleOptions = {\n leading?: boolean;\n trailing?: boolean;\n};\n\nexport type listenerHandler = () => void;\nexport type hookResetter = () => void;\n\nexport type ReplayPlugin = {\n handler: (\n event: eventWithTime,\n isSync: boolean,\n context: { replayer: Replayer },\n ) => void;\n};\nexport type playerConfig = {\n speed: number;\n maxSpeed: number;\n root: Element;\n loadTimeout: number;\n skipInactive: boolean;\n showWarning: boolean;\n showDebug: boolean;\n blockClass: string;\n liveMode: boolean;\n insertStyleRules: string[];\n triggerFocus: boolean;\n UNSAFE_replayCanvas: boolean;\n pauseAnimation?: boolean;\n mouseTail:\n | boolean\n | {\n duration?: number;\n lineCap?: string;\n lineWidth?: number;\n strokeStyle?: string;\n };\n unpackFn?: UnpackFn;\n plugins?: ReplayPlugin[];\n};\n\nexport type playerMetaData = {\n startTime: number;\n endTime: number;\n totalTime: number;\n};\n\nexport type missingNode = {\n node: Node;\n mutation: addedNodeMutation;\n};\nexport type missingNodeMap = {\n [id: number]: missingNode;\n};\n\nexport type actionWithDelay = {\n doAction: () => void;\n delay: number;\n};\n\nexport type Handler = (event?: unknown) => void;\n\nexport type Emitter = {\n on(type: string, handler: Handler): void;\n emit(type: string, event?: unknown): void;\n off(type: string, handler: Handler): void;\n};\n\nexport type Arguments = T extends (...payload: infer U) => unknown\n ? U\n : unknown;\n\nexport enum ReplayerEvents {\n Start = 'start',\n Pause = 'pause',\n Resume = 'resume',\n Resize = 'resize',\n Finish = 'finish',\n FullsnapshotRebuilded = 'fullsnapshot-rebuilded',\n LoadStylesheetStart = 'load-stylesheet-start',\n LoadStylesheetEnd = 'load-stylesheet-end',\n SkipStart = 'skip-start',\n SkipEnd = 'skip-end',\n MouseInteraction = 'mouse-interaction',\n EventCast = 'event-cast',\n CustomEvent = 'custom-event',\n Flush = 'flush',\n StateChange = 'state-change',\n PlayBack = 'play-back',\n}\n\n// store the state that would be changed during the process(unmount from dom and mount again)\nexport type ElementState = {\n // [scrollLeft,scrollTop]\n scroll?: [number, number];\n};\n\nexport type KeepIframeSrcFn = (src: string) => boolean;\n\ndeclare global {\n interface Window {\n FontFace: typeof FontFace;\n }\n}\n\nexport type IWindow = Window & typeof globalThis;\n\nexport type Optional = Pick, K> & Omit;\n","var NodeType;\n(function (NodeType) {\n NodeType[NodeType[\"Document\"] = 0] = \"Document\";\n NodeType[NodeType[\"DocumentType\"] = 1] = \"DocumentType\";\n NodeType[NodeType[\"Element\"] = 2] = \"Element\";\n NodeType[NodeType[\"Text\"] = 3] = \"Text\";\n NodeType[NodeType[\"CDATA\"] = 4] = \"CDATA\";\n NodeType[NodeType[\"Comment\"] = 5] = \"Comment\";\n})(NodeType || (NodeType = {}));\n\nfunction isElement(n) {\n return n.nodeType === n.ELEMENT_NODE;\n}\nfunction isShadowRoot(n) {\n var _a;\n var host = (_a = n) === null || _a === void 0 ? void 0 : _a.host;\n return Boolean(host && host.shadowRoot && host.shadowRoot === n);\n}\nfunction maskInputValue(_a) {\n var input = _a.input, maskInputSelector = _a.maskInputSelector, unmaskInputSelector = _a.unmaskInputSelector, maskInputOptions = _a.maskInputOptions, tagName = _a.tagName, type = _a.type, value = _a.value, maskInputFn = _a.maskInputFn;\n var text = value || '';\n if (unmaskInputSelector && input.matches(unmaskInputSelector)) {\n return text;\n }\n if (maskInputOptions[tagName.toLowerCase()] ||\n maskInputOptions[type] ||\n (maskInputSelector && input.matches(maskInputSelector))) {\n if (maskInputFn) {\n text = maskInputFn(text);\n }\n else {\n text = '*'.repeat(text.length);\n }\n }\n return text;\n}\nvar ORIGINAL_ATTRIBUTE_NAME = '__rrweb_original__';\nfunction is2DCanvasBlank(canvas) {\n var ctx = canvas.getContext('2d');\n if (!ctx)\n return true;\n var chunkSize = 50;\n for (var x = 0; x < canvas.width; x += chunkSize) {\n for (var y = 0; y < canvas.height; y += chunkSize) {\n var getImageData = ctx.getImageData;\n var originalGetImageData = ORIGINAL_ATTRIBUTE_NAME in getImageData\n ? getImageData[ORIGINAL_ATTRIBUTE_NAME]\n : getImageData;\n var pixelBuffer = new Uint32Array(originalGetImageData.call(ctx, x, y, Math.min(chunkSize, canvas.width - x), Math.min(chunkSize, canvas.height - y)).data.buffer);\n if (pixelBuffer.some(function (pixel) { return pixel !== 0; }))\n return false;\n }\n }\n return true;\n}\n\nvar _id = 1;\nvar tagNameRegex = new RegExp('[^a-z0-9-_:]');\nvar IGNORED_NODE = -2;\nfunction genId() {\n return _id++;\n}\nfunction getValidTagName(element) {\n if (element instanceof HTMLFormElement) {\n return 'form';\n }\n var processedTagName = element.tagName.toLowerCase().trim();\n if (tagNameRegex.test(processedTagName)) {\n return 'div';\n }\n return processedTagName;\n}\nfunction getCssRulesString(s) {\n try {\n var rules = s.rules || s.cssRules;\n return rules ? Array.from(rules).map(getCssRuleString).join('') : null;\n }\n catch (error) {\n return null;\n }\n}\nfunction getCssRuleString(rule) {\n var cssStringified = rule.cssText;\n if (isCSSImportRule(rule)) {\n try {\n cssStringified = getCssRulesString(rule.styleSheet) || cssStringified;\n }\n catch (_a) {\n }\n }\n return cssStringified;\n}\nfunction isCSSImportRule(rule) {\n return 'styleSheet' in rule;\n}\nfunction stringifyStyleSheet(sheet) {\n return sheet.cssRules\n ? Array.from(sheet.cssRules)\n .map(function (rule) { return rule.cssText || ''; })\n .join('')\n : '';\n}\nfunction extractOrigin(url) {\n var origin = '';\n if (url.indexOf('//') > -1) {\n origin = url.split('/').slice(0, 3).join('/');\n }\n else {\n origin = url.split('/')[0];\n }\n origin = origin.split('?')[0];\n return origin;\n}\nvar canvasService;\nvar canvasCtx;\nvar URL_IN_CSS_REF = /url\\((?:(')([^']*)'|(\")(.*?)\"|([^)]*))\\)/gm;\nvar RELATIVE_PATH = /^(?!www\\.|(?:http|ftp)s?:\\/\\/|[A-Za-z]:\\\\|\\/\\/|#).*/;\nvar DATA_URI = /^(data:)([^,]*),(.*)/i;\nfunction absoluteToStylesheet(cssText, href) {\n return (cssText || '').replace(URL_IN_CSS_REF, function (origin, quote1, path1, quote2, path2, path3) {\n var filePath = path1 || path2 || path3;\n var maybeQuote = quote1 || quote2 || '';\n if (!filePath) {\n return origin;\n }\n if (!RELATIVE_PATH.test(filePath)) {\n return \"url(\" + maybeQuote + filePath + maybeQuote + \")\";\n }\n if (DATA_URI.test(filePath)) {\n return \"url(\" + maybeQuote + filePath + maybeQuote + \")\";\n }\n if (filePath[0] === '/') {\n return \"url(\" + maybeQuote + (extractOrigin(href) + filePath) + maybeQuote + \")\";\n }\n var stack = href.split('/');\n var parts = filePath.split('/');\n stack.pop();\n for (var _i = 0, parts_1 = parts; _i < parts_1.length; _i++) {\n var part = parts_1[_i];\n if (part === '.') {\n continue;\n }\n else if (part === '..') {\n stack.pop();\n }\n else {\n stack.push(part);\n }\n }\n return \"url(\" + maybeQuote + stack.join('/') + maybeQuote + \")\";\n });\n}\nvar SRCSET_NOT_SPACES = /^[^ \\t\\n\\r\\u000c]+/;\nvar SRCSET_COMMAS_OR_SPACES = /^[, \\t\\n\\r\\u000c]+/;\nfunction getAbsoluteSrcsetString(doc, attributeValue) {\n if (attributeValue.trim() === '') {\n return attributeValue;\n }\n var pos = 0;\n function collectCharacters(regEx) {\n var chars;\n var match = regEx.exec(attributeValue.substring(pos));\n if (match) {\n chars = match[0];\n pos += chars.length;\n return chars;\n }\n return '';\n }\n var output = [];\n while (true) {\n collectCharacters(SRCSET_COMMAS_OR_SPACES);\n if (pos >= attributeValue.length) {\n break;\n }\n var url = collectCharacters(SRCSET_NOT_SPACES);\n if (url.slice(-1) === ',') {\n url = absoluteToDoc(doc, url.substring(0, url.length - 1));\n output.push(url);\n }\n else {\n var descriptorsStr = '';\n url = absoluteToDoc(doc, url);\n var inParens = false;\n while (true) {\n var c = attributeValue.charAt(pos);\n if (c === '') {\n output.push((url + descriptorsStr).trim());\n break;\n }\n else if (!inParens) {\n if (c === ',') {\n pos += 1;\n output.push((url + descriptorsStr).trim());\n break;\n }\n else if (c === '(') {\n inParens = true;\n }\n }\n else {\n if (c === ')') {\n inParens = false;\n }\n }\n descriptorsStr += c;\n pos += 1;\n }\n }\n }\n return output.join(', ');\n}\nfunction absoluteToDoc(doc, attributeValue) {\n if (!attributeValue || attributeValue.trim() === '') {\n return attributeValue;\n }\n var a = doc.createElement('a');\n a.href = attributeValue;\n return a.href;\n}\nfunction isSVGElement(el) {\n return Boolean(el.tagName === 'svg' || el.ownerSVGElement);\n}\nfunction getHref() {\n var a = document.createElement('a');\n a.href = '';\n return a.href;\n}\nfunction transformAttribute(doc, tagName, name, value) {\n if (name === 'src' || (name === 'href' && value)) {\n return absoluteToDoc(doc, value);\n }\n else if (name === 'xlink:href' && value && value[0] !== '#') {\n return absoluteToDoc(doc, value);\n }\n else if (name === 'background' &&\n value &&\n (tagName === 'table' || tagName === 'td' || tagName === 'th')) {\n return absoluteToDoc(doc, value);\n }\n else if (name === 'srcset' && value) {\n return getAbsoluteSrcsetString(doc, value);\n }\n else if (name === 'style' && value) {\n return absoluteToStylesheet(value, getHref());\n }\n else if (tagName === 'object' && name === 'data' && value) {\n return absoluteToDoc(doc, value);\n }\n else {\n return value;\n }\n}\nfunction _isBlockedElement(element, blockClass, blockSelector, unblockSelector) {\n if (unblockSelector && element.matches(unblockSelector)) {\n return false;\n }\n if (typeof blockClass === 'string') {\n if (element.classList.contains(blockClass)) {\n return true;\n }\n }\n else {\n for (var eIndex = 0; eIndex < element.classList.length; eIndex++) {\n var className = element.classList[eIndex];\n if (blockClass.test(className)) {\n return true;\n }\n }\n }\n if (blockSelector) {\n return element.matches(blockSelector);\n }\n return false;\n}\nfunction needMaskingText(node, maskTextClass, maskTextSelector, unmaskTextSelector) {\n if (!node) {\n return false;\n }\n if (node.nodeType === node.ELEMENT_NODE) {\n if (unmaskTextSelector) {\n if (node.matches(unmaskTextSelector) || node.closest(unmaskTextSelector)) {\n return false;\n }\n }\n if (typeof maskTextClass === 'string') {\n if (node.classList.contains(maskTextClass)) {\n return true;\n }\n }\n else {\n for (var eIndex = 0; eIndex < node.classList.length; eIndex++) {\n var className = node.classList[eIndex];\n if (maskTextClass.test(className)) {\n return true;\n }\n }\n }\n if (maskTextSelector) {\n if (node.matches(maskTextSelector)) {\n return true;\n }\n }\n return needMaskingText(node.parentNode, maskTextClass, maskTextSelector, unmaskTextSelector);\n }\n if (node.nodeType === node.TEXT_NODE) {\n return needMaskingText(node.parentNode, maskTextClass, maskTextSelector, unmaskTextSelector);\n }\n return needMaskingText(node.parentNode, maskTextClass, maskTextSelector, unmaskTextSelector);\n}\nfunction onceIframeLoaded(iframeEl, listener, iframeLoadTimeout) {\n var win = iframeEl.contentWindow;\n if (!win) {\n return;\n }\n var fired = false;\n var readyState;\n try {\n readyState = win.document.readyState;\n }\n catch (error) {\n return;\n }\n if (readyState !== 'complete') {\n var timer_1 = setTimeout(function () {\n if (!fired) {\n listener();\n fired = true;\n }\n }, iframeLoadTimeout);\n iframeEl.addEventListener('load', function () {\n clearTimeout(timer_1);\n fired = true;\n listener();\n });\n return;\n }\n var blankUrl = 'about:blank';\n if (win.location.href !== blankUrl ||\n iframeEl.src === blankUrl ||\n iframeEl.src === '') {\n setTimeout(listener, 0);\n return;\n }\n iframeEl.addEventListener('load', listener);\n}\nfunction serializeNode(n, options) {\n var _a;\n var doc = options.doc, blockClass = options.blockClass, blockSelector = options.blockSelector, unblockSelector = options.unblockSelector, maskTextClass = options.maskTextClass, maskTextSelector = options.maskTextSelector, unmaskTextSelector = options.unmaskTextSelector, inlineStylesheet = options.inlineStylesheet, maskInputSelector = options.maskInputSelector, unmaskInputSelector = options.unmaskInputSelector, _b = options.maskInputOptions, maskInputOptions = _b === void 0 ? {} : _b, maskTextFn = options.maskTextFn, maskInputFn = options.maskInputFn, _c = options.dataURLOptions, dataURLOptions = _c === void 0 ? {} : _c, inlineImages = options.inlineImages, recordCanvas = options.recordCanvas, keepIframeSrcFn = options.keepIframeSrcFn;\n var rootId;\n if (doc.__sn) {\n var docId = doc.__sn.id;\n rootId = docId === 1 ? undefined : docId;\n }\n switch (n.nodeType) {\n case n.DOCUMENT_NODE:\n if (n.compatMode !== 'CSS1Compat') {\n return {\n type: NodeType.Document,\n childNodes: [],\n compatMode: n.compatMode,\n rootId: rootId\n };\n }\n else {\n return {\n type: NodeType.Document,\n childNodes: [],\n rootId: rootId\n };\n }\n case n.DOCUMENT_TYPE_NODE:\n return {\n type: NodeType.DocumentType,\n name: n.name,\n publicId: n.publicId,\n systemId: n.systemId,\n rootId: rootId\n };\n case n.ELEMENT_NODE:\n var needBlock = _isBlockedElement(n, blockClass, blockSelector, unblockSelector);\n var tagName = getValidTagName(n);\n var attributes_1 = {};\n for (var _i = 0, _d = Array.from(n.attributes); _i < _d.length; _i++) {\n var _e = _d[_i], name_1 = _e.name, value = _e.value;\n attributes_1[name_1] = transformAttribute(doc, tagName, name_1, value);\n }\n if (tagName === 'link' && inlineStylesheet) {\n var stylesheet = Array.from(doc.styleSheets).find(function (s) {\n return s.href === n.href;\n });\n var cssText = null;\n if (stylesheet) {\n cssText = getCssRulesString(stylesheet);\n }\n if (cssText) {\n delete attributes_1.rel;\n delete attributes_1.href;\n attributes_1._cssText = absoluteToStylesheet(cssText, stylesheet.href);\n }\n }\n if (tagName === 'style' &&\n n.sheet &&\n !(n.innerText ||\n n.textContent ||\n '').trim().length) {\n var cssText = getCssRulesString(n.sheet);\n if (cssText) {\n attributes_1._cssText = absoluteToStylesheet(cssText, getHref());\n }\n }\n if (tagName === 'input' ||\n tagName === 'textarea' ||\n tagName === 'select') {\n var value = n.value;\n if (attributes_1.type !== 'radio' &&\n attributes_1.type !== 'checkbox' &&\n attributes_1.type !== 'submit' &&\n attributes_1.type !== 'button' &&\n value) {\n attributes_1.value = maskInputValue({\n input: n,\n type: attributes_1.type,\n tagName: tagName,\n value: value,\n maskInputSelector: maskInputSelector,\n unmaskInputSelector: unmaskInputSelector,\n maskInputOptions: maskInputOptions,\n maskInputFn: maskInputFn\n });\n }\n else if (n.checked) {\n attributes_1.checked = n.checked;\n }\n }\n if (tagName === 'option') {\n if (n.selected && !maskInputOptions['select']) {\n attributes_1.selected = true;\n }\n else {\n delete attributes_1.selected;\n }\n }\n if (tagName === 'canvas' && recordCanvas) {\n if (n.__context === '2d') {\n if (!is2DCanvasBlank(n)) {\n attributes_1.rr_dataURL = n.toDataURL(dataURLOptions.type, dataURLOptions.quality);\n }\n }\n else if (!('__context' in n)) {\n var canvasDataURL = n.toDataURL(dataURLOptions.type, dataURLOptions.quality);\n var blankCanvas = document.createElement('canvas');\n blankCanvas.width = n.width;\n blankCanvas.height = n.height;\n var blankCanvasDataURL = blankCanvas.toDataURL(dataURLOptions.type, dataURLOptions.quality);\n if (canvasDataURL !== blankCanvasDataURL) {\n attributes_1.rr_dataURL = canvasDataURL;\n }\n }\n }\n if (tagName === 'img' && inlineImages) {\n if (!canvasService) {\n canvasService = doc.createElement('canvas');\n canvasCtx = canvasService.getContext('2d');\n }\n var image_1 = n;\n var oldValue_1 = image_1.crossOrigin;\n image_1.crossOrigin = 'anonymous';\n var recordInlineImage = function () {\n try {\n canvasService.width = image_1.naturalWidth;\n canvasService.height = image_1.naturalHeight;\n canvasCtx.drawImage(image_1, 0, 0);\n attributes_1.rr_dataURL = canvasService.toDataURL(dataURLOptions.type, dataURLOptions.quality);\n }\n catch (err) {\n console.warn(\"Cannot inline img src=\" + image_1.currentSrc + \"! Error: \" + err);\n }\n oldValue_1\n ? (attributes_1.crossOrigin = oldValue_1)\n : delete attributes_1.crossOrigin;\n };\n if (image_1.complete && image_1.naturalWidth !== 0)\n recordInlineImage();\n else\n image_1.onload = recordInlineImage;\n }\n if (tagName === 'audio' || tagName === 'video') {\n attributes_1.rr_mediaState = n.paused\n ? 'paused'\n : 'played';\n attributes_1.rr_mediaCurrentTime = n.currentTime;\n }\n if (n.scrollLeft) {\n attributes_1.rr_scrollLeft = n.scrollLeft;\n }\n if (n.scrollTop) {\n attributes_1.rr_scrollTop = n.scrollTop;\n }\n if (needBlock) {\n var _f = n.getBoundingClientRect(), width = _f.width, height = _f.height;\n attributes_1 = {\n \"class\": attributes_1[\"class\"],\n rr_width: width + \"px\",\n rr_height: height + \"px\"\n };\n }\n if (tagName === 'iframe' && !keepIframeSrcFn(attributes_1.src)) {\n if (!n.contentDocument) {\n attributes_1.rr_src = attributes_1.src;\n }\n delete attributes_1.src;\n }\n return {\n type: NodeType.Element,\n tagName: tagName,\n attributes: attributes_1,\n childNodes: [],\n isSVG: isSVGElement(n) || undefined,\n needBlock: needBlock,\n rootId: rootId\n };\n case n.TEXT_NODE:\n var parentTagName = n.parentNode && n.parentNode.tagName;\n var textContent = n.textContent;\n var isStyle = parentTagName === 'STYLE' ? true : undefined;\n var isScript = parentTagName === 'SCRIPT' ? true : undefined;\n if (isStyle && textContent) {\n try {\n if (n.nextSibling || n.previousSibling) {\n }\n else if ((_a = n.parentNode.sheet) === null || _a === void 0 ? void 0 : _a.cssRules) {\n textContent = stringifyStyleSheet(n.parentNode.sheet);\n }\n }\n catch (err) {\n console.warn(\"Cannot get CSS styles from text's parentNode. Error: \" + err, n);\n }\n textContent = absoluteToStylesheet(textContent, getHref());\n }\n if (isScript) {\n textContent = 'SCRIPT_PLACEHOLDER';\n }\n if (!isStyle &&\n !isScript &&\n needMaskingText(n, maskTextClass, maskTextSelector, unmaskTextSelector) &&\n textContent) {\n textContent = maskTextFn\n ? maskTextFn(textContent)\n : textContent.replace(/[\\S]/g, '*');\n }\n return {\n type: NodeType.Text,\n textContent: textContent || '',\n isStyle: isStyle,\n rootId: rootId\n };\n case n.CDATA_SECTION_NODE:\n return {\n type: NodeType.CDATA,\n textContent: '',\n rootId: rootId\n };\n case n.COMMENT_NODE:\n return {\n type: NodeType.Comment,\n textContent: n.textContent || '',\n rootId: rootId\n };\n default:\n return false;\n }\n}\nfunction lowerIfExists(maybeAttr) {\n if (maybeAttr === undefined) {\n return '';\n }\n else {\n return maybeAttr.toLowerCase();\n }\n}\nfunction slimDOMExcluded(sn, slimDOMOptions) {\n if (slimDOMOptions.comment && sn.type === NodeType.Comment) {\n return true;\n }\n else if (sn.type === NodeType.Element) {\n if (slimDOMOptions.script &&\n (sn.tagName === 'script' ||\n (sn.tagName === 'link' &&\n sn.attributes.rel === 'preload' &&\n sn.attributes.as === 'script') ||\n (sn.tagName === 'link' &&\n sn.attributes.rel === 'prefetch' &&\n typeof sn.attributes.href === 'string' &&\n sn.attributes.href.endsWith('.js')))) {\n return true;\n }\n else if (slimDOMOptions.headFavicon &&\n ((sn.tagName === 'link' && sn.attributes.rel === 'shortcut icon') ||\n (sn.tagName === 'meta' &&\n (lowerIfExists(sn.attributes.name).match(/^msapplication-tile(image|color)$/) ||\n lowerIfExists(sn.attributes.name) === 'application-name' ||\n lowerIfExists(sn.attributes.rel) === 'icon' ||\n lowerIfExists(sn.attributes.rel) === 'apple-touch-icon' ||\n lowerIfExists(sn.attributes.rel) === 'shortcut icon')))) {\n return true;\n }\n else if (sn.tagName === 'meta') {\n if (slimDOMOptions.headMetaDescKeywords &&\n lowerIfExists(sn.attributes.name).match(/^description|keywords$/)) {\n return true;\n }\n else if (slimDOMOptions.headMetaSocial &&\n (lowerIfExists(sn.attributes.property).match(/^(og|twitter|fb):/) ||\n lowerIfExists(sn.attributes.name).match(/^(og|twitter):/) ||\n lowerIfExists(sn.attributes.name) === 'pinterest')) {\n return true;\n }\n else if (slimDOMOptions.headMetaRobots &&\n (lowerIfExists(sn.attributes.name) === 'robots' ||\n lowerIfExists(sn.attributes.name) === 'googlebot' ||\n lowerIfExists(sn.attributes.name) === 'bingbot')) {\n return true;\n }\n else if (slimDOMOptions.headMetaHttpEquiv &&\n sn.attributes['http-equiv'] !== undefined) {\n return true;\n }\n else if (slimDOMOptions.headMetaAuthorship &&\n (lowerIfExists(sn.attributes.name) === 'author' ||\n lowerIfExists(sn.attributes.name) === 'generator' ||\n lowerIfExists(sn.attributes.name) === 'framework' ||\n lowerIfExists(sn.attributes.name) === 'publisher' ||\n lowerIfExists(sn.attributes.name) === 'progid' ||\n lowerIfExists(sn.attributes.property).match(/^article:/) ||\n lowerIfExists(sn.attributes.property).match(/^product:/))) {\n return true;\n }\n else if (slimDOMOptions.headMetaVerification &&\n (lowerIfExists(sn.attributes.name) === 'google-site-verification' ||\n lowerIfExists(sn.attributes.name) === 'yandex-verification' ||\n lowerIfExists(sn.attributes.name) === 'csrf-token' ||\n lowerIfExists(sn.attributes.name) === 'p:domain_verify' ||\n lowerIfExists(sn.attributes.name) === 'verify-v1' ||\n lowerIfExists(sn.attributes.name) === 'verification' ||\n lowerIfExists(sn.attributes.name) === 'shopify-checkout-api-token')) {\n return true;\n }\n }\n }\n return false;\n}\nfunction serializeNodeWithId(n, options) {\n var doc = options.doc, map = options.map, blockClass = options.blockClass, blockSelector = options.blockSelector, unblockSelector = options.unblockSelector, maskTextClass = options.maskTextClass, maskTextSelector = options.maskTextSelector, unmaskTextSelector = options.unmaskTextSelector, _a = options.skipChild, skipChild = _a === void 0 ? false : _a, _b = options.inlineStylesheet, inlineStylesheet = _b === void 0 ? true : _b, maskInputSelector = options.maskInputSelector, unmaskInputSelector = options.unmaskInputSelector, _c = options.maskInputOptions, maskInputOptions = _c === void 0 ? {} : _c, maskTextFn = options.maskTextFn, maskInputFn = options.maskInputFn, slimDOMOptions = options.slimDOMOptions, _d = options.dataURLOptions, dataURLOptions = _d === void 0 ? {} : _d, _e = options.inlineImages, inlineImages = _e === void 0 ? false : _e, _f = options.recordCanvas, recordCanvas = _f === void 0 ? false : _f, onSerialize = options.onSerialize, onIframeLoad = options.onIframeLoad, _g = options.iframeLoadTimeout, iframeLoadTimeout = _g === void 0 ? 5000 : _g, _h = options.keepIframeSrcFn, keepIframeSrcFn = _h === void 0 ? function () { return false; } : _h;\n var _j = options.preserveWhiteSpace, preserveWhiteSpace = _j === void 0 ? true : _j;\n var _serializedNode = serializeNode(n, {\n doc: doc,\n blockClass: blockClass,\n blockSelector: blockSelector,\n unblockSelector: unblockSelector,\n maskTextClass: maskTextClass,\n maskTextSelector: maskTextSelector,\n unmaskTextSelector: unmaskTextSelector,\n inlineStylesheet: inlineStylesheet,\n maskInputSelector: maskInputSelector,\n unmaskInputSelector: unmaskInputSelector,\n maskInputOptions: maskInputOptions,\n maskTextFn: maskTextFn,\n maskInputFn: maskInputFn,\n dataURLOptions: dataURLOptions,\n inlineImages: inlineImages,\n recordCanvas: recordCanvas,\n keepIframeSrcFn: keepIframeSrcFn\n });\n if (!_serializedNode) {\n console.warn(n, 'not serialized');\n return null;\n }\n var id;\n if ('__sn' in n) {\n id = n.__sn.id;\n }\n else if (slimDOMExcluded(_serializedNode, slimDOMOptions) ||\n (!preserveWhiteSpace &&\n _serializedNode.type === NodeType.Text &&\n !_serializedNode.isStyle &&\n !_serializedNode.textContent.replace(/^\\s+|\\s+$/gm, '').length)) {\n id = IGNORED_NODE;\n }\n else {\n id = genId();\n }\n var serializedNode = Object.assign(_serializedNode, { id: id });\n n.__sn = serializedNode;\n if (id === IGNORED_NODE) {\n return null;\n }\n map[id] = n;\n if (onSerialize) {\n onSerialize(n);\n }\n var recordChild = !skipChild;\n if (serializedNode.type === NodeType.Element) {\n recordChild = recordChild && !serializedNode.needBlock;\n delete serializedNode.needBlock;\n if (n.shadowRoot)\n serializedNode.isShadowHost = true;\n }\n if ((serializedNode.type === NodeType.Document ||\n serializedNode.type === NodeType.Element) &&\n recordChild) {\n if (slimDOMOptions.headWhitespace &&\n _serializedNode.type === NodeType.Element &&\n _serializedNode.tagName === 'head') {\n preserveWhiteSpace = false;\n }\n var bypassOptions = {\n doc: doc,\n map: map,\n blockClass: blockClass,\n blockSelector: blockSelector,\n unblockSelector: unblockSelector,\n maskTextClass: maskTextClass,\n maskTextSelector: maskTextSelector,\n unmaskTextSelector: unmaskTextSelector,\n skipChild: skipChild,\n inlineStylesheet: inlineStylesheet,\n maskInputSelector: maskInputSelector,\n unmaskInputSelector: unmaskInputSelector,\n maskInputOptions: maskInputOptions,\n maskTextFn: maskTextFn,\n maskInputFn: maskInputFn,\n slimDOMOptions: slimDOMOptions,\n dataURLOptions: dataURLOptions,\n inlineImages: inlineImages,\n recordCanvas: recordCanvas,\n preserveWhiteSpace: preserveWhiteSpace,\n onSerialize: onSerialize,\n onIframeLoad: onIframeLoad,\n iframeLoadTimeout: iframeLoadTimeout,\n keepIframeSrcFn: keepIframeSrcFn\n };\n for (var _i = 0, _k = Array.from(n.childNodes); _i < _k.length; _i++) {\n var childN = _k[_i];\n var serializedChildNode = serializeNodeWithId(childN, bypassOptions);\n if (serializedChildNode) {\n serializedNode.childNodes.push(serializedChildNode);\n }\n }\n if (isElement(n) && n.shadowRoot) {\n for (var _l = 0, _m = Array.from(n.shadowRoot.childNodes); _l < _m.length; _l++) {\n var childN = _m[_l];\n var serializedChildNode = serializeNodeWithId(childN, bypassOptions);\n if (serializedChildNode) {\n serializedChildNode.isShadow = true;\n serializedNode.childNodes.push(serializedChildNode);\n }\n }\n }\n }\n if (n.parentNode && isShadowRoot(n.parentNode)) {\n serializedNode.isShadow = true;\n }\n if (serializedNode.type === NodeType.Element &&\n serializedNode.tagName === 'iframe') {\n onceIframeLoaded(n, function () {\n var iframeDoc = n.contentDocument;\n if (iframeDoc && onIframeLoad) {\n var serializedIframeNode = serializeNodeWithId(iframeDoc, {\n doc: iframeDoc,\n map: map,\n blockClass: blockClass,\n blockSelector: blockSelector,\n unblockSelector: unblockSelector,\n maskTextClass: maskTextClass,\n maskTextSelector: maskTextSelector,\n unmaskTextSelector: unmaskTextSelector,\n skipChild: false,\n inlineStylesheet: inlineStylesheet,\n maskInputSelector: maskInputSelector,\n unmaskInputSelector: unmaskInputSelector,\n maskInputOptions: maskInputOptions,\n maskTextFn: maskTextFn,\n maskInputFn: maskInputFn,\n slimDOMOptions: slimDOMOptions,\n dataURLOptions: dataURLOptions,\n inlineImages: inlineImages,\n recordCanvas: recordCanvas,\n preserveWhiteSpace: preserveWhiteSpace,\n onSerialize: onSerialize,\n onIframeLoad: onIframeLoad,\n iframeLoadTimeout: iframeLoadTimeout,\n keepIframeSrcFn: keepIframeSrcFn\n });\n if (serializedIframeNode) {\n onIframeLoad(n, serializedIframeNode);\n }\n }\n }, iframeLoadTimeout);\n }\n return serializedNode;\n}\nfunction snapshot(n, options) {\n var _a = options || {}, _b = _a.blockClass, blockClass = _b === void 0 ? 'rr-block' : _b, _c = _a.blockSelector, blockSelector = _c === void 0 ? null : _c, _d = _a.unblockSelector, unblockSelector = _d === void 0 ? null : _d, _e = _a.maskTextClass, maskTextClass = _e === void 0 ? 'rr-mask' : _e, _f = _a.maskTextSelector, maskTextSelector = _f === void 0 ? null : _f, _g = _a.unmaskTextSelector, unmaskTextSelector = _g === void 0 ? null : _g, _h = _a.inlineStylesheet, inlineStylesheet = _h === void 0 ? true : _h, _j = _a.inlineImages, inlineImages = _j === void 0 ? false : _j, _k = _a.recordCanvas, recordCanvas = _k === void 0 ? false : _k, _l = _a.maskInputSelector, maskInputSelector = _l === void 0 ? null : _l, _m = _a.unmaskInputSelector, unmaskInputSelector = _m === void 0 ? null : _m, _o = _a.maskAllInputs, maskAllInputs = _o === void 0 ? false : _o, maskTextFn = _a.maskTextFn, maskInputFn = _a.maskInputFn, _p = _a.slimDOM, slimDOM = _p === void 0 ? false : _p, dataURLOptions = _a.dataURLOptions, preserveWhiteSpace = _a.preserveWhiteSpace, onSerialize = _a.onSerialize, onIframeLoad = _a.onIframeLoad, iframeLoadTimeout = _a.iframeLoadTimeout, _q = _a.keepIframeSrcFn, keepIframeSrcFn = _q === void 0 ? function () { return false; } : _q;\n var idNodeMap = {};\n var maskInputOptions = maskAllInputs === true\n ? {\n color: true,\n date: true,\n 'datetime-local': true,\n email: true,\n month: true,\n number: true,\n range: true,\n search: true,\n tel: true,\n text: true,\n time: true,\n url: true,\n week: true,\n textarea: true,\n select: true,\n password: true\n }\n : maskAllInputs === false\n ? {\n password: true\n }\n : maskAllInputs;\n var slimDOMOptions = slimDOM === true || slimDOM === 'all'\n ?\n {\n script: true,\n comment: true,\n headFavicon: true,\n headWhitespace: true,\n headMetaDescKeywords: slimDOM === 'all',\n headMetaSocial: true,\n headMetaRobots: true,\n headMetaHttpEquiv: true,\n headMetaAuthorship: true,\n headMetaVerification: true\n }\n : slimDOM === false\n ? {}\n : slimDOM;\n return [\n serializeNodeWithId(n, {\n doc: n,\n map: idNodeMap,\n blockClass: blockClass,\n blockSelector: blockSelector,\n unblockSelector: unblockSelector,\n maskTextClass: maskTextClass,\n maskTextSelector: maskTextSelector,\n unmaskTextSelector: unmaskTextSelector,\n skipChild: false,\n inlineStylesheet: inlineStylesheet,\n maskInputSelector: maskInputSelector,\n unmaskInputSelector: unmaskInputSelector,\n maskInputOptions: maskInputOptions,\n maskTextFn: maskTextFn,\n maskInputFn: maskInputFn,\n slimDOMOptions: slimDOMOptions,\n dataURLOptions: dataURLOptions,\n inlineImages: inlineImages,\n recordCanvas: recordCanvas,\n preserveWhiteSpace: preserveWhiteSpace,\n onSerialize: onSerialize,\n onIframeLoad: onIframeLoad,\n iframeLoadTimeout: iframeLoadTimeout,\n keepIframeSrcFn: keepIframeSrcFn\n }),\n idNodeMap,\n ];\n}\nfunction visitSnapshot(node, onVisit) {\n function walk(current) {\n onVisit(current);\n if (current.type === NodeType.Document ||\n current.type === NodeType.Element) {\n current.childNodes.forEach(walk);\n }\n }\n walk(node);\n}\nfunction cleanupSnapshot() {\n _id = 1;\n}\n\nvar commentre = /\\/\\*[^*]*\\*+([^/*][^*]*\\*+)*\\//g;\nfunction parse(css, options) {\n if (options === void 0) { options = {}; }\n var lineno = 1;\n var column = 1;\n function updatePosition(str) {\n var lines = str.match(/\\n/g);\n if (lines) {\n lineno += lines.length;\n }\n var i = str.lastIndexOf('\\n');\n column = i === -1 ? column + str.length : str.length - i;\n }\n function position() {\n var start = { line: lineno, column: column };\n return function (node) {\n node.position = new Position(start);\n whitespace();\n return node;\n };\n }\n var Position = (function () {\n function Position(start) {\n this.start = start;\n this.end = { line: lineno, column: column };\n this.source = options.source;\n }\n return Position;\n }());\n Position.prototype.content = css;\n var errorsList = [];\n function error(msg) {\n var err = new Error(options.source + ':' + lineno + ':' + column + ': ' + msg);\n err.reason = msg;\n err.filename = options.source;\n err.line = lineno;\n err.column = column;\n err.source = css;\n if (options.silent) {\n errorsList.push(err);\n }\n else {\n throw err;\n }\n }\n function stylesheet() {\n var rulesList = rules();\n return {\n type: 'stylesheet',\n stylesheet: {\n source: options.source,\n rules: rulesList,\n parsingErrors: errorsList\n }\n };\n }\n function open() {\n return match(/^{\\s*/);\n }\n function close() {\n return match(/^}/);\n }\n function rules() {\n var node;\n var rules = [];\n whitespace();\n comments(rules);\n while (css.length && css.charAt(0) !== '}' && (node = atrule() || rule())) {\n if (node !== false) {\n rules.push(node);\n comments(rules);\n }\n }\n return rules;\n }\n function match(re) {\n var m = re.exec(css);\n if (!m) {\n return;\n }\n var str = m[0];\n updatePosition(str);\n css = css.slice(str.length);\n return m;\n }\n function whitespace() {\n match(/^\\s*/);\n }\n function comments(rules) {\n if (rules === void 0) { rules = []; }\n var c;\n while ((c = comment())) {\n if (c !== false) {\n rules.push(c);\n }\n c = comment();\n }\n return rules;\n }\n function comment() {\n var pos = position();\n if ('/' !== css.charAt(0) || '*' !== css.charAt(1)) {\n return;\n }\n var i = 2;\n while ('' !== css.charAt(i) &&\n ('*' !== css.charAt(i) || '/' !== css.charAt(i + 1))) {\n ++i;\n }\n i += 2;\n if ('' === css.charAt(i - 1)) {\n return error('End of comment missing');\n }\n var str = css.slice(2, i - 2);\n column += 2;\n updatePosition(str);\n css = css.slice(i);\n column += 2;\n return pos({\n type: 'comment',\n comment: str\n });\n }\n function selector() {\n var m = match(/^([^{]+)/);\n if (!m) {\n return;\n }\n return trim(m[0])\n .replace(/\\/\\*([^*]|[\\r\\n]|(\\*+([^*/]|[\\r\\n])))*\\*\\/+/g, '')\n .replace(/\"(?:\\\\\"|[^\"])*\"|'(?:\\\\'|[^'])*'/g, function (m) {\n return m.replace(/,/g, '\\u200C');\n })\n .split(/\\s*(?![^(]*\\)),\\s*/)\n .map(function (s) {\n return s.replace(/\\u200C/g, ',');\n });\n }\n function declaration() {\n var pos = position();\n var propMatch = match(/^(\\*?[-#\\/\\*\\\\\\w]+(\\[[0-9a-z_-]+\\])?)\\s*/);\n if (!propMatch) {\n return;\n }\n var prop = trim(propMatch[0]);\n if (!match(/^:\\s*/)) {\n return error(\"property missing ':'\");\n }\n var val = match(/^((?:'(?:\\\\'|.)*?'|\"(?:\\\\\"|.)*?\"|\\([^\\)]*?\\)|[^};])+)/);\n var ret = pos({\n type: 'declaration',\n property: prop.replace(commentre, ''),\n value: val ? trim(val[0]).replace(commentre, '') : ''\n });\n match(/^[;\\s]*/);\n return ret;\n }\n function declarations() {\n var decls = [];\n if (!open()) {\n return error(\"missing '{'\");\n }\n comments(decls);\n var decl;\n while ((decl = declaration())) {\n if (decl !== false) {\n decls.push(decl);\n comments(decls);\n }\n decl = declaration();\n }\n if (!close()) {\n return error(\"missing '}'\");\n }\n return decls;\n }\n function keyframe() {\n var m;\n var vals = [];\n var pos = position();\n while ((m = match(/^((\\d+\\.\\d+|\\.\\d+|\\d+)%?|[a-z]+)\\s*/))) {\n vals.push(m[1]);\n match(/^,\\s*/);\n }\n if (!vals.length) {\n return;\n }\n return pos({\n type: 'keyframe',\n values: vals,\n declarations: declarations()\n });\n }\n function atkeyframes() {\n var pos = position();\n var m = match(/^@([-\\w]+)?keyframes\\s*/);\n if (!m) {\n return;\n }\n var vendor = m[1];\n m = match(/^([-\\w]+)\\s*/);\n if (!m) {\n return error('@keyframes missing name');\n }\n var name = m[1];\n if (!open()) {\n return error(\"@keyframes missing '{'\");\n }\n var frame;\n var frames = comments();\n while ((frame = keyframe())) {\n frames.push(frame);\n frames = frames.concat(comments());\n }\n if (!close()) {\n return error(\"@keyframes missing '}'\");\n }\n return pos({\n type: 'keyframes',\n name: name,\n vendor: vendor,\n keyframes: frames\n });\n }\n function atsupports() {\n var pos = position();\n var m = match(/^@supports *([^{]+)/);\n if (!m) {\n return;\n }\n var supports = trim(m[1]);\n if (!open()) {\n return error(\"@supports missing '{'\");\n }\n var style = comments().concat(rules());\n if (!close()) {\n return error(\"@supports missing '}'\");\n }\n return pos({\n type: 'supports',\n supports: supports,\n rules: style\n });\n }\n function athost() {\n var pos = position();\n var m = match(/^@host\\s*/);\n if (!m) {\n return;\n }\n if (!open()) {\n return error(\"@host missing '{'\");\n }\n var style = comments().concat(rules());\n if (!close()) {\n return error(\"@host missing '}'\");\n }\n return pos({\n type: 'host',\n rules: style\n });\n }\n function atmedia() {\n var pos = position();\n var m = match(/^@media *([^{]+)/);\n if (!m) {\n return;\n }\n var media = trim(m[1]);\n if (!open()) {\n return error(\"@media missing '{'\");\n }\n var style = comments().concat(rules());\n if (!close()) {\n return error(\"@media missing '}'\");\n }\n return pos({\n type: 'media',\n media: media,\n rules: style\n });\n }\n function atcustommedia() {\n var pos = position();\n var m = match(/^@custom-media\\s+(--[^\\s]+)\\s*([^{;]+);/);\n if (!m) {\n return;\n }\n return pos({\n type: 'custom-media',\n name: trim(m[1]),\n media: trim(m[2])\n });\n }\n function atpage() {\n var pos = position();\n var m = match(/^@page */);\n if (!m) {\n return;\n }\n var sel = selector() || [];\n if (!open()) {\n return error(\"@page missing '{'\");\n }\n var decls = comments();\n var decl;\n while ((decl = declaration())) {\n decls.push(decl);\n decls = decls.concat(comments());\n }\n if (!close()) {\n return error(\"@page missing '}'\");\n }\n return pos({\n type: 'page',\n selectors: sel,\n declarations: decls\n });\n }\n function atdocument() {\n var pos = position();\n var m = match(/^@([-\\w]+)?document *([^{]+)/);\n if (!m) {\n return;\n }\n var vendor = trim(m[1]);\n var doc = trim(m[2]);\n if (!open()) {\n return error(\"@document missing '{'\");\n }\n var style = comments().concat(rules());\n if (!close()) {\n return error(\"@document missing '}'\");\n }\n return pos({\n type: 'document',\n document: doc,\n vendor: vendor,\n rules: style\n });\n }\n function atfontface() {\n var pos = position();\n var m = match(/^@font-face\\s*/);\n if (!m) {\n return;\n }\n if (!open()) {\n return error(\"@font-face missing '{'\");\n }\n var decls = comments();\n var decl;\n while ((decl = declaration())) {\n decls.push(decl);\n decls = decls.concat(comments());\n }\n if (!close()) {\n return error(\"@font-face missing '}'\");\n }\n return pos({\n type: 'font-face',\n declarations: decls\n });\n }\n var atimport = _compileAtrule('import');\n var atcharset = _compileAtrule('charset');\n var atnamespace = _compileAtrule('namespace');\n function _compileAtrule(name) {\n var re = new RegExp('^@' + name + '\\\\s*([^;]+);');\n return function () {\n var pos = position();\n var m = match(re);\n if (!m) {\n return;\n }\n var ret = { type: name };\n ret[name] = m[1].trim();\n return pos(ret);\n };\n }\n function atrule() {\n if (css[0] !== '@') {\n return;\n }\n return (atkeyframes() ||\n atmedia() ||\n atcustommedia() ||\n atsupports() ||\n atimport() ||\n atcharset() ||\n atnamespace() ||\n atdocument() ||\n atpage() ||\n athost() ||\n atfontface());\n }\n function rule() {\n var pos = position();\n var sel = selector();\n if (!sel) {\n return error('selector missing');\n }\n comments();\n return pos({\n type: 'rule',\n selectors: sel,\n declarations: declarations()\n });\n }\n return addParent(stylesheet());\n}\nfunction trim(str) {\n return str ? str.replace(/^\\s+|\\s+$/g, '') : '';\n}\nfunction addParent(obj, parent) {\n var isNode = obj && typeof obj.type === 'string';\n var childParent = isNode ? obj : parent;\n for (var _i = 0, _a = Object.keys(obj); _i < _a.length; _i++) {\n var k = _a[_i];\n var value = obj[k];\n if (Array.isArray(value)) {\n value.forEach(function (v) {\n addParent(v, childParent);\n });\n }\n else if (value && typeof value === 'object') {\n addParent(value, childParent);\n }\n }\n if (isNode) {\n Object.defineProperty(obj, 'parent', {\n configurable: true,\n writable: true,\n enumerable: false,\n value: parent || null\n });\n }\n return obj;\n}\n\nvar tagMap = {\n script: 'noscript',\n altglyph: 'altGlyph',\n altglyphdef: 'altGlyphDef',\n altglyphitem: 'altGlyphItem',\n animatecolor: 'animateColor',\n animatemotion: 'animateMotion',\n animatetransform: 'animateTransform',\n clippath: 'clipPath',\n feblend: 'feBlend',\n fecolormatrix: 'feColorMatrix',\n fecomponenttransfer: 'feComponentTransfer',\n fecomposite: 'feComposite',\n feconvolvematrix: 'feConvolveMatrix',\n fediffuselighting: 'feDiffuseLighting',\n fedisplacementmap: 'feDisplacementMap',\n fedistantlight: 'feDistantLight',\n fedropshadow: 'feDropShadow',\n feflood: 'feFlood',\n fefunca: 'feFuncA',\n fefuncb: 'feFuncB',\n fefuncg: 'feFuncG',\n fefuncr: 'feFuncR',\n fegaussianblur: 'feGaussianBlur',\n feimage: 'feImage',\n femerge: 'feMerge',\n femergenode: 'feMergeNode',\n femorphology: 'feMorphology',\n feoffset: 'feOffset',\n fepointlight: 'fePointLight',\n fespecularlighting: 'feSpecularLighting',\n fespotlight: 'feSpotLight',\n fetile: 'feTile',\n feturbulence: 'feTurbulence',\n foreignobject: 'foreignObject',\n glyphref: 'glyphRef',\n lineargradient: 'linearGradient',\n radialgradient: 'radialGradient'\n};\nfunction getTagName(n) {\n var tagName = tagMap[n.tagName] ? tagMap[n.tagName] : n.tagName;\n if (tagName === 'link' && n.attributes._cssText) {\n tagName = 'style';\n }\n return tagName;\n}\nfunction escapeRegExp(str) {\n return str.replace(/[.*+?^${}()|[\\]\\\\]/g, '\\\\$&');\n}\nvar HOVER_SELECTOR = /([^\\\\]):hover/;\nvar HOVER_SELECTOR_GLOBAL = new RegExp(HOVER_SELECTOR.source, 'g');\nfunction addHoverClass(cssText, cache) {\n var cachedStyle = cache === null || cache === void 0 ? void 0 : cache.stylesWithHoverClass.get(cssText);\n if (cachedStyle)\n return cachedStyle;\n var ast = parse(cssText, {\n silent: true\n });\n if (!ast.stylesheet) {\n return cssText;\n }\n var selectors = [];\n ast.stylesheet.rules.forEach(function (rule) {\n if ('selectors' in rule) {\n (rule.selectors || []).forEach(function (selector) {\n if (HOVER_SELECTOR.test(selector)) {\n selectors.push(selector);\n }\n });\n }\n });\n if (selectors.length === 0) {\n return cssText;\n }\n var selectorMatcher = new RegExp(selectors\n .filter(function (selector, index) { return selectors.indexOf(selector) === index; })\n .sort(function (a, b) { return b.length - a.length; })\n .map(function (selector) {\n return escapeRegExp(selector);\n })\n .join('|'), 'g');\n var result = cssText.replace(selectorMatcher, function (selector) {\n var newSelector = selector.replace(HOVER_SELECTOR_GLOBAL, '$1.\\\\:hover');\n return selector + \", \" + newSelector;\n });\n cache === null || cache === void 0 ? void 0 : cache.stylesWithHoverClass.set(cssText, result);\n return result;\n}\nfunction createCache() {\n var stylesWithHoverClass = new Map();\n return {\n stylesWithHoverClass: stylesWithHoverClass\n };\n}\nfunction buildNode(n, options) {\n var doc = options.doc, hackCss = options.hackCss, cache = options.cache;\n switch (n.type) {\n case NodeType.Document:\n return doc.implementation.createDocument(null, '', null);\n case NodeType.DocumentType:\n return doc.implementation.createDocumentType(n.name || 'html', n.publicId, n.systemId);\n case NodeType.Element:\n var tagName = getTagName(n);\n var node_1;\n if (n.isSVG) {\n node_1 = doc.createElementNS('http://www.w3.org/2000/svg', tagName);\n }\n else {\n node_1 = doc.createElement(tagName);\n }\n var _loop_1 = function (name_1) {\n if (!n.attributes.hasOwnProperty(name_1)) {\n return \"continue\";\n }\n var value = n.attributes[name_1];\n if (tagName === 'option' && name_1 === 'selected' && value === false) {\n return \"continue\";\n }\n value =\n typeof value === 'boolean' || typeof value === 'number' ? '' : value;\n if (!name_1.startsWith('rr_')) {\n var isTextarea = tagName === 'textarea' && name_1 === 'value';\n var isRemoteOrDynamicCss = tagName === 'style' && name_1 === '_cssText';\n if (isRemoteOrDynamicCss && hackCss) {\n value = addHoverClass(value, cache);\n }\n if (isTextarea || isRemoteOrDynamicCss) {\n var child = doc.createTextNode(value);\n for (var _i = 0, _a = Array.from(node_1.childNodes); _i < _a.length; _i++) {\n var c = _a[_i];\n if (c.nodeType === node_1.TEXT_NODE) {\n node_1.removeChild(c);\n }\n }\n node_1.appendChild(child);\n return \"continue\";\n }\n try {\n if (n.isSVG && name_1 === 'xlink:href') {\n node_1.setAttributeNS('http://www.w3.org/1999/xlink', name_1, value);\n }\n else if (name_1 === 'onload' ||\n name_1 === 'onclick' ||\n name_1.substring(0, 7) === 'onmouse') {\n node_1.setAttribute('_' + name_1, value);\n }\n else if (tagName === 'meta' &&\n n.attributes['http-equiv'] === 'Content-Security-Policy' &&\n name_1 === 'content') {\n node_1.setAttribute('csp-content', value);\n return \"continue\";\n }\n else if (tagName === 'link' &&\n n.attributes.rel === 'preload' &&\n n.attributes.as === 'script') {\n }\n else if (tagName === 'link' &&\n n.attributes.rel === 'prefetch' &&\n typeof n.attributes.href === 'string' &&\n n.attributes.href.endsWith('.js')) {\n }\n else if (tagName === 'img' &&\n n.attributes.srcset &&\n n.attributes.rr_dataURL) {\n node_1.setAttribute('rrweb-original-srcset', n.attributes.srcset);\n }\n else {\n node_1.setAttribute(name_1, value);\n }\n }\n catch (error) {\n }\n }\n else {\n if (tagName === 'canvas' && name_1 === 'rr_dataURL') {\n var image_1 = document.createElement('img');\n image_1.src = value;\n image_1.onload = function () {\n var ctx = node_1.getContext('2d');\n if (ctx) {\n ctx.drawImage(image_1, 0, 0, image_1.width, image_1.height);\n }\n };\n }\n else if (tagName === 'img' && name_1 === 'rr_dataURL') {\n var image = node_1;\n if (!image.currentSrc.startsWith('data:')) {\n image.setAttribute('rrweb-original-src', n.attributes.src);\n image.src = value;\n }\n }\n if (name_1 === 'rr_width') {\n node_1.style.width = value;\n }\n else if (name_1 === 'rr_height') {\n node_1.style.height = value;\n }\n else if (name_1 === 'rr_mediaCurrentTime') {\n node_1.currentTime = n.attributes\n .rr_mediaCurrentTime;\n }\n else if (name_1 === 'rr_mediaState') {\n switch (value) {\n case 'played':\n node_1\n .play()[\"catch\"](function (e) { return console.warn('media playback error', e); });\n break;\n case 'paused':\n node_1.pause();\n break;\n }\n }\n }\n };\n for (var name_1 in n.attributes) {\n _loop_1(name_1);\n }\n if (n.isShadowHost) {\n if (!node_1.shadowRoot) {\n node_1.attachShadow({ mode: 'open' });\n }\n else {\n while (node_1.shadowRoot.firstChild) {\n node_1.shadowRoot.removeChild(node_1.shadowRoot.firstChild);\n }\n }\n }\n return node_1;\n case NodeType.Text:\n return doc.createTextNode(n.isStyle && hackCss\n ? addHoverClass(n.textContent, cache)\n : n.textContent);\n case NodeType.CDATA:\n return doc.createCDATASection(n.textContent);\n case NodeType.Comment:\n return doc.createComment(n.textContent);\n default:\n return null;\n }\n}\nfunction buildNodeWithSN(n, options) {\n var doc = options.doc, map = options.map, _a = options.skipChild, skipChild = _a === void 0 ? false : _a, _b = options.hackCss, hackCss = _b === void 0 ? true : _b, afterAppend = options.afterAppend, cache = options.cache;\n var node = buildNode(n, { doc: doc, hackCss: hackCss, cache: cache });\n if (!node) {\n return null;\n }\n if (n.rootId) {\n console.assert(map[n.rootId] === doc, 'Target document should has the same root id.');\n }\n if (n.type === NodeType.Document) {\n doc.close();\n doc.open();\n if (n.compatMode === 'BackCompat' &&\n n.childNodes &&\n n.childNodes[0].type !== NodeType.DocumentType) {\n if (n.childNodes[0].type === NodeType.Element &&\n 'xmlns' in n.childNodes[0].attributes &&\n n.childNodes[0].attributes.xmlns === 'http://www.w3.org/1999/xhtml') {\n doc.write('');\n }\n else {\n doc.write('');\n }\n }\n node = doc;\n }\n node.__sn = n;\n map[n.id] = node;\n if ((n.type === NodeType.Document || n.type === NodeType.Element) &&\n !skipChild) {\n for (var _i = 0, _c = n.childNodes; _i < _c.length; _i++) {\n var childN = _c[_i];\n var childNode = buildNodeWithSN(childN, {\n doc: doc,\n map: map,\n skipChild: false,\n hackCss: hackCss,\n afterAppend: afterAppend,\n cache: cache\n });\n if (!childNode) {\n console.warn('Failed to rebuild', childN);\n continue;\n }\n if (childN.isShadow && isElement(node) && node.shadowRoot) {\n node.shadowRoot.appendChild(childNode);\n }\n else {\n node.appendChild(childNode);\n }\n if (afterAppend) {\n afterAppend(childNode);\n }\n }\n }\n return node;\n}\nfunction visit(idNodeMap, onVisit) {\n function walk(node) {\n onVisit(node);\n }\n for (var key in idNodeMap) {\n if (idNodeMap[key]) {\n walk(idNodeMap[key]);\n }\n }\n}\nfunction handleScroll(node) {\n var n = node.__sn;\n if (n.type !== NodeType.Element) {\n return;\n }\n var el = node;\n for (var name_2 in n.attributes) {\n if (!(n.attributes.hasOwnProperty(name_2) && name_2.startsWith('rr_'))) {\n continue;\n }\n var value = n.attributes[name_2];\n if (name_2 === 'rr_scrollLeft') {\n el.scrollLeft = value;\n }\n if (name_2 === 'rr_scrollTop') {\n el.scrollTop = value;\n }\n }\n}\nfunction rebuild(n, options) {\n var doc = options.doc, onVisit = options.onVisit, _a = options.hackCss, hackCss = _a === void 0 ? true : _a, afterAppend = options.afterAppend, cache = options.cache;\n var idNodeMap = {};\n var node = buildNodeWithSN(n, {\n doc: doc,\n map: idNodeMap,\n skipChild: false,\n hackCss: hackCss,\n afterAppend: afterAppend,\n cache: cache\n });\n visit(idNodeMap, function (visitedNode) {\n if (onVisit) {\n onVisit(visitedNode);\n }\n handleScroll(visitedNode);\n });\n return [node, idNodeMap];\n}\n\nexport { IGNORED_NODE, NodeType, addHoverClass, buildNodeWithSN, cleanupSnapshot, createCache, is2DCanvasBlank, isElement, isShadowRoot, maskInputValue, needMaskingText, rebuild, serializeNodeWithId, snapshot, transformAttribute, visitSnapshot };\n","import {\n Mirror,\n throttleOptions,\n listenerHandler,\n hookResetter,\n blockClass,\n IncrementalSource,\n addedNodeMutation,\n removedNodeMutation,\n textMutation,\n attributeMutation,\n mutationData,\n scrollData,\n inputData,\n DocumentDimension,\n IWindow,\n} from './types';\nimport {\n INode,\n IGNORED_NODE,\n serializedNodeWithId,\n NodeType,\n isShadowRoot,\n} from 'rrweb-snapshot';\n\nexport function on(\n type: string,\n fn: EventListenerOrEventListenerObject,\n target: Document | IWindow = document,\n): listenerHandler {\n const options = { capture: true, passive: true };\n target.addEventListener(type, fn, options);\n return () => target.removeEventListener(type, fn, options);\n}\n\nexport function createMirror(): Mirror {\n return {\n map: {},\n getId(n) {\n // if n is not a serialized INode, use -1 as its id.\n if (!n || !n.__sn) {\n return -1;\n }\n return n.__sn.id;\n },\n getNode(id) {\n return this.map[id] || null;\n },\n // TODO: use a weakmap to get rid of manually memory management\n removeNodeFromMap(n) {\n const id = n.__sn && n.__sn.id;\n delete this.map[id];\n if (n.childNodes) {\n n.childNodes.forEach((child) =>\n this.removeNodeFromMap((child as Node) as INode),\n );\n }\n },\n has(id) {\n return this.map.hasOwnProperty(id);\n },\n reset() {\n this.map = {};\n },\n };\n}\n\n// https://github.com/rrweb-io/rrweb/pull/407\nconst DEPARTED_MIRROR_ACCESS_WARNING =\n 'Please stop import mirror directly. Instead of that,' +\n '\\r\\n' +\n 'now you can use replayer.getMirror() to access the mirror instance of a replayer,' +\n '\\r\\n' +\n 'or you can use record.mirror to access the mirror instance during recording.';\nexport let _mirror: Mirror = {\n map: {},\n getId() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n return -1;\n },\n getNode() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n return null;\n },\n removeNodeFromMap() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n },\n has() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n return false;\n },\n reset() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n },\n};\nif (typeof window !== 'undefined' && window.Proxy && window.Reflect) {\n _mirror = new Proxy(_mirror, {\n get(target, prop, receiver) {\n if (prop === 'map') {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n }\n return Reflect.get(target, prop, receiver);\n },\n });\n}\n\n// copy from underscore and modified\nexport function throttle(\n func: (arg: T) => void,\n wait: number,\n options: throttleOptions = {},\n) {\n let timeout: ReturnType | null = null;\n let previous = 0;\n // tslint:disable-next-line: only-arrow-functions\n return function (arg: T) {\n let now = Date.now();\n if (!previous && options.leading === false) {\n previous = now;\n }\n let remaining = wait - (now - previous);\n let context = this;\n let args = arguments;\n if (remaining <= 0 || remaining > wait) {\n if (timeout) {\n clearTimeout(timeout);\n timeout = null;\n }\n previous = now;\n func.apply(context, args);\n } else if (!timeout && options.trailing !== false) {\n timeout = setTimeout(() => {\n previous = options.leading === false ? 0 : Date.now();\n timeout = null;\n func.apply(context, args);\n }, remaining);\n }\n };\n}\n\nexport function hookSetter(\n target: T,\n key: string | number | symbol,\n d: PropertyDescriptor,\n isRevoked?: boolean,\n win = window,\n): hookResetter {\n const original = win.Object.getOwnPropertyDescriptor(target, key);\n win.Object.defineProperty(\n target,\n key,\n isRevoked\n ? d\n : {\n set(value) {\n // put hooked setter into event loop to avoid of set latency\n setTimeout(() => {\n d.set!.call(this, value);\n }, 0);\n if (original && original.set) {\n original.set.call(this, value);\n }\n },\n },\n );\n return () => hookSetter(target, key, original || {}, true);\n}\n\n// copy from https://github.com/getsentry/sentry-javascript/blob/b2109071975af8bf0316d3b5b38f519bdaf5dc15/packages/utils/src/object.ts\nexport function patch(\n // tslint:disable-next-line:no-any\n source: { [key: string]: any },\n name: string,\n // tslint:disable-next-line:no-any\n replacement: (...args: any[]) => any,\n): () => void {\n try {\n if (!(name in source)) {\n return () => {};\n }\n\n const original = source[name] as () => unknown;\n const wrapped = replacement(original);\n\n // Make sure it's a function first, as we need to attach an empty prototype for `defineProperties` to work\n // otherwise it'll throw \"TypeError: Object.defineProperties called on non-object\"\n // tslint:disable-next-line:strict-type-predicates\n if (typeof wrapped === 'function') {\n wrapped.prototype = wrapped.prototype || {};\n Object.defineProperties(wrapped, {\n __rrweb_original__: {\n enumerable: false,\n value: original,\n },\n });\n }\n\n source[name] = wrapped;\n\n return () => {\n source[name] = original;\n };\n } catch {\n return () => {};\n // This can throw if multiple fill happens on a global object like XMLHttpRequest\n // Fixes https://github.com/getsentry/sentry-javascript/issues/2043\n }\n}\n\nexport function getWindowHeight(): number {\n return (\n window.innerHeight ||\n (document.documentElement && document.documentElement.clientHeight) ||\n (document.body && document.body.clientHeight)\n );\n}\n\nexport function getWindowWidth(): number {\n return (\n window.innerWidth ||\n (document.documentElement && document.documentElement.clientWidth) ||\n (document.body && document.body.clientWidth)\n );\n}\n\nexport function isBlocked(node: Node | null, blockClass: blockClass): boolean {\n if (!node) {\n return false;\n }\n if (node.nodeType === node.ELEMENT_NODE) {\n let needBlock = false;\n if (typeof blockClass === 'string') {\n if ((node as HTMLElement).closest !== undefined) {\n return (node as HTMLElement).closest('.' + blockClass) !== null;\n } else {\n needBlock = (node as HTMLElement).classList.contains(blockClass);\n }\n } else {\n (node as HTMLElement).classList.forEach((className) => {\n if (blockClass.test(className)) {\n needBlock = true;\n }\n });\n }\n return needBlock || isBlocked(node.parentNode, blockClass);\n }\n if (node.nodeType === node.TEXT_NODE) {\n // check parent node since text node do not have class name\n return isBlocked(node.parentNode, blockClass);\n }\n return isBlocked(node.parentNode, blockClass);\n}\n\nexport function isIgnored(n: Node | INode): boolean {\n if ('__sn' in n) {\n return (n as INode).__sn.id === IGNORED_NODE;\n }\n // The main part of the slimDOM check happens in\n // rrweb-snapshot::serializeNodeWithId\n return false;\n}\n\nexport function isAncestorRemoved(target: INode, mirror: Mirror): boolean {\n if (isShadowRoot(target)) {\n return false;\n }\n const id = mirror.getId(target);\n if (!mirror.has(id)) {\n return true;\n }\n if (\n target.parentNode &&\n target.parentNode.nodeType === target.DOCUMENT_NODE\n ) {\n return false;\n }\n // if the root is not document, it means the node is not in the DOM tree anymore\n if (!target.parentNode) {\n return true;\n }\n return isAncestorRemoved((target.parentNode as unknown) as INode, mirror);\n}\n\nexport function isTouchEvent(\n event: MouseEvent | TouchEvent,\n): event is TouchEvent {\n return Boolean((event as TouchEvent).changedTouches);\n}\n\nexport function polyfill(win = window) {\n if ('NodeList' in win && !win.NodeList.prototype.forEach) {\n win.NodeList.prototype.forEach = (Array.prototype\n .forEach as unknown) as NodeList['forEach'];\n }\n\n if ('DOMTokenList' in win && !win.DOMTokenList.prototype.forEach) {\n win.DOMTokenList.prototype.forEach = (Array.prototype\n .forEach as unknown) as DOMTokenList['forEach'];\n }\n\n // https://github.com/Financial-Times/polyfill-service/pull/183\n if (!Node.prototype.contains) {\n Node.prototype.contains = function contains(node) {\n if (!(0 in arguments)) {\n throw new TypeError('1 argument is required');\n }\n\n do {\n if (this === node) {\n return true;\n }\n // tslint:disable-next-line: no-conditional-assignment\n } while ((node = node && node.parentNode));\n\n return false;\n };\n }\n}\n\nexport type TreeNode = {\n id: number;\n mutation: addedNodeMutation;\n parent?: TreeNode;\n children: Record;\n texts: textMutation[];\n attributes: attributeMutation[];\n};\nexport class TreeIndex {\n public tree!: Record;\n\n private removeNodeMutations!: removedNodeMutation[];\n private textMutations!: textMutation[];\n private attributeMutations!: attributeMutation[];\n private indexes!: Map;\n private removeIdSet!: Set;\n private scrollMap!: Map;\n private inputMap!: Map;\n\n constructor() {\n this.reset();\n }\n\n public add(mutation: addedNodeMutation) {\n const parentTreeNode = this.indexes.get(mutation.parentId);\n const treeNode: TreeNode = {\n id: mutation.node.id,\n mutation,\n children: [],\n texts: [],\n attributes: [],\n };\n if (!parentTreeNode) {\n this.tree[treeNode.id] = treeNode;\n } else {\n treeNode.parent = parentTreeNode;\n parentTreeNode.children[treeNode.id] = treeNode;\n }\n this.indexes.set(treeNode.id, treeNode);\n }\n\n public remove(mutation: removedNodeMutation, mirror: Mirror) {\n const parentTreeNode = this.indexes.get(mutation.parentId);\n const treeNode = this.indexes.get(mutation.id);\n\n const deepRemoveFromMirror = (id: number) => {\n this.removeIdSet.add(id);\n const node = mirror.getNode(id);\n node?.childNodes.forEach((childNode) => {\n if ('__sn' in childNode) {\n deepRemoveFromMirror(((childNode as unknown) as INode).__sn.id);\n }\n });\n };\n const deepRemoveFromTreeIndex = (node: TreeNode) => {\n this.removeIdSet.add(node.id);\n Object.values(node.children).forEach((n) => deepRemoveFromTreeIndex(n));\n const _treeNode = this.indexes.get(node.id);\n if (_treeNode) {\n const _parentTreeNode = _treeNode.parent;\n if (_parentTreeNode) {\n delete _treeNode.parent;\n delete _parentTreeNode.children[_treeNode.id];\n this.indexes.delete(mutation.id);\n }\n }\n };\n\n if (!treeNode) {\n this.removeNodeMutations.push(mutation);\n deepRemoveFromMirror(mutation.id);\n } else if (!parentTreeNode) {\n delete this.tree[treeNode.id];\n this.indexes.delete(treeNode.id);\n deepRemoveFromTreeIndex(treeNode);\n } else {\n delete treeNode.parent;\n delete parentTreeNode.children[treeNode.id];\n this.indexes.delete(mutation.id);\n deepRemoveFromTreeIndex(treeNode);\n }\n }\n\n public text(mutation: textMutation) {\n const treeNode = this.indexes.get(mutation.id);\n if (treeNode) {\n treeNode.texts.push(mutation);\n } else {\n this.textMutations.push(mutation);\n }\n }\n\n public attribute(mutation: attributeMutation) {\n const treeNode = this.indexes.get(mutation.id);\n if (treeNode) {\n treeNode.attributes.push(mutation);\n } else {\n this.attributeMutations.push(mutation);\n }\n }\n\n public scroll(d: scrollData) {\n this.scrollMap.set(d.id, d);\n }\n\n public input(d: inputData) {\n this.inputMap.set(d.id, d);\n }\n\n public flush(): {\n mutationData: mutationData;\n scrollMap: TreeIndex['scrollMap'];\n inputMap: TreeIndex['inputMap'];\n } {\n const {\n tree,\n removeNodeMutations,\n textMutations,\n attributeMutations,\n } = this;\n\n const batchMutationData: mutationData = {\n source: IncrementalSource.Mutation,\n removes: removeNodeMutations,\n texts: textMutations,\n attributes: attributeMutations,\n adds: [],\n };\n\n const walk = (treeNode: TreeNode, removed: boolean) => {\n if (removed) {\n this.removeIdSet.add(treeNode.id);\n }\n batchMutationData.texts = batchMutationData.texts\n .concat(removed ? [] : treeNode.texts)\n .filter((m) => !this.removeIdSet.has(m.id));\n batchMutationData.attributes = batchMutationData.attributes\n .concat(removed ? [] : treeNode.attributes)\n .filter((m) => !this.removeIdSet.has(m.id));\n if (\n !this.removeIdSet.has(treeNode.id) &&\n !this.removeIdSet.has(treeNode.mutation.parentId) &&\n !removed\n ) {\n batchMutationData.adds.push(treeNode.mutation);\n if (treeNode.children) {\n Object.values(treeNode.children).forEach((n) => walk(n, false));\n }\n } else {\n Object.values(treeNode.children).forEach((n) => walk(n, true));\n }\n };\n\n Object.values(tree).forEach((n) => walk(n, false));\n\n for (const id of this.scrollMap.keys()) {\n if (this.removeIdSet.has(id)) {\n this.scrollMap.delete(id);\n }\n }\n for (const id of this.inputMap.keys()) {\n if (this.removeIdSet.has(id)) {\n this.inputMap.delete(id);\n }\n }\n\n const scrollMap = new Map(this.scrollMap);\n const inputMap = new Map(this.inputMap);\n\n this.reset();\n\n return {\n mutationData: batchMutationData,\n scrollMap,\n inputMap,\n };\n }\n\n private reset() {\n this.tree = [];\n this.indexes = new Map();\n this.removeNodeMutations = [];\n this.textMutations = [];\n this.attributeMutations = [];\n this.removeIdSet = new Set();\n this.scrollMap = new Map();\n this.inputMap = new Map();\n }\n\n public idRemoved(id: number): boolean {\n return this.removeIdSet.has(id);\n }\n}\n\ntype ResolveTree = {\n value: addedNodeMutation;\n children: ResolveTree[];\n parent: ResolveTree | null;\n};\n\nexport function queueToResolveTrees(queue: addedNodeMutation[]): ResolveTree[] {\n const queueNodeMap: Record = {};\n const putIntoMap = (\n m: addedNodeMutation,\n parent: ResolveTree | null,\n ): ResolveTree => {\n const nodeInTree: ResolveTree = {\n value: m,\n parent,\n children: [],\n };\n queueNodeMap[m.node.id] = nodeInTree;\n return nodeInTree;\n };\n\n const queueNodeTrees: ResolveTree[] = [];\n for (const mutation of queue) {\n const { nextId, parentId } = mutation;\n if (nextId && nextId in queueNodeMap) {\n const nextInTree = queueNodeMap[nextId];\n if (nextInTree.parent) {\n const idx = nextInTree.parent.children.indexOf(nextInTree);\n nextInTree.parent.children.splice(\n idx,\n 0,\n putIntoMap(mutation, nextInTree.parent),\n );\n } else {\n const idx = queueNodeTrees.indexOf(nextInTree);\n queueNodeTrees.splice(idx, 0, putIntoMap(mutation, null));\n }\n continue;\n }\n if (parentId in queueNodeMap) {\n const parentInTree = queueNodeMap[parentId];\n parentInTree.children.push(putIntoMap(mutation, parentInTree));\n continue;\n }\n queueNodeTrees.push(putIntoMap(mutation, null));\n }\n\n return queueNodeTrees;\n}\n\nexport function iterateResolveTree(\n tree: ResolveTree,\n cb: (mutation: addedNodeMutation) => unknown,\n) {\n cb(tree.value);\n /**\n * The resolve tree was designed to reflect the DOM layout,\n * but we need append next sibling first, so we do a reverse\n * loop here.\n */\n for (let i = tree.children.length - 1; i >= 0; i--) {\n iterateResolveTree(tree.children[i], cb);\n }\n}\n\ntype HTMLIFrameINode = HTMLIFrameElement & {\n __sn: serializedNodeWithId;\n};\nexport type AppendedIframe = {\n mutationInQueue: addedNodeMutation;\n builtNode: HTMLIFrameINode;\n};\n\nexport function isIframeINode(\n node: INode | ShadowRoot,\n): node is HTMLIFrameINode {\n if ('__sn' in node) {\n return (\n node.__sn.type === NodeType.Element && node.__sn.tagName === 'iframe'\n );\n }\n // node can be document fragment when using the virtual parent feature\n return false;\n}\n\nexport function getBaseDimension(\n node: Node,\n rootIframe: Node,\n): DocumentDimension {\n const frameElement = node.ownerDocument?.defaultView?.frameElement;\n if (!frameElement || frameElement === rootIframe) {\n return {\n x: 0,\n y: 0,\n relativeScale: 1,\n absoluteScale: 1,\n };\n }\n\n const frameDimension = frameElement.getBoundingClientRect();\n const frameBaseDimension = getBaseDimension(frameElement, rootIframe);\n // the iframe element may have a scale transform\n const relativeScale = frameDimension.height / frameElement.clientHeight;\n return {\n x:\n frameDimension.x * frameBaseDimension.relativeScale +\n frameBaseDimension.x,\n y:\n frameDimension.y * frameBaseDimension.relativeScale +\n frameBaseDimension.y,\n relativeScale,\n absoluteScale: frameBaseDimension.absoluteScale * relativeScale,\n };\n}\n\nexport function hasShadowRoot(\n n: T,\n): n is T & { shadowRoot: ShadowRoot } {\n return Boolean(((n as unknown) as Element)?.shadowRoot);\n}\n","// tslint:disable\n/**\n * Class StackFrame is a fork of https://github.com/stacktracejs/stackframe/blob/master/stackframe.js\n * I fork it because:\n * 1. There are some build issues when importing this package.\n * 2. Rewrites into typescript give us a better type interface.\n * 3. StackFrame contains some functions we don't need.\n */\nexport class StackFrame {\n private fileName: string;\n private functionName: string;\n private lineNumber?: number;\n private columnNumber?: number;\n\n constructor(obj: {\n fileName?: string;\n functionName?: string;\n lineNumber?: number;\n columnNumber?: number;\n }) {\n this.fileName = obj.fileName || '';\n this.functionName = obj.functionName || '';\n this.lineNumber = obj.lineNumber;\n this.columnNumber = obj.columnNumber;\n }\n\n toString() {\n const lineNumber = this.lineNumber || '';\n const columnNumber = this.columnNumber || '';\n if (this.functionName) {\n return (\n this.functionName +\n ' (' +\n this.fileName +\n ':' +\n lineNumber +\n ':' +\n columnNumber +\n ')'\n );\n }\n return this.fileName + ':' + lineNumber + ':' + columnNumber;\n }\n}\n\n/**\n * ErrorStackParser is a fork of https://github.com/stacktracejs/error-stack-parser/blob/master/error-stack-parser.js\n * I fork it because:\n * 1. There are some build issues when importing this package.\n * 2. Rewrites into typescript give us a better type interface.\n */\nconst FIREFOX_SAFARI_STACK_REGEXP = /(^|@)\\S+:\\d+/;\nconst CHROME_IE_STACK_REGEXP = /^\\s*at .*(\\S+:\\d+|\\(native\\))/m;\nconst SAFARI_NATIVE_CODE_REGEXP = /^(eval@)?(\\[native code])?$/;\nexport const ErrorStackParser = {\n /**\n * Given an Error object, extract the most information from it.\n *\n * @param {Error} error object\n * @return {Array} of StackFrames\n */\n parse: function (error: Error): StackFrame[] {\n // https://github.com/rrweb-io/rrweb/issues/782\n if (!error) {\n return [];\n }\n if (\n // @ts-ignore\n typeof error.stacktrace !== 'undefined' ||\n // @ts-ignore\n typeof error['opera#sourceloc'] !== 'undefined'\n ) {\n return this.parseOpera(\n error as {\n stacktrace?: string;\n message: string;\n stack?: string;\n },\n );\n } else if (error.stack && error.stack.match(CHROME_IE_STACK_REGEXP)) {\n return this.parseV8OrIE(error as { stack: string });\n } else if (error.stack) {\n return this.parseFFOrSafari(error as { stack: string });\n } else {\n throw new Error('Cannot parse given Error object');\n }\n },\n // Separate line and column numbers from a string of the form: (URI:Line:Column)\n extractLocation: function (urlLike: string) {\n // Fail-fast but return locations like \"(native)\"\n if (urlLike.indexOf(':') === -1) {\n return [urlLike];\n }\n\n const regExp = /(.+?)(?::(\\d+))?(?::(\\d+))?$/;\n const parts = regExp.exec(urlLike.replace(/[()]/g, ''));\n if (!parts) throw new Error(`Cannot parse given url: ${urlLike}`);\n return [parts[1], parts[2] || undefined, parts[3] || undefined];\n },\n parseV8OrIE: function (error: { stack: string }) {\n const filtered = error.stack.split('\\n').filter(function (line) {\n return !!line.match(CHROME_IE_STACK_REGEXP);\n }, this);\n\n return filtered.map(function (line) {\n if (line.indexOf('(eval ') > -1) {\n // Throw away eval information until we implement stacktrace.js/stackframe#8\n line = line\n .replace(/eval code/g, 'eval')\n .replace(/(\\(eval at [^()]*)|(\\),.*$)/g, '');\n }\n let sanitizedLine = line.replace(/^\\s+/, '').replace(/\\(eval code/g, '(');\n\n // capture and preseve the parenthesized location \"(/foo/my bar.js:12:87)\" in\n // case it has spaces in it, as the string is split on \\s+ later on\n const location = sanitizedLine.match(/ (\\((.+):(\\d+):(\\d+)\\)$)/);\n\n // remove the parenthesized location from the line, if it was matched\n sanitizedLine = location\n ? sanitizedLine.replace(location[0], '')\n : sanitizedLine;\n\n const tokens = sanitizedLine.split(/\\s+/).slice(1);\n // if a location was matched, pass it to extractLocation() otherwise pop the last token\n const locationParts = this.extractLocation(\n location ? location[1] : tokens.pop(),\n );\n const functionName = tokens.join(' ') || undefined;\n const fileName =\n ['eval', ''].indexOf(locationParts[0]) > -1\n ? undefined\n : locationParts[0];\n\n return new StackFrame({\n functionName,\n fileName,\n lineNumber: locationParts[1],\n columnNumber: locationParts[2],\n });\n }, this);\n },\n parseFFOrSafari: function (error: { stack: string }) {\n const filtered = error.stack.split('\\n').filter(function (line) {\n return !line.match(SAFARI_NATIVE_CODE_REGEXP);\n }, this);\n\n return filtered.map(function (line) {\n // Throw away eval information until we implement stacktrace.js/stackframe#8\n if (line.indexOf(' > eval') > -1) {\n line = line.replace(\n / line (\\d+)(?: > eval line \\d+)* > eval:\\d+:\\d+/g,\n ':$1',\n );\n }\n\n if (line.indexOf('@') === -1 && line.indexOf(':') === -1) {\n // Safari eval frames only have function names and nothing else\n return new StackFrame({\n functionName: line,\n });\n } else {\n const functionNameRegex = /((.*\".+\"[^@]*)?[^@]*)(?:@)/;\n const matches = line.match(functionNameRegex);\n const functionName = matches && matches[1] ? matches[1] : undefined;\n const locationParts = this.extractLocation(\n line.replace(functionNameRegex, ''),\n );\n\n return new StackFrame({\n functionName,\n fileName: locationParts[0],\n lineNumber: locationParts[1],\n columnNumber: locationParts[2],\n });\n }\n }, this);\n },\n parseOpera: function (e: {\n stacktrace?: string;\n message: string;\n stack?: string;\n }): StackFrame[] {\n if (\n !e.stacktrace ||\n (e.message.indexOf('\\n') > -1 &&\n e.message.split('\\n').length > e.stacktrace.split('\\n').length)\n ) {\n return this.parseOpera9(e as { message: string });\n } else if (!e.stack) {\n return this.parseOpera10(e as { stacktrace: string });\n } else {\n return this.parseOpera11(e as { stack: string });\n }\n },\n parseOpera9: function (e: { message: string }) {\n const lineRE = /Line (\\d+).*script (?:in )?(\\S+)/i;\n const lines = e.message.split('\\n');\n const result = [];\n\n for (let i = 2, len = lines.length; i < len; i += 2) {\n const match = lineRE.exec(lines[i]);\n if (match) {\n result.push(\n new StackFrame({\n fileName: match[2],\n lineNumber: parseFloat(match[1]),\n }),\n );\n }\n }\n\n return result;\n },\n parseOpera10: function (e: { stacktrace: string }) {\n const lineRE = /Line (\\d+).*script (?:in )?(\\S+)(?:: In function (\\S+))?$/i;\n const lines = e.stacktrace.split('\\n');\n const result = [];\n\n for (let i = 0, len = lines.length; i < len; i += 2) {\n const match = lineRE.exec(lines[i]);\n if (match) {\n result.push(\n new StackFrame({\n functionName: match[3] || undefined,\n fileName: match[2],\n lineNumber: parseFloat(match[1]),\n }),\n );\n }\n }\n\n return result;\n },\n // Opera 10.65+ Error.stack very similar to FF/Safari\n parseOpera11: function (error: { stack: string }) {\n const filtered = error.stack.split('\\n').filter(function (line) {\n return (\n !!line.match(FIREFOX_SAFARI_STACK_REGEXP) &&\n !line.match(/^Error created at/)\n );\n }, this);\n\n return filtered.map(function (line: string) {\n const tokens = line.split('@');\n const locationParts = this.extractLocation(tokens.pop());\n const functionCall = tokens.shift() || '';\n const functionName =\n functionCall\n .replace(//, '$2')\n .replace(/\\([^)]*\\)/g, '') || undefined;\n return new StackFrame({\n functionName,\n fileName: locationParts[0],\n lineNumber: locationParts[1],\n columnNumber: locationParts[2],\n });\n }, this);\n },\n};\n","// tslint:disable:no-any no-bitwise forin\n/**\n * this file is used to serialize log message to string\n *\n */\n\nimport { StringifyOptions } from './index';\n\n/**\n * transfer the node path in Event to string\n * @param node the first node in a node path array\n */\nfunction pathToSelector(node: HTMLElement): string | '' {\n if (!node || !node.outerHTML) {\n return '';\n }\n\n let path = '';\n while (node.parentElement) {\n let name = node.localName;\n if (!name) {\n break;\n }\n name = name.toLowerCase();\n let parent = node.parentElement;\n\n let domSiblings = [];\n\n if (parent.children && parent.children.length > 0) {\n // tslint:disable-next-line:prefer-for-of\n for (let i = 0; i < parent.children.length; i++) {\n let sibling = parent.children[i];\n if (sibling.localName && sibling.localName.toLowerCase) {\n if (sibling.localName.toLowerCase() === name) {\n domSiblings.push(sibling);\n }\n }\n }\n }\n\n if (domSiblings.length > 1) {\n name += ':eq(' + domSiblings.indexOf(node) + ')';\n }\n path = name + (path ? '>' + path : '');\n node = parent;\n }\n\n return path;\n}\n\n/**\n * judge is object\n */\nfunction isObject(obj: any): boolean {\n return Object.prototype.toString.call(obj) === '[object Object]';\n}\n\n/**\n * judge the object's depth\n */\nfunction isObjTooDeep(obj: any, limit: number): boolean {\n if (limit === 0) {\n return true;\n }\n\n const keys = Object.keys(obj);\n for (const key of keys) {\n if (isObject(obj[key]) && isObjTooDeep(obj[key], limit - 1)) {\n return true;\n }\n }\n\n return false;\n}\n\n/**\n * stringify any js object\n * @param obj the object to stringify\n */\nexport function stringify(\n obj: any,\n stringifyOptions?: StringifyOptions,\n): string {\n const options: StringifyOptions = {\n numOfKeysLimit: 50,\n depthOfLimit: 4,\n };\n Object.assign(options, stringifyOptions);\n const stack: any[] = [];\n const keys: any[] = [];\n return JSON.stringify(obj, function (key, value) {\n /**\n * forked from https://github.com/moll/json-stringify-safe/blob/master/stringify.js\n * to deCycle the object\n */\n if (stack.length > 0) {\n const thisPos = stack.indexOf(this);\n ~thisPos ? stack.splice(thisPos + 1) : stack.push(this);\n ~thisPos ? keys.splice(thisPos, Infinity, key) : keys.push(key);\n if (~stack.indexOf(value)) {\n if (stack[0] === value) {\n value = '[Circular ~]';\n } else {\n value =\n '[Circular ~.' +\n keys.slice(0, stack.indexOf(value)).join('.') +\n ']';\n }\n }\n } else {\n stack.push(value);\n }\n /* END of the FORK */\n\n if (value === null || value === undefined) {\n return value;\n }\n if (shouldIgnore(value)) {\n return toString(value);\n }\n if (value instanceof Event) {\n const eventResult: any = {};\n for (const eventKey in value) {\n const eventValue = (value as any)[eventKey];\n if (Array.isArray(eventValue)) {\n eventResult[eventKey] = pathToSelector(\n eventValue.length ? eventValue[0] : null,\n );\n } else {\n eventResult[eventKey] = eventValue;\n }\n }\n return eventResult;\n } else if (value instanceof Node) {\n if (value instanceof HTMLElement) {\n return value ? value.outerHTML : '';\n }\n return value.nodeName;\n } else if (value instanceof Error) {\n return value.stack\n ? value.stack + '\\nEnd of stack for Error object'\n : value.name + ': ' + value.message;\n }\n return value;\n });\n\n /**\n * whether we should ignore obj's info and call toString() function instead\n */\n function shouldIgnore(_obj: object): boolean {\n // outof keys limit\n if (isObject(_obj) && Object.keys(_obj).length > options.numOfKeysLimit) {\n return true;\n }\n\n // is function\n if (typeof _obj === 'function') {\n return true;\n }\n\n /**\n * judge object's depth to avoid browser's OOM\n *\n * issues: https://github.com/rrweb-io/rrweb/issues/653\n */\n if (isObject(_obj) && isObjTooDeep(_obj, options.depthOfLimit)) {\n return true;\n }\n\n return false;\n }\n\n /**\n * limit the toString() result according to option\n */\n function toString(_obj: object): string {\n let str = _obj.toString();\n if (options.stringLengthLimit && str.length > options.stringLengthLimit) {\n str = `${str.slice(0, options.stringLengthLimit)}...`;\n }\n return str;\n }\n}\n","import { listenerHandler, RecordPlugin, IWindow } from '../../../types';\nimport { patch } from '../../../utils';\nimport { ErrorStackParser, StackFrame } from './error-stack-parser';\nimport { stringify } from './stringify';\n\nexport type StringifyOptions = {\n // limit of string length\n stringLengthLimit?: number;\n /**\n * limit of number of keys in an object\n * if an object contains more keys than this limit, we would call its toString function directly\n */\n numOfKeysLimit: number;\n /**\n * limit number of depth in an object\n * if an object is too deep, toString process may cause browser OOM\n */\n depthOfLimit: number;\n};\n\ntype LogRecordOptions = {\n level?: LogLevel[];\n lengthThreshold?: number;\n stringifyOptions?: StringifyOptions;\n logger?: Logger | 'console';\n};\n\nconst defaultLogOptions: LogRecordOptions = {\n level: [\n 'assert',\n 'clear',\n 'count',\n 'countReset',\n 'debug',\n 'dir',\n 'dirxml',\n 'error',\n 'group',\n 'groupCollapsed',\n 'groupEnd',\n 'info',\n 'log',\n 'table',\n 'time',\n 'timeEnd',\n 'timeLog',\n 'trace',\n 'warn',\n ],\n lengthThreshold: 1000,\n logger: 'console',\n};\n\nexport type LogData = {\n level: LogLevel;\n trace: string[];\n payload: string[];\n};\n\ntype logCallback = (p: LogData) => void;\n\nexport type LogLevel =\n | 'assert'\n | 'clear'\n | 'count'\n | 'countReset'\n | 'debug'\n | 'dir'\n | 'dirxml'\n | 'error'\n | 'group'\n | 'groupCollapsed'\n | 'groupEnd'\n | 'info'\n | 'log'\n | 'table'\n | 'time'\n | 'timeEnd'\n | 'timeLog'\n | 'trace'\n | 'warn';\n\n/* fork from interface Console */\n// all kinds of console functions\nexport type Logger = {\n assert?: typeof console.assert;\n clear?: typeof console.clear;\n count?: typeof console.count;\n countReset?: typeof console.countReset;\n debug?: typeof console.debug;\n dir?: typeof console.dir;\n dirxml?: typeof console.dirxml;\n error?: typeof console.error;\n group?: typeof console.group;\n groupCollapsed?: typeof console.groupCollapsed;\n groupEnd?: () => void;\n info?: typeof console.info;\n log?: typeof console.log;\n table?: typeof console.table;\n time?: typeof console.time;\n timeEnd?: typeof console.timeEnd;\n timeLog?: typeof console.timeLog;\n trace?: typeof console.trace;\n warn?: typeof console.warn;\n};\n\nfunction initLogObserver(\n cb: logCallback,\n win: IWindow, // top window or in an iframe\n logOptions: LogRecordOptions,\n): listenerHandler {\n const loggerType = logOptions.logger;\n if (!loggerType) {\n return () => {};\n }\n let logger: Logger;\n if (typeof loggerType === 'string') {\n logger = win[loggerType];\n } else {\n logger = loggerType;\n }\n let logCount = 0;\n const cancelHandlers: listenerHandler[] = [];\n // add listener to thrown errors\n if (logOptions.level!.includes('error')) {\n if (window) {\n const errorHandler = (event: ErrorEvent) => {\n const { message, error } = event;\n const trace: string[] = ErrorStackParser.parse(\n error,\n ).map((stackFrame: StackFrame) => stackFrame.toString());\n const payload = [stringify(message, logOptions.stringifyOptions)];\n cb({\n level: 'error',\n trace,\n payload,\n });\n };\n window.addEventListener('error', errorHandler);\n cancelHandlers.push(() => {\n if (window) window.removeEventListener('error', errorHandler);\n });\n }\n }\n for (const levelType of logOptions.level!) {\n cancelHandlers.push(replace(logger, levelType));\n }\n return () => {\n cancelHandlers.forEach((h) => h());\n };\n\n /**\n * replace the original console function and record logs\n * @param logger the logger object such as Console\n * @param level the name of log function to be replaced\n */\n function replace(_logger: Logger, level: LogLevel) {\n if (!_logger[level]) {\n return () => {};\n }\n // replace the logger.{level}. return a restore function\n return patch(_logger, level, (original) => {\n return (...args: Array) => {\n original.apply(this, args);\n try {\n const trace = ErrorStackParser.parse(new Error())\n .map((stackFrame: StackFrame) => stackFrame.toString())\n .splice(1); // splice(1) to omit the hijacked log function\n const payload = args.map((s) =>\n stringify(s, logOptions.stringifyOptions),\n );\n logCount++;\n if (logCount < logOptions.lengthThreshold!) {\n cb({\n level,\n trace,\n payload,\n });\n } else if (logCount === logOptions.lengthThreshold) {\n // notify the user\n cb({\n level: 'warn',\n trace: [],\n payload: [\n stringify('The number of log records reached the threshold.'),\n ],\n });\n }\n } catch (error) {\n original('rrweb logger error:', error, ...args);\n }\n };\n });\n }\n}\n\nexport const PLUGIN_NAME = 'rrweb/console@1';\n\nexport const getRecordConsolePlugin: (\n options?: LogRecordOptions,\n) => RecordPlugin = (options) => ({\n name: PLUGIN_NAME,\n observer: initLogObserver,\n options: options\n ? Object.assign({}, defaultLogOptions, options)\n : defaultLogOptions,\n});\n"],"names":["__values","o","s","Symbol","iterator","m","i","call","length","next","value","done","TypeError","__read","n","r","e","ar","push","error","__spreadArray","to","from","pack","arguments","l","Array","prototype","slice","concat","EventType","IncrementalSource","MouseInteractions","CanvasContext","MediaInteractions","ReplayerEvents","NodeType","DEPARTED_MIRROR_ACCESS_WARNING","_mirror","map","getId","console","getNode","removeNodeFromMap","has","reset","window","Proxy","Reflect","get","target","prop","receiver","obj","this","fileName","functionName","lineNumber","columnNumber","StackFrame","FIREFOX_SAFARI_STACK_REGEXP","CHROME_IE_STACK_REGEXP","SAFARI_NATIVE_CODE_REGEXP","ErrorStackParser","parse","stacktrace","parseOpera","stack","match","parseV8OrIE","parseFFOrSafari","Error","extractLocation","urlLike","indexOf","parts","exec","replace","undefined","split","filter","line","sanitizedLine","location","tokens","locationParts","pop","join","functionNameRegex","matches","message","parseOpera9","parseOpera11","parseOpera10","lineRE","lines","result","len","parseFloat","shift","pathToSelector","node","outerHTML","path","parentElement","name_1","localName","toLowerCase","parent_1","domSiblings","children","sibling","isObject","Object","toString","isObjTooDeep","limit","keys","keys_1","key","stringify","stringifyOptions","options","numOfKeysLimit","depthOfLimit","assign","JSON","thisPos","splice","Infinity","_obj","shouldIgnore","str","stringLengthLimit","Event","eventResult","eventKey","eventValue","isArray","Node","HTMLElement","nodeName","name","defaultLogOptions","level","lengthThreshold","logger","initLogObserver","cb","win","logOptions","loggerType","logCount","cancelHandlers","includes","errorHandler_1","event","trace","stackFrame","payload","addEventListener","removeEventListener","_b","levelType","forEach","h","_logger","source","replacement","original_1","wrapped","defineProperties","__rrweb_original__","enumerable","patch","original","_i","args","apply","_this","PLUGIN_NAME","observer"],"mappings":";;;;;;;;;;;;;;oFAuHO,SAASA,EAASC,GACrB,IAAIC,EAAsB,mBAAXC,QAAyBA,OAAOC,SAAUC,EAAIH,GAAKD,EAAEC,GAAII,EAAI,EAC5E,GAAID,EAAG,OAAOA,EAAEE,KAAKN,GACrB,GAAIA,GAAyB,iBAAbA,EAAEO,OAAqB,MAAO,CAC1CC,KAAM,WAEF,OADIR,GAAKK,GAAKL,EAAEO,SAAQP,OAAI,GACrB,CAAES,MAAOT,GAAKA,EAAEK,KAAMK,MAAOV,KAG5C,MAAM,IAAIW,UAAUV,EAAI,0BAA4B,mCAGjD,SAASW,EAAOZ,EAAGa,GACtB,IAAIT,EAAsB,mBAAXF,QAAyBF,EAAEE,OAAOC,UACjD,IAAKC,EAAG,OAAOJ,EACf,IAAmBc,EAAYC,EAA3BV,EAAID,EAAEE,KAAKN,GAAOgB,EAAK,GAC3B,IACI,WAAc,IAANH,GAAgBA,KAAM,MAAQC,EAAIT,EAAEG,QAAQE,MAAMM,EAAGC,KAAKH,EAAEL,OAExE,MAAOS,GAASH,EAAI,CAAEG,MAAOA,WAEzB,IACQJ,IAAMA,EAAEJ,OAASN,EAAIC,EAAU,SAAID,EAAEE,KAAKD,WAExC,GAAIU,EAAG,MAAMA,EAAEG,OAE7B,OAAOF,EAmBJ,SAASG,EAAcC,EAAIC,EAAMC,GACpC,GAAIA,GAA6B,IAArBC,UAAUhB,OAAc,IAAK,IAA4BS,EAAxBX,EAAI,EAAGmB,EAAIH,EAAKd,OAAYF,EAAImB,EAAGnB,KACxEW,GAAQX,KAAKgB,IACRL,IAAIA,EAAKS,MAAMC,UAAUC,MAAMrB,KAAKe,EAAM,EAAGhB,IAClDW,EAAGX,GAAKgB,EAAKhB,IAGrB,OAAOe,EAAGQ,OAAOZ,GAAMS,MAAMC,UAAUC,MAAMrB,KAAKe,IC5JtD,IAAYQ,EA+DAC,EA8UAC,EAcAC,EAuIMC,EA2GNC,EC5pBRC,GDeJ,SAAYN,GACVA,2CACAA,mBACAA,mCACAA,iDACAA,mBACAA,uBACAA,uBAPF,CAAYA,IAAAA,OA+DZ,SAAYC,GACVA,2BACAA,6BACAA,2CACAA,uBACAA,uCACAA,qBACAA,6BACAA,2CACAA,uCACAA,uCACAA,oBACAA,kBACAA,oBACAA,4CAdF,CAAYA,IAAAA,OA8UZ,SAAYC,GACVA,yBACAA,6BACAA,qBACAA,iCACAA,2BACAA,qBACAA,mBACAA,+BACAA,+CACAA,2BACAA,kCAXF,CAAYA,IAAAA,OAcZ,SAAYC,GACVA,kBACAA,qBACAA,uBAHF,CAAYA,IAAAA,OAuIZ,SAAkBC,GAChBA,mBACAA,qBACAA,uBACAA,mCAJF,CAAkBA,IAAAA,OA2GlB,SAAYC,GACVA,gBACAA,gBACAA,kBACAA,kBACAA,kBACAA,iDACAA,8CACAA,0CACAA,yBACAA,qBACAA,uCACAA,yBACAA,6BACAA,gBACAA,6BACAA,uBAhBF,CAAYA,IAAAA,OC3pBZ,SAAWC,GACPA,EAASA,EAAmB,SAAI,GAAK,WACrCA,EAASA,EAAuB,aAAI,GAAK,eACzCA,EAASA,EAAkB,QAAI,GAAK,UACpCA,EAASA,EAAe,KAAI,GAAK,OACjCA,EAASA,EAAgB,MAAI,GAAK,QAClCA,EAASA,EAAkB,QAAI,GAAK,UANxC,CAOGA,IAAaA,EAAW,KC4D3B,IAAMC,EACJ,4NAKSC,EAAkB,CAC3BC,IAAK,GACLC,iBAEE,OADAC,QAAQtB,MAAMkB,IACN,GAEVK,mBAEE,OADAD,QAAQtB,MAAMkB,GACP,MAETM,6BACEF,QAAQtB,MAAMkB,IAEhBO,eAEE,OADAH,QAAQtB,MAAMkB,IACP,GAETQ,iBACEJ,QAAQtB,MAAMkB,KAGI,oBAAXS,QAA0BA,OAAOC,OAASD,OAAOE,UAC1DV,EAAU,IAAIS,MAAMT,EAAS,CAC3BW,aAAIC,EAAQC,EAAMC,GAIhB,MAHa,QAATD,GACFV,QAAQtB,MAAMkB,GAETW,QAAQC,IAAIC,EAAQC,EAAMC,OC7FvC,iBAME,WAAYC,GAMVC,KAAKC,SAAWF,EAAIE,UAAY,GAChCD,KAAKE,aAAeH,EAAIG,cAAgB,GACxCF,KAAKG,WAAaJ,EAAII,WACtBH,KAAKI,aAAeL,EAAIK,aAoB5B,OAjBEC,qBAAA,WACE,IAAMF,EAAaH,KAAKG,YAAc,GAChCC,EAAeJ,KAAKI,cAAgB,GAC1C,OAAIJ,KAAKE,aAELF,KAAKE,aACL,KACAF,KAAKC,SACL,IACAE,EACA,IACAC,EACA,IAGGJ,KAAKC,SAAW,IAAME,EAAa,IAAMC,QAU9CE,EAA8B,eAC9BC,EAAyB,iCACzBC,EAA4B,8BACrBC,EAAmB,CAO9BC,MAAO,SAAU7C,GAEf,IAAKA,EACH,MAAO,GAET,QAE8B,IAArBA,EAAM8C,iBAEuB,IAA7B9C,EAAM,mBAEb,OAAOmC,KAAKY,WACV/C,GAMG,GAAIA,EAAMgD,OAAShD,EAAMgD,MAAMC,MAAMP,GAC1C,OAAOP,KAAKe,YAAYlD,GACnB,GAAIA,EAAMgD,MACf,OAAOb,KAAKgB,gBAAgBnD,GAE5B,MAAM,IAAIoD,MAAM,oCAIpBC,gBAAiB,SAAUC,GAEzB,IAA8B,IAA1BA,EAAQC,QAAQ,KAClB,MAAO,CAACD,GAGV,IACME,EADS,+BACMC,KAAKH,EAAQI,QAAQ,QAAS,KACnD,IAAKF,EAAO,MAAM,IAAIJ,MAAM,kCAA2BE,IACvD,MAAO,CAACE,EAAM,GAAIA,EAAM,SAAMG,EAAWH,EAAM,SAAMG,IAEvDT,YAAa,SAAUlD,GAKrB,OAJiBA,EAAMgD,MAAMY,MAAM,MAAMC,QAAO,SAAUC,GACxD,QAASA,EAAKb,MAAMP,KACnBP,MAEaf,KAAI,SAAU0C,GACxBA,EAAKP,QAAQ,WAAa,IAE5BO,EAAOA,EACJJ,QAAQ,aAAc,QACtBA,QAAQ,+BAAgC,KAE7C,IAAIK,EAAgBD,EAAKJ,QAAQ,OAAQ,IAAIA,QAAQ,eAAgB,KAI/DM,EAAWD,EAAcd,MAAM,4BAO/BgB,GAJNF,EAAgBC,EACZD,EAAcL,QAAQM,EAAS,GAAI,IACnCD,GAEyBH,MAAM,OAAOnD,MAAM,GAE1CyD,EAAgB/B,KAAKkB,gBACzBW,EAAWA,EAAS,GAAKC,EAAOE,OAE5B9B,EAAe4B,EAAOG,KAAK,WAAQT,EACnCvB,EACJ,CAAC,OAAQ,eAAemB,QAAQW,EAAc,KAAO,OACjDP,EACAO,EAAc,GAEpB,OAAO,IAAI1B,EAAW,CACpBH,eACAD,WACAE,WAAY4B,EAAc,GAC1B3B,aAAc2B,EAAc,OAE7B/B,OAELgB,gBAAiB,SAAUnD,GAKzB,OAJiBA,EAAMgD,MAAMY,MAAM,MAAMC,QAAO,SAAUC,GACxD,OAAQA,EAAKb,MAAMN,KAClBR,MAEaf,KAAI,SAAU0C,GAS5B,GAPIA,EAAKP,QAAQ,YAAc,IAC7BO,EAAOA,EAAKJ,QACV,mDACA,SAIuB,IAAvBI,EAAKP,QAAQ,OAAsC,IAAvBO,EAAKP,QAAQ,KAE3C,OAAO,IAAIf,EAAW,CACpBH,aAAcyB,IAGhB,IAAMO,EAAoB,6BACpBC,EAAUR,EAAKb,MAAMoB,GACrBhC,EAAeiC,GAAWA,EAAQ,GAAKA,EAAQ,QAAKX,EACpDO,EAAgB/B,KAAKkB,gBACzBS,EAAKJ,QAAQW,EAAmB,KAGlC,OAAO,IAAI7B,EAAW,CACpBH,eACAD,SAAU8B,EAAc,GACxB5B,WAAY4B,EAAc,GAC1B3B,aAAc2B,EAAc,OAG/B/B,OAELY,WAAY,SAAUlD,GAKpB,OACGA,EAAEiD,YACFjD,EAAE0E,QAAQhB,QAAQ,OAAS,GAC1B1D,EAAE0E,QAAQX,MAAM,MAAMvE,OAASQ,EAAEiD,WAAWc,MAAM,MAAMvE,OAEnD8C,KAAKqC,YAAY3E,GACdA,EAAEmD,MAGLb,KAAKsC,aAAa5E,GAFlBsC,KAAKuC,aAAa7E,IAK7B2E,YAAa,SAAU3E,GAKrB,IAJA,IAAM8E,EAAS,oCACTC,EAAQ/E,EAAE0E,QAAQX,MAAM,MACxBiB,EAAS,GAEN1F,EAAI,EAAG2F,EAAMF,EAAMvF,OAAQF,EAAI2F,EAAK3F,GAAK,EAAG,CACnD,IAAM8D,EAAQ0B,EAAOlB,KAAKmB,EAAMzF,IAC5B8D,GACF4B,EAAO9E,KACL,IAAIyC,EAAW,CACbJ,SAAUa,EAAM,GAChBX,WAAYyC,WAAW9B,EAAM,OAMrC,OAAO4B,GAETH,aAAc,SAAU7E,GAKtB,IAJA,IAAM8E,EAAS,6DACTC,EAAQ/E,EAAEiD,WAAWc,MAAM,MAC3BiB,EAAS,GAEN1F,EAAI,EAAG2F,EAAMF,EAAMvF,OAAQF,EAAI2F,EAAK3F,GAAK,EAAG,CACnD,IAAM8D,EAAQ0B,EAAOlB,KAAKmB,EAAMzF,IAC5B8D,GACF4B,EAAO9E,KACL,IAAIyC,EAAW,CACbH,aAAcY,EAAM,SAAMU,EAC1BvB,SAAUa,EAAM,GAChBX,WAAYyC,WAAW9B,EAAM,OAMrC,OAAO4B,GAGTJ,aAAc,SAAUzE,GAQtB,OAPiBA,EAAMgD,MAAMY,MAAM,MAAMC,QAAO,SAAUC,GACxD,QACIA,EAAKb,MAAMR,KACZqB,EAAKb,MAAM,uBAEbd,MAEaf,KAAI,SAAU0C,GAC5B,IAAMG,EAASH,EAAKF,MAAM,KACpBM,EAAgB/B,KAAKkB,gBAAgBY,EAAOE,OAE5C9B,GADe4B,EAAOe,SAAW,IAGlCtB,QAAQ,iCAAkC,MAC1CA,QAAQ,aAAc,UAAOC,EAClC,OAAO,IAAInB,EAAW,CACpBH,eACAD,SAAU8B,EAAc,GACxB5B,WAAY4B,EAAc,GAC1B3B,aAAc2B,EAAc,OAE7B/B,QCpPP,SAAS8C,EAAeC,GACtB,IAAKA,IAASA,EAAKC,UACjB,MAAO,GAIT,IADA,IAAIC,EAAO,GACJF,EAAKG,eAAe,CACzB,IAAIC,EAAOJ,EAAKK,UAChB,IAAKD,EACH,MAEFA,EAAOA,EAAKE,cACZ,IAAIC,EAASP,EAAKG,cAEdK,EAAc,GAElB,GAAID,EAAOE,UAAYF,EAAOE,SAAStG,OAAS,EAE9C,IAAK,IAAIF,EAAI,EAAGA,EAAIsG,EAAOE,SAAStG,OAAQF,IAAK,CAC/C,IAAIyG,EAAUH,EAAOE,SAASxG,GAC1ByG,EAAQL,WAAaK,EAAQL,UAAUC,aACrCI,EAAQL,UAAUC,gBAAkBF,GACtCI,EAAY3F,KAAK6F,GAMrBF,EAAYrG,OAAS,IACvBiG,GAAQ,OAASI,EAAYnC,QAAQ2B,GAAQ,KAE/CE,EAAOE,GAAQF,EAAO,IAAMA,EAAO,IACnCF,EAAOO,EAGT,OAAOL,EAMT,SAASS,EAAS3D,GAChB,MAA+C,oBAAxC4D,OAAOtF,UAAUuF,SAAS3G,KAAK8C,GAMxC,SAAS8D,EAAa9D,EAAU+D,WAC9B,GAAc,IAAVA,EACF,OAAO,EAGT,IAAMC,EAAOJ,OAAOI,KAAKhE,OACzB,IAAkB,IAAAiE,EAAAtH,EAAAqH,iCAAM,CAAnB,IAAME,UACT,GAAIP,EAAS3D,EAAIkE,KAASJ,EAAa9D,EAAIkE,GAAMH,EAAQ,GACvD,OAAO,oGAIX,OAAO,WAOOI,EACdnE,EACAoE,GAEA,IAAMC,EAA4B,CAChCC,eAAgB,GAChBC,aAAc,GAEhBX,OAAOY,OAAOH,EAASD,GACvB,IAAMtD,EAAe,GACfkD,EAAc,GACpB,OAAOS,KAAKN,UAAUnE,GAAK,SAAUkE,EAAK7G,GAKxC,GAAIyD,EAAM3D,OAAS,EAAG,CACpB,IAAMuH,EAAU5D,EAAMO,QAAQpB,OAC7ByE,EAAU5D,EAAM6D,OAAOD,EAAU,GAAK5D,EAAMjD,KAAKoC,OACjDyE,EAAUV,EAAKW,OAAOD,EAASE,EAAAA,EAAUV,GAAOF,EAAKnG,KAAKqG,IACtDpD,EAAMO,QAAQhE,KAEfA,EADEyD,EAAM,KAAOzD,EACP,eAGN,eACA2G,EAAKzF,MAAM,EAAGuC,EAAMO,QAAQhE,IAAQ6E,KAAK,KACzC,UAINpB,EAAMjD,KAAKR,GAIb,GAAIA,MAAAA,EACF,OAAOA,EAET,GAgCF,SAAsBwH,GAEpB,GAAIlB,EAASkB,IAASjB,OAAOI,KAAKa,GAAM1H,OAASkH,EAAQC,eACvD,OAAO,EAIT,GAAoB,mBAATO,EACT,OAAO,EAQT,GAAIlB,EAASkB,IAASf,EAAae,EAAMR,EAAQE,cAC/C,OAAO,EAGT,OAAO,EApDHO,CAAazH,GACf,OAyDJ,SAAkBwH,GAChB,IAAIE,EAAMF,EAAKhB,WACXQ,EAAQW,mBAAqBD,EAAI5H,OAASkH,EAAQW,oBACpDD,EAAM,UAAGA,EAAIxG,MAAM,EAAG8F,EAAQW,2BAEhC,OAAOD,EA9DElB,CAASxG,GAElB,GAAIA,aAAiB4H,MAAO,CAC1B,IAAMC,EAAmB,GACzB,IAAK,IAAMC,KAAY9H,EAAO,CAC5B,IAAM+H,EAAc/H,EAAc8H,GAC9B9G,MAAMgH,QAAQD,GAChBF,EAAYC,GAAYpC,EACtBqC,EAAWjI,OAASiI,EAAW,GAAK,MAGtCF,EAAYC,GAAYC,EAG5B,OAAOF,EACF,OAAI7H,aAAiBiI,KACtBjI,aAAiBkI,YACZlI,EAAQA,EAAM4F,UAAY,GAE5B5F,EAAMmI,SACJnI,aAAiB6D,MACnB7D,EAAMyD,MACTzD,EAAMyD,MAAQ,kCACdzD,EAAMoI,KAAO,KAAOpI,EAAMgF,QAEzBhF,KCpHX,IAAMqI,EAAsC,CAC1CC,MAAO,CACL,SACA,QACA,QACA,aACA,QACA,MACA,SACA,QACA,QACA,iBACA,WACA,OACA,MACA,QACA,OACA,UACA,UACA,QACA,QAEFC,gBAAiB,IACjBC,OAAQ,WAwDV,SAASC,EACPC,EACAC,EACAC,WAMIJ,EAJEK,EAAaD,EAAWJ,OAC9B,IAAKK,EACH,OAAO,aAIPL,EADwB,iBAAfK,EACAF,EAAIE,GAEJA,EAEX,IAAIC,EAAW,EACTC,EAAoC,GAE1C,GAAIH,EAAWN,MAAOU,SAAS,UACzB5G,OAAQ,CACV,IAAM6G,EAAe,SAACC,GACZ,IAAAlE,EAAmBkE,UAAVzI,EAAUyI,QACrBC,EAAkB9F,EAAiBC,MACvC7C,GACAoB,KAAI,SAACuH,GAA2B,OAAAA,EAAW5C,cACvC6C,EAAU,CAACvC,EAAU9B,EAAS4D,EAAW7B,mBAC/C2B,EAAG,CACDJ,MAAO,QACPa,QACAE,aAGJjH,OAAOkH,iBAAiB,QAASL,GACjCF,EAAevI,MAAK,WACd4B,QAAQA,OAAOmH,oBAAoB,QAASN,UAItD,IAAwB,IAAAO,EAAAlK,EAAAsJ,EAAWN,qCAAQ,CAAtC,IAAMmB,UACTV,EAAevI,KAAK2D,EAAQqE,EAAQiB,sGAEtC,OAAO,WACLV,EAAeW,SAAQ,SAACC,GAAM,OAAAA,QAQhC,SAASxF,EAAQyF,EAAiBtB,GAAlC,WACE,OAAKsB,EAAQtB,YHcfuB,EACAzB,EAEA0B,GAEA,IACE,KAAM1B,KAAQyB,GACZ,OAAO,aAGT,IAAME,EAAWF,EAAOzB,GAClB4B,EAAUF,EAAYC,GAiB5B,MAZuB,mBAAZC,IACTA,EAAQ/I,UAAY+I,EAAQ/I,WAAa,GACzCsF,OAAO0D,iBAAiBD,EAAS,CAC/BE,mBAAoB,CAClBC,YAAY,EACZnK,MAAO+J,MAKbF,EAAOzB,GAAQ4B,EAER,WACLH,EAAOzB,GAAQ2B,GAEjB,SACA,OAAO,cG1CAK,CAAMR,EAAStB,GAAO,SAAC+B,GAC5B,OAAO,eAAC,aAAAC,mBAAAA,IAAAC,kBACNF,EAASG,MAAMC,EAAMF,GACrB,IACE,IAAMpB,EAAQ9F,EAAiBC,MAAM,IAAIO,OACtChC,KAAI,SAACuH,GAA2B,OAAAA,EAAW5C,cAC3Cc,OAAO,GACJ+B,EAAUkB,EAAK1I,KAAI,SAACrC,GACxB,OAAAsH,EAAUtH,EAAGoJ,EAAW7B,uBAE1B+B,EACeF,EAAWL,gBACxBG,EAAG,CACDJ,QACAa,QACAE,YAEOP,IAAaF,EAAWL,iBAEjCG,EAAG,CACDJ,MAAO,OACPa,MAAO,GACPE,QAAS,CACPvC,EAAU,uDAIhB,MAAOrG,GACP4J,kBAAS,sBAAuB5J,KAAU8J,aA/BvC,kBAsCAG,EAAc,kEAIP,SAAC1D,GAAY,OAC/BoB,KAAMsC,EACNC,SAAUlC,EACVzB,QAASA,EACLT,OAAOY,OAAO,GAAIkB,EAAmBrB,GACrCqB"} +\ No newline at end of file +diff --git a/node_modules/rrweb/dist/plugins/console-replay.js b/node_modules/rrweb/dist/plugins/console-replay.js +old mode 100644 +new mode 100755 +diff --git a/node_modules/rrweb/dist/plugins/console-replay.min.js b/node_modules/rrweb/dist/plugins/console-replay.min.js +old mode 100644 +new mode 100755 +diff --git a/node_modules/rrweb/dist/plugins/console-replay.min.js.map b/node_modules/rrweb/dist/plugins/console-replay.min.js.map +old mode 100644 +new mode 100755 +index 9fb2e60..1181439 +--- a/node_modules/rrweb/dist/plugins/console-replay.min.js.map ++++ b/node_modules/rrweb/dist/plugins/console-replay.min.js.map +@@ -1 +1 @@ +-{"version":3,"file":"console-replay.min.js","sources":["../../node_modules/tslib/tslib.es6.js","../../../src/types.ts","../../../rrweb-snapshot/es/rrweb-snapshot.js","../../../src/utils.ts","../../../src/plugins/console/record/index.ts","../../../src/plugins/console/replay/index.ts"],"sourcesContent":["/*! *****************************************************************************\r\nCopyright (c) Microsoft Corporation.\r\n\r\nPermission to use, copy, modify, and/or distribute this software for any\r\npurpose with or without fee is hereby granted.\r\n\r\nTHE SOFTWARE IS PROVIDED \"AS IS\" AND THE AUTHOR DISCLAIMS ALL WARRANTIES WITH\r\nREGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF MERCHANTABILITY\r\nAND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR ANY SPECIAL, DIRECT,\r\nINDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES WHATSOEVER RESULTING FROM\r\nLOSS OF USE, DATA OR PROFITS, WHETHER IN AN ACTION OF CONTRACT, NEGLIGENCE OR\r\nOTHER TORTIOUS ACTION, ARISING OUT OF OR IN CONNECTION WITH THE USE OR\r\nPERFORMANCE OF THIS SOFTWARE.\r\n***************************************************************************** */\r\n/* global Reflect, Promise */\r\n\r\nvar extendStatics = function(d, b) {\r\n extendStatics = Object.setPrototypeOf ||\r\n ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) ||\r\n function (d, b) { for (var p in b) if (Object.prototype.hasOwnProperty.call(b, p)) d[p] = b[p]; };\r\n return extendStatics(d, b);\r\n};\r\n\r\nexport function __extends(d, b) {\r\n if (typeof b !== \"function\" && b !== null)\r\n throw new TypeError(\"Class extends value \" + String(b) + \" is not a constructor or null\");\r\n extendStatics(d, b);\r\n function __() { this.constructor = d; }\r\n d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __());\r\n}\r\n\r\nexport var __assign = function() {\r\n __assign = Object.assign || function __assign(t) {\r\n for (var s, i = 1, n = arguments.length; i < n; i++) {\r\n s = arguments[i];\r\n for (var p in s) if (Object.prototype.hasOwnProperty.call(s, p)) t[p] = s[p];\r\n }\r\n return t;\r\n }\r\n return __assign.apply(this, arguments);\r\n}\r\n\r\nexport function __rest(s, e) {\r\n var t = {};\r\n for (var p in s) if (Object.prototype.hasOwnProperty.call(s, p) && e.indexOf(p) < 0)\r\n t[p] = s[p];\r\n if (s != null && typeof Object.getOwnPropertySymbols === \"function\")\r\n for (var i = 0, p = Object.getOwnPropertySymbols(s); i < p.length; i++) {\r\n if (e.indexOf(p[i]) < 0 && Object.prototype.propertyIsEnumerable.call(s, p[i]))\r\n t[p[i]] = s[p[i]];\r\n }\r\n return t;\r\n}\r\n\r\nexport function __decorate(decorators, target, key, desc) {\r\n var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d;\r\n if (typeof Reflect === \"object\" && typeof Reflect.decorate === \"function\") r = Reflect.decorate(decorators, target, key, desc);\r\n else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r;\r\n return c > 3 && r && Object.defineProperty(target, key, r), r;\r\n}\r\n\r\nexport function __param(paramIndex, decorator) {\r\n return function (target, key) { decorator(target, key, paramIndex); }\r\n}\r\n\r\nexport function __metadata(metadataKey, metadataValue) {\r\n if (typeof Reflect === \"object\" && typeof Reflect.metadata === \"function\") return Reflect.metadata(metadataKey, metadataValue);\r\n}\r\n\r\nexport function __awaiter(thisArg, _arguments, P, generator) {\r\n function adopt(value) { return value instanceof P ? value : new P(function (resolve) { resolve(value); }); }\r\n return new (P || (P = Promise))(function (resolve, reject) {\r\n function fulfilled(value) { try { step(generator.next(value)); } catch (e) { reject(e); } }\r\n function rejected(value) { try { step(generator[\"throw\"](value)); } catch (e) { reject(e); } }\r\n function step(result) { result.done ? resolve(result.value) : adopt(result.value).then(fulfilled, rejected); }\r\n step((generator = generator.apply(thisArg, _arguments || [])).next());\r\n });\r\n}\r\n\r\nexport function __generator(thisArg, body) {\r\n var _ = { label: 0, sent: function() { if (t[0] & 1) throw t[1]; return t[1]; }, trys: [], ops: [] }, f, y, t, g;\r\n return g = { next: verb(0), \"throw\": verb(1), \"return\": verb(2) }, typeof Symbol === \"function\" && (g[Symbol.iterator] = function() { return this; }), g;\r\n function verb(n) { return function (v) { return step([n, v]); }; }\r\n function step(op) {\r\n if (f) throw new TypeError(\"Generator is already executing.\");\r\n while (_) try {\r\n if (f = 1, y && (t = op[0] & 2 ? y[\"return\"] : op[0] ? y[\"throw\"] || ((t = y[\"return\"]) && t.call(y), 0) : y.next) && !(t = t.call(y, op[1])).done) return t;\r\n if (y = 0, t) op = [op[0] & 2, t.value];\r\n switch (op[0]) {\r\n case 0: case 1: t = op; break;\r\n case 4: _.label++; return { value: op[1], done: false };\r\n case 5: _.label++; y = op[1]; op = [0]; continue;\r\n case 7: op = _.ops.pop(); _.trys.pop(); continue;\r\n default:\r\n if (!(t = _.trys, t = t.length > 0 && t[t.length - 1]) && (op[0] === 6 || op[0] === 2)) { _ = 0; continue; }\r\n if (op[0] === 3 && (!t || (op[1] > t[0] && op[1] < t[3]))) { _.label = op[1]; break; }\r\n if (op[0] === 6 && _.label < t[1]) { _.label = t[1]; t = op; break; }\r\n if (t && _.label < t[2]) { _.label = t[2]; _.ops.push(op); break; }\r\n if (t[2]) _.ops.pop();\r\n _.trys.pop(); continue;\r\n }\r\n op = body.call(thisArg, _);\r\n } catch (e) { op = [6, e]; y = 0; } finally { f = t = 0; }\r\n if (op[0] & 5) throw op[1]; return { value: op[0] ? op[1] : void 0, done: true };\r\n }\r\n}\r\n\r\nexport var __createBinding = Object.create ? (function(o, m, k, k2) {\r\n if (k2 === undefined) k2 = k;\r\n Object.defineProperty(o, k2, { enumerable: true, get: function() { return m[k]; } });\r\n}) : (function(o, m, k, k2) {\r\n if (k2 === undefined) k2 = k;\r\n o[k2] = m[k];\r\n});\r\n\r\nexport function __exportStar(m, o) {\r\n for (var p in m) if (p !== \"default\" && !Object.prototype.hasOwnProperty.call(o, p)) __createBinding(o, m, p);\r\n}\r\n\r\nexport function __values(o) {\r\n var s = typeof Symbol === \"function\" && Symbol.iterator, m = s && o[s], i = 0;\r\n if (m) return m.call(o);\r\n if (o && typeof o.length === \"number\") return {\r\n next: function () {\r\n if (o && i >= o.length) o = void 0;\r\n return { value: o && o[i++], done: !o };\r\n }\r\n };\r\n throw new TypeError(s ? \"Object is not iterable.\" : \"Symbol.iterator is not defined.\");\r\n}\r\n\r\nexport function __read(o, n) {\r\n var m = typeof Symbol === \"function\" && o[Symbol.iterator];\r\n if (!m) return o;\r\n var i = m.call(o), r, ar = [], e;\r\n try {\r\n while ((n === void 0 || n-- > 0) && !(r = i.next()).done) ar.push(r.value);\r\n }\r\n catch (error) { e = { error: error }; }\r\n finally {\r\n try {\r\n if (r && !r.done && (m = i[\"return\"])) m.call(i);\r\n }\r\n finally { if (e) throw e.error; }\r\n }\r\n return ar;\r\n}\r\n\r\n/** @deprecated */\r\nexport function __spread() {\r\n for (var ar = [], i = 0; i < arguments.length; i++)\r\n ar = ar.concat(__read(arguments[i]));\r\n return ar;\r\n}\r\n\r\n/** @deprecated */\r\nexport function __spreadArrays() {\r\n for (var s = 0, i = 0, il = arguments.length; i < il; i++) s += arguments[i].length;\r\n for (var r = Array(s), k = 0, i = 0; i < il; i++)\r\n for (var a = arguments[i], j = 0, jl = a.length; j < jl; j++, k++)\r\n r[k] = a[j];\r\n return r;\r\n}\r\n\r\nexport function __spreadArray(to, from, pack) {\r\n if (pack || arguments.length === 2) for (var i = 0, l = from.length, ar; i < l; i++) {\r\n if (ar || !(i in from)) {\r\n if (!ar) ar = Array.prototype.slice.call(from, 0, i);\r\n ar[i] = from[i];\r\n }\r\n }\r\n return to.concat(ar || Array.prototype.slice.call(from));\r\n}\r\n\r\nexport function __await(v) {\r\n return this instanceof __await ? (this.v = v, this) : new __await(v);\r\n}\r\n\r\nexport function __asyncGenerator(thisArg, _arguments, generator) {\r\n if (!Symbol.asyncIterator) throw new TypeError(\"Symbol.asyncIterator is not defined.\");\r\n var g = generator.apply(thisArg, _arguments || []), i, q = [];\r\n return i = {}, verb(\"next\"), verb(\"throw\"), verb(\"return\"), i[Symbol.asyncIterator] = function () { return this; }, i;\r\n function verb(n) { if (g[n]) i[n] = function (v) { return new Promise(function (a, b) { q.push([n, v, a, b]) > 1 || resume(n, v); }); }; }\r\n function resume(n, v) { try { step(g[n](v)); } catch (e) { settle(q[0][3], e); } }\r\n function step(r) { r.value instanceof __await ? Promise.resolve(r.value.v).then(fulfill, reject) : settle(q[0][2], r); }\r\n function fulfill(value) { resume(\"next\", value); }\r\n function reject(value) { resume(\"throw\", value); }\r\n function settle(f, v) { if (f(v), q.shift(), q.length) resume(q[0][0], q[0][1]); }\r\n}\r\n\r\nexport function __asyncDelegator(o) {\r\n var i, p;\r\n return i = {}, verb(\"next\"), verb(\"throw\", function (e) { throw e; }), verb(\"return\"), i[Symbol.iterator] = function () { return this; }, i;\r\n function verb(n, f) { i[n] = o[n] ? function (v) { return (p = !p) ? { value: __await(o[n](v)), done: n === \"return\" } : f ? f(v) : v; } : f; }\r\n}\r\n\r\nexport function __asyncValues(o) {\r\n if (!Symbol.asyncIterator) throw new TypeError(\"Symbol.asyncIterator is not defined.\");\r\n var m = o[Symbol.asyncIterator], i;\r\n return m ? m.call(o) : (o = typeof __values === \"function\" ? __values(o) : o[Symbol.iterator](), i = {}, verb(\"next\"), verb(\"throw\"), verb(\"return\"), i[Symbol.asyncIterator] = function () { return this; }, i);\r\n function verb(n) { i[n] = o[n] && function (v) { return new Promise(function (resolve, reject) { v = o[n](v), settle(resolve, reject, v.done, v.value); }); }; }\r\n function settle(resolve, reject, d, v) { Promise.resolve(v).then(function(v) { resolve({ value: v, done: d }); }, reject); }\r\n}\r\n\r\nexport function __makeTemplateObject(cooked, raw) {\r\n if (Object.defineProperty) { Object.defineProperty(cooked, \"raw\", { value: raw }); } else { cooked.raw = raw; }\r\n return cooked;\r\n};\r\n\r\nvar __setModuleDefault = Object.create ? (function(o, v) {\r\n Object.defineProperty(o, \"default\", { enumerable: true, value: v });\r\n}) : function(o, v) {\r\n o[\"default\"] = v;\r\n};\r\n\r\nexport function __importStar(mod) {\r\n if (mod && mod.__esModule) return mod;\r\n var result = {};\r\n if (mod != null) for (var k in mod) if (k !== \"default\" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding(result, mod, k);\r\n __setModuleDefault(result, mod);\r\n return result;\r\n}\r\n\r\nexport function __importDefault(mod) {\r\n return (mod && mod.__esModule) ? mod : { default: mod };\r\n}\r\n\r\nexport function __classPrivateFieldGet(receiver, state, kind, f) {\r\n if (kind === \"a\" && !f) throw new TypeError(\"Private accessor was defined without a getter\");\r\n if (typeof state === \"function\" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError(\"Cannot read private member from an object whose class did not declare it\");\r\n return kind === \"m\" ? f : kind === \"a\" ? f.call(receiver) : f ? f.value : state.get(receiver);\r\n}\r\n\r\nexport function __classPrivateFieldSet(receiver, state, value, kind, f) {\r\n if (kind === \"m\") throw new TypeError(\"Private method is not writable\");\r\n if (kind === \"a\" && !f) throw new TypeError(\"Private accessor was defined without a setter\");\r\n if (typeof state === \"function\" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError(\"Cannot write private member to an object whose class did not declare it\");\r\n return (kind === \"a\" ? f.call(receiver, value) : f ? f.value = value : state.set(receiver, value)), value;\r\n}\r\n","import {\n serializedNodeWithId,\n idNodeMap,\n INode,\n MaskInputOptions,\n SlimDOMOptions,\n MaskInputFn,\n MaskTextFn,\n} from 'rrweb-snapshot';\nimport { PackFn, UnpackFn } from './packer/base';\nimport { IframeManager } from './record/iframe-manager';\nimport { ShadowDomManager } from './record/shadow-dom-manager';\nimport type { Replayer } from './replay';\nimport { CanvasManager } from './record/observers/canvas/canvas-manager';\n\nexport enum EventType {\n DomContentLoaded,\n Load,\n FullSnapshot,\n IncrementalSnapshot,\n Meta,\n Custom,\n Plugin,\n}\n\nexport type domContentLoadedEvent = {\n type: EventType.DomContentLoaded;\n data: {};\n};\n\nexport type loadedEvent = {\n type: EventType.Load;\n data: {};\n};\n\nexport type fullSnapshotEvent = {\n type: EventType.FullSnapshot;\n data: {\n node: serializedNodeWithId;\n initialOffset: {\n top: number;\n left: number;\n };\n };\n};\n\nexport type incrementalSnapshotEvent = {\n type: EventType.IncrementalSnapshot;\n data: incrementalData;\n};\n\nexport type metaEvent = {\n type: EventType.Meta;\n data: {\n href: string;\n width: number;\n height: number;\n };\n};\n\nexport type customEvent = {\n type: EventType.Custom;\n data: {\n tag: string;\n payload: T;\n };\n};\n\nexport type pluginEvent = {\n type: EventType.Plugin;\n data: {\n plugin: string;\n payload: T;\n };\n};\n\nexport type styleSheetEvent = {};\n\nexport enum IncrementalSource {\n Mutation,\n MouseMove,\n MouseInteraction,\n Scroll,\n ViewportResize,\n Input,\n TouchMove,\n MediaInteraction,\n StyleSheetRule,\n CanvasMutation,\n Font,\n Log,\n Drag,\n StyleDeclaration,\n}\n\nexport type mutationData = {\n source: IncrementalSource.Mutation;\n} & mutationCallbackParam;\n\nexport type mousemoveData = {\n source:\n | IncrementalSource.MouseMove\n | IncrementalSource.TouchMove\n | IncrementalSource.Drag;\n positions: mousePosition[];\n};\n\nexport type mouseInteractionData = {\n source: IncrementalSource.MouseInteraction;\n} & mouseInteractionParam;\n\nexport type scrollData = {\n source: IncrementalSource.Scroll;\n} & scrollPosition;\n\nexport type viewportResizeData = {\n source: IncrementalSource.ViewportResize;\n} & viewportResizeDimension;\n\nexport type inputData = {\n source: IncrementalSource.Input;\n id: number;\n} & inputValue;\n\nexport type mediaInteractionData = {\n source: IncrementalSource.MediaInteraction;\n} & mediaInteractionParam;\n\nexport type styleSheetRuleData = {\n source: IncrementalSource.StyleSheetRule;\n} & styleSheetRuleParam;\n\nexport type styleDeclarationData = {\n source: IncrementalSource.StyleDeclaration;\n} & styleDeclarationParam;\n\nexport type canvasMutationData = {\n source: IncrementalSource.CanvasMutation;\n} & canvasMutationParam;\n\nexport type fontData = {\n source: IncrementalSource.Font;\n} & fontParam;\n\nexport type incrementalData =\n | mutationData\n | mousemoveData\n | mouseInteractionData\n | scrollData\n | viewportResizeData\n | inputData\n | mediaInteractionData\n | styleSheetRuleData\n | canvasMutationData\n | fontData\n | styleDeclarationData;\n\nexport type event =\n | domContentLoadedEvent\n | loadedEvent\n | fullSnapshotEvent\n | incrementalSnapshotEvent\n | metaEvent\n | customEvent\n | pluginEvent;\n\nexport type eventWithTime = event & {\n timestamp: number;\n delay?: number;\n};\n\nexport type blockClass = string | RegExp;\n\nexport type maskTextClass = string | RegExp;\n\nexport type SamplingStrategy = Partial<{\n /**\n * false means not to record mouse/touch move events\n * number is the throttle threshold of recording mouse/touch move\n */\n mousemove: boolean | number;\n /**\n * number is the throttle threshold of mouse/touch move callback\n */\n mousemoveCallback: number;\n /**\n * false means not to record mouse interaction events\n * can also specify record some kinds of mouse interactions\n */\n mouseInteraction: boolean | Record;\n /**\n * number is the throttle threshold of recording scroll\n */\n scroll: number;\n /**\n * number is the throttle threshold of recording media interactions\n */\n media: number;\n /**\n * 'all' will record all the input events\n * 'last' will only record the last input value while input a sequence of chars\n */\n input: 'all' | 'last';\n}>;\n\nexport type RecordPlugin = {\n name: string;\n observer?: (cb: Function, win: IWindow, options: TOptions) => listenerHandler;\n eventProcessor?: (event: eventWithTime) => eventWithTime & TExtend;\n options: TOptions;\n};\n\nexport type recordOptions = {\n emit?: (e: T, isCheckout?: boolean) => void;\n checkoutEveryNth?: number;\n checkoutEveryNms?: number;\n blockClass?: blockClass;\n blockSelector?: string;\n ignoreClass?: string;\n maskTextClass?: maskTextClass;\n maskTextSelector?: string;\n maskAllInputs?: boolean;\n maskInputOptions?: MaskInputOptions;\n maskInputFn?: MaskInputFn;\n maskTextFn?: MaskTextFn;\n slimDOMOptions?: SlimDOMOptions | 'all' | true;\n inlineStylesheet?: boolean;\n hooks?: hooksParam;\n packFn?: PackFn;\n sampling?: SamplingStrategy;\n recordCanvas?: boolean;\n userTriggeredOnInput?: boolean;\n collectFonts?: boolean;\n inlineImages?: boolean;\n plugins?: RecordPlugin[];\n // departed, please use sampling options\n mousemoveWait?: number;\n keepIframeSrcFn?: KeepIframeSrcFn;\n};\n\nexport type observerParam = {\n mutationCb: mutationCallBack;\n mousemoveCb: mousemoveCallBack;\n mouseInteractionCb: mouseInteractionCallBack;\n scrollCb: scrollCallback;\n viewportResizeCb: viewportResizeCallback;\n inputCb: inputCallback;\n mediaInteractionCb: mediaInteractionCallback;\n blockClass: blockClass;\n blockSelector: string | null;\n ignoreClass: string;\n maskTextClass: maskTextClass;\n maskTextSelector: string | null;\n maskInputOptions: MaskInputOptions;\n maskInputFn?: MaskInputFn;\n maskTextFn?: MaskTextFn;\n inlineStylesheet: boolean;\n styleSheetRuleCb: styleSheetRuleCallback;\n styleDeclarationCb: styleDeclarationCallback;\n canvasMutationCb: canvasMutationCallback;\n fontCb: fontCallback;\n sampling: SamplingStrategy;\n recordCanvas: boolean;\n inlineImages: boolean;\n userTriggeredOnInput: boolean;\n collectFonts: boolean;\n slimDOMOptions: SlimDOMOptions;\n doc: Document;\n mirror: Mirror;\n iframeManager: IframeManager;\n shadowDomManager: ShadowDomManager;\n canvasManager: CanvasManager;\n plugins: Array<{\n observer: Function;\n callback: Function;\n options: unknown;\n }>;\n};\n\nexport type MutationBufferParam = Pick<\n observerParam,\n | 'mutationCb'\n | 'blockClass'\n | 'blockSelector'\n | 'maskTextClass'\n | 'maskTextSelector'\n | 'inlineStylesheet'\n | 'maskInputOptions'\n | 'maskTextFn'\n | 'maskInputFn'\n | 'recordCanvas'\n | 'inlineImages'\n | 'slimDOMOptions'\n | 'doc'\n | 'mirror'\n | 'iframeManager'\n | 'shadowDomManager'\n | 'canvasManager'\n>;\n\nexport type hooksParam = {\n mutation?: mutationCallBack;\n mousemove?: mousemoveCallBack;\n mouseInteraction?: mouseInteractionCallBack;\n scroll?: scrollCallback;\n viewportResize?: viewportResizeCallback;\n input?: inputCallback;\n mediaInteaction?: mediaInteractionCallback;\n styleSheetRule?: styleSheetRuleCallback;\n styleDeclaration?: styleDeclarationCallback;\n canvasMutation?: canvasMutationCallback;\n font?: fontCallback;\n};\n\n// https://dom.spec.whatwg.org/#interface-mutationrecord\nexport type mutationRecord = {\n type: string;\n target: Node;\n oldValue: string | null;\n addedNodes: NodeList;\n removedNodes: NodeList;\n attributeName: string | null;\n};\n\nexport type textCursor = {\n node: Node;\n value: string | null;\n};\nexport type textMutation = {\n id: number;\n value: string | null;\n};\n\nexport type styleAttributeValue = {\n [key: string]: styleValueWithPriority | string | false;\n};\n\nexport type styleValueWithPriority = [string, string];\n\nexport type attributeCursor = {\n node: Node;\n attributes: {\n [key: string]: string | styleAttributeValue | null;\n };\n};\nexport type attributeMutation = {\n id: number;\n attributes: {\n [key: string]: string | styleAttributeValue | null;\n };\n};\n\nexport type removedNodeMutation = {\n parentId: number;\n id: number;\n isShadow?: boolean;\n};\n\nexport type addedNodeMutation = {\n parentId: number;\n // Newly recorded mutations will not have previousId any more, just for compatibility\n previousId?: number | null;\n nextId: number | null;\n node: serializedNodeWithId;\n};\n\nexport type mutationCallbackParam = {\n texts: textMutation[];\n attributes: attributeMutation[];\n removes: removedNodeMutation[];\n adds: addedNodeMutation[];\n isAttachIframe?: true;\n};\n\nexport type mutationCallBack = (m: mutationCallbackParam) => void;\n\nexport type mousemoveCallBack = (\n p: mousePosition[],\n source:\n | IncrementalSource.MouseMove\n | IncrementalSource.TouchMove\n | IncrementalSource.Drag,\n) => void;\n\nexport type mousePosition = {\n x: number;\n y: number;\n id: number;\n timeOffset: number;\n};\n\nexport type mouseMovePos = {\n x: number;\n y: number;\n id: number;\n debugData: incrementalData;\n};\n\nexport enum MouseInteractions {\n MouseUp,\n MouseDown,\n Click,\n ContextMenu,\n DblClick,\n Focus,\n Blur,\n TouchStart,\n TouchMove_Departed, // we will start a separate observer for touch move event\n TouchEnd,\n TouchCancel,\n}\n\nexport enum CanvasContext {\n '2D',\n WebGL,\n WebGL2,\n}\n\nexport type SerializedWebGlArg =\n | {\n rr_type: 'ArrayBuffer';\n base64: string; // base64\n }\n | {\n rr_type: string;\n src: string; // url of image\n }\n | {\n rr_type: string;\n args: SerializedWebGlArg[];\n }\n | {\n rr_type: string;\n index: number;\n }\n | string\n | number\n | boolean\n | null\n | SerializedWebGlArg[];\n\ntype mouseInteractionParam = {\n type: MouseInteractions;\n id: number;\n x: number;\n y: number;\n};\n\nexport type mouseInteractionCallBack = (d: mouseInteractionParam) => void;\n\nexport type scrollPosition = {\n id: number;\n x: number;\n y: number;\n};\n\nexport type scrollCallback = (p: scrollPosition) => void;\n\nexport type styleSheetAddRule = {\n rule: string;\n index?: number | number[];\n};\n\nexport type styleSheetDeleteRule = {\n index: number | number[];\n};\n\nexport type styleSheetRuleParam = {\n id: number;\n removes?: styleSheetDeleteRule[];\n adds?: styleSheetAddRule[];\n};\n\nexport type styleSheetRuleCallback = (s: styleSheetRuleParam) => void;\n\nexport type styleDeclarationParam = {\n id: number;\n index: number[];\n set?: {\n property: string;\n value: string | null;\n priority: string | undefined;\n };\n remove?: {\n property: string;\n };\n};\n\nexport type styleDeclarationCallback = (s: styleDeclarationParam) => void;\n\nexport type canvasMutationCommand = {\n property: string;\n args: Array;\n setter?: true;\n};\n\nexport type canvasMutationParam =\n | {\n id: number;\n type: CanvasContext;\n commands: canvasMutationCommand[];\n }\n | ({\n id: number;\n type: CanvasContext;\n } & canvasMutationCommand);\n\nexport type canvasMutationWithType = {\n type: CanvasContext;\n} & canvasMutationCommand;\n\nexport type canvasMutationCallback = (p: canvasMutationParam) => void;\n\nexport type canvasManagerMutationCallback = (\n target: HTMLCanvasElement,\n p: canvasMutationWithType,\n) => void;\n\nexport type fontParam = {\n family: string;\n fontSource: string;\n buffer: boolean;\n descriptors?: FontFaceDescriptors;\n};\n\nexport type fontCallback = (p: fontParam) => void;\n\nexport type viewportResizeDimension = {\n width: number;\n height: number;\n};\n\nexport type viewportResizeCallback = (d: viewportResizeDimension) => void;\n\nexport type inputValue = {\n text: string;\n isChecked: boolean;\n\n // `userTriggered` indicates if this event was triggered directly by user (userTriggered: true)\n // or was triggered indirectly (userTriggered: false)\n // Example of `userTriggered` in action:\n // User clicks on radio element (userTriggered: true) which triggers the other radio element to change (userTriggered: false)\n userTriggered?: boolean;\n};\n\nexport type inputCallback = (v: inputValue & { id: number }) => void;\n\nexport const enum MediaInteractions {\n Play,\n Pause,\n Seeked,\n VolumeChange,\n}\n\nexport type mediaInteractionParam = {\n type: MediaInteractions;\n id: number;\n currentTime?: number;\n volume?: number;\n muted?: boolean;\n};\n\nexport type mediaInteractionCallback = (p: mediaInteractionParam) => void;\n\nexport type DocumentDimension = {\n x: number;\n y: number;\n // scale value relative to its parent iframe\n relativeScale: number;\n // scale value relative to the root iframe\n absoluteScale: number;\n};\n\nexport type Mirror = {\n map: idNodeMap;\n getId: (n: INode) => number;\n getNode: (id: number) => INode | null;\n removeNodeFromMap: (n: INode) => void;\n has: (id: number) => boolean;\n reset: () => void;\n};\n\nexport type throttleOptions = {\n leading?: boolean;\n trailing?: boolean;\n};\n\nexport type listenerHandler = () => void;\nexport type hookResetter = () => void;\n\nexport type ReplayPlugin = {\n handler: (\n event: eventWithTime,\n isSync: boolean,\n context: { replayer: Replayer },\n ) => void;\n};\nexport type playerConfig = {\n speed: number;\n maxSpeed: number;\n root: Element;\n loadTimeout: number;\n skipInactive: boolean;\n showWarning: boolean;\n showDebug: boolean;\n blockClass: string;\n liveMode: boolean;\n insertStyleRules: string[];\n triggerFocus: boolean;\n UNSAFE_replayCanvas: boolean;\n pauseAnimation?: boolean;\n mouseTail:\n | boolean\n | {\n duration?: number;\n lineCap?: string;\n lineWidth?: number;\n strokeStyle?: string;\n };\n unpackFn?: UnpackFn;\n plugins?: ReplayPlugin[];\n};\n\nexport type playerMetaData = {\n startTime: number;\n endTime: number;\n totalTime: number;\n};\n\nexport type missingNode = {\n node: Node;\n mutation: addedNodeMutation;\n};\nexport type missingNodeMap = {\n [id: number]: missingNode;\n};\n\nexport type actionWithDelay = {\n doAction: () => void;\n delay: number;\n};\n\nexport type Handler = (event?: unknown) => void;\n\nexport type Emitter = {\n on(type: string, handler: Handler): void;\n emit(type: string, event?: unknown): void;\n off(type: string, handler: Handler): void;\n};\n\nexport type Arguments = T extends (...payload: infer U) => unknown\n ? U\n : unknown;\n\nexport enum ReplayerEvents {\n Start = 'start',\n Pause = 'pause',\n Resume = 'resume',\n Resize = 'resize',\n Finish = 'finish',\n FullsnapshotRebuilded = 'fullsnapshot-rebuilded',\n LoadStylesheetStart = 'load-stylesheet-start',\n LoadStylesheetEnd = 'load-stylesheet-end',\n SkipStart = 'skip-start',\n SkipEnd = 'skip-end',\n MouseInteraction = 'mouse-interaction',\n EventCast = 'event-cast',\n CustomEvent = 'custom-event',\n Flush = 'flush',\n StateChange = 'state-change',\n PlayBack = 'play-back',\n}\n\n// store the state that would be changed during the process(unmount from dom and mount again)\nexport type ElementState = {\n // [scrollLeft,scrollTop]\n scroll?: [number, number];\n};\n\nexport type KeepIframeSrcFn = (src: string) => boolean;\n\ndeclare global {\n interface Window {\n FontFace: typeof FontFace;\n }\n}\n\nexport type IWindow = Window & typeof globalThis;\n\nexport type Optional = Pick, K> & Omit;\n","var NodeType;\n(function (NodeType) {\n NodeType[NodeType[\"Document\"] = 0] = \"Document\";\n NodeType[NodeType[\"DocumentType\"] = 1] = \"DocumentType\";\n NodeType[NodeType[\"Element\"] = 2] = \"Element\";\n NodeType[NodeType[\"Text\"] = 3] = \"Text\";\n NodeType[NodeType[\"CDATA\"] = 4] = \"CDATA\";\n NodeType[NodeType[\"Comment\"] = 5] = \"Comment\";\n})(NodeType || (NodeType = {}));\n\nfunction isElement(n) {\n return n.nodeType === n.ELEMENT_NODE;\n}\nfunction isShadowRoot(n) {\n var _a;\n var host = (_a = n) === null || _a === void 0 ? void 0 : _a.host;\n return Boolean(host && host.shadowRoot && host.shadowRoot === n);\n}\nfunction maskInputValue(_a) {\n var maskInputOptions = _a.maskInputOptions, tagName = _a.tagName, type = _a.type, value = _a.value, maskInputFn = _a.maskInputFn;\n var text = value || '';\n if (maskInputOptions[tagName.toLowerCase()] ||\n maskInputOptions[type]) {\n if (maskInputFn) {\n text = maskInputFn(text);\n }\n else {\n text = '*'.repeat(text.length);\n }\n }\n return text;\n}\nvar ORIGINAL_ATTRIBUTE_NAME = '__rrweb_original__';\nfunction is2DCanvasBlank(canvas) {\n var ctx = canvas.getContext('2d');\n if (!ctx)\n return true;\n var chunkSize = 50;\n for (var x = 0; x < canvas.width; x += chunkSize) {\n for (var y = 0; y < canvas.height; y += chunkSize) {\n var getImageData = ctx.getImageData;\n var originalGetImageData = ORIGINAL_ATTRIBUTE_NAME in getImageData\n ? getImageData[ORIGINAL_ATTRIBUTE_NAME]\n : getImageData;\n var pixelBuffer = new Uint32Array(originalGetImageData.call(ctx, x, y, Math.min(chunkSize, canvas.width - x), Math.min(chunkSize, canvas.height - y)).data.buffer);\n if (pixelBuffer.some(function (pixel) { return pixel !== 0; }))\n return false;\n }\n }\n return true;\n}\n\nvar _id = 1;\nvar tagNameRegex = new RegExp('[^a-z0-9-_:]');\nvar IGNORED_NODE = -2;\nfunction genId() {\n return _id++;\n}\nfunction getValidTagName(element) {\n if (element instanceof HTMLFormElement) {\n return 'form';\n }\n var processedTagName = element.tagName.toLowerCase().trim();\n if (tagNameRegex.test(processedTagName)) {\n return 'div';\n }\n return processedTagName;\n}\nfunction getCssRulesString(s) {\n try {\n var rules = s.rules || s.cssRules;\n return rules ? Array.from(rules).map(getCssRuleString).join('') : null;\n }\n catch (error) {\n return null;\n }\n}\nfunction getCssRuleString(rule) {\n var cssStringified = rule.cssText;\n if (isCSSImportRule(rule)) {\n try {\n cssStringified = getCssRulesString(rule.styleSheet) || cssStringified;\n }\n catch (_a) {\n }\n }\n return cssStringified;\n}\nfunction isCSSImportRule(rule) {\n return 'styleSheet' in rule;\n}\nfunction stringifyStyleSheet(sheet) {\n return sheet.cssRules\n ? Array.from(sheet.cssRules)\n .map(function (rule) { return rule.cssText || ''; })\n .join('')\n : '';\n}\nfunction extractOrigin(url) {\n var origin = '';\n if (url.indexOf('//') > -1) {\n origin = url.split('/').slice(0, 3).join('/');\n }\n else {\n origin = url.split('/')[0];\n }\n origin = origin.split('?')[0];\n return origin;\n}\nvar canvasService;\nvar canvasCtx;\nvar URL_IN_CSS_REF = /url\\((?:(')([^']*)'|(\")(.*?)\"|([^)]*))\\)/gm;\nvar RELATIVE_PATH = /^(?!www\\.|(?:http|ftp)s?:\\/\\/|[A-Za-z]:\\\\|\\/\\/|#).*/;\nvar DATA_URI = /^(data:)([^,]*),(.*)/i;\nfunction absoluteToStylesheet(cssText, href) {\n return (cssText || '').replace(URL_IN_CSS_REF, function (origin, quote1, path1, quote2, path2, path3) {\n var filePath = path1 || path2 || path3;\n var maybeQuote = quote1 || quote2 || '';\n if (!filePath) {\n return origin;\n }\n if (!RELATIVE_PATH.test(filePath)) {\n return \"url(\" + maybeQuote + filePath + maybeQuote + \")\";\n }\n if (DATA_URI.test(filePath)) {\n return \"url(\" + maybeQuote + filePath + maybeQuote + \")\";\n }\n if (filePath[0] === '/') {\n return \"url(\" + maybeQuote + (extractOrigin(href) + filePath) + maybeQuote + \")\";\n }\n var stack = href.split('/');\n var parts = filePath.split('/');\n stack.pop();\n for (var _i = 0, parts_1 = parts; _i < parts_1.length; _i++) {\n var part = parts_1[_i];\n if (part === '.') {\n continue;\n }\n else if (part === '..') {\n stack.pop();\n }\n else {\n stack.push(part);\n }\n }\n return \"url(\" + maybeQuote + stack.join('/') + maybeQuote + \")\";\n });\n}\nvar SRCSET_NOT_SPACES = /^[^ \\t\\n\\r\\u000c]+/;\nvar SRCSET_COMMAS_OR_SPACES = /^[, \\t\\n\\r\\u000c]+/;\nfunction getAbsoluteSrcsetString(doc, attributeValue) {\n if (attributeValue.trim() === '') {\n return attributeValue;\n }\n var pos = 0;\n function collectCharacters(regEx) {\n var chars;\n var match = regEx.exec(attributeValue.substring(pos));\n if (match) {\n chars = match[0];\n pos += chars.length;\n return chars;\n }\n return '';\n }\n var output = [];\n while (true) {\n collectCharacters(SRCSET_COMMAS_OR_SPACES);\n if (pos >= attributeValue.length) {\n break;\n }\n var url = collectCharacters(SRCSET_NOT_SPACES);\n if (url.slice(-1) === ',') {\n url = absoluteToDoc(doc, url.substring(0, url.length - 1));\n output.push(url);\n }\n else {\n var descriptorsStr = '';\n url = absoluteToDoc(doc, url);\n var inParens = false;\n while (true) {\n var c = attributeValue.charAt(pos);\n if (c === '') {\n output.push((url + descriptorsStr).trim());\n break;\n }\n else if (!inParens) {\n if (c === ',') {\n pos += 1;\n output.push((url + descriptorsStr).trim());\n break;\n }\n else if (c === '(') {\n inParens = true;\n }\n }\n else {\n if (c === ')') {\n inParens = false;\n }\n }\n descriptorsStr += c;\n pos += 1;\n }\n }\n }\n return output.join(', ');\n}\nfunction absoluteToDoc(doc, attributeValue) {\n if (!attributeValue || attributeValue.trim() === '') {\n return attributeValue;\n }\n var a = doc.createElement('a');\n a.href = attributeValue;\n return a.href;\n}\nfunction isSVGElement(el) {\n return Boolean(el.tagName === 'svg' || el.ownerSVGElement);\n}\nfunction getHref() {\n var a = document.createElement('a');\n a.href = '';\n return a.href;\n}\nfunction transformAttribute(doc, tagName, name, value) {\n if (name === 'src' || (name === 'href' && value)) {\n return absoluteToDoc(doc, value);\n }\n else if (name === 'xlink:href' && value && value[0] !== '#') {\n return absoluteToDoc(doc, value);\n }\n else if (name === 'background' &&\n value &&\n (tagName === 'table' || tagName === 'td' || tagName === 'th')) {\n return absoluteToDoc(doc, value);\n }\n else if (name === 'srcset' && value) {\n return getAbsoluteSrcsetString(doc, value);\n }\n else if (name === 'style' && value) {\n return absoluteToStylesheet(value, getHref());\n }\n else if (tagName === 'object' && name === 'data' && value) {\n return absoluteToDoc(doc, value);\n }\n else {\n return value;\n }\n}\nfunction _isBlockedElement(element, blockClass, blockSelector) {\n if (typeof blockClass === 'string') {\n if (element.classList.contains(blockClass)) {\n return true;\n }\n }\n else {\n for (var eIndex = 0; eIndex < element.classList.length; eIndex++) {\n var className = element.classList[eIndex];\n if (blockClass.test(className)) {\n return true;\n }\n }\n }\n if (blockSelector) {\n return element.matches(blockSelector);\n }\n return false;\n}\nfunction needMaskingText(node, maskTextClass, maskTextSelector) {\n if (!node) {\n return false;\n }\n if (node.nodeType === node.ELEMENT_NODE) {\n if (typeof maskTextClass === 'string') {\n if (node.classList.contains(maskTextClass)) {\n return true;\n }\n }\n else {\n for (var eIndex = 0; eIndex < node.classList.length; eIndex++) {\n var className = node.classList[eIndex];\n if (maskTextClass.test(className)) {\n return true;\n }\n }\n }\n if (maskTextSelector) {\n if (node.matches(maskTextSelector)) {\n return true;\n }\n }\n return needMaskingText(node.parentNode, maskTextClass, maskTextSelector);\n }\n if (node.nodeType === node.TEXT_NODE) {\n return needMaskingText(node.parentNode, maskTextClass, maskTextSelector);\n }\n return needMaskingText(node.parentNode, maskTextClass, maskTextSelector);\n}\nfunction onceIframeLoaded(iframeEl, listener, iframeLoadTimeout) {\n var win = iframeEl.contentWindow;\n if (!win) {\n return;\n }\n var fired = false;\n var readyState;\n try {\n readyState = win.document.readyState;\n }\n catch (error) {\n return;\n }\n if (readyState !== 'complete') {\n var timer_1 = setTimeout(function () {\n if (!fired) {\n listener();\n fired = true;\n }\n }, iframeLoadTimeout);\n iframeEl.addEventListener('load', function () {\n clearTimeout(timer_1);\n fired = true;\n listener();\n });\n return;\n }\n var blankUrl = 'about:blank';\n if (win.location.href !== blankUrl ||\n iframeEl.src === blankUrl ||\n iframeEl.src === '') {\n setTimeout(listener, 0);\n return;\n }\n iframeEl.addEventListener('load', listener);\n}\nfunction serializeNode(n, options) {\n var _a;\n var doc = options.doc, blockClass = options.blockClass, blockSelector = options.blockSelector, maskTextClass = options.maskTextClass, maskTextSelector = options.maskTextSelector, inlineStylesheet = options.inlineStylesheet, _b = options.maskInputOptions, maskInputOptions = _b === void 0 ? {} : _b, maskTextFn = options.maskTextFn, maskInputFn = options.maskInputFn, _c = options.dataURLOptions, dataURLOptions = _c === void 0 ? {} : _c, inlineImages = options.inlineImages, recordCanvas = options.recordCanvas, keepIframeSrcFn = options.keepIframeSrcFn;\n var rootId;\n if (doc.__sn) {\n var docId = doc.__sn.id;\n rootId = docId === 1 ? undefined : docId;\n }\n switch (n.nodeType) {\n case n.DOCUMENT_NODE:\n if (n.compatMode !== 'CSS1Compat') {\n return {\n type: NodeType.Document,\n childNodes: [],\n compatMode: n.compatMode,\n rootId: rootId\n };\n }\n else {\n return {\n type: NodeType.Document,\n childNodes: [],\n rootId: rootId\n };\n }\n case n.DOCUMENT_TYPE_NODE:\n return {\n type: NodeType.DocumentType,\n name: n.name,\n publicId: n.publicId,\n systemId: n.systemId,\n rootId: rootId\n };\n case n.ELEMENT_NODE:\n var needBlock = _isBlockedElement(n, blockClass, blockSelector);\n var tagName = getValidTagName(n);\n var attributes_1 = {};\n for (var _i = 0, _d = Array.from(n.attributes); _i < _d.length; _i++) {\n var _e = _d[_i], name_1 = _e.name, value = _e.value;\n attributes_1[name_1] = transformAttribute(doc, tagName, name_1, value);\n }\n if (tagName === 'link' && inlineStylesheet) {\n var stylesheet = Array.from(doc.styleSheets).find(function (s) {\n return s.href === n.href;\n });\n var cssText = null;\n if (stylesheet) {\n cssText = getCssRulesString(stylesheet);\n }\n if (cssText) {\n delete attributes_1.rel;\n delete attributes_1.href;\n attributes_1._cssText = absoluteToStylesheet(cssText, stylesheet.href);\n }\n }\n if (tagName === 'style' &&\n n.sheet &&\n !(n.innerText ||\n n.textContent ||\n '').trim().length) {\n var cssText = getCssRulesString(n.sheet);\n if (cssText) {\n attributes_1._cssText = absoluteToStylesheet(cssText, getHref());\n }\n }\n if (tagName === 'input' ||\n tagName === 'textarea' ||\n tagName === 'select') {\n var value = n.value;\n if (attributes_1.type !== 'radio' &&\n attributes_1.type !== 'checkbox' &&\n attributes_1.type !== 'submit' &&\n attributes_1.type !== 'button' &&\n value) {\n attributes_1.value = maskInputValue({\n type: attributes_1.type,\n tagName: tagName,\n value: value,\n maskInputOptions: maskInputOptions,\n maskInputFn: maskInputFn\n });\n }\n else if (n.checked) {\n attributes_1.checked = n.checked;\n }\n }\n if (tagName === 'option') {\n if (n.selected && !maskInputOptions['select']) {\n attributes_1.selected = true;\n }\n else {\n delete attributes_1.selected;\n }\n }\n if (tagName === 'canvas' && recordCanvas) {\n if (n.__context === '2d') {\n if (!is2DCanvasBlank(n)) {\n attributes_1.rr_dataURL = n.toDataURL(dataURLOptions.type, dataURLOptions.quality);\n }\n }\n else if (!('__context' in n)) {\n var canvasDataURL = n.toDataURL(dataURLOptions.type, dataURLOptions.quality);\n var blankCanvas = document.createElement('canvas');\n blankCanvas.width = n.width;\n blankCanvas.height = n.height;\n var blankCanvasDataURL = blankCanvas.toDataURL(dataURLOptions.type, dataURLOptions.quality);\n if (canvasDataURL !== blankCanvasDataURL) {\n attributes_1.rr_dataURL = canvasDataURL;\n }\n }\n }\n if (tagName === 'img' && inlineImages) {\n if (!canvasService) {\n canvasService = doc.createElement('canvas');\n canvasCtx = canvasService.getContext('2d');\n }\n var image_1 = n;\n var oldValue_1 = image_1.crossOrigin;\n image_1.crossOrigin = 'anonymous';\n var recordInlineImage = function () {\n try {\n canvasService.width = image_1.naturalWidth;\n canvasService.height = image_1.naturalHeight;\n canvasCtx.drawImage(image_1, 0, 0);\n attributes_1.rr_dataURL = canvasService.toDataURL(dataURLOptions.type, dataURLOptions.quality);\n }\n catch (err) {\n console.warn(\"Cannot inline img src=\" + image_1.currentSrc + \"! Error: \" + err);\n }\n oldValue_1\n ? (attributes_1.crossOrigin = oldValue_1)\n : delete attributes_1.crossOrigin;\n };\n if (image_1.complete && image_1.naturalWidth !== 0)\n recordInlineImage();\n else\n image_1.onload = recordInlineImage;\n }\n if (tagName === 'audio' || tagName === 'video') {\n attributes_1.rr_mediaState = n.paused\n ? 'paused'\n : 'played';\n attributes_1.rr_mediaCurrentTime = n.currentTime;\n }\n if (n.scrollLeft) {\n attributes_1.rr_scrollLeft = n.scrollLeft;\n }\n if (n.scrollTop) {\n attributes_1.rr_scrollTop = n.scrollTop;\n }\n if (needBlock) {\n var _f = n.getBoundingClientRect(), width = _f.width, height = _f.height;\n attributes_1 = {\n \"class\": attributes_1[\"class\"],\n rr_width: width + \"px\",\n rr_height: height + \"px\"\n };\n }\n if (tagName === 'iframe' && !keepIframeSrcFn(attributes_1.src)) {\n if (!n.contentDocument) {\n attributes_1.rr_src = attributes_1.src;\n }\n delete attributes_1.src;\n }\n return {\n type: NodeType.Element,\n tagName: tagName,\n attributes: attributes_1,\n childNodes: [],\n isSVG: isSVGElement(n) || undefined,\n needBlock: needBlock,\n rootId: rootId\n };\n case n.TEXT_NODE:\n var parentTagName = n.parentNode && n.parentNode.tagName;\n var textContent = n.textContent;\n var isStyle = parentTagName === 'STYLE' ? true : undefined;\n var isScript = parentTagName === 'SCRIPT' ? true : undefined;\n if (isStyle && textContent) {\n try {\n if (n.nextSibling || n.previousSibling) {\n }\n else if ((_a = n.parentNode.sheet) === null || _a === void 0 ? void 0 : _a.cssRules) {\n textContent = stringifyStyleSheet(n.parentNode.sheet);\n }\n }\n catch (err) {\n console.warn(\"Cannot get CSS styles from text's parentNode. Error: \" + err, n);\n }\n textContent = absoluteToStylesheet(textContent, getHref());\n }\n if (isScript) {\n textContent = 'SCRIPT_PLACEHOLDER';\n }\n if (!isStyle &&\n !isScript &&\n needMaskingText(n, maskTextClass, maskTextSelector) &&\n textContent) {\n textContent = maskTextFn\n ? maskTextFn(textContent)\n : textContent.replace(/[\\S]/g, '*');\n }\n return {\n type: NodeType.Text,\n textContent: textContent || '',\n isStyle: isStyle,\n rootId: rootId\n };\n case n.CDATA_SECTION_NODE:\n return {\n type: NodeType.CDATA,\n textContent: '',\n rootId: rootId\n };\n case n.COMMENT_NODE:\n return {\n type: NodeType.Comment,\n textContent: n.textContent || '',\n rootId: rootId\n };\n default:\n return false;\n }\n}\nfunction lowerIfExists(maybeAttr) {\n if (maybeAttr === undefined) {\n return '';\n }\n else {\n return maybeAttr.toLowerCase();\n }\n}\nfunction slimDOMExcluded(sn, slimDOMOptions) {\n if (slimDOMOptions.comment && sn.type === NodeType.Comment) {\n return true;\n }\n else if (sn.type === NodeType.Element) {\n if (slimDOMOptions.script &&\n (sn.tagName === 'script' ||\n (sn.tagName === 'link' &&\n sn.attributes.rel === 'preload' &&\n sn.attributes.as === 'script') ||\n (sn.tagName === 'link' &&\n sn.attributes.rel === 'prefetch' &&\n typeof sn.attributes.href === 'string' &&\n sn.attributes.href.endsWith('.js')))) {\n return true;\n }\n else if (slimDOMOptions.headFavicon &&\n ((sn.tagName === 'link' && sn.attributes.rel === 'shortcut icon') ||\n (sn.tagName === 'meta' &&\n (lowerIfExists(sn.attributes.name).match(/^msapplication-tile(image|color)$/) ||\n lowerIfExists(sn.attributes.name) === 'application-name' ||\n lowerIfExists(sn.attributes.rel) === 'icon' ||\n lowerIfExists(sn.attributes.rel) === 'apple-touch-icon' ||\n lowerIfExists(sn.attributes.rel) === 'shortcut icon')))) {\n return true;\n }\n else if (sn.tagName === 'meta') {\n if (slimDOMOptions.headMetaDescKeywords &&\n lowerIfExists(sn.attributes.name).match(/^description|keywords$/)) {\n return true;\n }\n else if (slimDOMOptions.headMetaSocial &&\n (lowerIfExists(sn.attributes.property).match(/^(og|twitter|fb):/) ||\n lowerIfExists(sn.attributes.name).match(/^(og|twitter):/) ||\n lowerIfExists(sn.attributes.name) === 'pinterest')) {\n return true;\n }\n else if (slimDOMOptions.headMetaRobots &&\n (lowerIfExists(sn.attributes.name) === 'robots' ||\n lowerIfExists(sn.attributes.name) === 'googlebot' ||\n lowerIfExists(sn.attributes.name) === 'bingbot')) {\n return true;\n }\n else if (slimDOMOptions.headMetaHttpEquiv &&\n sn.attributes['http-equiv'] !== undefined) {\n return true;\n }\n else if (slimDOMOptions.headMetaAuthorship &&\n (lowerIfExists(sn.attributes.name) === 'author' ||\n lowerIfExists(sn.attributes.name) === 'generator' ||\n lowerIfExists(sn.attributes.name) === 'framework' ||\n lowerIfExists(sn.attributes.name) === 'publisher' ||\n lowerIfExists(sn.attributes.name) === 'progid' ||\n lowerIfExists(sn.attributes.property).match(/^article:/) ||\n lowerIfExists(sn.attributes.property).match(/^product:/))) {\n return true;\n }\n else if (slimDOMOptions.headMetaVerification &&\n (lowerIfExists(sn.attributes.name) === 'google-site-verification' ||\n lowerIfExists(sn.attributes.name) === 'yandex-verification' ||\n lowerIfExists(sn.attributes.name) === 'csrf-token' ||\n lowerIfExists(sn.attributes.name) === 'p:domain_verify' ||\n lowerIfExists(sn.attributes.name) === 'verify-v1' ||\n lowerIfExists(sn.attributes.name) === 'verification' ||\n lowerIfExists(sn.attributes.name) === 'shopify-checkout-api-token')) {\n return true;\n }\n }\n }\n return false;\n}\nfunction serializeNodeWithId(n, options) {\n var doc = options.doc, map = options.map, blockClass = options.blockClass, blockSelector = options.blockSelector, maskTextClass = options.maskTextClass, maskTextSelector = options.maskTextSelector, _a = options.skipChild, skipChild = _a === void 0 ? false : _a, _b = options.inlineStylesheet, inlineStylesheet = _b === void 0 ? true : _b, _c = options.maskInputOptions, maskInputOptions = _c === void 0 ? {} : _c, maskTextFn = options.maskTextFn, maskInputFn = options.maskInputFn, slimDOMOptions = options.slimDOMOptions, _d = options.dataURLOptions, dataURLOptions = _d === void 0 ? {} : _d, _e = options.inlineImages, inlineImages = _e === void 0 ? false : _e, _f = options.recordCanvas, recordCanvas = _f === void 0 ? false : _f, onSerialize = options.onSerialize, onIframeLoad = options.onIframeLoad, _g = options.iframeLoadTimeout, iframeLoadTimeout = _g === void 0 ? 5000 : _g, _h = options.keepIframeSrcFn, keepIframeSrcFn = _h === void 0 ? function () { return false; } : _h;\n var _j = options.preserveWhiteSpace, preserveWhiteSpace = _j === void 0 ? true : _j;\n var _serializedNode = serializeNode(n, {\n doc: doc,\n blockClass: blockClass,\n blockSelector: blockSelector,\n maskTextClass: maskTextClass,\n maskTextSelector: maskTextSelector,\n inlineStylesheet: inlineStylesheet,\n maskInputOptions: maskInputOptions,\n maskTextFn: maskTextFn,\n maskInputFn: maskInputFn,\n dataURLOptions: dataURLOptions,\n inlineImages: inlineImages,\n recordCanvas: recordCanvas,\n keepIframeSrcFn: keepIframeSrcFn\n });\n if (!_serializedNode) {\n console.warn(n, 'not serialized');\n return null;\n }\n var id;\n if ('__sn' in n) {\n id = n.__sn.id;\n }\n else if (slimDOMExcluded(_serializedNode, slimDOMOptions) ||\n (!preserveWhiteSpace &&\n _serializedNode.type === NodeType.Text &&\n !_serializedNode.isStyle &&\n !_serializedNode.textContent.replace(/^\\s+|\\s+$/gm, '').length)) {\n id = IGNORED_NODE;\n }\n else {\n id = genId();\n }\n var serializedNode = Object.assign(_serializedNode, { id: id });\n n.__sn = serializedNode;\n if (id === IGNORED_NODE) {\n return null;\n }\n map[id] = n;\n if (onSerialize) {\n onSerialize(n);\n }\n var recordChild = !skipChild;\n if (serializedNode.type === NodeType.Element) {\n recordChild = recordChild && !serializedNode.needBlock;\n delete serializedNode.needBlock;\n if (n.shadowRoot)\n serializedNode.isShadowHost = true;\n }\n if ((serializedNode.type === NodeType.Document ||\n serializedNode.type === NodeType.Element) &&\n recordChild) {\n if (slimDOMOptions.headWhitespace &&\n _serializedNode.type === NodeType.Element &&\n _serializedNode.tagName === 'head') {\n preserveWhiteSpace = false;\n }\n var bypassOptions = {\n doc: doc,\n map: map,\n blockClass: blockClass,\n blockSelector: blockSelector,\n maskTextClass: maskTextClass,\n maskTextSelector: maskTextSelector,\n skipChild: skipChild,\n inlineStylesheet: inlineStylesheet,\n maskInputOptions: maskInputOptions,\n maskTextFn: maskTextFn,\n maskInputFn: maskInputFn,\n slimDOMOptions: slimDOMOptions,\n dataURLOptions: dataURLOptions,\n inlineImages: inlineImages,\n recordCanvas: recordCanvas,\n preserveWhiteSpace: preserveWhiteSpace,\n onSerialize: onSerialize,\n onIframeLoad: onIframeLoad,\n iframeLoadTimeout: iframeLoadTimeout,\n keepIframeSrcFn: keepIframeSrcFn\n };\n for (var _i = 0, _k = Array.from(n.childNodes); _i < _k.length; _i++) {\n var childN = _k[_i];\n var serializedChildNode = serializeNodeWithId(childN, bypassOptions);\n if (serializedChildNode) {\n serializedNode.childNodes.push(serializedChildNode);\n }\n }\n if (isElement(n) && n.shadowRoot) {\n for (var _l = 0, _m = Array.from(n.shadowRoot.childNodes); _l < _m.length; _l++) {\n var childN = _m[_l];\n var serializedChildNode = serializeNodeWithId(childN, bypassOptions);\n if (serializedChildNode) {\n serializedChildNode.isShadow = true;\n serializedNode.childNodes.push(serializedChildNode);\n }\n }\n }\n }\n if (n.parentNode && isShadowRoot(n.parentNode)) {\n serializedNode.isShadow = true;\n }\n if (serializedNode.type === NodeType.Element &&\n serializedNode.tagName === 'iframe') {\n onceIframeLoaded(n, function () {\n var iframeDoc = n.contentDocument;\n if (iframeDoc && onIframeLoad) {\n var serializedIframeNode = serializeNodeWithId(iframeDoc, {\n doc: iframeDoc,\n map: map,\n blockClass: blockClass,\n blockSelector: blockSelector,\n maskTextClass: maskTextClass,\n maskTextSelector: maskTextSelector,\n skipChild: false,\n inlineStylesheet: inlineStylesheet,\n maskInputOptions: maskInputOptions,\n maskTextFn: maskTextFn,\n maskInputFn: maskInputFn,\n slimDOMOptions: slimDOMOptions,\n dataURLOptions: dataURLOptions,\n inlineImages: inlineImages,\n recordCanvas: recordCanvas,\n preserveWhiteSpace: preserveWhiteSpace,\n onSerialize: onSerialize,\n onIframeLoad: onIframeLoad,\n iframeLoadTimeout: iframeLoadTimeout,\n keepIframeSrcFn: keepIframeSrcFn\n });\n if (serializedIframeNode) {\n onIframeLoad(n, serializedIframeNode);\n }\n }\n }, iframeLoadTimeout);\n }\n return serializedNode;\n}\nfunction snapshot(n, options) {\n var _a = options || {}, _b = _a.blockClass, blockClass = _b === void 0 ? 'rr-block' : _b, _c = _a.blockSelector, blockSelector = _c === void 0 ? null : _c, _d = _a.maskTextClass, maskTextClass = _d === void 0 ? 'rr-mask' : _d, _e = _a.maskTextSelector, maskTextSelector = _e === void 0 ? null : _e, _f = _a.inlineStylesheet, inlineStylesheet = _f === void 0 ? true : _f, _g = _a.inlineImages, inlineImages = _g === void 0 ? false : _g, _h = _a.recordCanvas, recordCanvas = _h === void 0 ? false : _h, _j = _a.maskAllInputs, maskAllInputs = _j === void 0 ? false : _j, maskTextFn = _a.maskTextFn, maskInputFn = _a.maskInputFn, _k = _a.slimDOM, slimDOM = _k === void 0 ? false : _k, dataURLOptions = _a.dataURLOptions, preserveWhiteSpace = _a.preserveWhiteSpace, onSerialize = _a.onSerialize, onIframeLoad = _a.onIframeLoad, iframeLoadTimeout = _a.iframeLoadTimeout, _l = _a.keepIframeSrcFn, keepIframeSrcFn = _l === void 0 ? function () { return false; } : _l;\n var idNodeMap = {};\n var maskInputOptions = maskAllInputs === true\n ? {\n color: true,\n date: true,\n 'datetime-local': true,\n email: true,\n month: true,\n number: true,\n range: true,\n search: true,\n tel: true,\n text: true,\n time: true,\n url: true,\n week: true,\n textarea: true,\n select: true,\n password: true\n }\n : maskAllInputs === false\n ? {\n password: true\n }\n : maskAllInputs;\n var slimDOMOptions = slimDOM === true || slimDOM === 'all'\n ?\n {\n script: true,\n comment: true,\n headFavicon: true,\n headWhitespace: true,\n headMetaDescKeywords: slimDOM === 'all',\n headMetaSocial: true,\n headMetaRobots: true,\n headMetaHttpEquiv: true,\n headMetaAuthorship: true,\n headMetaVerification: true\n }\n : slimDOM === false\n ? {}\n : slimDOM;\n return [\n serializeNodeWithId(n, {\n doc: n,\n map: idNodeMap,\n blockClass: blockClass,\n blockSelector: blockSelector,\n maskTextClass: maskTextClass,\n maskTextSelector: maskTextSelector,\n skipChild: false,\n inlineStylesheet: inlineStylesheet,\n maskInputOptions: maskInputOptions,\n maskTextFn: maskTextFn,\n maskInputFn: maskInputFn,\n slimDOMOptions: slimDOMOptions,\n dataURLOptions: dataURLOptions,\n inlineImages: inlineImages,\n recordCanvas: recordCanvas,\n preserveWhiteSpace: preserveWhiteSpace,\n onSerialize: onSerialize,\n onIframeLoad: onIframeLoad,\n iframeLoadTimeout: iframeLoadTimeout,\n keepIframeSrcFn: keepIframeSrcFn\n }),\n idNodeMap,\n ];\n}\nfunction visitSnapshot(node, onVisit) {\n function walk(current) {\n onVisit(current);\n if (current.type === NodeType.Document ||\n current.type === NodeType.Element) {\n current.childNodes.forEach(walk);\n }\n }\n walk(node);\n}\nfunction cleanupSnapshot() {\n _id = 1;\n}\n\nvar commentre = /\\/\\*[^*]*\\*+([^/*][^*]*\\*+)*\\//g;\nfunction parse(css, options) {\n if (options === void 0) { options = {}; }\n var lineno = 1;\n var column = 1;\n function updatePosition(str) {\n var lines = str.match(/\\n/g);\n if (lines) {\n lineno += lines.length;\n }\n var i = str.lastIndexOf('\\n');\n column = i === -1 ? column + str.length : str.length - i;\n }\n function position() {\n var start = { line: lineno, column: column };\n return function (node) {\n node.position = new Position(start);\n whitespace();\n return node;\n };\n }\n var Position = (function () {\n function Position(start) {\n this.start = start;\n this.end = { line: lineno, column: column };\n this.source = options.source;\n }\n return Position;\n }());\n Position.prototype.content = css;\n var errorsList = [];\n function error(msg) {\n var err = new Error(options.source + ':' + lineno + ':' + column + ': ' + msg);\n err.reason = msg;\n err.filename = options.source;\n err.line = lineno;\n err.column = column;\n err.source = css;\n if (options.silent) {\n errorsList.push(err);\n }\n else {\n throw err;\n }\n }\n function stylesheet() {\n var rulesList = rules();\n return {\n type: 'stylesheet',\n stylesheet: {\n source: options.source,\n rules: rulesList,\n parsingErrors: errorsList\n }\n };\n }\n function open() {\n return match(/^{\\s*/);\n }\n function close() {\n return match(/^}/);\n }\n function rules() {\n var node;\n var rules = [];\n whitespace();\n comments(rules);\n while (css.length && css.charAt(0) !== '}' && (node = atrule() || rule())) {\n if (node !== false) {\n rules.push(node);\n comments(rules);\n }\n }\n return rules;\n }\n function match(re) {\n var m = re.exec(css);\n if (!m) {\n return;\n }\n var str = m[0];\n updatePosition(str);\n css = css.slice(str.length);\n return m;\n }\n function whitespace() {\n match(/^\\s*/);\n }\n function comments(rules) {\n if (rules === void 0) { rules = []; }\n var c;\n while ((c = comment())) {\n if (c !== false) {\n rules.push(c);\n }\n c = comment();\n }\n return rules;\n }\n function comment() {\n var pos = position();\n if ('/' !== css.charAt(0) || '*' !== css.charAt(1)) {\n return;\n }\n var i = 2;\n while ('' !== css.charAt(i) &&\n ('*' !== css.charAt(i) || '/' !== css.charAt(i + 1))) {\n ++i;\n }\n i += 2;\n if ('' === css.charAt(i - 1)) {\n return error('End of comment missing');\n }\n var str = css.slice(2, i - 2);\n column += 2;\n updatePosition(str);\n css = css.slice(i);\n column += 2;\n return pos({\n type: 'comment',\n comment: str\n });\n }\n function selector() {\n var m = match(/^([^{]+)/);\n if (!m) {\n return;\n }\n return trim(m[0])\n .replace(/\\/\\*([^*]|[\\r\\n]|(\\*+([^*/]|[\\r\\n])))*\\*\\/+/g, '')\n .replace(/\"(?:\\\\\"|[^\"])*\"|'(?:\\\\'|[^'])*'/g, function (m) {\n return m.replace(/,/g, '\\u200C');\n })\n .split(/\\s*(?![^(]*\\)),\\s*/)\n .map(function (s) {\n return s.replace(/\\u200C/g, ',');\n });\n }\n function declaration() {\n var pos = position();\n var propMatch = match(/^(\\*?[-#\\/\\*\\\\\\w]+(\\[[0-9a-z_-]+\\])?)\\s*/);\n if (!propMatch) {\n return;\n }\n var prop = trim(propMatch[0]);\n if (!match(/^:\\s*/)) {\n return error(\"property missing ':'\");\n }\n var val = match(/^((?:'(?:\\\\'|.)*?'|\"(?:\\\\\"|.)*?\"|\\([^\\)]*?\\)|[^};])+)/);\n var ret = pos({\n type: 'declaration',\n property: prop.replace(commentre, ''),\n value: val ? trim(val[0]).replace(commentre, '') : ''\n });\n match(/^[;\\s]*/);\n return ret;\n }\n function declarations() {\n var decls = [];\n if (!open()) {\n return error(\"missing '{'\");\n }\n comments(decls);\n var decl;\n while ((decl = declaration())) {\n if (decl !== false) {\n decls.push(decl);\n comments(decls);\n }\n decl = declaration();\n }\n if (!close()) {\n return error(\"missing '}'\");\n }\n return decls;\n }\n function keyframe() {\n var m;\n var vals = [];\n var pos = position();\n while ((m = match(/^((\\d+\\.\\d+|\\.\\d+|\\d+)%?|[a-z]+)\\s*/))) {\n vals.push(m[1]);\n match(/^,\\s*/);\n }\n if (!vals.length) {\n return;\n }\n return pos({\n type: 'keyframe',\n values: vals,\n declarations: declarations()\n });\n }\n function atkeyframes() {\n var pos = position();\n var m = match(/^@([-\\w]+)?keyframes\\s*/);\n if (!m) {\n return;\n }\n var vendor = m[1];\n m = match(/^([-\\w]+)\\s*/);\n if (!m) {\n return error('@keyframes missing name');\n }\n var name = m[1];\n if (!open()) {\n return error(\"@keyframes missing '{'\");\n }\n var frame;\n var frames = comments();\n while ((frame = keyframe())) {\n frames.push(frame);\n frames = frames.concat(comments());\n }\n if (!close()) {\n return error(\"@keyframes missing '}'\");\n }\n return pos({\n type: 'keyframes',\n name: name,\n vendor: vendor,\n keyframes: frames\n });\n }\n function atsupports() {\n var pos = position();\n var m = match(/^@supports *([^{]+)/);\n if (!m) {\n return;\n }\n var supports = trim(m[1]);\n if (!open()) {\n return error(\"@supports missing '{'\");\n }\n var style = comments().concat(rules());\n if (!close()) {\n return error(\"@supports missing '}'\");\n }\n return pos({\n type: 'supports',\n supports: supports,\n rules: style\n });\n }\n function athost() {\n var pos = position();\n var m = match(/^@host\\s*/);\n if (!m) {\n return;\n }\n if (!open()) {\n return error(\"@host missing '{'\");\n }\n var style = comments().concat(rules());\n if (!close()) {\n return error(\"@host missing '}'\");\n }\n return pos({\n type: 'host',\n rules: style\n });\n }\n function atmedia() {\n var pos = position();\n var m = match(/^@media *([^{]+)/);\n if (!m) {\n return;\n }\n var media = trim(m[1]);\n if (!open()) {\n return error(\"@media missing '{'\");\n }\n var style = comments().concat(rules());\n if (!close()) {\n return error(\"@media missing '}'\");\n }\n return pos({\n type: 'media',\n media: media,\n rules: style\n });\n }\n function atcustommedia() {\n var pos = position();\n var m = match(/^@custom-media\\s+(--[^\\s]+)\\s*([^{;]+);/);\n if (!m) {\n return;\n }\n return pos({\n type: 'custom-media',\n name: trim(m[1]),\n media: trim(m[2])\n });\n }\n function atpage() {\n var pos = position();\n var m = match(/^@page */);\n if (!m) {\n return;\n }\n var sel = selector() || [];\n if (!open()) {\n return error(\"@page missing '{'\");\n }\n var decls = comments();\n var decl;\n while ((decl = declaration())) {\n decls.push(decl);\n decls = decls.concat(comments());\n }\n if (!close()) {\n return error(\"@page missing '}'\");\n }\n return pos({\n type: 'page',\n selectors: sel,\n declarations: decls\n });\n }\n function atdocument() {\n var pos = position();\n var m = match(/^@([-\\w]+)?document *([^{]+)/);\n if (!m) {\n return;\n }\n var vendor = trim(m[1]);\n var doc = trim(m[2]);\n if (!open()) {\n return error(\"@document missing '{'\");\n }\n var style = comments().concat(rules());\n if (!close()) {\n return error(\"@document missing '}'\");\n }\n return pos({\n type: 'document',\n document: doc,\n vendor: vendor,\n rules: style\n });\n }\n function atfontface() {\n var pos = position();\n var m = match(/^@font-face\\s*/);\n if (!m) {\n return;\n }\n if (!open()) {\n return error(\"@font-face missing '{'\");\n }\n var decls = comments();\n var decl;\n while ((decl = declaration())) {\n decls.push(decl);\n decls = decls.concat(comments());\n }\n if (!close()) {\n return error(\"@font-face missing '}'\");\n }\n return pos({\n type: 'font-face',\n declarations: decls\n });\n }\n var atimport = _compileAtrule('import');\n var atcharset = _compileAtrule('charset');\n var atnamespace = _compileAtrule('namespace');\n function _compileAtrule(name) {\n var re = new RegExp('^@' + name + '\\\\s*([^;]+);');\n return function () {\n var pos = position();\n var m = match(re);\n if (!m) {\n return;\n }\n var ret = { type: name };\n ret[name] = m[1].trim();\n return pos(ret);\n };\n }\n function atrule() {\n if (css[0] !== '@') {\n return;\n }\n return (atkeyframes() ||\n atmedia() ||\n atcustommedia() ||\n atsupports() ||\n atimport() ||\n atcharset() ||\n atnamespace() ||\n atdocument() ||\n atpage() ||\n athost() ||\n atfontface());\n }\n function rule() {\n var pos = position();\n var sel = selector();\n if (!sel) {\n return error('selector missing');\n }\n comments();\n return pos({\n type: 'rule',\n selectors: sel,\n declarations: declarations()\n });\n }\n return addParent(stylesheet());\n}\nfunction trim(str) {\n return str ? str.replace(/^\\s+|\\s+$/g, '') : '';\n}\nfunction addParent(obj, parent) {\n var isNode = obj && typeof obj.type === 'string';\n var childParent = isNode ? obj : parent;\n for (var _i = 0, _a = Object.keys(obj); _i < _a.length; _i++) {\n var k = _a[_i];\n var value = obj[k];\n if (Array.isArray(value)) {\n value.forEach(function (v) {\n addParent(v, childParent);\n });\n }\n else if (value && typeof value === 'object') {\n addParent(value, childParent);\n }\n }\n if (isNode) {\n Object.defineProperty(obj, 'parent', {\n configurable: true,\n writable: true,\n enumerable: false,\n value: parent || null\n });\n }\n return obj;\n}\n\nvar tagMap = {\n script: 'noscript',\n altglyph: 'altGlyph',\n altglyphdef: 'altGlyphDef',\n altglyphitem: 'altGlyphItem',\n animatecolor: 'animateColor',\n animatemotion: 'animateMotion',\n animatetransform: 'animateTransform',\n clippath: 'clipPath',\n feblend: 'feBlend',\n fecolormatrix: 'feColorMatrix',\n fecomponenttransfer: 'feComponentTransfer',\n fecomposite: 'feComposite',\n feconvolvematrix: 'feConvolveMatrix',\n fediffuselighting: 'feDiffuseLighting',\n fedisplacementmap: 'feDisplacementMap',\n fedistantlight: 'feDistantLight',\n fedropshadow: 'feDropShadow',\n feflood: 'feFlood',\n fefunca: 'feFuncA',\n fefuncb: 'feFuncB',\n fefuncg: 'feFuncG',\n fefuncr: 'feFuncR',\n fegaussianblur: 'feGaussianBlur',\n feimage: 'feImage',\n femerge: 'feMerge',\n femergenode: 'feMergeNode',\n femorphology: 'feMorphology',\n feoffset: 'feOffset',\n fepointlight: 'fePointLight',\n fespecularlighting: 'feSpecularLighting',\n fespotlight: 'feSpotLight',\n fetile: 'feTile',\n feturbulence: 'feTurbulence',\n foreignobject: 'foreignObject',\n glyphref: 'glyphRef',\n lineargradient: 'linearGradient',\n radialgradient: 'radialGradient'\n};\nfunction getTagName(n) {\n var tagName = tagMap[n.tagName] ? tagMap[n.tagName] : n.tagName;\n if (tagName === 'link' && n.attributes._cssText) {\n tagName = 'style';\n }\n return tagName;\n}\nfunction escapeRegExp(str) {\n return str.replace(/[.*+?^${}()|[\\]\\\\]/g, '\\\\$&');\n}\nvar HOVER_SELECTOR = /([^\\\\]):hover/;\nvar HOVER_SELECTOR_GLOBAL = new RegExp(HOVER_SELECTOR.source, 'g');\nfunction addHoverClass(cssText, cache) {\n var cachedStyle = cache === null || cache === void 0 ? void 0 : cache.stylesWithHoverClass.get(cssText);\n if (cachedStyle)\n return cachedStyle;\n var ast = parse(cssText, {\n silent: true\n });\n if (!ast.stylesheet) {\n return cssText;\n }\n var selectors = [];\n ast.stylesheet.rules.forEach(function (rule) {\n if ('selectors' in rule) {\n (rule.selectors || []).forEach(function (selector) {\n if (HOVER_SELECTOR.test(selector)) {\n selectors.push(selector);\n }\n });\n }\n });\n if (selectors.length === 0) {\n return cssText;\n }\n var selectorMatcher = new RegExp(selectors\n .filter(function (selector, index) { return selectors.indexOf(selector) === index; })\n .sort(function (a, b) { return b.length - a.length; })\n .map(function (selector) {\n return escapeRegExp(selector);\n })\n .join('|'), 'g');\n var result = cssText.replace(selectorMatcher, function (selector) {\n var newSelector = selector.replace(HOVER_SELECTOR_GLOBAL, '$1.\\\\:hover');\n return selector + \", \" + newSelector;\n });\n cache === null || cache === void 0 ? void 0 : cache.stylesWithHoverClass.set(cssText, result);\n return result;\n}\nfunction createCache() {\n var stylesWithHoverClass = new Map();\n return {\n stylesWithHoverClass: stylesWithHoverClass\n };\n}\nfunction buildNode(n, options) {\n var doc = options.doc, hackCss = options.hackCss, cache = options.cache;\n switch (n.type) {\n case NodeType.Document:\n return doc.implementation.createDocument(null, '', null);\n case NodeType.DocumentType:\n return doc.implementation.createDocumentType(n.name || 'html', n.publicId, n.systemId);\n case NodeType.Element:\n var tagName = getTagName(n);\n var node_1;\n if (n.isSVG) {\n node_1 = doc.createElementNS('http://www.w3.org/2000/svg', tagName);\n }\n else {\n node_1 = doc.createElement(tagName);\n }\n var _loop_1 = function (name_1) {\n if (!n.attributes.hasOwnProperty(name_1)) {\n return \"continue\";\n }\n var value = n.attributes[name_1];\n if (tagName === 'option' && name_1 === 'selected' && value === false) {\n return \"continue\";\n }\n value =\n typeof value === 'boolean' || typeof value === 'number' ? '' : value;\n if (!name_1.startsWith('rr_')) {\n var isTextarea = tagName === 'textarea' && name_1 === 'value';\n var isRemoteOrDynamicCss = tagName === 'style' && name_1 === '_cssText';\n if (isRemoteOrDynamicCss && hackCss) {\n value = addHoverClass(value, cache);\n }\n if (isTextarea || isRemoteOrDynamicCss) {\n var child = doc.createTextNode(value);\n for (var _i = 0, _a = Array.from(node_1.childNodes); _i < _a.length; _i++) {\n var c = _a[_i];\n if (c.nodeType === node_1.TEXT_NODE) {\n node_1.removeChild(c);\n }\n }\n node_1.appendChild(child);\n return \"continue\";\n }\n try {\n if (n.isSVG && name_1 === 'xlink:href') {\n node_1.setAttributeNS('http://www.w3.org/1999/xlink', name_1, value);\n }\n else if (name_1 === 'onload' ||\n name_1 === 'onclick' ||\n name_1.substring(0, 7) === 'onmouse') {\n node_1.setAttribute('_' + name_1, value);\n }\n else if (tagName === 'meta' &&\n n.attributes['http-equiv'] === 'Content-Security-Policy' &&\n name_1 === 'content') {\n node_1.setAttribute('csp-content', value);\n return \"continue\";\n }\n else if (tagName === 'link' &&\n n.attributes.rel === 'preload' &&\n n.attributes.as === 'script') {\n }\n else if (tagName === 'link' &&\n n.attributes.rel === 'prefetch' &&\n typeof n.attributes.href === 'string' &&\n n.attributes.href.endsWith('.js')) {\n }\n else if (tagName === 'img' &&\n n.attributes.srcset &&\n n.attributes.rr_dataURL) {\n node_1.setAttribute('rrweb-original-srcset', n.attributes.srcset);\n }\n else {\n node_1.setAttribute(name_1, value);\n }\n }\n catch (error) {\n }\n }\n else {\n if (tagName === 'canvas' && name_1 === 'rr_dataURL') {\n var image_1 = document.createElement('img');\n image_1.src = value;\n image_1.onload = function () {\n var ctx = node_1.getContext('2d');\n if (ctx) {\n ctx.drawImage(image_1, 0, 0, image_1.width, image_1.height);\n }\n };\n }\n else if (tagName === 'img' && name_1 === 'rr_dataURL') {\n var image = node_1;\n if (!image.currentSrc.startsWith('data:')) {\n image.setAttribute('rrweb-original-src', n.attributes.src);\n image.src = value;\n }\n }\n if (name_1 === 'rr_width') {\n node_1.style.width = value;\n }\n else if (name_1 === 'rr_height') {\n node_1.style.height = value;\n }\n else if (name_1 === 'rr_mediaCurrentTime') {\n node_1.currentTime = n.attributes\n .rr_mediaCurrentTime;\n }\n else if (name_1 === 'rr_mediaState') {\n switch (value) {\n case 'played':\n node_1\n .play()[\"catch\"](function (e) { return console.warn('media playback error', e); });\n break;\n case 'paused':\n node_1.pause();\n break;\n }\n }\n }\n };\n for (var name_1 in n.attributes) {\n _loop_1(name_1);\n }\n if (n.isShadowHost) {\n if (!node_1.shadowRoot) {\n node_1.attachShadow({ mode: 'open' });\n }\n else {\n while (node_1.shadowRoot.firstChild) {\n node_1.shadowRoot.removeChild(node_1.shadowRoot.firstChild);\n }\n }\n }\n return node_1;\n case NodeType.Text:\n return doc.createTextNode(n.isStyle && hackCss\n ? addHoverClass(n.textContent, cache)\n : n.textContent);\n case NodeType.CDATA:\n return doc.createCDATASection(n.textContent);\n case NodeType.Comment:\n return doc.createComment(n.textContent);\n default:\n return null;\n }\n}\nfunction buildNodeWithSN(n, options) {\n var doc = options.doc, map = options.map, _a = options.skipChild, skipChild = _a === void 0 ? false : _a, _b = options.hackCss, hackCss = _b === void 0 ? true : _b, afterAppend = options.afterAppend, cache = options.cache;\n var node = buildNode(n, { doc: doc, hackCss: hackCss, cache: cache });\n if (!node) {\n return null;\n }\n if (n.rootId) {\n console.assert(map[n.rootId] === doc, 'Target document should has the same root id.');\n }\n if (n.type === NodeType.Document) {\n doc.close();\n doc.open();\n if (n.compatMode === 'BackCompat' &&\n n.childNodes &&\n n.childNodes[0].type !== NodeType.DocumentType) {\n if (n.childNodes[0].type === NodeType.Element &&\n 'xmlns' in n.childNodes[0].attributes &&\n n.childNodes[0].attributes.xmlns === 'http://www.w3.org/1999/xhtml') {\n doc.write('');\n }\n else {\n doc.write('');\n }\n }\n node = doc;\n }\n node.__sn = n;\n map[n.id] = node;\n if ((n.type === NodeType.Document || n.type === NodeType.Element) &&\n !skipChild) {\n for (var _i = 0, _c = n.childNodes; _i < _c.length; _i++) {\n var childN = _c[_i];\n var childNode = buildNodeWithSN(childN, {\n doc: doc,\n map: map,\n skipChild: false,\n hackCss: hackCss,\n afterAppend: afterAppend,\n cache: cache\n });\n if (!childNode) {\n console.warn('Failed to rebuild', childN);\n continue;\n }\n if (childN.isShadow && isElement(node) && node.shadowRoot) {\n node.shadowRoot.appendChild(childNode);\n }\n else {\n node.appendChild(childNode);\n }\n if (afterAppend) {\n afterAppend(childNode);\n }\n }\n }\n return node;\n}\nfunction visit(idNodeMap, onVisit) {\n function walk(node) {\n onVisit(node);\n }\n for (var key in idNodeMap) {\n if (idNodeMap[key]) {\n walk(idNodeMap[key]);\n }\n }\n}\nfunction handleScroll(node) {\n var n = node.__sn;\n if (n.type !== NodeType.Element) {\n return;\n }\n var el = node;\n for (var name_2 in n.attributes) {\n if (!(n.attributes.hasOwnProperty(name_2) && name_2.startsWith('rr_'))) {\n continue;\n }\n var value = n.attributes[name_2];\n if (name_2 === 'rr_scrollLeft') {\n el.scrollLeft = value;\n }\n if (name_2 === 'rr_scrollTop') {\n el.scrollTop = value;\n }\n }\n}\nfunction rebuild(n, options) {\n var doc = options.doc, onVisit = options.onVisit, _a = options.hackCss, hackCss = _a === void 0 ? true : _a, afterAppend = options.afterAppend, cache = options.cache;\n var idNodeMap = {};\n var node = buildNodeWithSN(n, {\n doc: doc,\n map: idNodeMap,\n skipChild: false,\n hackCss: hackCss,\n afterAppend: afterAppend,\n cache: cache\n });\n visit(idNodeMap, function (visitedNode) {\n if (onVisit) {\n onVisit(visitedNode);\n }\n handleScroll(visitedNode);\n });\n return [node, idNodeMap];\n}\n\nexport { IGNORED_NODE, NodeType, addHoverClass, buildNodeWithSN, cleanupSnapshot, createCache, is2DCanvasBlank, isElement, isShadowRoot, maskInputValue, needMaskingText, rebuild, serializeNodeWithId, snapshot, transformAttribute, visitSnapshot };\n","import {\n Mirror,\n throttleOptions,\n listenerHandler,\n hookResetter,\n blockClass,\n IncrementalSource,\n addedNodeMutation,\n removedNodeMutation,\n textMutation,\n attributeMutation,\n mutationData,\n scrollData,\n inputData,\n DocumentDimension,\n IWindow,\n} from './types';\nimport {\n INode,\n IGNORED_NODE,\n serializedNodeWithId,\n NodeType,\n isShadowRoot,\n} from 'rrweb-snapshot';\n\nexport function on(\n type: string,\n fn: EventListenerOrEventListenerObject,\n target: Document | IWindow = document,\n): listenerHandler {\n const options = { capture: true, passive: true };\n target.addEventListener(type, fn, options);\n return () => target.removeEventListener(type, fn, options);\n}\n\nexport function createMirror(): Mirror {\n return {\n map: {},\n getId(n) {\n // if n is not a serialized INode, use -1 as its id.\n if (!n || !n.__sn) {\n return -1;\n }\n return n.__sn.id;\n },\n getNode(id) {\n return this.map[id] || null;\n },\n // TODO: use a weakmap to get rid of manually memory management\n removeNodeFromMap(n) {\n const id = n.__sn && n.__sn.id;\n delete this.map[id];\n if (n.childNodes) {\n n.childNodes.forEach((child) =>\n this.removeNodeFromMap((child as Node) as INode),\n );\n }\n },\n has(id) {\n return this.map.hasOwnProperty(id);\n },\n reset() {\n this.map = {};\n },\n };\n}\n\n// https://github.com/rrweb-io/rrweb/pull/407\nconst DEPARTED_MIRROR_ACCESS_WARNING =\n 'Please stop import mirror directly. Instead of that,' +\n '\\r\\n' +\n 'now you can use replayer.getMirror() to access the mirror instance of a replayer,' +\n '\\r\\n' +\n 'or you can use record.mirror to access the mirror instance during recording.';\nexport let _mirror: Mirror = {\n map: {},\n getId() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n return -1;\n },\n getNode() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n return null;\n },\n removeNodeFromMap() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n },\n has() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n return false;\n },\n reset() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n },\n};\nif (typeof window !== 'undefined' && window.Proxy && window.Reflect) {\n _mirror = new Proxy(_mirror, {\n get(target, prop, receiver) {\n if (prop === 'map') {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n }\n return Reflect.get(target, prop, receiver);\n },\n });\n}\n\n// copy from underscore and modified\nexport function throttle(\n func: (arg: T) => void,\n wait: number,\n options: throttleOptions = {},\n) {\n let timeout: ReturnType | null = null;\n let previous = 0;\n // tslint:disable-next-line: only-arrow-functions\n return function (arg: T) {\n let now = Date.now();\n if (!previous && options.leading === false) {\n previous = now;\n }\n let remaining = wait - (now - previous);\n let context = this;\n let args = arguments;\n if (remaining <= 0 || remaining > wait) {\n if (timeout) {\n clearTimeout(timeout);\n timeout = null;\n }\n previous = now;\n func.apply(context, args);\n } else if (!timeout && options.trailing !== false) {\n timeout = setTimeout(() => {\n previous = options.leading === false ? 0 : Date.now();\n timeout = null;\n func.apply(context, args);\n }, remaining);\n }\n };\n}\n\nexport function hookSetter(\n target: T,\n key: string | number | symbol,\n d: PropertyDescriptor,\n isRevoked?: boolean,\n win = window,\n): hookResetter {\n const original = win.Object.getOwnPropertyDescriptor(target, key);\n win.Object.defineProperty(\n target,\n key,\n isRevoked\n ? d\n : {\n set(value) {\n // put hooked setter into event loop to avoid of set latency\n setTimeout(() => {\n d.set!.call(this, value);\n }, 0);\n if (original && original.set) {\n original.set.call(this, value);\n }\n },\n },\n );\n return () => hookSetter(target, key, original || {}, true);\n}\n\n// copy from https://github.com/getsentry/sentry-javascript/blob/b2109071975af8bf0316d3b5b38f519bdaf5dc15/packages/utils/src/object.ts\nexport function patch(\n // tslint:disable-next-line:no-any\n source: { [key: string]: any },\n name: string,\n // tslint:disable-next-line:no-any\n replacement: (...args: any[]) => any,\n): () => void {\n try {\n if (!(name in source)) {\n return () => {};\n }\n\n const original = source[name] as () => unknown;\n const wrapped = replacement(original);\n\n // Make sure it's a function first, as we need to attach an empty prototype for `defineProperties` to work\n // otherwise it'll throw \"TypeError: Object.defineProperties called on non-object\"\n // tslint:disable-next-line:strict-type-predicates\n if (typeof wrapped === 'function') {\n wrapped.prototype = wrapped.prototype || {};\n Object.defineProperties(wrapped, {\n __rrweb_original__: {\n enumerable: false,\n value: original,\n },\n });\n }\n\n source[name] = wrapped;\n\n return () => {\n source[name] = original;\n };\n } catch {\n return () => {};\n // This can throw if multiple fill happens on a global object like XMLHttpRequest\n // Fixes https://github.com/getsentry/sentry-javascript/issues/2043\n }\n}\n\nexport function getWindowHeight(): number {\n return (\n window.innerHeight ||\n (document.documentElement && document.documentElement.clientHeight) ||\n (document.body && document.body.clientHeight)\n );\n}\n\nexport function getWindowWidth(): number {\n return (\n window.innerWidth ||\n (document.documentElement && document.documentElement.clientWidth) ||\n (document.body && document.body.clientWidth)\n );\n}\n\nexport function isBlocked(node: Node | null, blockClass: blockClass): boolean {\n if (!node) {\n return false;\n }\n if (node.nodeType === node.ELEMENT_NODE) {\n let needBlock = false;\n if (typeof blockClass === 'string') {\n if ((node as HTMLElement).closest !== undefined) {\n return (node as HTMLElement).closest('.' + blockClass) !== null;\n } else {\n needBlock = (node as HTMLElement).classList.contains(blockClass);\n }\n } else {\n (node as HTMLElement).classList.forEach((className) => {\n if (blockClass.test(className)) {\n needBlock = true;\n }\n });\n }\n return needBlock || isBlocked(node.parentNode, blockClass);\n }\n if (node.nodeType === node.TEXT_NODE) {\n // check parent node since text node do not have class name\n return isBlocked(node.parentNode, blockClass);\n }\n return isBlocked(node.parentNode, blockClass);\n}\n\nexport function isIgnored(n: Node | INode): boolean {\n if ('__sn' in n) {\n return (n as INode).__sn.id === IGNORED_NODE;\n }\n // The main part of the slimDOM check happens in\n // rrweb-snapshot::serializeNodeWithId\n return false;\n}\n\nexport function isAncestorRemoved(target: INode, mirror: Mirror): boolean {\n if (isShadowRoot(target)) {\n return false;\n }\n const id = mirror.getId(target);\n if (!mirror.has(id)) {\n return true;\n }\n if (\n target.parentNode &&\n target.parentNode.nodeType === target.DOCUMENT_NODE\n ) {\n return false;\n }\n // if the root is not document, it means the node is not in the DOM tree anymore\n if (!target.parentNode) {\n return true;\n }\n return isAncestorRemoved((target.parentNode as unknown) as INode, mirror);\n}\n\nexport function isTouchEvent(\n event: MouseEvent | TouchEvent,\n): event is TouchEvent {\n return Boolean((event as TouchEvent).changedTouches);\n}\n\nexport function polyfill(win = window) {\n if ('NodeList' in win && !win.NodeList.prototype.forEach) {\n win.NodeList.prototype.forEach = (Array.prototype\n .forEach as unknown) as NodeList['forEach'];\n }\n\n if ('DOMTokenList' in win && !win.DOMTokenList.prototype.forEach) {\n win.DOMTokenList.prototype.forEach = (Array.prototype\n .forEach as unknown) as DOMTokenList['forEach'];\n }\n\n // https://github.com/Financial-Times/polyfill-service/pull/183\n if (!Node.prototype.contains) {\n Node.prototype.contains = function contains(node) {\n if (!(0 in arguments)) {\n throw new TypeError('1 argument is required');\n }\n\n do {\n if (this === node) {\n return true;\n }\n // tslint:disable-next-line: no-conditional-assignment\n } while ((node = node && node.parentNode));\n\n return false;\n };\n }\n}\n\nexport type TreeNode = {\n id: number;\n mutation: addedNodeMutation;\n parent?: TreeNode;\n children: Record;\n texts: textMutation[];\n attributes: attributeMutation[];\n};\nexport class TreeIndex {\n public tree!: Record;\n\n private removeNodeMutations!: removedNodeMutation[];\n private textMutations!: textMutation[];\n private attributeMutations!: attributeMutation[];\n private indexes!: Map;\n private removeIdSet!: Set;\n private scrollMap!: Map;\n private inputMap!: Map;\n\n constructor() {\n this.reset();\n }\n\n public add(mutation: addedNodeMutation) {\n const parentTreeNode = this.indexes.get(mutation.parentId);\n const treeNode: TreeNode = {\n id: mutation.node.id,\n mutation,\n children: [],\n texts: [],\n attributes: [],\n };\n if (!parentTreeNode) {\n this.tree[treeNode.id] = treeNode;\n } else {\n treeNode.parent = parentTreeNode;\n parentTreeNode.children[treeNode.id] = treeNode;\n }\n this.indexes.set(treeNode.id, treeNode);\n }\n\n public remove(mutation: removedNodeMutation, mirror: Mirror) {\n const parentTreeNode = this.indexes.get(mutation.parentId);\n const treeNode = this.indexes.get(mutation.id);\n\n const deepRemoveFromMirror = (id: number) => {\n this.removeIdSet.add(id);\n const node = mirror.getNode(id);\n node?.childNodes.forEach((childNode) => {\n if ('__sn' in childNode) {\n deepRemoveFromMirror(((childNode as unknown) as INode).__sn.id);\n }\n });\n };\n const deepRemoveFromTreeIndex = (node: TreeNode) => {\n this.removeIdSet.add(node.id);\n Object.values(node.children).forEach((n) => deepRemoveFromTreeIndex(n));\n const _treeNode = this.indexes.get(node.id);\n if (_treeNode) {\n const _parentTreeNode = _treeNode.parent;\n if (_parentTreeNode) {\n delete _treeNode.parent;\n delete _parentTreeNode.children[_treeNode.id];\n this.indexes.delete(mutation.id);\n }\n }\n };\n\n if (!treeNode) {\n this.removeNodeMutations.push(mutation);\n deepRemoveFromMirror(mutation.id);\n } else if (!parentTreeNode) {\n delete this.tree[treeNode.id];\n this.indexes.delete(treeNode.id);\n deepRemoveFromTreeIndex(treeNode);\n } else {\n delete treeNode.parent;\n delete parentTreeNode.children[treeNode.id];\n this.indexes.delete(mutation.id);\n deepRemoveFromTreeIndex(treeNode);\n }\n }\n\n public text(mutation: textMutation) {\n const treeNode = this.indexes.get(mutation.id);\n if (treeNode) {\n treeNode.texts.push(mutation);\n } else {\n this.textMutations.push(mutation);\n }\n }\n\n public attribute(mutation: attributeMutation) {\n const treeNode = this.indexes.get(mutation.id);\n if (treeNode) {\n treeNode.attributes.push(mutation);\n } else {\n this.attributeMutations.push(mutation);\n }\n }\n\n public scroll(d: scrollData) {\n this.scrollMap.set(d.id, d);\n }\n\n public input(d: inputData) {\n this.inputMap.set(d.id, d);\n }\n\n public flush(): {\n mutationData: mutationData;\n scrollMap: TreeIndex['scrollMap'];\n inputMap: TreeIndex['inputMap'];\n } {\n const {\n tree,\n removeNodeMutations,\n textMutations,\n attributeMutations,\n } = this;\n\n const batchMutationData: mutationData = {\n source: IncrementalSource.Mutation,\n removes: removeNodeMutations,\n texts: textMutations,\n attributes: attributeMutations,\n adds: [],\n };\n\n const walk = (treeNode: TreeNode, removed: boolean) => {\n if (removed) {\n this.removeIdSet.add(treeNode.id);\n }\n batchMutationData.texts = batchMutationData.texts\n .concat(removed ? [] : treeNode.texts)\n .filter((m) => !this.removeIdSet.has(m.id));\n batchMutationData.attributes = batchMutationData.attributes\n .concat(removed ? [] : treeNode.attributes)\n .filter((m) => !this.removeIdSet.has(m.id));\n if (\n !this.removeIdSet.has(treeNode.id) &&\n !this.removeIdSet.has(treeNode.mutation.parentId) &&\n !removed\n ) {\n batchMutationData.adds.push(treeNode.mutation);\n if (treeNode.children) {\n Object.values(treeNode.children).forEach((n) => walk(n, false));\n }\n } else {\n Object.values(treeNode.children).forEach((n) => walk(n, true));\n }\n };\n\n Object.values(tree).forEach((n) => walk(n, false));\n\n for (const id of this.scrollMap.keys()) {\n if (this.removeIdSet.has(id)) {\n this.scrollMap.delete(id);\n }\n }\n for (const id of this.inputMap.keys()) {\n if (this.removeIdSet.has(id)) {\n this.inputMap.delete(id);\n }\n }\n\n const scrollMap = new Map(this.scrollMap);\n const inputMap = new Map(this.inputMap);\n\n this.reset();\n\n return {\n mutationData: batchMutationData,\n scrollMap,\n inputMap,\n };\n }\n\n private reset() {\n this.tree = [];\n this.indexes = new Map();\n this.removeNodeMutations = [];\n this.textMutations = [];\n this.attributeMutations = [];\n this.removeIdSet = new Set();\n this.scrollMap = new Map();\n this.inputMap = new Map();\n }\n\n public idRemoved(id: number): boolean {\n return this.removeIdSet.has(id);\n }\n}\n\ntype ResolveTree = {\n value: addedNodeMutation;\n children: ResolveTree[];\n parent: ResolveTree | null;\n};\n\nexport function queueToResolveTrees(queue: addedNodeMutation[]): ResolveTree[] {\n const queueNodeMap: Record = {};\n const putIntoMap = (\n m: addedNodeMutation,\n parent: ResolveTree | null,\n ): ResolveTree => {\n const nodeInTree: ResolveTree = {\n value: m,\n parent,\n children: [],\n };\n queueNodeMap[m.node.id] = nodeInTree;\n return nodeInTree;\n };\n\n const queueNodeTrees: ResolveTree[] = [];\n for (const mutation of queue) {\n const { nextId, parentId } = mutation;\n if (nextId && nextId in queueNodeMap) {\n const nextInTree = queueNodeMap[nextId];\n if (nextInTree.parent) {\n const idx = nextInTree.parent.children.indexOf(nextInTree);\n nextInTree.parent.children.splice(\n idx,\n 0,\n putIntoMap(mutation, nextInTree.parent),\n );\n } else {\n const idx = queueNodeTrees.indexOf(nextInTree);\n queueNodeTrees.splice(idx, 0, putIntoMap(mutation, null));\n }\n continue;\n }\n if (parentId in queueNodeMap) {\n const parentInTree = queueNodeMap[parentId];\n parentInTree.children.push(putIntoMap(mutation, parentInTree));\n continue;\n }\n queueNodeTrees.push(putIntoMap(mutation, null));\n }\n\n return queueNodeTrees;\n}\n\nexport function iterateResolveTree(\n tree: ResolveTree,\n cb: (mutation: addedNodeMutation) => unknown,\n) {\n cb(tree.value);\n /**\n * The resolve tree was designed to reflect the DOM layout,\n * but we need append next sibling first, so we do a reverse\n * loop here.\n */\n for (let i = tree.children.length - 1; i >= 0; i--) {\n iterateResolveTree(tree.children[i], cb);\n }\n}\n\ntype HTMLIFrameINode = HTMLIFrameElement & {\n __sn: serializedNodeWithId;\n};\nexport type AppendedIframe = {\n mutationInQueue: addedNodeMutation;\n builtNode: HTMLIFrameINode;\n};\n\nexport function isIframeINode(\n node: INode | ShadowRoot,\n): node is HTMLIFrameINode {\n if ('__sn' in node) {\n return (\n node.__sn.type === NodeType.Element && node.__sn.tagName === 'iframe'\n );\n }\n // node can be document fragment when using the virtual parent feature\n return false;\n}\n\nexport function getBaseDimension(\n node: Node,\n rootIframe: Node,\n): DocumentDimension {\n const frameElement = node.ownerDocument?.defaultView?.frameElement;\n if (!frameElement || frameElement === rootIframe) {\n return {\n x: 0,\n y: 0,\n relativeScale: 1,\n absoluteScale: 1,\n };\n }\n\n const frameDimension = frameElement.getBoundingClientRect();\n const frameBaseDimension = getBaseDimension(frameElement, rootIframe);\n // the iframe element may have a scale transform\n const relativeScale = frameDimension.height / frameElement.clientHeight;\n return {\n x:\n frameDimension.x * frameBaseDimension.relativeScale +\n frameBaseDimension.x,\n y:\n frameDimension.y * frameBaseDimension.relativeScale +\n frameBaseDimension.y,\n relativeScale,\n absoluteScale: frameBaseDimension.absoluteScale * relativeScale,\n };\n}\n\nexport function hasShadowRoot(\n n: T,\n): n is T & { shadowRoot: ShadowRoot } {\n return Boolean(((n as unknown) as Element)?.shadowRoot);\n}\n","import { listenerHandler, RecordPlugin, IWindow } from '../../../types';\nimport { patch } from '../../../utils';\nimport { ErrorStackParser, StackFrame } from './error-stack-parser';\nimport { stringify } from './stringify';\n\nexport type StringifyOptions = {\n // limit of string length\n stringLengthLimit?: number;\n /**\n * limit of number of keys in an object\n * if an object contains more keys than this limit, we would call its toString function directly\n */\n numOfKeysLimit: number;\n /**\n * limit number of depth in an object\n * if an object is too deep, toString process may cause browser OOM\n */\n depthOfLimit: number;\n};\n\ntype LogRecordOptions = {\n level?: LogLevel[];\n lengthThreshold?: number;\n stringifyOptions?: StringifyOptions;\n logger?: Logger | 'console';\n};\n\nconst defaultLogOptions: LogRecordOptions = {\n level: [\n 'assert',\n 'clear',\n 'count',\n 'countReset',\n 'debug',\n 'dir',\n 'dirxml',\n 'error',\n 'group',\n 'groupCollapsed',\n 'groupEnd',\n 'info',\n 'log',\n 'table',\n 'time',\n 'timeEnd',\n 'timeLog',\n 'trace',\n 'warn',\n ],\n lengthThreshold: 1000,\n logger: 'console',\n};\n\nexport type LogData = {\n level: LogLevel;\n trace: string[];\n payload: string[];\n};\n\ntype logCallback = (p: LogData) => void;\n\nexport type LogLevel =\n | 'assert'\n | 'clear'\n | 'count'\n | 'countReset'\n | 'debug'\n | 'dir'\n | 'dirxml'\n | 'error'\n | 'group'\n | 'groupCollapsed'\n | 'groupEnd'\n | 'info'\n | 'log'\n | 'table'\n | 'time'\n | 'timeEnd'\n | 'timeLog'\n | 'trace'\n | 'warn';\n\n/* fork from interface Console */\n// all kinds of console functions\nexport type Logger = {\n assert?: typeof console.assert;\n clear?: typeof console.clear;\n count?: typeof console.count;\n countReset?: typeof console.countReset;\n debug?: typeof console.debug;\n dir?: typeof console.dir;\n dirxml?: typeof console.dirxml;\n error?: typeof console.error;\n group?: typeof console.group;\n groupCollapsed?: typeof console.groupCollapsed;\n groupEnd?: () => void;\n info?: typeof console.info;\n log?: typeof console.log;\n table?: typeof console.table;\n time?: typeof console.time;\n timeEnd?: typeof console.timeEnd;\n timeLog?: typeof console.timeLog;\n trace?: typeof console.trace;\n warn?: typeof console.warn;\n};\n\nfunction initLogObserver(\n cb: logCallback,\n win: IWindow, // top window or in an iframe\n logOptions: LogRecordOptions,\n): listenerHandler {\n const loggerType = logOptions.logger;\n if (!loggerType) {\n return () => {};\n }\n let logger: Logger;\n if (typeof loggerType === 'string') {\n logger = win[loggerType];\n } else {\n logger = loggerType;\n }\n let logCount = 0;\n const cancelHandlers: listenerHandler[] = [];\n // add listener to thrown errors\n if (logOptions.level!.includes('error')) {\n if (window) {\n const errorHandler = (event: ErrorEvent) => {\n const { message, error } = event;\n const trace: string[] = ErrorStackParser.parse(\n error,\n ).map((stackFrame: StackFrame) => stackFrame.toString());\n const payload = [stringify(message, logOptions.stringifyOptions)];\n cb({\n level: 'error',\n trace,\n payload,\n });\n };\n window.addEventListener('error', errorHandler);\n cancelHandlers.push(() => {\n if (window) window.removeEventListener('error', errorHandler);\n });\n }\n }\n for (const levelType of logOptions.level!) {\n cancelHandlers.push(replace(logger, levelType));\n }\n return () => {\n cancelHandlers.forEach((h) => h());\n };\n\n /**\n * replace the original console function and record logs\n * @param logger the logger object such as Console\n * @param level the name of log function to be replaced\n */\n function replace(_logger: Logger, level: LogLevel) {\n if (!_logger[level]) {\n return () => {};\n }\n // replace the logger.{level}. return a restore function\n return patch(_logger, level, (original) => {\n return (...args: Array) => {\n original.apply(this, args);\n try {\n const trace = ErrorStackParser.parse(new Error())\n .map((stackFrame: StackFrame) => stackFrame.toString())\n .splice(1); // splice(1) to omit the hijacked log function\n const payload = args.map((s) =>\n stringify(s, logOptions.stringifyOptions),\n );\n logCount++;\n if (logCount < logOptions.lengthThreshold!) {\n cb({\n level,\n trace,\n payload,\n });\n } else if (logCount === logOptions.lengthThreshold) {\n // notify the user\n cb({\n level: 'warn',\n trace: [],\n payload: [\n stringify('The number of log records reached the threshold.'),\n ],\n });\n }\n } catch (error) {\n original('rrweb logger error:', error, ...args);\n }\n };\n });\n }\n}\n\nexport const PLUGIN_NAME = 'rrweb/console@1';\n\nexport const getRecordConsolePlugin: (\n options?: LogRecordOptions,\n) => RecordPlugin = (options) => ({\n name: PLUGIN_NAME,\n observer: initLogObserver,\n options: options\n ? Object.assign({}, defaultLogOptions, options)\n : defaultLogOptions,\n});\n","import { LogLevel, LogData, PLUGIN_NAME } from '../record';\nimport {\n eventWithTime,\n EventType,\n IncrementalSource,\n ReplayPlugin,\n} from '../../../types';\n\n/**\n * define an interface to replay log records\n * (data: logData) => void> function to display the log data\n */\ntype ReplayLogger = Partial void>>;\n\ntype LogReplayConfig = {\n level?: LogLevel[];\n replayLogger?: ReplayLogger;\n};\n\nconst ORIGINAL_ATTRIBUTE_NAME = '__rrweb_original__';\ntype PatchedConsoleLog = {\n [ORIGINAL_ATTRIBUTE_NAME]: typeof console.log;\n};\n\nconst defaultLogConfig: LogReplayConfig = {\n level: [\n 'assert',\n 'clear',\n 'count',\n 'countReset',\n 'debug',\n 'dir',\n 'dirxml',\n 'error',\n 'group',\n 'groupCollapsed',\n 'groupEnd',\n 'info',\n 'log',\n 'table',\n 'time',\n 'timeEnd',\n 'timeLog',\n 'trace',\n 'warn',\n ],\n replayLogger: undefined,\n};\n\nclass LogReplayPlugin {\n private config: LogReplayConfig;\n\n constructor(config?: LogReplayConfig) {\n this.config = Object.assign(defaultLogConfig, config);\n }\n\n /**\n * generate a console log replayer which implement the interface ReplayLogger\n */\n public getConsoleLogger(): ReplayLogger {\n const replayLogger: ReplayLogger = {};\n for (const level of this.config.level!) {\n if (level === 'trace') {\n replayLogger[level] = (data: LogData) => {\n const logger = ((console.log as unknown) as PatchedConsoleLog)[\n ORIGINAL_ATTRIBUTE_NAME\n ]\n ? ((console.log as unknown) as PatchedConsoleLog)[\n ORIGINAL_ATTRIBUTE_NAME\n ]\n : console.log;\n logger(\n ...data.payload.map((s) => JSON.parse(s)),\n this.formatMessage(data),\n );\n };\n } else {\n replayLogger[level] = (data: LogData) => {\n const logger = ((console[level] as unknown) as PatchedConsoleLog)[\n ORIGINAL_ATTRIBUTE_NAME\n ]\n ? ((console[level] as unknown) as PatchedConsoleLog)[\n ORIGINAL_ATTRIBUTE_NAME\n ]\n : console[level];\n logger(\n ...data.payload.map((s) => JSON.parse(s)),\n this.formatMessage(data),\n );\n };\n }\n }\n return replayLogger;\n }\n\n /**\n * format the trace data to a string\n * @param data the log data\n */\n private formatMessage(data: LogData): string {\n if (data.trace.length === 0) {\n return '';\n }\n const stackPrefix = '\\n\\tat ';\n let result = stackPrefix;\n result += data.trace.join(stackPrefix);\n return result;\n }\n}\n\nexport const getReplayConsolePlugin: (\n options?: LogReplayConfig,\n) => ReplayPlugin = (options) => {\n const replayLogger =\n options?.replayLogger || new LogReplayPlugin(options).getConsoleLogger();\n\n return {\n handler(event: eventWithTime, _isSync, context) {\n let logData: LogData | null = null;\n if (\n event.type === EventType.IncrementalSnapshot &&\n event.data.source === (IncrementalSource.Log as IncrementalSource)\n ) {\n logData = (event.data as unknown) as LogData;\n } else if (\n event.type === EventType.Plugin &&\n event.data.plugin === PLUGIN_NAME\n ) {\n logData = event.data.payload as LogData;\n }\n if (logData) {\n try {\n if (typeof replayLogger[logData.level] === 'function') {\n replayLogger[logData.level]!(logData);\n }\n } catch (error) {\n if (context.replayer.config.showWarning) {\n console.warn(error);\n }\n }\n }\n },\n };\n};\n"],"names":["__read","o","n","m","Symbol","iterator","r","e","i","call","ar","next","done","push","value","error","__spreadArray","to","from","pack","arguments","length","l","Array","prototype","slice","concat","EventType","IncrementalSource","MouseInteractions","CanvasContext","MediaInteractions","ReplayerEvents","NodeType","DEPARTED_MIRROR_ACCESS_WARNING","_mirror","map","getId","console","getNode","removeNodeFromMap","has","reset","window","Proxy","Reflect","get","target","prop","receiver","defaultLogConfig","level","replayLogger","undefined","config","this","Object","assign","LogReplayPlugin","data","log","payload","s","JSON","parse","_this","formatMessage","_b","TypeError","__values","trace","stackPrefix","result","join","options","getConsoleLogger","handler","event","_isSync","context","logData","type","IncrementalSnapshot","source","Log","Plugin","plugin","replayer","showWarning","warn"],"mappings":";;;;;;;;;;;;;;oFAmIO,SAASA,EAAOC,EAAGC,GACtB,IAAIC,EAAsB,mBAAXC,QAAyBH,EAAEG,OAAOC,UACjD,IAAKF,EAAG,OAAOF,EACf,IAAmBK,EAAYC,EAA3BC,EAAIL,EAAEM,KAAKR,GAAOS,EAAK,GAC3B,IACI,WAAc,IAANR,GAAgBA,KAAM,MAAQI,EAAIE,EAAEG,QAAQC,MAAMF,EAAGG,KAAKP,EAAEQ,OAExE,MAAOC,GAASR,EAAI,CAAEQ,MAAOA,WAEzB,IACQT,IAAMA,EAAEM,OAAST,EAAIK,EAAU,SAAIL,EAAEM,KAAKD,WAExC,GAAID,EAAG,MAAMA,EAAEQ,OAE7B,OAAOL,EAmBJ,SAASM,EAAcC,EAAIC,EAAMC,GACpC,GAAIA,GAA6B,IAArBC,UAAUC,OAAc,IAAK,IAA4BX,EAAxBF,EAAI,EAAGc,EAAIJ,EAAKG,OAAYb,EAAIc,EAAGd,KACxEE,GAAQF,KAAKU,IACRR,IAAIA,EAAKa,MAAMC,UAAUC,MAAMhB,KAAKS,EAAM,EAAGV,IAClDE,EAAGF,GAAKU,EAAKV,IAGrB,OAAOS,EAAGS,OAAOhB,GAAMa,MAAMC,UAAUC,MAAMhB,KAAKS,IC5JtD,IAAYS,EA+DAC,EAgUAC,EAcAC,EAuIMC,EA2GNC,EC9oBRC,GDeJ,SAAYN,GACVA,2CACAA,mBACAA,mCACAA,iDACAA,mBACAA,uBACAA,uBAPF,CAAYA,IAAAA,OA+DZ,SAAYC,GACVA,2BACAA,6BACAA,2CACAA,uBACAA,uCACAA,qBACAA,6BACAA,2CACAA,uCACAA,uCACAA,oBACAA,kBACAA,oBACAA,4CAdF,CAAYA,IAAAA,OAgUZ,SAAYC,GACVA,yBACAA,6BACAA,qBACAA,iCACAA,2BACAA,qBACAA,mBACAA,+BACAA,+CACAA,2BACAA,kCAXF,CAAYA,IAAAA,OAcZ,SAAYC,GACVA,kBACAA,qBACAA,uBAHF,CAAYA,IAAAA,OAuIZ,SAAkBC,GAChBA,mBACAA,qBACAA,uBACAA,mCAJF,CAAkBA,IAAAA,OA2GlB,SAAYC,GACVA,gBACAA,gBACAA,kBACAA,kBACAA,kBACAA,iDACAA,8CACAA,0CACAA,yBACAA,qBACAA,uCACAA,yBACAA,6BACAA,gBACAA,6BACAA,uBAhBF,CAAYA,IAAAA,OC7oBZ,SAAWC,GACPA,EAASA,EAAmB,SAAI,GAAK,WACrCA,EAASA,EAAuB,aAAI,GAAK,eACzCA,EAASA,EAAkB,QAAI,GAAK,UACpCA,EAASA,EAAe,KAAI,GAAK,OACjCA,EAASA,EAAgB,MAAI,GAAK,QAClCA,EAASA,EAAkB,QAAI,GAAK,UANxC,CAOGA,IAAaA,EAAW,KC4D3B,IAAMC,EACJ,4NAKSC,EAAkB,CAC3BC,IAAK,GACLC,iBAEE,OADAC,QAAQvB,MAAMmB,IACN,GAEVK,mBAEE,OADAD,QAAQvB,MAAMmB,GACP,MAETM,6BACEF,QAAQvB,MAAMmB,IAEhBO,eAEE,OADAH,QAAQvB,MAAMmB,IACP,GAETQ,iBACEJ,QAAQvB,MAAMmB,KAGI,oBAAXS,QAA0BA,OAAOC,OAASD,OAAOE,UAC1DV,EAAU,IAAIS,MAAMT,EAAS,CAC3BW,aAAIC,EAAQC,EAAMC,GAIhB,MAHa,QAATD,GACFV,QAAQvB,MAAMmB,GAETW,QAAQC,IAAIC,EAAQC,EAAMC,OC+FhC,IC5KDC,EAAoC,CACxCC,MAAO,CACL,SACA,QACA,QACA,aACA,QACA,MACA,SACA,QACA,QACA,iBACA,WACA,OACA,MACA,QACA,OACA,UACA,UACA,QACA,QAEFC,kBAAcC,gBAMd,WAAYC,GACVC,KAAKD,OAASE,OAAOC,OAAOP,EAAkBI,GAuDlD,OAjDSI,6BAAP,0BACQN,EAA6B,cACxBD,GAEPC,EAAaD,GADD,UAAVA,EACoB,SAACQ,IACJrB,QAAQsB,IACA,mBAEnBtB,QAAQsB,IACe,mBAEzBtB,QAAQsB,2BAEPD,EAAKE,QAAQzB,KAAI,SAAC0B,GAAM,OAAAC,KAAKC,MAAMF,YACtCG,EAAKC,cAAcP,UAID,SAACA,IACJrB,QAAQa,GACA,mBAEnBb,QAAQa,GACe,mBAEzBb,QAAQa,0BAEPQ,EAAKE,QAAQzB,KAAI,SAAC0B,GAAM,OAAAC,KAAKC,MAAMF,YACtCG,EAAKC,cAAcP,eA1B3B,IAAoB,IAAAQ,EL0DjB,SAAkBlE,GACrB,IAAI6D,EAAsB,mBAAX1D,QAAyBA,OAAOC,SAAUF,EAAI2D,GAAK7D,EAAE6D,GAAItD,EAAI,EAC5E,GAAIL,EAAG,OAAOA,EAAEM,KAAKR,GACrB,GAAIA,GAAyB,iBAAbA,EAAEoB,OAAqB,MAAO,CAC1CV,KAAM,WAEF,OADIV,GAAKO,GAAKP,EAAEoB,SAAQpB,OAAI,GACrB,CAAEa,MAAOb,GAAKA,EAAEO,KAAMI,MAAOX,KAG5C,MAAM,IAAImE,UAAUN,EAAI,0BAA4B,mCKnEhCO,CAAAd,KAAKD,OAAOH,mJA+BhC,OAAOC,GAODM,0BAAR,SAAsBC,GACpB,GAA0B,IAAtBA,EAAKW,MAAMjD,OACb,MAAO,GAET,IAAMkD,EAAc,UAChBC,EAASD,EAEb,OADAC,GAAUb,EAAKW,MAAMG,KAAKF,yCAOV,SAACG,GACnB,IAAMtB,GACJsB,MAAAA,SAAAA,EAAStB,eAAgB,IAAIM,EAAgBgB,GAASC,mBAExD,MAAO,CACLC,QAAA,SAAQC,EAAsBC,EAASC,GACrC,IAAIC,EAA0B,KAY9B,GAVEH,EAAMI,OAAStD,EAAUuD,qBACzBL,EAAMlB,KAAKwB,SAAYvD,EAAkBwD,IAEzCJ,EAAWH,EAAMlB,KAEjBkB,EAAMI,OAAStD,EAAU0D,QDuEN,oBCtEnBR,EAAMlB,KAAK2B,SAEXN,EAAUH,EAAMlB,KAAKE,SAEnBmB,EACF,IAC6C,mBAAhC5B,EAAa4B,EAAQ7B,QAC9BC,EAAa4B,EAAQ7B,OAAQ6B,GAE/B,MAAOjE,GACHgE,EAAQQ,SAASjC,OAAOkC,aAC1BlD,QAAQmD,KAAK1E"} +\ No newline at end of file ++{"version":3,"file":"console-replay.min.js","sources":["../../node_modules/tslib/tslib.es6.js","../../../src/types.ts","../../../rrweb-snapshot/es/rrweb-snapshot.js","../../../src/utils.ts","../../../src/plugins/console/record/index.ts","../../../src/plugins/console/replay/index.ts"],"sourcesContent":["/*! *****************************************************************************\r\nCopyright (c) Microsoft Corporation.\r\n\r\nPermission to use, copy, modify, and/or distribute this software for any\r\npurpose with or without fee is hereby granted.\r\n\r\nTHE SOFTWARE IS PROVIDED \"AS IS\" AND THE AUTHOR DISCLAIMS ALL WARRANTIES WITH\r\nREGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF MERCHANTABILITY\r\nAND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR ANY SPECIAL, DIRECT,\r\nINDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES WHATSOEVER RESULTING FROM\r\nLOSS OF USE, DATA OR PROFITS, WHETHER IN AN ACTION OF CONTRACT, NEGLIGENCE OR\r\nOTHER TORTIOUS ACTION, ARISING OUT OF OR IN CONNECTION WITH THE USE OR\r\nPERFORMANCE OF THIS SOFTWARE.\r\n***************************************************************************** */\r\n/* global Reflect, Promise */\r\n\r\nvar extendStatics = function(d, b) {\r\n extendStatics = Object.setPrototypeOf ||\r\n ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) ||\r\n function (d, b) { for (var p in b) if (Object.prototype.hasOwnProperty.call(b, p)) d[p] = b[p]; };\r\n return extendStatics(d, b);\r\n};\r\n\r\nexport function __extends(d, b) {\r\n if (typeof b !== \"function\" && b !== null)\r\n throw new TypeError(\"Class extends value \" + String(b) + \" is not a constructor or null\");\r\n extendStatics(d, b);\r\n function __() { this.constructor = d; }\r\n d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __());\r\n}\r\n\r\nexport var __assign = function() {\r\n __assign = Object.assign || function __assign(t) {\r\n for (var s, i = 1, n = arguments.length; i < n; i++) {\r\n s = arguments[i];\r\n for (var p in s) if (Object.prototype.hasOwnProperty.call(s, p)) t[p] = s[p];\r\n }\r\n return t;\r\n }\r\n return __assign.apply(this, arguments);\r\n}\r\n\r\nexport function __rest(s, e) {\r\n var t = {};\r\n for (var p in s) if (Object.prototype.hasOwnProperty.call(s, p) && e.indexOf(p) < 0)\r\n t[p] = s[p];\r\n if (s != null && typeof Object.getOwnPropertySymbols === \"function\")\r\n for (var i = 0, p = Object.getOwnPropertySymbols(s); i < p.length; i++) {\r\n if (e.indexOf(p[i]) < 0 && Object.prototype.propertyIsEnumerable.call(s, p[i]))\r\n t[p[i]] = s[p[i]];\r\n }\r\n return t;\r\n}\r\n\r\nexport function __decorate(decorators, target, key, desc) {\r\n var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d;\r\n if (typeof Reflect === \"object\" && typeof Reflect.decorate === \"function\") r = Reflect.decorate(decorators, target, key, desc);\r\n else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r;\r\n return c > 3 && r && Object.defineProperty(target, key, r), r;\r\n}\r\n\r\nexport function __param(paramIndex, decorator) {\r\n return function (target, key) { decorator(target, key, paramIndex); }\r\n}\r\n\r\nexport function __metadata(metadataKey, metadataValue) {\r\n if (typeof Reflect === \"object\" && typeof Reflect.metadata === \"function\") return Reflect.metadata(metadataKey, metadataValue);\r\n}\r\n\r\nexport function __awaiter(thisArg, _arguments, P, generator) {\r\n function adopt(value) { return value instanceof P ? value : new P(function (resolve) { resolve(value); }); }\r\n return new (P || (P = Promise))(function (resolve, reject) {\r\n function fulfilled(value) { try { step(generator.next(value)); } catch (e) { reject(e); } }\r\n function rejected(value) { try { step(generator[\"throw\"](value)); } catch (e) { reject(e); } }\r\n function step(result) { result.done ? resolve(result.value) : adopt(result.value).then(fulfilled, rejected); }\r\n step((generator = generator.apply(thisArg, _arguments || [])).next());\r\n });\r\n}\r\n\r\nexport function __generator(thisArg, body) {\r\n var _ = { label: 0, sent: function() { if (t[0] & 1) throw t[1]; return t[1]; }, trys: [], ops: [] }, f, y, t, g;\r\n return g = { next: verb(0), \"throw\": verb(1), \"return\": verb(2) }, typeof Symbol === \"function\" && (g[Symbol.iterator] = function() { return this; }), g;\r\n function verb(n) { return function (v) { return step([n, v]); }; }\r\n function step(op) {\r\n if (f) throw new TypeError(\"Generator is already executing.\");\r\n while (_) try {\r\n if (f = 1, y && (t = op[0] & 2 ? y[\"return\"] : op[0] ? y[\"throw\"] || ((t = y[\"return\"]) && t.call(y), 0) : y.next) && !(t = t.call(y, op[1])).done) return t;\r\n if (y = 0, t) op = [op[0] & 2, t.value];\r\n switch (op[0]) {\r\n case 0: case 1: t = op; break;\r\n case 4: _.label++; return { value: op[1], done: false };\r\n case 5: _.label++; y = op[1]; op = [0]; continue;\r\n case 7: op = _.ops.pop(); _.trys.pop(); continue;\r\n default:\r\n if (!(t = _.trys, t = t.length > 0 && t[t.length - 1]) && (op[0] === 6 || op[0] === 2)) { _ = 0; continue; }\r\n if (op[0] === 3 && (!t || (op[1] > t[0] && op[1] < t[3]))) { _.label = op[1]; break; }\r\n if (op[0] === 6 && _.label < t[1]) { _.label = t[1]; t = op; break; }\r\n if (t && _.label < t[2]) { _.label = t[2]; _.ops.push(op); break; }\r\n if (t[2]) _.ops.pop();\r\n _.trys.pop(); continue;\r\n }\r\n op = body.call(thisArg, _);\r\n } catch (e) { op = [6, e]; y = 0; } finally { f = t = 0; }\r\n if (op[0] & 5) throw op[1]; return { value: op[0] ? op[1] : void 0, done: true };\r\n }\r\n}\r\n\r\nexport var __createBinding = Object.create ? (function(o, m, k, k2) {\r\n if (k2 === undefined) k2 = k;\r\n Object.defineProperty(o, k2, { enumerable: true, get: function() { return m[k]; } });\r\n}) : (function(o, m, k, k2) {\r\n if (k2 === undefined) k2 = k;\r\n o[k2] = m[k];\r\n});\r\n\r\nexport function __exportStar(m, o) {\r\n for (var p in m) if (p !== \"default\" && !Object.prototype.hasOwnProperty.call(o, p)) __createBinding(o, m, p);\r\n}\r\n\r\nexport function __values(o) {\r\n var s = typeof Symbol === \"function\" && Symbol.iterator, m = s && o[s], i = 0;\r\n if (m) return m.call(o);\r\n if (o && typeof o.length === \"number\") return {\r\n next: function () {\r\n if (o && i >= o.length) o = void 0;\r\n return { value: o && o[i++], done: !o };\r\n }\r\n };\r\n throw new TypeError(s ? \"Object is not iterable.\" : \"Symbol.iterator is not defined.\");\r\n}\r\n\r\nexport function __read(o, n) {\r\n var m = typeof Symbol === \"function\" && o[Symbol.iterator];\r\n if (!m) return o;\r\n var i = m.call(o), r, ar = [], e;\r\n try {\r\n while ((n === void 0 || n-- > 0) && !(r = i.next()).done) ar.push(r.value);\r\n }\r\n catch (error) { e = { error: error }; }\r\n finally {\r\n try {\r\n if (r && !r.done && (m = i[\"return\"])) m.call(i);\r\n }\r\n finally { if (e) throw e.error; }\r\n }\r\n return ar;\r\n}\r\n\r\n/** @deprecated */\r\nexport function __spread() {\r\n for (var ar = [], i = 0; i < arguments.length; i++)\r\n ar = ar.concat(__read(arguments[i]));\r\n return ar;\r\n}\r\n\r\n/** @deprecated */\r\nexport function __spreadArrays() {\r\n for (var s = 0, i = 0, il = arguments.length; i < il; i++) s += arguments[i].length;\r\n for (var r = Array(s), k = 0, i = 0; i < il; i++)\r\n for (var a = arguments[i], j = 0, jl = a.length; j < jl; j++, k++)\r\n r[k] = a[j];\r\n return r;\r\n}\r\n\r\nexport function __spreadArray(to, from, pack) {\r\n if (pack || arguments.length === 2) for (var i = 0, l = from.length, ar; i < l; i++) {\r\n if (ar || !(i in from)) {\r\n if (!ar) ar = Array.prototype.slice.call(from, 0, i);\r\n ar[i] = from[i];\r\n }\r\n }\r\n return to.concat(ar || Array.prototype.slice.call(from));\r\n}\r\n\r\nexport function __await(v) {\r\n return this instanceof __await ? (this.v = v, this) : new __await(v);\r\n}\r\n\r\nexport function __asyncGenerator(thisArg, _arguments, generator) {\r\n if (!Symbol.asyncIterator) throw new TypeError(\"Symbol.asyncIterator is not defined.\");\r\n var g = generator.apply(thisArg, _arguments || []), i, q = [];\r\n return i = {}, verb(\"next\"), verb(\"throw\"), verb(\"return\"), i[Symbol.asyncIterator] = function () { return this; }, i;\r\n function verb(n) { if (g[n]) i[n] = function (v) { return new Promise(function (a, b) { q.push([n, v, a, b]) > 1 || resume(n, v); }); }; }\r\n function resume(n, v) { try { step(g[n](v)); } catch (e) { settle(q[0][3], e); } }\r\n function step(r) { r.value instanceof __await ? Promise.resolve(r.value.v).then(fulfill, reject) : settle(q[0][2], r); }\r\n function fulfill(value) { resume(\"next\", value); }\r\n function reject(value) { resume(\"throw\", value); }\r\n function settle(f, v) { if (f(v), q.shift(), q.length) resume(q[0][0], q[0][1]); }\r\n}\r\n\r\nexport function __asyncDelegator(o) {\r\n var i, p;\r\n return i = {}, verb(\"next\"), verb(\"throw\", function (e) { throw e; }), verb(\"return\"), i[Symbol.iterator] = function () { return this; }, i;\r\n function verb(n, f) { i[n] = o[n] ? function (v) { return (p = !p) ? { value: __await(o[n](v)), done: n === \"return\" } : f ? f(v) : v; } : f; }\r\n}\r\n\r\nexport function __asyncValues(o) {\r\n if (!Symbol.asyncIterator) throw new TypeError(\"Symbol.asyncIterator is not defined.\");\r\n var m = o[Symbol.asyncIterator], i;\r\n return m ? m.call(o) : (o = typeof __values === \"function\" ? __values(o) : o[Symbol.iterator](), i = {}, verb(\"next\"), verb(\"throw\"), verb(\"return\"), i[Symbol.asyncIterator] = function () { return this; }, i);\r\n function verb(n) { i[n] = o[n] && function (v) { return new Promise(function (resolve, reject) { v = o[n](v), settle(resolve, reject, v.done, v.value); }); }; }\r\n function settle(resolve, reject, d, v) { Promise.resolve(v).then(function(v) { resolve({ value: v, done: d }); }, reject); }\r\n}\r\n\r\nexport function __makeTemplateObject(cooked, raw) {\r\n if (Object.defineProperty) { Object.defineProperty(cooked, \"raw\", { value: raw }); } else { cooked.raw = raw; }\r\n return cooked;\r\n};\r\n\r\nvar __setModuleDefault = Object.create ? (function(o, v) {\r\n Object.defineProperty(o, \"default\", { enumerable: true, value: v });\r\n}) : function(o, v) {\r\n o[\"default\"] = v;\r\n};\r\n\r\nexport function __importStar(mod) {\r\n if (mod && mod.__esModule) return mod;\r\n var result = {};\r\n if (mod != null) for (var k in mod) if (k !== \"default\" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding(result, mod, k);\r\n __setModuleDefault(result, mod);\r\n return result;\r\n}\r\n\r\nexport function __importDefault(mod) {\r\n return (mod && mod.__esModule) ? mod : { default: mod };\r\n}\r\n\r\nexport function __classPrivateFieldGet(receiver, state, kind, f) {\r\n if (kind === \"a\" && !f) throw new TypeError(\"Private accessor was defined without a getter\");\r\n if (typeof state === \"function\" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError(\"Cannot read private member from an object whose class did not declare it\");\r\n return kind === \"m\" ? f : kind === \"a\" ? f.call(receiver) : f ? f.value : state.get(receiver);\r\n}\r\n\r\nexport function __classPrivateFieldSet(receiver, state, value, kind, f) {\r\n if (kind === \"m\") throw new TypeError(\"Private method is not writable\");\r\n if (kind === \"a\" && !f) throw new TypeError(\"Private accessor was defined without a setter\");\r\n if (typeof state === \"function\" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError(\"Cannot write private member to an object whose class did not declare it\");\r\n return (kind === \"a\" ? f.call(receiver, value) : f ? f.value = value : state.set(receiver, value)), value;\r\n}\r\n","import {\n serializedNodeWithId,\n idNodeMap,\n INode,\n MaskInputOptions,\n SlimDOMOptions,\n MaskInputFn,\n MaskTextFn,\n} from 'rrweb-snapshot';\nimport { PackFn, UnpackFn } from './packer/base';\nimport { IframeManager } from './record/iframe-manager';\nimport { ShadowDomManager } from './record/shadow-dom-manager';\nimport type { Replayer } from './replay';\nimport { CanvasManager } from './record/observers/canvas/canvas-manager';\n\nexport enum EventType {\n DomContentLoaded,\n Load,\n FullSnapshot,\n IncrementalSnapshot,\n Meta,\n Custom,\n Plugin,\n}\n\nexport type domContentLoadedEvent = {\n type: EventType.DomContentLoaded;\n data: {};\n};\n\nexport type loadedEvent = {\n type: EventType.Load;\n data: {};\n};\n\nexport type fullSnapshotEvent = {\n type: EventType.FullSnapshot;\n data: {\n node: serializedNodeWithId;\n initialOffset: {\n top: number;\n left: number;\n };\n };\n};\n\nexport type incrementalSnapshotEvent = {\n type: EventType.IncrementalSnapshot;\n data: incrementalData;\n};\n\nexport type metaEvent = {\n type: EventType.Meta;\n data: {\n href: string;\n width: number;\n height: number;\n };\n};\n\nexport type customEvent = {\n type: EventType.Custom;\n data: {\n tag: string;\n payload: T;\n };\n};\n\nexport type pluginEvent = {\n type: EventType.Plugin;\n data: {\n plugin: string;\n payload: T;\n };\n};\n\nexport type styleSheetEvent = {};\n\nexport enum IncrementalSource {\n Mutation,\n MouseMove,\n MouseInteraction,\n Scroll,\n ViewportResize,\n Input,\n TouchMove,\n MediaInteraction,\n StyleSheetRule,\n CanvasMutation,\n Font,\n Log,\n Drag,\n StyleDeclaration,\n}\n\nexport type mutationData = {\n source: IncrementalSource.Mutation;\n} & mutationCallbackParam;\n\nexport type mousemoveData = {\n source:\n | IncrementalSource.MouseMove\n | IncrementalSource.TouchMove\n | IncrementalSource.Drag;\n positions: mousePosition[];\n};\n\nexport type mouseInteractionData = {\n source: IncrementalSource.MouseInteraction;\n} & mouseInteractionParam;\n\nexport type scrollData = {\n source: IncrementalSource.Scroll;\n} & scrollPosition;\n\nexport type viewportResizeData = {\n source: IncrementalSource.ViewportResize;\n} & viewportResizeDimension;\n\nexport type inputData = {\n source: IncrementalSource.Input;\n id: number;\n} & inputValue;\n\nexport type mediaInteractionData = {\n source: IncrementalSource.MediaInteraction;\n} & mediaInteractionParam;\n\nexport type styleSheetRuleData = {\n source: IncrementalSource.StyleSheetRule;\n} & styleSheetRuleParam;\n\nexport type styleDeclarationData = {\n source: IncrementalSource.StyleDeclaration;\n} & styleDeclarationParam;\n\nexport type canvasMutationData = {\n source: IncrementalSource.CanvasMutation;\n} & canvasMutationParam;\n\nexport type fontData = {\n source: IncrementalSource.Font;\n} & fontParam;\n\nexport type incrementalData =\n | mutationData\n | mousemoveData\n | mouseInteractionData\n | scrollData\n | viewportResizeData\n | inputData\n | mediaInteractionData\n | styleSheetRuleData\n | canvasMutationData\n | fontData\n | styleDeclarationData;\n\nexport type event =\n | domContentLoadedEvent\n | loadedEvent\n | fullSnapshotEvent\n | incrementalSnapshotEvent\n | metaEvent\n | customEvent\n | pluginEvent;\n\nexport type eventWithTime = event & {\n timestamp: number;\n delay?: number;\n};\n\nexport type blockClass = string | RegExp;\n\nexport type maskTextClass = string | RegExp;\n\nexport type SamplingStrategy = Partial<{\n /**\n * false means not to record mouse/touch move events\n * number is the throttle threshold of recording mouse/touch move\n */\n mousemove: boolean | number;\n /**\n * number is the throttle threshold of mouse/touch move callback\n */\n mousemoveCallback: number;\n /**\n * false means not to record mouse interaction events\n * can also specify record some kinds of mouse interactions\n */\n mouseInteraction: boolean | Record;\n /**\n * number is the throttle threshold of recording scroll\n */\n scroll: number;\n /**\n * number is the throttle threshold of recording media interactions\n */\n media: number;\n /**\n * 'all' will record all the input events\n * 'last' will only record the last input value while input a sequence of chars\n */\n input: 'all' | 'last';\n}>;\n\nexport type RecordPlugin = {\n name: string;\n observer?: (cb: Function, win: IWindow, options: TOptions) => listenerHandler;\n eventProcessor?: (event: eventWithTime) => eventWithTime & TExtend;\n options: TOptions;\n};\n\nexport type recordOptions = {\n emit?: (e: T, isCheckout?: boolean) => void;\n checkoutEveryNth?: number;\n checkoutEveryNms?: number;\n blockClass?: blockClass;\n blockSelector?: string;\n unblockSelector?: string;\n ignoreClass?: string;\n ignoreSelector?: string;\n maskTextClass?: maskTextClass;\n maskTextSelector?: string;\n maskAllInputs?: boolean;\n maskInputSelector?: string;\n maskInputOptions?: MaskInputOptions;\n maskInputFn?: MaskInputFn;\n maskTextFn?: MaskTextFn;\n unmaskTextSelector?: string;\n unmaskInputSelector?: string;\n slimDOMOptions?: SlimDOMOptions | 'all' | true;\n inlineStylesheet?: boolean;\n hooks?: hooksParam;\n packFn?: PackFn;\n sampling?: SamplingStrategy;\n recordCanvas?: boolean;\n userTriggeredOnInput?: boolean;\n collectFonts?: boolean;\n inlineImages?: boolean;\n plugins?: RecordPlugin[];\n // departed, please use sampling options\n mousemoveWait?: number;\n keepIframeSrcFn?: KeepIframeSrcFn;\n};\n\nexport type observerParam = {\n mutationCb: mutationCallBack;\n mousemoveCb: mousemoveCallBack;\n mouseInteractionCb: mouseInteractionCallBack;\n scrollCb: scrollCallback;\n viewportResizeCb: viewportResizeCallback;\n inputCb: inputCallback;\n mediaInteractionCb: mediaInteractionCallback;\n blockClass: blockClass;\n blockSelector: string | null;\n unblockSelector: string | null;\n ignoreClass: string;\n ignoreSelector: string | null;\n maskTextClass: maskTextClass;\n maskTextSelector: string | null;\n unmaskTextSelector: string | null;\n maskInputSelector: string | null;\n unmaskInputSelector: string | null;\n maskInputOptions: MaskInputOptions;\n maskInputFn?: MaskInputFn;\n maskTextFn?: MaskTextFn;\n inlineStylesheet: boolean;\n styleSheetRuleCb: styleSheetRuleCallback;\n styleDeclarationCb: styleDeclarationCallback;\n canvasMutationCb: canvasMutationCallback;\n fontCb: fontCallback;\n sampling: SamplingStrategy;\n recordCanvas: boolean;\n inlineImages: boolean;\n userTriggeredOnInput: boolean;\n collectFonts: boolean;\n slimDOMOptions: SlimDOMOptions;\n doc: Document;\n mirror: Mirror;\n iframeManager: IframeManager;\n shadowDomManager: ShadowDomManager;\n canvasManager: CanvasManager;\n plugins: Array<{\n observer: Function;\n callback: Function;\n options: unknown;\n }>;\n};\n\nexport type MutationBufferParam = Pick<\n observerParam,\n | 'mutationCb'\n | 'blockClass'\n | 'blockSelector'\n | 'unblockSelector'\n | 'maskTextClass'\n | 'maskTextSelector'\n | 'unmaskTextSelector'\n | 'inlineStylesheet'\n | 'maskInputSelector'\n | 'unmaskInputSelector'\n | 'maskInputOptions'\n | 'maskTextFn'\n | 'maskInputFn'\n | 'recordCanvas'\n | 'inlineImages'\n | 'slimDOMOptions'\n | 'doc'\n | 'mirror'\n | 'iframeManager'\n | 'shadowDomManager'\n | 'canvasManager'\n>;\n\nexport type hooksParam = {\n mutation?: mutationCallBack;\n mousemove?: mousemoveCallBack;\n mouseInteraction?: mouseInteractionCallBack;\n scroll?: scrollCallback;\n viewportResize?: viewportResizeCallback;\n input?: inputCallback;\n mediaInteaction?: mediaInteractionCallback;\n styleSheetRule?: styleSheetRuleCallback;\n styleDeclaration?: styleDeclarationCallback;\n canvasMutation?: canvasMutationCallback;\n font?: fontCallback;\n};\n\n// https://dom.spec.whatwg.org/#interface-mutationrecord\nexport type mutationRecord = {\n type: string;\n target: Node;\n oldValue: string | null;\n addedNodes: NodeList;\n removedNodes: NodeList;\n attributeName: string | null;\n};\n\nexport type textCursor = {\n node: Node;\n value: string | null;\n};\nexport type textMutation = {\n id: number;\n value: string | null;\n};\n\nexport type styleAttributeValue = {\n [key: string]: styleValueWithPriority | string | false;\n};\n\nexport type styleValueWithPriority = [string, string];\n\nexport type attributeCursor = {\n node: Node;\n attributes: {\n [key: string]: string | styleAttributeValue | null;\n };\n};\nexport type attributeMutation = {\n id: number;\n attributes: {\n [key: string]: string | styleAttributeValue | null;\n };\n};\n\nexport type removedNodeMutation = {\n parentId: number;\n id: number;\n isShadow?: boolean;\n};\n\nexport type addedNodeMutation = {\n parentId: number;\n // Newly recorded mutations will not have previousId any more, just for compatibility\n previousId?: number | null;\n nextId: number | null;\n node: serializedNodeWithId;\n};\n\nexport type mutationCallbackParam = {\n texts: textMutation[];\n attributes: attributeMutation[];\n removes: removedNodeMutation[];\n adds: addedNodeMutation[];\n isAttachIframe?: true;\n};\n\nexport type mutationCallBack = (m: mutationCallbackParam) => void;\n\nexport type mousemoveCallBack = (\n p: mousePosition[],\n source:\n | IncrementalSource.MouseMove\n | IncrementalSource.TouchMove\n | IncrementalSource.Drag,\n) => void;\n\nexport type mousePosition = {\n x: number;\n y: number;\n id: number;\n timeOffset: number;\n};\n\nexport type mouseMovePos = {\n x: number;\n y: number;\n id: number;\n debugData: incrementalData;\n};\n\nexport enum MouseInteractions {\n MouseUp,\n MouseDown,\n Click,\n ContextMenu,\n DblClick,\n Focus,\n Blur,\n TouchStart,\n TouchMove_Departed, // we will start a separate observer for touch move event\n TouchEnd,\n TouchCancel,\n}\n\nexport enum CanvasContext {\n '2D',\n WebGL,\n WebGL2,\n}\n\nexport type SerializedWebGlArg =\n | {\n rr_type: 'ArrayBuffer';\n base64: string; // base64\n }\n | {\n rr_type: string;\n src: string; // url of image\n }\n | {\n rr_type: string;\n args: SerializedWebGlArg[];\n }\n | {\n rr_type: string;\n index: number;\n }\n | string\n | number\n | boolean\n | null\n | SerializedWebGlArg[];\n\ntype mouseInteractionParam = {\n type: MouseInteractions;\n id: number;\n x: number;\n y: number;\n};\n\nexport type mouseInteractionCallBack = (d: mouseInteractionParam) => void;\n\nexport type scrollPosition = {\n id: number;\n x: number;\n y: number;\n};\n\nexport type scrollCallback = (p: scrollPosition) => void;\n\nexport type styleSheetAddRule = {\n rule: string;\n index?: number | number[];\n};\n\nexport type styleSheetDeleteRule = {\n index: number | number[];\n};\n\nexport type styleSheetRuleParam = {\n id: number;\n removes?: styleSheetDeleteRule[];\n adds?: styleSheetAddRule[];\n};\n\nexport type styleSheetRuleCallback = (s: styleSheetRuleParam) => void;\n\nexport type styleDeclarationParam = {\n id: number;\n index: number[];\n set?: {\n property: string;\n value: string | null;\n priority: string | undefined;\n };\n remove?: {\n property: string;\n };\n};\n\nexport type styleDeclarationCallback = (s: styleDeclarationParam) => void;\n\nexport type canvasMutationCommand = {\n property: string;\n args: Array;\n setter?: true;\n};\n\nexport type canvasMutationParam =\n | {\n id: number;\n type: CanvasContext;\n commands: canvasMutationCommand[];\n }\n | ({\n id: number;\n type: CanvasContext;\n } & canvasMutationCommand);\n\nexport type canvasMutationWithType = {\n type: CanvasContext;\n} & canvasMutationCommand;\n\nexport type canvasMutationCallback = (p: canvasMutationParam) => void;\n\nexport type canvasManagerMutationCallback = (\n target: HTMLCanvasElement,\n p: canvasMutationWithType,\n) => void;\n\nexport type fontParam = {\n family: string;\n fontSource: string;\n buffer: boolean;\n descriptors?: FontFaceDescriptors;\n};\n\nexport type fontCallback = (p: fontParam) => void;\n\nexport type viewportResizeDimension = {\n width: number;\n height: number;\n};\n\nexport type viewportResizeCallback = (d: viewportResizeDimension) => void;\n\nexport type inputValue = {\n text: string;\n isChecked: boolean;\n\n // `userTriggered` indicates if this event was triggered directly by user (userTriggered: true)\n // or was triggered indirectly (userTriggered: false)\n // Example of `userTriggered` in action:\n // User clicks on radio element (userTriggered: true) which triggers the other radio element to change (userTriggered: false)\n userTriggered?: boolean;\n};\n\nexport type inputCallback = (v: inputValue & { id: number }) => void;\n\nexport const enum MediaInteractions {\n Play,\n Pause,\n Seeked,\n VolumeChange,\n}\n\nexport type mediaInteractionParam = {\n type: MediaInteractions;\n id: number;\n currentTime?: number;\n volume?: number;\n muted?: boolean;\n};\n\nexport type mediaInteractionCallback = (p: mediaInteractionParam) => void;\n\nexport type DocumentDimension = {\n x: number;\n y: number;\n // scale value relative to its parent iframe\n relativeScale: number;\n // scale value relative to the root iframe\n absoluteScale: number;\n};\n\nexport type Mirror = {\n map: idNodeMap;\n getId: (n: INode) => number;\n getNode: (id: number) => INode | null;\n removeNodeFromMap: (n: INode) => void;\n has: (id: number) => boolean;\n reset: () => void;\n};\n\nexport type throttleOptions = {\n leading?: boolean;\n trailing?: boolean;\n};\n\nexport type listenerHandler = () => void;\nexport type hookResetter = () => void;\n\nexport type ReplayPlugin = {\n handler: (\n event: eventWithTime,\n isSync: boolean,\n context: { replayer: Replayer },\n ) => void;\n};\nexport type playerConfig = {\n speed: number;\n maxSpeed: number;\n root: Element;\n loadTimeout: number;\n skipInactive: boolean;\n showWarning: boolean;\n showDebug: boolean;\n blockClass: string;\n liveMode: boolean;\n insertStyleRules: string[];\n triggerFocus: boolean;\n UNSAFE_replayCanvas: boolean;\n pauseAnimation?: boolean;\n mouseTail:\n | boolean\n | {\n duration?: number;\n lineCap?: string;\n lineWidth?: number;\n strokeStyle?: string;\n };\n unpackFn?: UnpackFn;\n plugins?: ReplayPlugin[];\n};\n\nexport type playerMetaData = {\n startTime: number;\n endTime: number;\n totalTime: number;\n};\n\nexport type missingNode = {\n node: Node;\n mutation: addedNodeMutation;\n};\nexport type missingNodeMap = {\n [id: number]: missingNode;\n};\n\nexport type actionWithDelay = {\n doAction: () => void;\n delay: number;\n};\n\nexport type Handler = (event?: unknown) => void;\n\nexport type Emitter = {\n on(type: string, handler: Handler): void;\n emit(type: string, event?: unknown): void;\n off(type: string, handler: Handler): void;\n};\n\nexport type Arguments = T extends (...payload: infer U) => unknown\n ? U\n : unknown;\n\nexport enum ReplayerEvents {\n Start = 'start',\n Pause = 'pause',\n Resume = 'resume',\n Resize = 'resize',\n Finish = 'finish',\n FullsnapshotRebuilded = 'fullsnapshot-rebuilded',\n LoadStylesheetStart = 'load-stylesheet-start',\n LoadStylesheetEnd = 'load-stylesheet-end',\n SkipStart = 'skip-start',\n SkipEnd = 'skip-end',\n MouseInteraction = 'mouse-interaction',\n EventCast = 'event-cast',\n CustomEvent = 'custom-event',\n Flush = 'flush',\n StateChange = 'state-change',\n PlayBack = 'play-back',\n}\n\n// store the state that would be changed during the process(unmount from dom and mount again)\nexport type ElementState = {\n // [scrollLeft,scrollTop]\n scroll?: [number, number];\n};\n\nexport type KeepIframeSrcFn = (src: string) => boolean;\n\ndeclare global {\n interface Window {\n FontFace: typeof FontFace;\n }\n}\n\nexport type IWindow = Window & typeof globalThis;\n\nexport type Optional = Pick, K> & Omit;\n","var NodeType;\n(function (NodeType) {\n NodeType[NodeType[\"Document\"] = 0] = \"Document\";\n NodeType[NodeType[\"DocumentType\"] = 1] = \"DocumentType\";\n NodeType[NodeType[\"Element\"] = 2] = \"Element\";\n NodeType[NodeType[\"Text\"] = 3] = \"Text\";\n NodeType[NodeType[\"CDATA\"] = 4] = \"CDATA\";\n NodeType[NodeType[\"Comment\"] = 5] = \"Comment\";\n})(NodeType || (NodeType = {}));\n\nfunction isElement(n) {\n return n.nodeType === n.ELEMENT_NODE;\n}\nfunction isShadowRoot(n) {\n var _a;\n var host = (_a = n) === null || _a === void 0 ? void 0 : _a.host;\n return Boolean(host && host.shadowRoot && host.shadowRoot === n);\n}\nfunction maskInputValue(_a) {\n var input = _a.input, maskInputSelector = _a.maskInputSelector, unmaskInputSelector = _a.unmaskInputSelector, maskInputOptions = _a.maskInputOptions, tagName = _a.tagName, type = _a.type, value = _a.value, maskInputFn = _a.maskInputFn;\n var text = value || '';\n if (unmaskInputSelector && input.matches(unmaskInputSelector)) {\n return text;\n }\n if (maskInputOptions[tagName.toLowerCase()] ||\n maskInputOptions[type] ||\n (maskInputSelector && input.matches(maskInputSelector))) {\n if (maskInputFn) {\n text = maskInputFn(text);\n }\n else {\n text = '*'.repeat(text.length);\n }\n }\n return text;\n}\nvar ORIGINAL_ATTRIBUTE_NAME = '__rrweb_original__';\nfunction is2DCanvasBlank(canvas) {\n var ctx = canvas.getContext('2d');\n if (!ctx)\n return true;\n var chunkSize = 50;\n for (var x = 0; x < canvas.width; x += chunkSize) {\n for (var y = 0; y < canvas.height; y += chunkSize) {\n var getImageData = ctx.getImageData;\n var originalGetImageData = ORIGINAL_ATTRIBUTE_NAME in getImageData\n ? getImageData[ORIGINAL_ATTRIBUTE_NAME]\n : getImageData;\n var pixelBuffer = new Uint32Array(originalGetImageData.call(ctx, x, y, Math.min(chunkSize, canvas.width - x), Math.min(chunkSize, canvas.height - y)).data.buffer);\n if (pixelBuffer.some(function (pixel) { return pixel !== 0; }))\n return false;\n }\n }\n return true;\n}\n\nvar _id = 1;\nvar tagNameRegex = new RegExp('[^a-z0-9-_:]');\nvar IGNORED_NODE = -2;\nfunction genId() {\n return _id++;\n}\nfunction getValidTagName(element) {\n if (element instanceof HTMLFormElement) {\n return 'form';\n }\n var processedTagName = element.tagName.toLowerCase().trim();\n if (tagNameRegex.test(processedTagName)) {\n return 'div';\n }\n return processedTagName;\n}\nfunction getCssRulesString(s) {\n try {\n var rules = s.rules || s.cssRules;\n return rules ? Array.from(rules).map(getCssRuleString).join('') : null;\n }\n catch (error) {\n return null;\n }\n}\nfunction getCssRuleString(rule) {\n var cssStringified = rule.cssText;\n if (isCSSImportRule(rule)) {\n try {\n cssStringified = getCssRulesString(rule.styleSheet) || cssStringified;\n }\n catch (_a) {\n }\n }\n return cssStringified;\n}\nfunction isCSSImportRule(rule) {\n return 'styleSheet' in rule;\n}\nfunction stringifyStyleSheet(sheet) {\n return sheet.cssRules\n ? Array.from(sheet.cssRules)\n .map(function (rule) { return rule.cssText || ''; })\n .join('')\n : '';\n}\nfunction extractOrigin(url) {\n var origin = '';\n if (url.indexOf('//') > -1) {\n origin = url.split('/').slice(0, 3).join('/');\n }\n else {\n origin = url.split('/')[0];\n }\n origin = origin.split('?')[0];\n return origin;\n}\nvar canvasService;\nvar canvasCtx;\nvar URL_IN_CSS_REF = /url\\((?:(')([^']*)'|(\")(.*?)\"|([^)]*))\\)/gm;\nvar RELATIVE_PATH = /^(?!www\\.|(?:http|ftp)s?:\\/\\/|[A-Za-z]:\\\\|\\/\\/|#).*/;\nvar DATA_URI = /^(data:)([^,]*),(.*)/i;\nfunction absoluteToStylesheet(cssText, href) {\n return (cssText || '').replace(URL_IN_CSS_REF, function (origin, quote1, path1, quote2, path2, path3) {\n var filePath = path1 || path2 || path3;\n var maybeQuote = quote1 || quote2 || '';\n if (!filePath) {\n return origin;\n }\n if (!RELATIVE_PATH.test(filePath)) {\n return \"url(\" + maybeQuote + filePath + maybeQuote + \")\";\n }\n if (DATA_URI.test(filePath)) {\n return \"url(\" + maybeQuote + filePath + maybeQuote + \")\";\n }\n if (filePath[0] === '/') {\n return \"url(\" + maybeQuote + (extractOrigin(href) + filePath) + maybeQuote + \")\";\n }\n var stack = href.split('/');\n var parts = filePath.split('/');\n stack.pop();\n for (var _i = 0, parts_1 = parts; _i < parts_1.length; _i++) {\n var part = parts_1[_i];\n if (part === '.') {\n continue;\n }\n else if (part === '..') {\n stack.pop();\n }\n else {\n stack.push(part);\n }\n }\n return \"url(\" + maybeQuote + stack.join('/') + maybeQuote + \")\";\n });\n}\nvar SRCSET_NOT_SPACES = /^[^ \\t\\n\\r\\u000c]+/;\nvar SRCSET_COMMAS_OR_SPACES = /^[, \\t\\n\\r\\u000c]+/;\nfunction getAbsoluteSrcsetString(doc, attributeValue) {\n if (attributeValue.trim() === '') {\n return attributeValue;\n }\n var pos = 0;\n function collectCharacters(regEx) {\n var chars;\n var match = regEx.exec(attributeValue.substring(pos));\n if (match) {\n chars = match[0];\n pos += chars.length;\n return chars;\n }\n return '';\n }\n var output = [];\n while (true) {\n collectCharacters(SRCSET_COMMAS_OR_SPACES);\n if (pos >= attributeValue.length) {\n break;\n }\n var url = collectCharacters(SRCSET_NOT_SPACES);\n if (url.slice(-1) === ',') {\n url = absoluteToDoc(doc, url.substring(0, url.length - 1));\n output.push(url);\n }\n else {\n var descriptorsStr = '';\n url = absoluteToDoc(doc, url);\n var inParens = false;\n while (true) {\n var c = attributeValue.charAt(pos);\n if (c === '') {\n output.push((url + descriptorsStr).trim());\n break;\n }\n else if (!inParens) {\n if (c === ',') {\n pos += 1;\n output.push((url + descriptorsStr).trim());\n break;\n }\n else if (c === '(') {\n inParens = true;\n }\n }\n else {\n if (c === ')') {\n inParens = false;\n }\n }\n descriptorsStr += c;\n pos += 1;\n }\n }\n }\n return output.join(', ');\n}\nfunction absoluteToDoc(doc, attributeValue) {\n if (!attributeValue || attributeValue.trim() === '') {\n return attributeValue;\n }\n var a = doc.createElement('a');\n a.href = attributeValue;\n return a.href;\n}\nfunction isSVGElement(el) {\n return Boolean(el.tagName === 'svg' || el.ownerSVGElement);\n}\nfunction getHref() {\n var a = document.createElement('a');\n a.href = '';\n return a.href;\n}\nfunction transformAttribute(doc, tagName, name, value) {\n if (name === 'src' || (name === 'href' && value)) {\n return absoluteToDoc(doc, value);\n }\n else if (name === 'xlink:href' && value && value[0] !== '#') {\n return absoluteToDoc(doc, value);\n }\n else if (name === 'background' &&\n value &&\n (tagName === 'table' || tagName === 'td' || tagName === 'th')) {\n return absoluteToDoc(doc, value);\n }\n else if (name === 'srcset' && value) {\n return getAbsoluteSrcsetString(doc, value);\n }\n else if (name === 'style' && value) {\n return absoluteToStylesheet(value, getHref());\n }\n else if (tagName === 'object' && name === 'data' && value) {\n return absoluteToDoc(doc, value);\n }\n else {\n return value;\n }\n}\nfunction _isBlockedElement(element, blockClass, blockSelector, unblockSelector) {\n if (unblockSelector && element.matches(unblockSelector)) {\n return false;\n }\n if (typeof blockClass === 'string') {\n if (element.classList.contains(blockClass)) {\n return true;\n }\n }\n else {\n for (var eIndex = 0; eIndex < element.classList.length; eIndex++) {\n var className = element.classList[eIndex];\n if (blockClass.test(className)) {\n return true;\n }\n }\n }\n if (blockSelector) {\n return element.matches(blockSelector);\n }\n return false;\n}\nfunction needMaskingText(node, maskTextClass, maskTextSelector, unmaskTextSelector) {\n if (!node) {\n return false;\n }\n if (node.nodeType === node.ELEMENT_NODE) {\n if (unmaskTextSelector) {\n if (node.matches(unmaskTextSelector) || node.closest(unmaskTextSelector)) {\n return false;\n }\n }\n if (typeof maskTextClass === 'string') {\n if (node.classList.contains(maskTextClass)) {\n return true;\n }\n }\n else {\n for (var eIndex = 0; eIndex < node.classList.length; eIndex++) {\n var className = node.classList[eIndex];\n if (maskTextClass.test(className)) {\n return true;\n }\n }\n }\n if (maskTextSelector) {\n if (node.matches(maskTextSelector)) {\n return true;\n }\n }\n return needMaskingText(node.parentNode, maskTextClass, maskTextSelector, unmaskTextSelector);\n }\n if (node.nodeType === node.TEXT_NODE) {\n return needMaskingText(node.parentNode, maskTextClass, maskTextSelector, unmaskTextSelector);\n }\n return needMaskingText(node.parentNode, maskTextClass, maskTextSelector, unmaskTextSelector);\n}\nfunction onceIframeLoaded(iframeEl, listener, iframeLoadTimeout) {\n var win = iframeEl.contentWindow;\n if (!win) {\n return;\n }\n var fired = false;\n var readyState;\n try {\n readyState = win.document.readyState;\n }\n catch (error) {\n return;\n }\n if (readyState !== 'complete') {\n var timer_1 = setTimeout(function () {\n if (!fired) {\n listener();\n fired = true;\n }\n }, iframeLoadTimeout);\n iframeEl.addEventListener('load', function () {\n clearTimeout(timer_1);\n fired = true;\n listener();\n });\n return;\n }\n var blankUrl = 'about:blank';\n if (win.location.href !== blankUrl ||\n iframeEl.src === blankUrl ||\n iframeEl.src === '') {\n setTimeout(listener, 0);\n return;\n }\n iframeEl.addEventListener('load', listener);\n}\nfunction serializeNode(n, options) {\n var _a;\n var doc = options.doc, blockClass = options.blockClass, blockSelector = options.blockSelector, unblockSelector = options.unblockSelector, maskTextClass = options.maskTextClass, maskTextSelector = options.maskTextSelector, unmaskTextSelector = options.unmaskTextSelector, inlineStylesheet = options.inlineStylesheet, maskInputSelector = options.maskInputSelector, unmaskInputSelector = options.unmaskInputSelector, _b = options.maskInputOptions, maskInputOptions = _b === void 0 ? {} : _b, maskTextFn = options.maskTextFn, maskInputFn = options.maskInputFn, _c = options.dataURLOptions, dataURLOptions = _c === void 0 ? {} : _c, inlineImages = options.inlineImages, recordCanvas = options.recordCanvas, keepIframeSrcFn = options.keepIframeSrcFn;\n var rootId;\n if (doc.__sn) {\n var docId = doc.__sn.id;\n rootId = docId === 1 ? undefined : docId;\n }\n switch (n.nodeType) {\n case n.DOCUMENT_NODE:\n if (n.compatMode !== 'CSS1Compat') {\n return {\n type: NodeType.Document,\n childNodes: [],\n compatMode: n.compatMode,\n rootId: rootId\n };\n }\n else {\n return {\n type: NodeType.Document,\n childNodes: [],\n rootId: rootId\n };\n }\n case n.DOCUMENT_TYPE_NODE:\n return {\n type: NodeType.DocumentType,\n name: n.name,\n publicId: n.publicId,\n systemId: n.systemId,\n rootId: rootId\n };\n case n.ELEMENT_NODE:\n var needBlock = _isBlockedElement(n, blockClass, blockSelector, unblockSelector);\n var tagName = getValidTagName(n);\n var attributes_1 = {};\n for (var _i = 0, _d = Array.from(n.attributes); _i < _d.length; _i++) {\n var _e = _d[_i], name_1 = _e.name, value = _e.value;\n attributes_1[name_1] = transformAttribute(doc, tagName, name_1, value);\n }\n if (tagName === 'link' && inlineStylesheet) {\n var stylesheet = Array.from(doc.styleSheets).find(function (s) {\n return s.href === n.href;\n });\n var cssText = null;\n if (stylesheet) {\n cssText = getCssRulesString(stylesheet);\n }\n if (cssText) {\n delete attributes_1.rel;\n delete attributes_1.href;\n attributes_1._cssText = absoluteToStylesheet(cssText, stylesheet.href);\n }\n }\n if (tagName === 'style' &&\n n.sheet &&\n !(n.innerText ||\n n.textContent ||\n '').trim().length) {\n var cssText = getCssRulesString(n.sheet);\n if (cssText) {\n attributes_1._cssText = absoluteToStylesheet(cssText, getHref());\n }\n }\n if (tagName === 'input' ||\n tagName === 'textarea' ||\n tagName === 'select') {\n var value = n.value;\n if (attributes_1.type !== 'radio' &&\n attributes_1.type !== 'checkbox' &&\n attributes_1.type !== 'submit' &&\n attributes_1.type !== 'button' &&\n value) {\n attributes_1.value = maskInputValue({\n input: n,\n type: attributes_1.type,\n tagName: tagName,\n value: value,\n maskInputSelector: maskInputSelector,\n unmaskInputSelector: unmaskInputSelector,\n maskInputOptions: maskInputOptions,\n maskInputFn: maskInputFn\n });\n }\n else if (n.checked) {\n attributes_1.checked = n.checked;\n }\n }\n if (tagName === 'option') {\n if (n.selected && !maskInputOptions['select']) {\n attributes_1.selected = true;\n }\n else {\n delete attributes_1.selected;\n }\n }\n if (tagName === 'canvas' && recordCanvas) {\n if (n.__context === '2d') {\n if (!is2DCanvasBlank(n)) {\n attributes_1.rr_dataURL = n.toDataURL(dataURLOptions.type, dataURLOptions.quality);\n }\n }\n else if (!('__context' in n)) {\n var canvasDataURL = n.toDataURL(dataURLOptions.type, dataURLOptions.quality);\n var blankCanvas = document.createElement('canvas');\n blankCanvas.width = n.width;\n blankCanvas.height = n.height;\n var blankCanvasDataURL = blankCanvas.toDataURL(dataURLOptions.type, dataURLOptions.quality);\n if (canvasDataURL !== blankCanvasDataURL) {\n attributes_1.rr_dataURL = canvasDataURL;\n }\n }\n }\n if (tagName === 'img' && inlineImages) {\n if (!canvasService) {\n canvasService = doc.createElement('canvas');\n canvasCtx = canvasService.getContext('2d');\n }\n var image_1 = n;\n var oldValue_1 = image_1.crossOrigin;\n image_1.crossOrigin = 'anonymous';\n var recordInlineImage = function () {\n try {\n canvasService.width = image_1.naturalWidth;\n canvasService.height = image_1.naturalHeight;\n canvasCtx.drawImage(image_1, 0, 0);\n attributes_1.rr_dataURL = canvasService.toDataURL(dataURLOptions.type, dataURLOptions.quality);\n }\n catch (err) {\n console.warn(\"Cannot inline img src=\" + image_1.currentSrc + \"! Error: \" + err);\n }\n oldValue_1\n ? (attributes_1.crossOrigin = oldValue_1)\n : delete attributes_1.crossOrigin;\n };\n if (image_1.complete && image_1.naturalWidth !== 0)\n recordInlineImage();\n else\n image_1.onload = recordInlineImage;\n }\n if (tagName === 'audio' || tagName === 'video') {\n attributes_1.rr_mediaState = n.paused\n ? 'paused'\n : 'played';\n attributes_1.rr_mediaCurrentTime = n.currentTime;\n }\n if (n.scrollLeft) {\n attributes_1.rr_scrollLeft = n.scrollLeft;\n }\n if (n.scrollTop) {\n attributes_1.rr_scrollTop = n.scrollTop;\n }\n if (needBlock) {\n var _f = n.getBoundingClientRect(), width = _f.width, height = _f.height;\n attributes_1 = {\n \"class\": attributes_1[\"class\"],\n rr_width: width + \"px\",\n rr_height: height + \"px\"\n };\n }\n if (tagName === 'iframe' && !keepIframeSrcFn(attributes_1.src)) {\n if (!n.contentDocument) {\n attributes_1.rr_src = attributes_1.src;\n }\n delete attributes_1.src;\n }\n return {\n type: NodeType.Element,\n tagName: tagName,\n attributes: attributes_1,\n childNodes: [],\n isSVG: isSVGElement(n) || undefined,\n needBlock: needBlock,\n rootId: rootId\n };\n case n.TEXT_NODE:\n var parentTagName = n.parentNode && n.parentNode.tagName;\n var textContent = n.textContent;\n var isStyle = parentTagName === 'STYLE' ? true : undefined;\n var isScript = parentTagName === 'SCRIPT' ? true : undefined;\n if (isStyle && textContent) {\n try {\n if (n.nextSibling || n.previousSibling) {\n }\n else if ((_a = n.parentNode.sheet) === null || _a === void 0 ? void 0 : _a.cssRules) {\n textContent = stringifyStyleSheet(n.parentNode.sheet);\n }\n }\n catch (err) {\n console.warn(\"Cannot get CSS styles from text's parentNode. Error: \" + err, n);\n }\n textContent = absoluteToStylesheet(textContent, getHref());\n }\n if (isScript) {\n textContent = 'SCRIPT_PLACEHOLDER';\n }\n if (!isStyle &&\n !isScript &&\n needMaskingText(n, maskTextClass, maskTextSelector, unmaskTextSelector) &&\n textContent) {\n textContent = maskTextFn\n ? maskTextFn(textContent)\n : textContent.replace(/[\\S]/g, '*');\n }\n return {\n type: NodeType.Text,\n textContent: textContent || '',\n isStyle: isStyle,\n rootId: rootId\n };\n case n.CDATA_SECTION_NODE:\n return {\n type: NodeType.CDATA,\n textContent: '',\n rootId: rootId\n };\n case n.COMMENT_NODE:\n return {\n type: NodeType.Comment,\n textContent: n.textContent || '',\n rootId: rootId\n };\n default:\n return false;\n }\n}\nfunction lowerIfExists(maybeAttr) {\n if (maybeAttr === undefined) {\n return '';\n }\n else {\n return maybeAttr.toLowerCase();\n }\n}\nfunction slimDOMExcluded(sn, slimDOMOptions) {\n if (slimDOMOptions.comment && sn.type === NodeType.Comment) {\n return true;\n }\n else if (sn.type === NodeType.Element) {\n if (slimDOMOptions.script &&\n (sn.tagName === 'script' ||\n (sn.tagName === 'link' &&\n sn.attributes.rel === 'preload' &&\n sn.attributes.as === 'script') ||\n (sn.tagName === 'link' &&\n sn.attributes.rel === 'prefetch' &&\n typeof sn.attributes.href === 'string' &&\n sn.attributes.href.endsWith('.js')))) {\n return true;\n }\n else if (slimDOMOptions.headFavicon &&\n ((sn.tagName === 'link' && sn.attributes.rel === 'shortcut icon') ||\n (sn.tagName === 'meta' &&\n (lowerIfExists(sn.attributes.name).match(/^msapplication-tile(image|color)$/) ||\n lowerIfExists(sn.attributes.name) === 'application-name' ||\n lowerIfExists(sn.attributes.rel) === 'icon' ||\n lowerIfExists(sn.attributes.rel) === 'apple-touch-icon' ||\n lowerIfExists(sn.attributes.rel) === 'shortcut icon')))) {\n return true;\n }\n else if (sn.tagName === 'meta') {\n if (slimDOMOptions.headMetaDescKeywords &&\n lowerIfExists(sn.attributes.name).match(/^description|keywords$/)) {\n return true;\n }\n else if (slimDOMOptions.headMetaSocial &&\n (lowerIfExists(sn.attributes.property).match(/^(og|twitter|fb):/) ||\n lowerIfExists(sn.attributes.name).match(/^(og|twitter):/) ||\n lowerIfExists(sn.attributes.name) === 'pinterest')) {\n return true;\n }\n else if (slimDOMOptions.headMetaRobots &&\n (lowerIfExists(sn.attributes.name) === 'robots' ||\n lowerIfExists(sn.attributes.name) === 'googlebot' ||\n lowerIfExists(sn.attributes.name) === 'bingbot')) {\n return true;\n }\n else if (slimDOMOptions.headMetaHttpEquiv &&\n sn.attributes['http-equiv'] !== undefined) {\n return true;\n }\n else if (slimDOMOptions.headMetaAuthorship &&\n (lowerIfExists(sn.attributes.name) === 'author' ||\n lowerIfExists(sn.attributes.name) === 'generator' ||\n lowerIfExists(sn.attributes.name) === 'framework' ||\n lowerIfExists(sn.attributes.name) === 'publisher' ||\n lowerIfExists(sn.attributes.name) === 'progid' ||\n lowerIfExists(sn.attributes.property).match(/^article:/) ||\n lowerIfExists(sn.attributes.property).match(/^product:/))) {\n return true;\n }\n else if (slimDOMOptions.headMetaVerification &&\n (lowerIfExists(sn.attributes.name) === 'google-site-verification' ||\n lowerIfExists(sn.attributes.name) === 'yandex-verification' ||\n lowerIfExists(sn.attributes.name) === 'csrf-token' ||\n lowerIfExists(sn.attributes.name) === 'p:domain_verify' ||\n lowerIfExists(sn.attributes.name) === 'verify-v1' ||\n lowerIfExists(sn.attributes.name) === 'verification' ||\n lowerIfExists(sn.attributes.name) === 'shopify-checkout-api-token')) {\n return true;\n }\n }\n }\n return false;\n}\nfunction serializeNodeWithId(n, options) {\n var doc = options.doc, map = options.map, blockClass = options.blockClass, blockSelector = options.blockSelector, unblockSelector = options.unblockSelector, maskTextClass = options.maskTextClass, maskTextSelector = options.maskTextSelector, unmaskTextSelector = options.unmaskTextSelector, _a = options.skipChild, skipChild = _a === void 0 ? false : _a, _b = options.inlineStylesheet, inlineStylesheet = _b === void 0 ? true : _b, maskInputSelector = options.maskInputSelector, unmaskInputSelector = options.unmaskInputSelector, _c = options.maskInputOptions, maskInputOptions = _c === void 0 ? {} : _c, maskTextFn = options.maskTextFn, maskInputFn = options.maskInputFn, slimDOMOptions = options.slimDOMOptions, _d = options.dataURLOptions, dataURLOptions = _d === void 0 ? {} : _d, _e = options.inlineImages, inlineImages = _e === void 0 ? false : _e, _f = options.recordCanvas, recordCanvas = _f === void 0 ? false : _f, onSerialize = options.onSerialize, onIframeLoad = options.onIframeLoad, _g = options.iframeLoadTimeout, iframeLoadTimeout = _g === void 0 ? 5000 : _g, _h = options.keepIframeSrcFn, keepIframeSrcFn = _h === void 0 ? function () { return false; } : _h;\n var _j = options.preserveWhiteSpace, preserveWhiteSpace = _j === void 0 ? true : _j;\n var _serializedNode = serializeNode(n, {\n doc: doc,\n blockClass: blockClass,\n blockSelector: blockSelector,\n unblockSelector: unblockSelector,\n maskTextClass: maskTextClass,\n maskTextSelector: maskTextSelector,\n unmaskTextSelector: unmaskTextSelector,\n inlineStylesheet: inlineStylesheet,\n maskInputSelector: maskInputSelector,\n unmaskInputSelector: unmaskInputSelector,\n maskInputOptions: maskInputOptions,\n maskTextFn: maskTextFn,\n maskInputFn: maskInputFn,\n dataURLOptions: dataURLOptions,\n inlineImages: inlineImages,\n recordCanvas: recordCanvas,\n keepIframeSrcFn: keepIframeSrcFn\n });\n if (!_serializedNode) {\n console.warn(n, 'not serialized');\n return null;\n }\n var id;\n if ('__sn' in n) {\n id = n.__sn.id;\n }\n else if (slimDOMExcluded(_serializedNode, slimDOMOptions) ||\n (!preserveWhiteSpace &&\n _serializedNode.type === NodeType.Text &&\n !_serializedNode.isStyle &&\n !_serializedNode.textContent.replace(/^\\s+|\\s+$/gm, '').length)) {\n id = IGNORED_NODE;\n }\n else {\n id = genId();\n }\n var serializedNode = Object.assign(_serializedNode, { id: id });\n n.__sn = serializedNode;\n if (id === IGNORED_NODE) {\n return null;\n }\n map[id] = n;\n if (onSerialize) {\n onSerialize(n);\n }\n var recordChild = !skipChild;\n if (serializedNode.type === NodeType.Element) {\n recordChild = recordChild && !serializedNode.needBlock;\n delete serializedNode.needBlock;\n if (n.shadowRoot)\n serializedNode.isShadowHost = true;\n }\n if ((serializedNode.type === NodeType.Document ||\n serializedNode.type === NodeType.Element) &&\n recordChild) {\n if (slimDOMOptions.headWhitespace &&\n _serializedNode.type === NodeType.Element &&\n _serializedNode.tagName === 'head') {\n preserveWhiteSpace = false;\n }\n var bypassOptions = {\n doc: doc,\n map: map,\n blockClass: blockClass,\n blockSelector: blockSelector,\n unblockSelector: unblockSelector,\n maskTextClass: maskTextClass,\n maskTextSelector: maskTextSelector,\n unmaskTextSelector: unmaskTextSelector,\n skipChild: skipChild,\n inlineStylesheet: inlineStylesheet,\n maskInputSelector: maskInputSelector,\n unmaskInputSelector: unmaskInputSelector,\n maskInputOptions: maskInputOptions,\n maskTextFn: maskTextFn,\n maskInputFn: maskInputFn,\n slimDOMOptions: slimDOMOptions,\n dataURLOptions: dataURLOptions,\n inlineImages: inlineImages,\n recordCanvas: recordCanvas,\n preserveWhiteSpace: preserveWhiteSpace,\n onSerialize: onSerialize,\n onIframeLoad: onIframeLoad,\n iframeLoadTimeout: iframeLoadTimeout,\n keepIframeSrcFn: keepIframeSrcFn\n };\n for (var _i = 0, _k = Array.from(n.childNodes); _i < _k.length; _i++) {\n var childN = _k[_i];\n var serializedChildNode = serializeNodeWithId(childN, bypassOptions);\n if (serializedChildNode) {\n serializedNode.childNodes.push(serializedChildNode);\n }\n }\n if (isElement(n) && n.shadowRoot) {\n for (var _l = 0, _m = Array.from(n.shadowRoot.childNodes); _l < _m.length; _l++) {\n var childN = _m[_l];\n var serializedChildNode = serializeNodeWithId(childN, bypassOptions);\n if (serializedChildNode) {\n serializedChildNode.isShadow = true;\n serializedNode.childNodes.push(serializedChildNode);\n }\n }\n }\n }\n if (n.parentNode && isShadowRoot(n.parentNode)) {\n serializedNode.isShadow = true;\n }\n if (serializedNode.type === NodeType.Element &&\n serializedNode.tagName === 'iframe') {\n onceIframeLoaded(n, function () {\n var iframeDoc = n.contentDocument;\n if (iframeDoc && onIframeLoad) {\n var serializedIframeNode = serializeNodeWithId(iframeDoc, {\n doc: iframeDoc,\n map: map,\n blockClass: blockClass,\n blockSelector: blockSelector,\n unblockSelector: unblockSelector,\n maskTextClass: maskTextClass,\n maskTextSelector: maskTextSelector,\n unmaskTextSelector: unmaskTextSelector,\n skipChild: false,\n inlineStylesheet: inlineStylesheet,\n maskInputSelector: maskInputSelector,\n unmaskInputSelector: unmaskInputSelector,\n maskInputOptions: maskInputOptions,\n maskTextFn: maskTextFn,\n maskInputFn: maskInputFn,\n slimDOMOptions: slimDOMOptions,\n dataURLOptions: dataURLOptions,\n inlineImages: inlineImages,\n recordCanvas: recordCanvas,\n preserveWhiteSpace: preserveWhiteSpace,\n onSerialize: onSerialize,\n onIframeLoad: onIframeLoad,\n iframeLoadTimeout: iframeLoadTimeout,\n keepIframeSrcFn: keepIframeSrcFn\n });\n if (serializedIframeNode) {\n onIframeLoad(n, serializedIframeNode);\n }\n }\n }, iframeLoadTimeout);\n }\n return serializedNode;\n}\nfunction snapshot(n, options) {\n var _a = options || {}, _b = _a.blockClass, blockClass = _b === void 0 ? 'rr-block' : _b, _c = _a.blockSelector, blockSelector = _c === void 0 ? null : _c, _d = _a.unblockSelector, unblockSelector = _d === void 0 ? null : _d, _e = _a.maskTextClass, maskTextClass = _e === void 0 ? 'rr-mask' : _e, _f = _a.maskTextSelector, maskTextSelector = _f === void 0 ? null : _f, _g = _a.unmaskTextSelector, unmaskTextSelector = _g === void 0 ? null : _g, _h = _a.inlineStylesheet, inlineStylesheet = _h === void 0 ? true : _h, _j = _a.inlineImages, inlineImages = _j === void 0 ? false : _j, _k = _a.recordCanvas, recordCanvas = _k === void 0 ? false : _k, _l = _a.maskInputSelector, maskInputSelector = _l === void 0 ? null : _l, _m = _a.unmaskInputSelector, unmaskInputSelector = _m === void 0 ? null : _m, _o = _a.maskAllInputs, maskAllInputs = _o === void 0 ? false : _o, maskTextFn = _a.maskTextFn, maskInputFn = _a.maskInputFn, _p = _a.slimDOM, slimDOM = _p === void 0 ? false : _p, dataURLOptions = _a.dataURLOptions, preserveWhiteSpace = _a.preserveWhiteSpace, onSerialize = _a.onSerialize, onIframeLoad = _a.onIframeLoad, iframeLoadTimeout = _a.iframeLoadTimeout, _q = _a.keepIframeSrcFn, keepIframeSrcFn = _q === void 0 ? function () { return false; } : _q;\n var idNodeMap = {};\n var maskInputOptions = maskAllInputs === true\n ? {\n color: true,\n date: true,\n 'datetime-local': true,\n email: true,\n month: true,\n number: true,\n range: true,\n search: true,\n tel: true,\n text: true,\n time: true,\n url: true,\n week: true,\n textarea: true,\n select: true,\n password: true\n }\n : maskAllInputs === false\n ? {\n password: true\n }\n : maskAllInputs;\n var slimDOMOptions = slimDOM === true || slimDOM === 'all'\n ?\n {\n script: true,\n comment: true,\n headFavicon: true,\n headWhitespace: true,\n headMetaDescKeywords: slimDOM === 'all',\n headMetaSocial: true,\n headMetaRobots: true,\n headMetaHttpEquiv: true,\n headMetaAuthorship: true,\n headMetaVerification: true\n }\n : slimDOM === false\n ? {}\n : slimDOM;\n return [\n serializeNodeWithId(n, {\n doc: n,\n map: idNodeMap,\n blockClass: blockClass,\n blockSelector: blockSelector,\n unblockSelector: unblockSelector,\n maskTextClass: maskTextClass,\n maskTextSelector: maskTextSelector,\n unmaskTextSelector: unmaskTextSelector,\n skipChild: false,\n inlineStylesheet: inlineStylesheet,\n maskInputSelector: maskInputSelector,\n unmaskInputSelector: unmaskInputSelector,\n maskInputOptions: maskInputOptions,\n maskTextFn: maskTextFn,\n maskInputFn: maskInputFn,\n slimDOMOptions: slimDOMOptions,\n dataURLOptions: dataURLOptions,\n inlineImages: inlineImages,\n recordCanvas: recordCanvas,\n preserveWhiteSpace: preserveWhiteSpace,\n onSerialize: onSerialize,\n onIframeLoad: onIframeLoad,\n iframeLoadTimeout: iframeLoadTimeout,\n keepIframeSrcFn: keepIframeSrcFn\n }),\n idNodeMap,\n ];\n}\nfunction visitSnapshot(node, onVisit) {\n function walk(current) {\n onVisit(current);\n if (current.type === NodeType.Document ||\n current.type === NodeType.Element) {\n current.childNodes.forEach(walk);\n }\n }\n walk(node);\n}\nfunction cleanupSnapshot() {\n _id = 1;\n}\n\nvar commentre = /\\/\\*[^*]*\\*+([^/*][^*]*\\*+)*\\//g;\nfunction parse(css, options) {\n if (options === void 0) { options = {}; }\n var lineno = 1;\n var column = 1;\n function updatePosition(str) {\n var lines = str.match(/\\n/g);\n if (lines) {\n lineno += lines.length;\n }\n var i = str.lastIndexOf('\\n');\n column = i === -1 ? column + str.length : str.length - i;\n }\n function position() {\n var start = { line: lineno, column: column };\n return function (node) {\n node.position = new Position(start);\n whitespace();\n return node;\n };\n }\n var Position = (function () {\n function Position(start) {\n this.start = start;\n this.end = { line: lineno, column: column };\n this.source = options.source;\n }\n return Position;\n }());\n Position.prototype.content = css;\n var errorsList = [];\n function error(msg) {\n var err = new Error(options.source + ':' + lineno + ':' + column + ': ' + msg);\n err.reason = msg;\n err.filename = options.source;\n err.line = lineno;\n err.column = column;\n err.source = css;\n if (options.silent) {\n errorsList.push(err);\n }\n else {\n throw err;\n }\n }\n function stylesheet() {\n var rulesList = rules();\n return {\n type: 'stylesheet',\n stylesheet: {\n source: options.source,\n rules: rulesList,\n parsingErrors: errorsList\n }\n };\n }\n function open() {\n return match(/^{\\s*/);\n }\n function close() {\n return match(/^}/);\n }\n function rules() {\n var node;\n var rules = [];\n whitespace();\n comments(rules);\n while (css.length && css.charAt(0) !== '}' && (node = atrule() || rule())) {\n if (node !== false) {\n rules.push(node);\n comments(rules);\n }\n }\n return rules;\n }\n function match(re) {\n var m = re.exec(css);\n if (!m) {\n return;\n }\n var str = m[0];\n updatePosition(str);\n css = css.slice(str.length);\n return m;\n }\n function whitespace() {\n match(/^\\s*/);\n }\n function comments(rules) {\n if (rules === void 0) { rules = []; }\n var c;\n while ((c = comment())) {\n if (c !== false) {\n rules.push(c);\n }\n c = comment();\n }\n return rules;\n }\n function comment() {\n var pos = position();\n if ('/' !== css.charAt(0) || '*' !== css.charAt(1)) {\n return;\n }\n var i = 2;\n while ('' !== css.charAt(i) &&\n ('*' !== css.charAt(i) || '/' !== css.charAt(i + 1))) {\n ++i;\n }\n i += 2;\n if ('' === css.charAt(i - 1)) {\n return error('End of comment missing');\n }\n var str = css.slice(2, i - 2);\n column += 2;\n updatePosition(str);\n css = css.slice(i);\n column += 2;\n return pos({\n type: 'comment',\n comment: str\n });\n }\n function selector() {\n var m = match(/^([^{]+)/);\n if (!m) {\n return;\n }\n return trim(m[0])\n .replace(/\\/\\*([^*]|[\\r\\n]|(\\*+([^*/]|[\\r\\n])))*\\*\\/+/g, '')\n .replace(/\"(?:\\\\\"|[^\"])*\"|'(?:\\\\'|[^'])*'/g, function (m) {\n return m.replace(/,/g, '\\u200C');\n })\n .split(/\\s*(?![^(]*\\)),\\s*/)\n .map(function (s) {\n return s.replace(/\\u200C/g, ',');\n });\n }\n function declaration() {\n var pos = position();\n var propMatch = match(/^(\\*?[-#\\/\\*\\\\\\w]+(\\[[0-9a-z_-]+\\])?)\\s*/);\n if (!propMatch) {\n return;\n }\n var prop = trim(propMatch[0]);\n if (!match(/^:\\s*/)) {\n return error(\"property missing ':'\");\n }\n var val = match(/^((?:'(?:\\\\'|.)*?'|\"(?:\\\\\"|.)*?\"|\\([^\\)]*?\\)|[^};])+)/);\n var ret = pos({\n type: 'declaration',\n property: prop.replace(commentre, ''),\n value: val ? trim(val[0]).replace(commentre, '') : ''\n });\n match(/^[;\\s]*/);\n return ret;\n }\n function declarations() {\n var decls = [];\n if (!open()) {\n return error(\"missing '{'\");\n }\n comments(decls);\n var decl;\n while ((decl = declaration())) {\n if (decl !== false) {\n decls.push(decl);\n comments(decls);\n }\n decl = declaration();\n }\n if (!close()) {\n return error(\"missing '}'\");\n }\n return decls;\n }\n function keyframe() {\n var m;\n var vals = [];\n var pos = position();\n while ((m = match(/^((\\d+\\.\\d+|\\.\\d+|\\d+)%?|[a-z]+)\\s*/))) {\n vals.push(m[1]);\n match(/^,\\s*/);\n }\n if (!vals.length) {\n return;\n }\n return pos({\n type: 'keyframe',\n values: vals,\n declarations: declarations()\n });\n }\n function atkeyframes() {\n var pos = position();\n var m = match(/^@([-\\w]+)?keyframes\\s*/);\n if (!m) {\n return;\n }\n var vendor = m[1];\n m = match(/^([-\\w]+)\\s*/);\n if (!m) {\n return error('@keyframes missing name');\n }\n var name = m[1];\n if (!open()) {\n return error(\"@keyframes missing '{'\");\n }\n var frame;\n var frames = comments();\n while ((frame = keyframe())) {\n frames.push(frame);\n frames = frames.concat(comments());\n }\n if (!close()) {\n return error(\"@keyframes missing '}'\");\n }\n return pos({\n type: 'keyframes',\n name: name,\n vendor: vendor,\n keyframes: frames\n });\n }\n function atsupports() {\n var pos = position();\n var m = match(/^@supports *([^{]+)/);\n if (!m) {\n return;\n }\n var supports = trim(m[1]);\n if (!open()) {\n return error(\"@supports missing '{'\");\n }\n var style = comments().concat(rules());\n if (!close()) {\n return error(\"@supports missing '}'\");\n }\n return pos({\n type: 'supports',\n supports: supports,\n rules: style\n });\n }\n function athost() {\n var pos = position();\n var m = match(/^@host\\s*/);\n if (!m) {\n return;\n }\n if (!open()) {\n return error(\"@host missing '{'\");\n }\n var style = comments().concat(rules());\n if (!close()) {\n return error(\"@host missing '}'\");\n }\n return pos({\n type: 'host',\n rules: style\n });\n }\n function atmedia() {\n var pos = position();\n var m = match(/^@media *([^{]+)/);\n if (!m) {\n return;\n }\n var media = trim(m[1]);\n if (!open()) {\n return error(\"@media missing '{'\");\n }\n var style = comments().concat(rules());\n if (!close()) {\n return error(\"@media missing '}'\");\n }\n return pos({\n type: 'media',\n media: media,\n rules: style\n });\n }\n function atcustommedia() {\n var pos = position();\n var m = match(/^@custom-media\\s+(--[^\\s]+)\\s*([^{;]+);/);\n if (!m) {\n return;\n }\n return pos({\n type: 'custom-media',\n name: trim(m[1]),\n media: trim(m[2])\n });\n }\n function atpage() {\n var pos = position();\n var m = match(/^@page */);\n if (!m) {\n return;\n }\n var sel = selector() || [];\n if (!open()) {\n return error(\"@page missing '{'\");\n }\n var decls = comments();\n var decl;\n while ((decl = declaration())) {\n decls.push(decl);\n decls = decls.concat(comments());\n }\n if (!close()) {\n return error(\"@page missing '}'\");\n }\n return pos({\n type: 'page',\n selectors: sel,\n declarations: decls\n });\n }\n function atdocument() {\n var pos = position();\n var m = match(/^@([-\\w]+)?document *([^{]+)/);\n if (!m) {\n return;\n }\n var vendor = trim(m[1]);\n var doc = trim(m[2]);\n if (!open()) {\n return error(\"@document missing '{'\");\n }\n var style = comments().concat(rules());\n if (!close()) {\n return error(\"@document missing '}'\");\n }\n return pos({\n type: 'document',\n document: doc,\n vendor: vendor,\n rules: style\n });\n }\n function atfontface() {\n var pos = position();\n var m = match(/^@font-face\\s*/);\n if (!m) {\n return;\n }\n if (!open()) {\n return error(\"@font-face missing '{'\");\n }\n var decls = comments();\n var decl;\n while ((decl = declaration())) {\n decls.push(decl);\n decls = decls.concat(comments());\n }\n if (!close()) {\n return error(\"@font-face missing '}'\");\n }\n return pos({\n type: 'font-face',\n declarations: decls\n });\n }\n var atimport = _compileAtrule('import');\n var atcharset = _compileAtrule('charset');\n var atnamespace = _compileAtrule('namespace');\n function _compileAtrule(name) {\n var re = new RegExp('^@' + name + '\\\\s*([^;]+);');\n return function () {\n var pos = position();\n var m = match(re);\n if (!m) {\n return;\n }\n var ret = { type: name };\n ret[name] = m[1].trim();\n return pos(ret);\n };\n }\n function atrule() {\n if (css[0] !== '@') {\n return;\n }\n return (atkeyframes() ||\n atmedia() ||\n atcustommedia() ||\n atsupports() ||\n atimport() ||\n atcharset() ||\n atnamespace() ||\n atdocument() ||\n atpage() ||\n athost() ||\n atfontface());\n }\n function rule() {\n var pos = position();\n var sel = selector();\n if (!sel) {\n return error('selector missing');\n }\n comments();\n return pos({\n type: 'rule',\n selectors: sel,\n declarations: declarations()\n });\n }\n return addParent(stylesheet());\n}\nfunction trim(str) {\n return str ? str.replace(/^\\s+|\\s+$/g, '') : '';\n}\nfunction addParent(obj, parent) {\n var isNode = obj && typeof obj.type === 'string';\n var childParent = isNode ? obj : parent;\n for (var _i = 0, _a = Object.keys(obj); _i < _a.length; _i++) {\n var k = _a[_i];\n var value = obj[k];\n if (Array.isArray(value)) {\n value.forEach(function (v) {\n addParent(v, childParent);\n });\n }\n else if (value && typeof value === 'object') {\n addParent(value, childParent);\n }\n }\n if (isNode) {\n Object.defineProperty(obj, 'parent', {\n configurable: true,\n writable: true,\n enumerable: false,\n value: parent || null\n });\n }\n return obj;\n}\n\nvar tagMap = {\n script: 'noscript',\n altglyph: 'altGlyph',\n altglyphdef: 'altGlyphDef',\n altglyphitem: 'altGlyphItem',\n animatecolor: 'animateColor',\n animatemotion: 'animateMotion',\n animatetransform: 'animateTransform',\n clippath: 'clipPath',\n feblend: 'feBlend',\n fecolormatrix: 'feColorMatrix',\n fecomponenttransfer: 'feComponentTransfer',\n fecomposite: 'feComposite',\n feconvolvematrix: 'feConvolveMatrix',\n fediffuselighting: 'feDiffuseLighting',\n fedisplacementmap: 'feDisplacementMap',\n fedistantlight: 'feDistantLight',\n fedropshadow: 'feDropShadow',\n feflood: 'feFlood',\n fefunca: 'feFuncA',\n fefuncb: 'feFuncB',\n fefuncg: 'feFuncG',\n fefuncr: 'feFuncR',\n fegaussianblur: 'feGaussianBlur',\n feimage: 'feImage',\n femerge: 'feMerge',\n femergenode: 'feMergeNode',\n femorphology: 'feMorphology',\n feoffset: 'feOffset',\n fepointlight: 'fePointLight',\n fespecularlighting: 'feSpecularLighting',\n fespotlight: 'feSpotLight',\n fetile: 'feTile',\n feturbulence: 'feTurbulence',\n foreignobject: 'foreignObject',\n glyphref: 'glyphRef',\n lineargradient: 'linearGradient',\n radialgradient: 'radialGradient'\n};\nfunction getTagName(n) {\n var tagName = tagMap[n.tagName] ? tagMap[n.tagName] : n.tagName;\n if (tagName === 'link' && n.attributes._cssText) {\n tagName = 'style';\n }\n return tagName;\n}\nfunction escapeRegExp(str) {\n return str.replace(/[.*+?^${}()|[\\]\\\\]/g, '\\\\$&');\n}\nvar HOVER_SELECTOR = /([^\\\\]):hover/;\nvar HOVER_SELECTOR_GLOBAL = new RegExp(HOVER_SELECTOR.source, 'g');\nfunction addHoverClass(cssText, cache) {\n var cachedStyle = cache === null || cache === void 0 ? void 0 : cache.stylesWithHoverClass.get(cssText);\n if (cachedStyle)\n return cachedStyle;\n var ast = parse(cssText, {\n silent: true\n });\n if (!ast.stylesheet) {\n return cssText;\n }\n var selectors = [];\n ast.stylesheet.rules.forEach(function (rule) {\n if ('selectors' in rule) {\n (rule.selectors || []).forEach(function (selector) {\n if (HOVER_SELECTOR.test(selector)) {\n selectors.push(selector);\n }\n });\n }\n });\n if (selectors.length === 0) {\n return cssText;\n }\n var selectorMatcher = new RegExp(selectors\n .filter(function (selector, index) { return selectors.indexOf(selector) === index; })\n .sort(function (a, b) { return b.length - a.length; })\n .map(function (selector) {\n return escapeRegExp(selector);\n })\n .join('|'), 'g');\n var result = cssText.replace(selectorMatcher, function (selector) {\n var newSelector = selector.replace(HOVER_SELECTOR_GLOBAL, '$1.\\\\:hover');\n return selector + \", \" + newSelector;\n });\n cache === null || cache === void 0 ? void 0 : cache.stylesWithHoverClass.set(cssText, result);\n return result;\n}\nfunction createCache() {\n var stylesWithHoverClass = new Map();\n return {\n stylesWithHoverClass: stylesWithHoverClass\n };\n}\nfunction buildNode(n, options) {\n var doc = options.doc, hackCss = options.hackCss, cache = options.cache;\n switch (n.type) {\n case NodeType.Document:\n return doc.implementation.createDocument(null, '', null);\n case NodeType.DocumentType:\n return doc.implementation.createDocumentType(n.name || 'html', n.publicId, n.systemId);\n case NodeType.Element:\n var tagName = getTagName(n);\n var node_1;\n if (n.isSVG) {\n node_1 = doc.createElementNS('http://www.w3.org/2000/svg', tagName);\n }\n else {\n node_1 = doc.createElement(tagName);\n }\n var _loop_1 = function (name_1) {\n if (!n.attributes.hasOwnProperty(name_1)) {\n return \"continue\";\n }\n var value = n.attributes[name_1];\n if (tagName === 'option' && name_1 === 'selected' && value === false) {\n return \"continue\";\n }\n value =\n typeof value === 'boolean' || typeof value === 'number' ? '' : value;\n if (!name_1.startsWith('rr_')) {\n var isTextarea = tagName === 'textarea' && name_1 === 'value';\n var isRemoteOrDynamicCss = tagName === 'style' && name_1 === '_cssText';\n if (isRemoteOrDynamicCss && hackCss) {\n value = addHoverClass(value, cache);\n }\n if (isTextarea || isRemoteOrDynamicCss) {\n var child = doc.createTextNode(value);\n for (var _i = 0, _a = Array.from(node_1.childNodes); _i < _a.length; _i++) {\n var c = _a[_i];\n if (c.nodeType === node_1.TEXT_NODE) {\n node_1.removeChild(c);\n }\n }\n node_1.appendChild(child);\n return \"continue\";\n }\n try {\n if (n.isSVG && name_1 === 'xlink:href') {\n node_1.setAttributeNS('http://www.w3.org/1999/xlink', name_1, value);\n }\n else if (name_1 === 'onload' ||\n name_1 === 'onclick' ||\n name_1.substring(0, 7) === 'onmouse') {\n node_1.setAttribute('_' + name_1, value);\n }\n else if (tagName === 'meta' &&\n n.attributes['http-equiv'] === 'Content-Security-Policy' &&\n name_1 === 'content') {\n node_1.setAttribute('csp-content', value);\n return \"continue\";\n }\n else if (tagName === 'link' &&\n n.attributes.rel === 'preload' &&\n n.attributes.as === 'script') {\n }\n else if (tagName === 'link' &&\n n.attributes.rel === 'prefetch' &&\n typeof n.attributes.href === 'string' &&\n n.attributes.href.endsWith('.js')) {\n }\n else if (tagName === 'img' &&\n n.attributes.srcset &&\n n.attributes.rr_dataURL) {\n node_1.setAttribute('rrweb-original-srcset', n.attributes.srcset);\n }\n else {\n node_1.setAttribute(name_1, value);\n }\n }\n catch (error) {\n }\n }\n else {\n if (tagName === 'canvas' && name_1 === 'rr_dataURL') {\n var image_1 = document.createElement('img');\n image_1.src = value;\n image_1.onload = function () {\n var ctx = node_1.getContext('2d');\n if (ctx) {\n ctx.drawImage(image_1, 0, 0, image_1.width, image_1.height);\n }\n };\n }\n else if (tagName === 'img' && name_1 === 'rr_dataURL') {\n var image = node_1;\n if (!image.currentSrc.startsWith('data:')) {\n image.setAttribute('rrweb-original-src', n.attributes.src);\n image.src = value;\n }\n }\n if (name_1 === 'rr_width') {\n node_1.style.width = value;\n }\n else if (name_1 === 'rr_height') {\n node_1.style.height = value;\n }\n else if (name_1 === 'rr_mediaCurrentTime') {\n node_1.currentTime = n.attributes\n .rr_mediaCurrentTime;\n }\n else if (name_1 === 'rr_mediaState') {\n switch (value) {\n case 'played':\n node_1\n .play()[\"catch\"](function (e) { return console.warn('media playback error', e); });\n break;\n case 'paused':\n node_1.pause();\n break;\n }\n }\n }\n };\n for (var name_1 in n.attributes) {\n _loop_1(name_1);\n }\n if (n.isShadowHost) {\n if (!node_1.shadowRoot) {\n node_1.attachShadow({ mode: 'open' });\n }\n else {\n while (node_1.shadowRoot.firstChild) {\n node_1.shadowRoot.removeChild(node_1.shadowRoot.firstChild);\n }\n }\n }\n return node_1;\n case NodeType.Text:\n return doc.createTextNode(n.isStyle && hackCss\n ? addHoverClass(n.textContent, cache)\n : n.textContent);\n case NodeType.CDATA:\n return doc.createCDATASection(n.textContent);\n case NodeType.Comment:\n return doc.createComment(n.textContent);\n default:\n return null;\n }\n}\nfunction buildNodeWithSN(n, options) {\n var doc = options.doc, map = options.map, _a = options.skipChild, skipChild = _a === void 0 ? false : _a, _b = options.hackCss, hackCss = _b === void 0 ? true : _b, afterAppend = options.afterAppend, cache = options.cache;\n var node = buildNode(n, { doc: doc, hackCss: hackCss, cache: cache });\n if (!node) {\n return null;\n }\n if (n.rootId) {\n console.assert(map[n.rootId] === doc, 'Target document should has the same root id.');\n }\n if (n.type === NodeType.Document) {\n doc.close();\n doc.open();\n if (n.compatMode === 'BackCompat' &&\n n.childNodes &&\n n.childNodes[0].type !== NodeType.DocumentType) {\n if (n.childNodes[0].type === NodeType.Element &&\n 'xmlns' in n.childNodes[0].attributes &&\n n.childNodes[0].attributes.xmlns === 'http://www.w3.org/1999/xhtml') {\n doc.write('');\n }\n else {\n doc.write('');\n }\n }\n node = doc;\n }\n node.__sn = n;\n map[n.id] = node;\n if ((n.type === NodeType.Document || n.type === NodeType.Element) &&\n !skipChild) {\n for (var _i = 0, _c = n.childNodes; _i < _c.length; _i++) {\n var childN = _c[_i];\n var childNode = buildNodeWithSN(childN, {\n doc: doc,\n map: map,\n skipChild: false,\n hackCss: hackCss,\n afterAppend: afterAppend,\n cache: cache\n });\n if (!childNode) {\n console.warn('Failed to rebuild', childN);\n continue;\n }\n if (childN.isShadow && isElement(node) && node.shadowRoot) {\n node.shadowRoot.appendChild(childNode);\n }\n else {\n node.appendChild(childNode);\n }\n if (afterAppend) {\n afterAppend(childNode);\n }\n }\n }\n return node;\n}\nfunction visit(idNodeMap, onVisit) {\n function walk(node) {\n onVisit(node);\n }\n for (var key in idNodeMap) {\n if (idNodeMap[key]) {\n walk(idNodeMap[key]);\n }\n }\n}\nfunction handleScroll(node) {\n var n = node.__sn;\n if (n.type !== NodeType.Element) {\n return;\n }\n var el = node;\n for (var name_2 in n.attributes) {\n if (!(n.attributes.hasOwnProperty(name_2) && name_2.startsWith('rr_'))) {\n continue;\n }\n var value = n.attributes[name_2];\n if (name_2 === 'rr_scrollLeft') {\n el.scrollLeft = value;\n }\n if (name_2 === 'rr_scrollTop') {\n el.scrollTop = value;\n }\n }\n}\nfunction rebuild(n, options) {\n var doc = options.doc, onVisit = options.onVisit, _a = options.hackCss, hackCss = _a === void 0 ? true : _a, afterAppend = options.afterAppend, cache = options.cache;\n var idNodeMap = {};\n var node = buildNodeWithSN(n, {\n doc: doc,\n map: idNodeMap,\n skipChild: false,\n hackCss: hackCss,\n afterAppend: afterAppend,\n cache: cache\n });\n visit(idNodeMap, function (visitedNode) {\n if (onVisit) {\n onVisit(visitedNode);\n }\n handleScroll(visitedNode);\n });\n return [node, idNodeMap];\n}\n\nexport { IGNORED_NODE, NodeType, addHoverClass, buildNodeWithSN, cleanupSnapshot, createCache, is2DCanvasBlank, isElement, isShadowRoot, maskInputValue, needMaskingText, rebuild, serializeNodeWithId, snapshot, transformAttribute, visitSnapshot };\n","import {\n Mirror,\n throttleOptions,\n listenerHandler,\n hookResetter,\n blockClass,\n IncrementalSource,\n addedNodeMutation,\n removedNodeMutation,\n textMutation,\n attributeMutation,\n mutationData,\n scrollData,\n inputData,\n DocumentDimension,\n IWindow,\n} from './types';\nimport {\n INode,\n IGNORED_NODE,\n serializedNodeWithId,\n NodeType,\n isShadowRoot,\n} from 'rrweb-snapshot';\n\nexport function on(\n type: string,\n fn: EventListenerOrEventListenerObject,\n target: Document | IWindow = document,\n): listenerHandler {\n const options = { capture: true, passive: true };\n target.addEventListener(type, fn, options);\n return () => target.removeEventListener(type, fn, options);\n}\n\nexport function createMirror(): Mirror {\n return {\n map: {},\n getId(n) {\n // if n is not a serialized INode, use -1 as its id.\n if (!n || !n.__sn) {\n return -1;\n }\n return n.__sn.id;\n },\n getNode(id) {\n return this.map[id] || null;\n },\n // TODO: use a weakmap to get rid of manually memory management\n removeNodeFromMap(n) {\n const id = n.__sn && n.__sn.id;\n delete this.map[id];\n if (n.childNodes) {\n n.childNodes.forEach((child) =>\n this.removeNodeFromMap((child as Node) as INode),\n );\n }\n },\n has(id) {\n return this.map.hasOwnProperty(id);\n },\n reset() {\n this.map = {};\n },\n };\n}\n\n// https://github.com/rrweb-io/rrweb/pull/407\nconst DEPARTED_MIRROR_ACCESS_WARNING =\n 'Please stop import mirror directly. Instead of that,' +\n '\\r\\n' +\n 'now you can use replayer.getMirror() to access the mirror instance of a replayer,' +\n '\\r\\n' +\n 'or you can use record.mirror to access the mirror instance during recording.';\nexport let _mirror: Mirror = {\n map: {},\n getId() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n return -1;\n },\n getNode() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n return null;\n },\n removeNodeFromMap() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n },\n has() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n return false;\n },\n reset() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n },\n};\nif (typeof window !== 'undefined' && window.Proxy && window.Reflect) {\n _mirror = new Proxy(_mirror, {\n get(target, prop, receiver) {\n if (prop === 'map') {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n }\n return Reflect.get(target, prop, receiver);\n },\n });\n}\n\n// copy from underscore and modified\nexport function throttle(\n func: (arg: T) => void,\n wait: number,\n options: throttleOptions = {},\n) {\n let timeout: ReturnType | null = null;\n let previous = 0;\n // tslint:disable-next-line: only-arrow-functions\n return function (arg: T) {\n let now = Date.now();\n if (!previous && options.leading === false) {\n previous = now;\n }\n let remaining = wait - (now - previous);\n let context = this;\n let args = arguments;\n if (remaining <= 0 || remaining > wait) {\n if (timeout) {\n clearTimeout(timeout);\n timeout = null;\n }\n previous = now;\n func.apply(context, args);\n } else if (!timeout && options.trailing !== false) {\n timeout = setTimeout(() => {\n previous = options.leading === false ? 0 : Date.now();\n timeout = null;\n func.apply(context, args);\n }, remaining);\n }\n };\n}\n\nexport function hookSetter(\n target: T,\n key: string | number | symbol,\n d: PropertyDescriptor,\n isRevoked?: boolean,\n win = window,\n): hookResetter {\n const original = win.Object.getOwnPropertyDescriptor(target, key);\n win.Object.defineProperty(\n target,\n key,\n isRevoked\n ? d\n : {\n set(value) {\n // put hooked setter into event loop to avoid of set latency\n setTimeout(() => {\n d.set!.call(this, value);\n }, 0);\n if (original && original.set) {\n original.set.call(this, value);\n }\n },\n },\n );\n return () => hookSetter(target, key, original || {}, true);\n}\n\n// copy from https://github.com/getsentry/sentry-javascript/blob/b2109071975af8bf0316d3b5b38f519bdaf5dc15/packages/utils/src/object.ts\nexport function patch(\n // tslint:disable-next-line:no-any\n source: { [key: string]: any },\n name: string,\n // tslint:disable-next-line:no-any\n replacement: (...args: any[]) => any,\n): () => void {\n try {\n if (!(name in source)) {\n return () => {};\n }\n\n const original = source[name] as () => unknown;\n const wrapped = replacement(original);\n\n // Make sure it's a function first, as we need to attach an empty prototype for `defineProperties` to work\n // otherwise it'll throw \"TypeError: Object.defineProperties called on non-object\"\n // tslint:disable-next-line:strict-type-predicates\n if (typeof wrapped === 'function') {\n wrapped.prototype = wrapped.prototype || {};\n Object.defineProperties(wrapped, {\n __rrweb_original__: {\n enumerable: false,\n value: original,\n },\n });\n }\n\n source[name] = wrapped;\n\n return () => {\n source[name] = original;\n };\n } catch {\n return () => {};\n // This can throw if multiple fill happens on a global object like XMLHttpRequest\n // Fixes https://github.com/getsentry/sentry-javascript/issues/2043\n }\n}\n\nexport function getWindowHeight(): number {\n return (\n window.innerHeight ||\n (document.documentElement && document.documentElement.clientHeight) ||\n (document.body && document.body.clientHeight)\n );\n}\n\nexport function getWindowWidth(): number {\n return (\n window.innerWidth ||\n (document.documentElement && document.documentElement.clientWidth) ||\n (document.body && document.body.clientWidth)\n );\n}\n\nexport function isBlocked(node: Node | null, blockClass: blockClass): boolean {\n if (!node) {\n return false;\n }\n if (node.nodeType === node.ELEMENT_NODE) {\n let needBlock = false;\n if (typeof blockClass === 'string') {\n if ((node as HTMLElement).closest !== undefined) {\n return (node as HTMLElement).closest('.' + blockClass) !== null;\n } else {\n needBlock = (node as HTMLElement).classList.contains(blockClass);\n }\n } else {\n (node as HTMLElement).classList.forEach((className) => {\n if (blockClass.test(className)) {\n needBlock = true;\n }\n });\n }\n return needBlock || isBlocked(node.parentNode, blockClass);\n }\n if (node.nodeType === node.TEXT_NODE) {\n // check parent node since text node do not have class name\n return isBlocked(node.parentNode, blockClass);\n }\n return isBlocked(node.parentNode, blockClass);\n}\n\nexport function isIgnored(n: Node | INode): boolean {\n if ('__sn' in n) {\n return (n as INode).__sn.id === IGNORED_NODE;\n }\n // The main part of the slimDOM check happens in\n // rrweb-snapshot::serializeNodeWithId\n return false;\n}\n\nexport function isAncestorRemoved(target: INode, mirror: Mirror): boolean {\n if (isShadowRoot(target)) {\n return false;\n }\n const id = mirror.getId(target);\n if (!mirror.has(id)) {\n return true;\n }\n if (\n target.parentNode &&\n target.parentNode.nodeType === target.DOCUMENT_NODE\n ) {\n return false;\n }\n // if the root is not document, it means the node is not in the DOM tree anymore\n if (!target.parentNode) {\n return true;\n }\n return isAncestorRemoved((target.parentNode as unknown) as INode, mirror);\n}\n\nexport function isTouchEvent(\n event: MouseEvent | TouchEvent,\n): event is TouchEvent {\n return Boolean((event as TouchEvent).changedTouches);\n}\n\nexport function polyfill(win = window) {\n if ('NodeList' in win && !win.NodeList.prototype.forEach) {\n win.NodeList.prototype.forEach = (Array.prototype\n .forEach as unknown) as NodeList['forEach'];\n }\n\n if ('DOMTokenList' in win && !win.DOMTokenList.prototype.forEach) {\n win.DOMTokenList.prototype.forEach = (Array.prototype\n .forEach as unknown) as DOMTokenList['forEach'];\n }\n\n // https://github.com/Financial-Times/polyfill-service/pull/183\n if (!Node.prototype.contains) {\n Node.prototype.contains = function contains(node) {\n if (!(0 in arguments)) {\n throw new TypeError('1 argument is required');\n }\n\n do {\n if (this === node) {\n return true;\n }\n // tslint:disable-next-line: no-conditional-assignment\n } while ((node = node && node.parentNode));\n\n return false;\n };\n }\n}\n\nexport type TreeNode = {\n id: number;\n mutation: addedNodeMutation;\n parent?: TreeNode;\n children: Record;\n texts: textMutation[];\n attributes: attributeMutation[];\n};\nexport class TreeIndex {\n public tree!: Record;\n\n private removeNodeMutations!: removedNodeMutation[];\n private textMutations!: textMutation[];\n private attributeMutations!: attributeMutation[];\n private indexes!: Map;\n private removeIdSet!: Set;\n private scrollMap!: Map;\n private inputMap!: Map;\n\n constructor() {\n this.reset();\n }\n\n public add(mutation: addedNodeMutation) {\n const parentTreeNode = this.indexes.get(mutation.parentId);\n const treeNode: TreeNode = {\n id: mutation.node.id,\n mutation,\n children: [],\n texts: [],\n attributes: [],\n };\n if (!parentTreeNode) {\n this.tree[treeNode.id] = treeNode;\n } else {\n treeNode.parent = parentTreeNode;\n parentTreeNode.children[treeNode.id] = treeNode;\n }\n this.indexes.set(treeNode.id, treeNode);\n }\n\n public remove(mutation: removedNodeMutation, mirror: Mirror) {\n const parentTreeNode = this.indexes.get(mutation.parentId);\n const treeNode = this.indexes.get(mutation.id);\n\n const deepRemoveFromMirror = (id: number) => {\n this.removeIdSet.add(id);\n const node = mirror.getNode(id);\n node?.childNodes.forEach((childNode) => {\n if ('__sn' in childNode) {\n deepRemoveFromMirror(((childNode as unknown) as INode).__sn.id);\n }\n });\n };\n const deepRemoveFromTreeIndex = (node: TreeNode) => {\n this.removeIdSet.add(node.id);\n Object.values(node.children).forEach((n) => deepRemoveFromTreeIndex(n));\n const _treeNode = this.indexes.get(node.id);\n if (_treeNode) {\n const _parentTreeNode = _treeNode.parent;\n if (_parentTreeNode) {\n delete _treeNode.parent;\n delete _parentTreeNode.children[_treeNode.id];\n this.indexes.delete(mutation.id);\n }\n }\n };\n\n if (!treeNode) {\n this.removeNodeMutations.push(mutation);\n deepRemoveFromMirror(mutation.id);\n } else if (!parentTreeNode) {\n delete this.tree[treeNode.id];\n this.indexes.delete(treeNode.id);\n deepRemoveFromTreeIndex(treeNode);\n } else {\n delete treeNode.parent;\n delete parentTreeNode.children[treeNode.id];\n this.indexes.delete(mutation.id);\n deepRemoveFromTreeIndex(treeNode);\n }\n }\n\n public text(mutation: textMutation) {\n const treeNode = this.indexes.get(mutation.id);\n if (treeNode) {\n treeNode.texts.push(mutation);\n } else {\n this.textMutations.push(mutation);\n }\n }\n\n public attribute(mutation: attributeMutation) {\n const treeNode = this.indexes.get(mutation.id);\n if (treeNode) {\n treeNode.attributes.push(mutation);\n } else {\n this.attributeMutations.push(mutation);\n }\n }\n\n public scroll(d: scrollData) {\n this.scrollMap.set(d.id, d);\n }\n\n public input(d: inputData) {\n this.inputMap.set(d.id, d);\n }\n\n public flush(): {\n mutationData: mutationData;\n scrollMap: TreeIndex['scrollMap'];\n inputMap: TreeIndex['inputMap'];\n } {\n const {\n tree,\n removeNodeMutations,\n textMutations,\n attributeMutations,\n } = this;\n\n const batchMutationData: mutationData = {\n source: IncrementalSource.Mutation,\n removes: removeNodeMutations,\n texts: textMutations,\n attributes: attributeMutations,\n adds: [],\n };\n\n const walk = (treeNode: TreeNode, removed: boolean) => {\n if (removed) {\n this.removeIdSet.add(treeNode.id);\n }\n batchMutationData.texts = batchMutationData.texts\n .concat(removed ? [] : treeNode.texts)\n .filter((m) => !this.removeIdSet.has(m.id));\n batchMutationData.attributes = batchMutationData.attributes\n .concat(removed ? [] : treeNode.attributes)\n .filter((m) => !this.removeIdSet.has(m.id));\n if (\n !this.removeIdSet.has(treeNode.id) &&\n !this.removeIdSet.has(treeNode.mutation.parentId) &&\n !removed\n ) {\n batchMutationData.adds.push(treeNode.mutation);\n if (treeNode.children) {\n Object.values(treeNode.children).forEach((n) => walk(n, false));\n }\n } else {\n Object.values(treeNode.children).forEach((n) => walk(n, true));\n }\n };\n\n Object.values(tree).forEach((n) => walk(n, false));\n\n for (const id of this.scrollMap.keys()) {\n if (this.removeIdSet.has(id)) {\n this.scrollMap.delete(id);\n }\n }\n for (const id of this.inputMap.keys()) {\n if (this.removeIdSet.has(id)) {\n this.inputMap.delete(id);\n }\n }\n\n const scrollMap = new Map(this.scrollMap);\n const inputMap = new Map(this.inputMap);\n\n this.reset();\n\n return {\n mutationData: batchMutationData,\n scrollMap,\n inputMap,\n };\n }\n\n private reset() {\n this.tree = [];\n this.indexes = new Map();\n this.removeNodeMutations = [];\n this.textMutations = [];\n this.attributeMutations = [];\n this.removeIdSet = new Set();\n this.scrollMap = new Map();\n this.inputMap = new Map();\n }\n\n public idRemoved(id: number): boolean {\n return this.removeIdSet.has(id);\n }\n}\n\ntype ResolveTree = {\n value: addedNodeMutation;\n children: ResolveTree[];\n parent: ResolveTree | null;\n};\n\nexport function queueToResolveTrees(queue: addedNodeMutation[]): ResolveTree[] {\n const queueNodeMap: Record = {};\n const putIntoMap = (\n m: addedNodeMutation,\n parent: ResolveTree | null,\n ): ResolveTree => {\n const nodeInTree: ResolveTree = {\n value: m,\n parent,\n children: [],\n };\n queueNodeMap[m.node.id] = nodeInTree;\n return nodeInTree;\n };\n\n const queueNodeTrees: ResolveTree[] = [];\n for (const mutation of queue) {\n const { nextId, parentId } = mutation;\n if (nextId && nextId in queueNodeMap) {\n const nextInTree = queueNodeMap[nextId];\n if (nextInTree.parent) {\n const idx = nextInTree.parent.children.indexOf(nextInTree);\n nextInTree.parent.children.splice(\n idx,\n 0,\n putIntoMap(mutation, nextInTree.parent),\n );\n } else {\n const idx = queueNodeTrees.indexOf(nextInTree);\n queueNodeTrees.splice(idx, 0, putIntoMap(mutation, null));\n }\n continue;\n }\n if (parentId in queueNodeMap) {\n const parentInTree = queueNodeMap[parentId];\n parentInTree.children.push(putIntoMap(mutation, parentInTree));\n continue;\n }\n queueNodeTrees.push(putIntoMap(mutation, null));\n }\n\n return queueNodeTrees;\n}\n\nexport function iterateResolveTree(\n tree: ResolveTree,\n cb: (mutation: addedNodeMutation) => unknown,\n) {\n cb(tree.value);\n /**\n * The resolve tree was designed to reflect the DOM layout,\n * but we need append next sibling first, so we do a reverse\n * loop here.\n */\n for (let i = tree.children.length - 1; i >= 0; i--) {\n iterateResolveTree(tree.children[i], cb);\n }\n}\n\ntype HTMLIFrameINode = HTMLIFrameElement & {\n __sn: serializedNodeWithId;\n};\nexport type AppendedIframe = {\n mutationInQueue: addedNodeMutation;\n builtNode: HTMLIFrameINode;\n};\n\nexport function isIframeINode(\n node: INode | ShadowRoot,\n): node is HTMLIFrameINode {\n if ('__sn' in node) {\n return (\n node.__sn.type === NodeType.Element && node.__sn.tagName === 'iframe'\n );\n }\n // node can be document fragment when using the virtual parent feature\n return false;\n}\n\nexport function getBaseDimension(\n node: Node,\n rootIframe: Node,\n): DocumentDimension {\n const frameElement = node.ownerDocument?.defaultView?.frameElement;\n if (!frameElement || frameElement === rootIframe) {\n return {\n x: 0,\n y: 0,\n relativeScale: 1,\n absoluteScale: 1,\n };\n }\n\n const frameDimension = frameElement.getBoundingClientRect();\n const frameBaseDimension = getBaseDimension(frameElement, rootIframe);\n // the iframe element may have a scale transform\n const relativeScale = frameDimension.height / frameElement.clientHeight;\n return {\n x:\n frameDimension.x * frameBaseDimension.relativeScale +\n frameBaseDimension.x,\n y:\n frameDimension.y * frameBaseDimension.relativeScale +\n frameBaseDimension.y,\n relativeScale,\n absoluteScale: frameBaseDimension.absoluteScale * relativeScale,\n };\n}\n\nexport function hasShadowRoot(\n n: T,\n): n is T & { shadowRoot: ShadowRoot } {\n return Boolean(((n as unknown) as Element)?.shadowRoot);\n}\n","import { listenerHandler, RecordPlugin, IWindow } from '../../../types';\nimport { patch } from '../../../utils';\nimport { ErrorStackParser, StackFrame } from './error-stack-parser';\nimport { stringify } from './stringify';\n\nexport type StringifyOptions = {\n // limit of string length\n stringLengthLimit?: number;\n /**\n * limit of number of keys in an object\n * if an object contains more keys than this limit, we would call its toString function directly\n */\n numOfKeysLimit: number;\n /**\n * limit number of depth in an object\n * if an object is too deep, toString process may cause browser OOM\n */\n depthOfLimit: number;\n};\n\ntype LogRecordOptions = {\n level?: LogLevel[];\n lengthThreshold?: number;\n stringifyOptions?: StringifyOptions;\n logger?: Logger | 'console';\n};\n\nconst defaultLogOptions: LogRecordOptions = {\n level: [\n 'assert',\n 'clear',\n 'count',\n 'countReset',\n 'debug',\n 'dir',\n 'dirxml',\n 'error',\n 'group',\n 'groupCollapsed',\n 'groupEnd',\n 'info',\n 'log',\n 'table',\n 'time',\n 'timeEnd',\n 'timeLog',\n 'trace',\n 'warn',\n ],\n lengthThreshold: 1000,\n logger: 'console',\n};\n\nexport type LogData = {\n level: LogLevel;\n trace: string[];\n payload: string[];\n};\n\ntype logCallback = (p: LogData) => void;\n\nexport type LogLevel =\n | 'assert'\n | 'clear'\n | 'count'\n | 'countReset'\n | 'debug'\n | 'dir'\n | 'dirxml'\n | 'error'\n | 'group'\n | 'groupCollapsed'\n | 'groupEnd'\n | 'info'\n | 'log'\n | 'table'\n | 'time'\n | 'timeEnd'\n | 'timeLog'\n | 'trace'\n | 'warn';\n\n/* fork from interface Console */\n// all kinds of console functions\nexport type Logger = {\n assert?: typeof console.assert;\n clear?: typeof console.clear;\n count?: typeof console.count;\n countReset?: typeof console.countReset;\n debug?: typeof console.debug;\n dir?: typeof console.dir;\n dirxml?: typeof console.dirxml;\n error?: typeof console.error;\n group?: typeof console.group;\n groupCollapsed?: typeof console.groupCollapsed;\n groupEnd?: () => void;\n info?: typeof console.info;\n log?: typeof console.log;\n table?: typeof console.table;\n time?: typeof console.time;\n timeEnd?: typeof console.timeEnd;\n timeLog?: typeof console.timeLog;\n trace?: typeof console.trace;\n warn?: typeof console.warn;\n};\n\nfunction initLogObserver(\n cb: logCallback,\n win: IWindow, // top window or in an iframe\n logOptions: LogRecordOptions,\n): listenerHandler {\n const loggerType = logOptions.logger;\n if (!loggerType) {\n return () => {};\n }\n let logger: Logger;\n if (typeof loggerType === 'string') {\n logger = win[loggerType];\n } else {\n logger = loggerType;\n }\n let logCount = 0;\n const cancelHandlers: listenerHandler[] = [];\n // add listener to thrown errors\n if (logOptions.level!.includes('error')) {\n if (window) {\n const errorHandler = (event: ErrorEvent) => {\n const { message, error } = event;\n const trace: string[] = ErrorStackParser.parse(\n error,\n ).map((stackFrame: StackFrame) => stackFrame.toString());\n const payload = [stringify(message, logOptions.stringifyOptions)];\n cb({\n level: 'error',\n trace,\n payload,\n });\n };\n window.addEventListener('error', errorHandler);\n cancelHandlers.push(() => {\n if (window) window.removeEventListener('error', errorHandler);\n });\n }\n }\n for (const levelType of logOptions.level!) {\n cancelHandlers.push(replace(logger, levelType));\n }\n return () => {\n cancelHandlers.forEach((h) => h());\n };\n\n /**\n * replace the original console function and record logs\n * @param logger the logger object such as Console\n * @param level the name of log function to be replaced\n */\n function replace(_logger: Logger, level: LogLevel) {\n if (!_logger[level]) {\n return () => {};\n }\n // replace the logger.{level}. return a restore function\n return patch(_logger, level, (original) => {\n return (...args: Array) => {\n original.apply(this, args);\n try {\n const trace = ErrorStackParser.parse(new Error())\n .map((stackFrame: StackFrame) => stackFrame.toString())\n .splice(1); // splice(1) to omit the hijacked log function\n const payload = args.map((s) =>\n stringify(s, logOptions.stringifyOptions),\n );\n logCount++;\n if (logCount < logOptions.lengthThreshold!) {\n cb({\n level,\n trace,\n payload,\n });\n } else if (logCount === logOptions.lengthThreshold) {\n // notify the user\n cb({\n level: 'warn',\n trace: [],\n payload: [\n stringify('The number of log records reached the threshold.'),\n ],\n });\n }\n } catch (error) {\n original('rrweb logger error:', error, ...args);\n }\n };\n });\n }\n}\n\nexport const PLUGIN_NAME = 'rrweb/console@1';\n\nexport const getRecordConsolePlugin: (\n options?: LogRecordOptions,\n) => RecordPlugin = (options) => ({\n name: PLUGIN_NAME,\n observer: initLogObserver,\n options: options\n ? Object.assign({}, defaultLogOptions, options)\n : defaultLogOptions,\n});\n","import { LogLevel, LogData, PLUGIN_NAME } from '../record';\nimport {\n eventWithTime,\n EventType,\n IncrementalSource,\n ReplayPlugin,\n} from '../../../types';\n\n/**\n * define an interface to replay log records\n * (data: logData) => void> function to display the log data\n */\ntype ReplayLogger = Partial void>>;\n\ntype LogReplayConfig = {\n level?: LogLevel[];\n replayLogger?: ReplayLogger;\n};\n\nconst ORIGINAL_ATTRIBUTE_NAME = '__rrweb_original__';\ntype PatchedConsoleLog = {\n [ORIGINAL_ATTRIBUTE_NAME]: typeof console.log;\n};\n\nconst defaultLogConfig: LogReplayConfig = {\n level: [\n 'assert',\n 'clear',\n 'count',\n 'countReset',\n 'debug',\n 'dir',\n 'dirxml',\n 'error',\n 'group',\n 'groupCollapsed',\n 'groupEnd',\n 'info',\n 'log',\n 'table',\n 'time',\n 'timeEnd',\n 'timeLog',\n 'trace',\n 'warn',\n ],\n replayLogger: undefined,\n};\n\nclass LogReplayPlugin {\n private config: LogReplayConfig;\n\n constructor(config?: LogReplayConfig) {\n this.config = Object.assign(defaultLogConfig, config);\n }\n\n /**\n * generate a console log replayer which implement the interface ReplayLogger\n */\n public getConsoleLogger(): ReplayLogger {\n const replayLogger: ReplayLogger = {};\n for (const level of this.config.level!) {\n if (level === 'trace') {\n replayLogger[level] = (data: LogData) => {\n const logger = ((console.log as unknown) as PatchedConsoleLog)[\n ORIGINAL_ATTRIBUTE_NAME\n ]\n ? ((console.log as unknown) as PatchedConsoleLog)[\n ORIGINAL_ATTRIBUTE_NAME\n ]\n : console.log;\n logger(\n ...data.payload.map((s) => JSON.parse(s)),\n this.formatMessage(data),\n );\n };\n } else {\n replayLogger[level] = (data: LogData) => {\n const logger = ((console[level] as unknown) as PatchedConsoleLog)[\n ORIGINAL_ATTRIBUTE_NAME\n ]\n ? ((console[level] as unknown) as PatchedConsoleLog)[\n ORIGINAL_ATTRIBUTE_NAME\n ]\n : console[level];\n logger(\n ...data.payload.map((s) => JSON.parse(s)),\n this.formatMessage(data),\n );\n };\n }\n }\n return replayLogger;\n }\n\n /**\n * format the trace data to a string\n * @param data the log data\n */\n private formatMessage(data: LogData): string {\n if (data.trace.length === 0) {\n return '';\n }\n const stackPrefix = '\\n\\tat ';\n let result = stackPrefix;\n result += data.trace.join(stackPrefix);\n return result;\n }\n}\n\nexport const getReplayConsolePlugin: (\n options?: LogReplayConfig,\n) => ReplayPlugin = (options) => {\n const replayLogger =\n options?.replayLogger || new LogReplayPlugin(options).getConsoleLogger();\n\n return {\n handler(event: eventWithTime, _isSync, context) {\n let logData: LogData | null = null;\n if (\n event.type === EventType.IncrementalSnapshot &&\n event.data.source === (IncrementalSource.Log as IncrementalSource)\n ) {\n logData = (event.data as unknown) as LogData;\n } else if (\n event.type === EventType.Plugin &&\n event.data.plugin === PLUGIN_NAME\n ) {\n logData = event.data.payload as LogData;\n }\n if (logData) {\n try {\n if (typeof replayLogger[logData.level] === 'function') {\n replayLogger[logData.level]!(logData);\n }\n } catch (error) {\n if (context.replayer.config.showWarning) {\n console.warn(error);\n }\n }\n }\n },\n };\n};\n"],"names":["__read","o","n","m","Symbol","iterator","r","e","i","call","ar","next","done","push","value","error","__spreadArray","to","from","pack","arguments","length","l","Array","prototype","slice","concat","EventType","IncrementalSource","MouseInteractions","CanvasContext","MediaInteractions","ReplayerEvents","NodeType","DEPARTED_MIRROR_ACCESS_WARNING","_mirror","map","getId","console","getNode","removeNodeFromMap","has","reset","window","Proxy","Reflect","get","target","prop","receiver","defaultLogConfig","level","replayLogger","undefined","config","this","Object","assign","LogReplayPlugin","data","log","payload","s","JSON","parse","_this","formatMessage","_b","TypeError","__values","trace","stackPrefix","result","join","options","getConsoleLogger","handler","event","_isSync","context","logData","type","IncrementalSnapshot","source","Log","Plugin","plugin","replayer","showWarning","warn"],"mappings":";;;;;;;;;;;;;;oFAmIO,SAASA,EAAOC,EAAGC,GACtB,IAAIC,EAAsB,mBAAXC,QAAyBH,EAAEG,OAAOC,UACjD,IAAKF,EAAG,OAAOF,EACf,IAAmBK,EAAYC,EAA3BC,EAAIL,EAAEM,KAAKR,GAAOS,EAAK,GAC3B,IACI,WAAc,IAANR,GAAgBA,KAAM,MAAQI,EAAIE,EAAEG,QAAQC,MAAMF,EAAGG,KAAKP,EAAEQ,OAExE,MAAOC,GAASR,EAAI,CAAEQ,MAAOA,WAEzB,IACQT,IAAMA,EAAEM,OAAST,EAAIK,EAAU,SAAIL,EAAEM,KAAKD,WAExC,GAAID,EAAG,MAAMA,EAAEQ,OAE7B,OAAOL,EAmBJ,SAASM,EAAcC,EAAIC,EAAMC,GACpC,GAAIA,GAA6B,IAArBC,UAAUC,OAAc,IAAK,IAA4BX,EAAxBF,EAAI,EAAGc,EAAIJ,EAAKG,OAAYb,EAAIc,EAAGd,KACxEE,GAAQF,KAAKU,IACRR,IAAIA,EAAKa,MAAMC,UAAUC,MAAMhB,KAAKS,EAAM,EAAGV,IAClDE,EAAGF,GAAKU,EAAKV,IAGrB,OAAOS,EAAGS,OAAOhB,GAAMa,MAAMC,UAAUC,MAAMhB,KAAKS,IC5JtD,IAAYS,EA+DAC,EA8UAC,EAcAC,EAuIMC,EA2GNC,EC5pBRC,GDeJ,SAAYN,GACVA,2CACAA,mBACAA,mCACAA,iDACAA,mBACAA,uBACAA,uBAPF,CAAYA,IAAAA,OA+DZ,SAAYC,GACVA,2BACAA,6BACAA,2CACAA,uBACAA,uCACAA,qBACAA,6BACAA,2CACAA,uCACAA,uCACAA,oBACAA,kBACAA,oBACAA,4CAdF,CAAYA,IAAAA,OA8UZ,SAAYC,GACVA,yBACAA,6BACAA,qBACAA,iCACAA,2BACAA,qBACAA,mBACAA,+BACAA,+CACAA,2BACAA,kCAXF,CAAYA,IAAAA,OAcZ,SAAYC,GACVA,kBACAA,qBACAA,uBAHF,CAAYA,IAAAA,OAuIZ,SAAkBC,GAChBA,mBACAA,qBACAA,uBACAA,mCAJF,CAAkBA,IAAAA,OA2GlB,SAAYC,GACVA,gBACAA,gBACAA,kBACAA,kBACAA,kBACAA,iDACAA,8CACAA,0CACAA,yBACAA,qBACAA,uCACAA,yBACAA,6BACAA,gBACAA,6BACAA,uBAhBF,CAAYA,IAAAA,OC3pBZ,SAAWC,GACPA,EAASA,EAAmB,SAAI,GAAK,WACrCA,EAASA,EAAuB,aAAI,GAAK,eACzCA,EAASA,EAAkB,QAAI,GAAK,UACpCA,EAASA,EAAe,KAAI,GAAK,OACjCA,EAASA,EAAgB,MAAI,GAAK,QAClCA,EAASA,EAAkB,QAAI,GAAK,UANxC,CAOGA,IAAaA,EAAW,KC4D3B,IAAMC,EACJ,4NAKSC,EAAkB,CAC3BC,IAAK,GACLC,iBAEE,OADAC,QAAQvB,MAAMmB,IACN,GAEVK,mBAEE,OADAD,QAAQvB,MAAMmB,GACP,MAETM,6BACEF,QAAQvB,MAAMmB,IAEhBO,eAEE,OADAH,QAAQvB,MAAMmB,IACP,GAETQ,iBACEJ,QAAQvB,MAAMmB,KAGI,oBAAXS,QAA0BA,OAAOC,OAASD,OAAOE,UAC1DV,EAAU,IAAIS,MAAMT,EAAS,CAC3BW,aAAIC,EAAQC,EAAMC,GAIhB,MAHa,QAATD,GACFV,QAAQvB,MAAMmB,GAETW,QAAQC,IAAIC,EAAQC,EAAMC,OC+FhC,IC5KDC,EAAoC,CACxCC,MAAO,CACL,SACA,QACA,QACA,aACA,QACA,MACA,SACA,QACA,QACA,iBACA,WACA,OACA,MACA,QACA,OACA,UACA,UACA,QACA,QAEFC,kBAAcC,gBAMd,WAAYC,GACVC,KAAKD,OAASE,OAAOC,OAAOP,EAAkBI,GAuDlD,OAjDSI,6BAAP,0BACQN,EAA6B,cACxBD,GAEPC,EAAaD,GADD,UAAVA,EACoB,SAACQ,IACJrB,QAAQsB,IACA,mBAEnBtB,QAAQsB,IACe,mBAEzBtB,QAAQsB,2BAEPD,EAAKE,QAAQzB,KAAI,SAAC0B,GAAM,OAAAC,KAAKC,MAAMF,YACtCG,EAAKC,cAAcP,UAID,SAACA,IACJrB,QAAQa,GACA,mBAEnBb,QAAQa,GACe,mBAEzBb,QAAQa,0BAEPQ,EAAKE,QAAQzB,KAAI,SAAC0B,GAAM,OAAAC,KAAKC,MAAMF,YACtCG,EAAKC,cAAcP,eA1B3B,IAAoB,IAAAQ,EL0DjB,SAAkBlE,GACrB,IAAI6D,EAAsB,mBAAX1D,QAAyBA,OAAOC,SAAUF,EAAI2D,GAAK7D,EAAE6D,GAAItD,EAAI,EAC5E,GAAIL,EAAG,OAAOA,EAAEM,KAAKR,GACrB,GAAIA,GAAyB,iBAAbA,EAAEoB,OAAqB,MAAO,CAC1CV,KAAM,WAEF,OADIV,GAAKO,GAAKP,EAAEoB,SAAQpB,OAAI,GACrB,CAAEa,MAAOb,GAAKA,EAAEO,KAAMI,MAAOX,KAG5C,MAAM,IAAImE,UAAUN,EAAI,0BAA4B,mCKnEhCO,CAAAd,KAAKD,OAAOH,mJA+BhC,OAAOC,GAODM,0BAAR,SAAsBC,GACpB,GAA0B,IAAtBA,EAAKW,MAAMjD,OACb,MAAO,GAET,IAAMkD,EAAc,UAChBC,EAASD,EAEb,OADAC,GAAUb,EAAKW,MAAMG,KAAKF,yCAOV,SAACG,GACnB,IAAMtB,GACJsB,MAAAA,SAAAA,EAAStB,eAAgB,IAAIM,EAAgBgB,GAASC,mBAExD,MAAO,CACLC,QAAA,SAAQC,EAAsBC,EAASC,GACrC,IAAIC,EAA0B,KAY9B,GAVEH,EAAMI,OAAStD,EAAUuD,qBACzBL,EAAMlB,KAAKwB,SAAYvD,EAAkBwD,IAEzCJ,EAAWH,EAAMlB,KAEjBkB,EAAMI,OAAStD,EAAU0D,QDuEN,oBCtEnBR,EAAMlB,KAAK2B,SAEXN,EAAUH,EAAMlB,KAAKE,SAEnBmB,EACF,IAC6C,mBAAhC5B,EAAa4B,EAAQ7B,QAC9BC,EAAa4B,EAAQ7B,OAAQ6B,GAE/B,MAAOjE,GACHgE,EAAQQ,SAASjC,OAAOkC,aAC1BlD,QAAQmD,KAAK1E"} +\ No newline at end of file +diff --git a/node_modules/rrweb/dist/plugins/sequential-id-record.js b/node_modules/rrweb/dist/plugins/sequential-id-record.js +old mode 100644 +new mode 100755 +diff --git a/node_modules/rrweb/dist/plugins/sequential-id-record.min.js b/node_modules/rrweb/dist/plugins/sequential-id-record.min.js +old mode 100644 +new mode 100755 +diff --git a/node_modules/rrweb/dist/plugins/sequential-id-record.min.js.map b/node_modules/rrweb/dist/plugins/sequential-id-record.min.js.map +old mode 100644 +new mode 100755 +diff --git a/node_modules/rrweb/dist/plugins/sequential-id-replay.js b/node_modules/rrweb/dist/plugins/sequential-id-replay.js +old mode 100644 +new mode 100755 +diff --git a/node_modules/rrweb/dist/plugins/sequential-id-replay.min.js b/node_modules/rrweb/dist/plugins/sequential-id-replay.min.js +old mode 100644 +new mode 100755 +diff --git a/node_modules/rrweb/dist/plugins/sequential-id-replay.min.js.map b/node_modules/rrweb/dist/plugins/sequential-id-replay.min.js.map +old mode 100644 +new mode 100755 +diff --git a/node_modules/rrweb/dist/record/rrweb-record-pack.js b/node_modules/rrweb/dist/record/rrweb-record-pack.js +old mode 100644 +new mode 100755 +diff --git a/node_modules/rrweb/dist/record/rrweb-record-pack.min.js b/node_modules/rrweb/dist/record/rrweb-record-pack.min.js +old mode 100644 +new mode 100755 +diff --git a/node_modules/rrweb/dist/record/rrweb-record-pack.min.js.map b/node_modules/rrweb/dist/record/rrweb-record-pack.min.js.map +old mode 100644 +new mode 100755 +index 1c25f6f..80f1482 +--- a/node_modules/rrweb/dist/record/rrweb-record-pack.min.js.map ++++ b/node_modules/rrweb/dist/record/rrweb-record-pack.min.js.map +@@ -1 +1 @@ +-{"version":3,"file":"rrweb-record-pack.min.js","sources":["../../node_modules/tslib/tslib.es6.js","../../../rrweb-snapshot/es/rrweb-snapshot.js","../../../src/types.ts","../../../src/utils.ts","../../../../node_modules/base64-arraybuffer/dist/base64-arraybuffer.es5.js","../../../../node_modules/fflate/esm/browser.js","../../../src/packer/pack.ts","../../../src/packer/base.ts"],"sourcesContent":["/*! *****************************************************************************\r\nCopyright (c) Microsoft Corporation.\r\n\r\nPermission to use, copy, modify, and/or distribute this software for any\r\npurpose with or without fee is hereby granted.\r\n\r\nTHE SOFTWARE IS PROVIDED \"AS IS\" AND THE AUTHOR DISCLAIMS ALL WARRANTIES WITH\r\nREGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF MERCHANTABILITY\r\nAND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR ANY SPECIAL, DIRECT,\r\nINDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES WHATSOEVER RESULTING FROM\r\nLOSS OF USE, DATA OR PROFITS, WHETHER IN AN ACTION OF CONTRACT, NEGLIGENCE OR\r\nOTHER TORTIOUS ACTION, ARISING OUT OF OR IN CONNECTION WITH THE USE OR\r\nPERFORMANCE OF THIS SOFTWARE.\r\n***************************************************************************** */\r\n/* global Reflect, Promise */\r\n\r\nvar extendStatics = function(d, b) {\r\n extendStatics = Object.setPrototypeOf ||\r\n ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) ||\r\n function (d, b) { for (var p in b) if (Object.prototype.hasOwnProperty.call(b, p)) d[p] = b[p]; };\r\n return extendStatics(d, b);\r\n};\r\n\r\nexport function __extends(d, b) {\r\n if (typeof b !== \"function\" && b !== null)\r\n throw new TypeError(\"Class extends value \" + String(b) + \" is not a constructor or null\");\r\n extendStatics(d, b);\r\n function __() { this.constructor = d; }\r\n d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __());\r\n}\r\n\r\nexport var __assign = function() {\r\n __assign = Object.assign || function __assign(t) {\r\n for (var s, i = 1, n = arguments.length; i < n; i++) {\r\n s = arguments[i];\r\n for (var p in s) if (Object.prototype.hasOwnProperty.call(s, p)) t[p] = s[p];\r\n }\r\n return t;\r\n }\r\n return __assign.apply(this, arguments);\r\n}\r\n\r\nexport function __rest(s, e) {\r\n var t = {};\r\n for (var p in s) if (Object.prototype.hasOwnProperty.call(s, p) && e.indexOf(p) < 0)\r\n t[p] = s[p];\r\n if (s != null && typeof Object.getOwnPropertySymbols === \"function\")\r\n for (var i = 0, p = Object.getOwnPropertySymbols(s); i < p.length; i++) {\r\n if (e.indexOf(p[i]) < 0 && Object.prototype.propertyIsEnumerable.call(s, p[i]))\r\n t[p[i]] = s[p[i]];\r\n }\r\n return t;\r\n}\r\n\r\nexport function __decorate(decorators, target, key, desc) {\r\n var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d;\r\n if (typeof Reflect === \"object\" && typeof Reflect.decorate === \"function\") r = Reflect.decorate(decorators, target, key, desc);\r\n else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r;\r\n return c > 3 && r && Object.defineProperty(target, key, r), r;\r\n}\r\n\r\nexport function __param(paramIndex, decorator) {\r\n return function (target, key) { decorator(target, key, paramIndex); }\r\n}\r\n\r\nexport function __metadata(metadataKey, metadataValue) {\r\n if (typeof Reflect === \"object\" && typeof Reflect.metadata === \"function\") return Reflect.metadata(metadataKey, metadataValue);\r\n}\r\n\r\nexport function __awaiter(thisArg, _arguments, P, generator) {\r\n function adopt(value) { return value instanceof P ? value : new P(function (resolve) { resolve(value); }); }\r\n return new (P || (P = Promise))(function (resolve, reject) {\r\n function fulfilled(value) { try { step(generator.next(value)); } catch (e) { reject(e); } }\r\n function rejected(value) { try { step(generator[\"throw\"](value)); } catch (e) { reject(e); } }\r\n function step(result) { result.done ? resolve(result.value) : adopt(result.value).then(fulfilled, rejected); }\r\n step((generator = generator.apply(thisArg, _arguments || [])).next());\r\n });\r\n}\r\n\r\nexport function __generator(thisArg, body) {\r\n var _ = { label: 0, sent: function() { if (t[0] & 1) throw t[1]; return t[1]; }, trys: [], ops: [] }, f, y, t, g;\r\n return g = { next: verb(0), \"throw\": verb(1), \"return\": verb(2) }, typeof Symbol === \"function\" && (g[Symbol.iterator] = function() { return this; }), g;\r\n function verb(n) { return function (v) { return step([n, v]); }; }\r\n function step(op) {\r\n if (f) throw new TypeError(\"Generator is already executing.\");\r\n while (_) try {\r\n if (f = 1, y && (t = op[0] & 2 ? y[\"return\"] : op[0] ? y[\"throw\"] || ((t = y[\"return\"]) && t.call(y), 0) : y.next) && !(t = t.call(y, op[1])).done) return t;\r\n if (y = 0, t) op = [op[0] & 2, t.value];\r\n switch (op[0]) {\r\n case 0: case 1: t = op; break;\r\n case 4: _.label++; return { value: op[1], done: false };\r\n case 5: _.label++; y = op[1]; op = [0]; continue;\r\n case 7: op = _.ops.pop(); _.trys.pop(); continue;\r\n default:\r\n if (!(t = _.trys, t = t.length > 0 && t[t.length - 1]) && (op[0] === 6 || op[0] === 2)) { _ = 0; continue; }\r\n if (op[0] === 3 && (!t || (op[1] > t[0] && op[1] < t[3]))) { _.label = op[1]; break; }\r\n if (op[0] === 6 && _.label < t[1]) { _.label = t[1]; t = op; break; }\r\n if (t && _.label < t[2]) { _.label = t[2]; _.ops.push(op); break; }\r\n if (t[2]) _.ops.pop();\r\n _.trys.pop(); continue;\r\n }\r\n op = body.call(thisArg, _);\r\n } catch (e) { op = [6, e]; y = 0; } finally { f = t = 0; }\r\n if (op[0] & 5) throw op[1]; return { value: op[0] ? op[1] : void 0, done: true };\r\n }\r\n}\r\n\r\nexport var __createBinding = Object.create ? (function(o, m, k, k2) {\r\n if (k2 === undefined) k2 = k;\r\n Object.defineProperty(o, k2, { enumerable: true, get: function() { return m[k]; } });\r\n}) : (function(o, m, k, k2) {\r\n if (k2 === undefined) k2 = k;\r\n o[k2] = m[k];\r\n});\r\n\r\nexport function __exportStar(m, o) {\r\n for (var p in m) if (p !== \"default\" && !Object.prototype.hasOwnProperty.call(o, p)) __createBinding(o, m, p);\r\n}\r\n\r\nexport function __values(o) {\r\n var s = typeof Symbol === \"function\" && Symbol.iterator, m = s && o[s], i = 0;\r\n if (m) return m.call(o);\r\n if (o && typeof o.length === \"number\") return {\r\n next: function () {\r\n if (o && i >= o.length) o = void 0;\r\n return { value: o && o[i++], done: !o };\r\n }\r\n };\r\n throw new TypeError(s ? \"Object is not iterable.\" : \"Symbol.iterator is not defined.\");\r\n}\r\n\r\nexport function __read(o, n) {\r\n var m = typeof Symbol === \"function\" && o[Symbol.iterator];\r\n if (!m) return o;\r\n var i = m.call(o), r, ar = [], e;\r\n try {\r\n while ((n === void 0 || n-- > 0) && !(r = i.next()).done) ar.push(r.value);\r\n }\r\n catch (error) { e = { error: error }; }\r\n finally {\r\n try {\r\n if (r && !r.done && (m = i[\"return\"])) m.call(i);\r\n }\r\n finally { if (e) throw e.error; }\r\n }\r\n return ar;\r\n}\r\n\r\n/** @deprecated */\r\nexport function __spread() {\r\n for (var ar = [], i = 0; i < arguments.length; i++)\r\n ar = ar.concat(__read(arguments[i]));\r\n return ar;\r\n}\r\n\r\n/** @deprecated */\r\nexport function __spreadArrays() {\r\n for (var s = 0, i = 0, il = arguments.length; i < il; i++) s += arguments[i].length;\r\n for (var r = Array(s), k = 0, i = 0; i < il; i++)\r\n for (var a = arguments[i], j = 0, jl = a.length; j < jl; j++, k++)\r\n r[k] = a[j];\r\n return r;\r\n}\r\n\r\nexport function __spreadArray(to, from, pack) {\r\n if (pack || arguments.length === 2) for (var i = 0, l = from.length, ar; i < l; i++) {\r\n if (ar || !(i in from)) {\r\n if (!ar) ar = Array.prototype.slice.call(from, 0, i);\r\n ar[i] = from[i];\r\n }\r\n }\r\n return to.concat(ar || Array.prototype.slice.call(from));\r\n}\r\n\r\nexport function __await(v) {\r\n return this instanceof __await ? (this.v = v, this) : new __await(v);\r\n}\r\n\r\nexport function __asyncGenerator(thisArg, _arguments, generator) {\r\n if (!Symbol.asyncIterator) throw new TypeError(\"Symbol.asyncIterator is not defined.\");\r\n var g = generator.apply(thisArg, _arguments || []), i, q = [];\r\n return i = {}, verb(\"next\"), verb(\"throw\"), verb(\"return\"), i[Symbol.asyncIterator] = function () { return this; }, i;\r\n function verb(n) { if (g[n]) i[n] = function (v) { return new Promise(function (a, b) { q.push([n, v, a, b]) > 1 || resume(n, v); }); }; }\r\n function resume(n, v) { try { step(g[n](v)); } catch (e) { settle(q[0][3], e); } }\r\n function step(r) { r.value instanceof __await ? Promise.resolve(r.value.v).then(fulfill, reject) : settle(q[0][2], r); }\r\n function fulfill(value) { resume(\"next\", value); }\r\n function reject(value) { resume(\"throw\", value); }\r\n function settle(f, v) { if (f(v), q.shift(), q.length) resume(q[0][0], q[0][1]); }\r\n}\r\n\r\nexport function __asyncDelegator(o) {\r\n var i, p;\r\n return i = {}, verb(\"next\"), verb(\"throw\", function (e) { throw e; }), verb(\"return\"), i[Symbol.iterator] = function () { return this; }, i;\r\n function verb(n, f) { i[n] = o[n] ? function (v) { return (p = !p) ? { value: __await(o[n](v)), done: n === \"return\" } : f ? f(v) : v; } : f; }\r\n}\r\n\r\nexport function __asyncValues(o) {\r\n if (!Symbol.asyncIterator) throw new TypeError(\"Symbol.asyncIterator is not defined.\");\r\n var m = o[Symbol.asyncIterator], i;\r\n return m ? m.call(o) : (o = typeof __values === \"function\" ? __values(o) : o[Symbol.iterator](), i = {}, verb(\"next\"), verb(\"throw\"), verb(\"return\"), i[Symbol.asyncIterator] = function () { return this; }, i);\r\n function verb(n) { i[n] = o[n] && function (v) { return new Promise(function (resolve, reject) { v = o[n](v), settle(resolve, reject, v.done, v.value); }); }; }\r\n function settle(resolve, reject, d, v) { Promise.resolve(v).then(function(v) { resolve({ value: v, done: d }); }, reject); }\r\n}\r\n\r\nexport function __makeTemplateObject(cooked, raw) {\r\n if (Object.defineProperty) { Object.defineProperty(cooked, \"raw\", { value: raw }); } else { cooked.raw = raw; }\r\n return cooked;\r\n};\r\n\r\nvar __setModuleDefault = Object.create ? (function(o, v) {\r\n Object.defineProperty(o, \"default\", { enumerable: true, value: v });\r\n}) : function(o, v) {\r\n o[\"default\"] = v;\r\n};\r\n\r\nexport function __importStar(mod) {\r\n if (mod && mod.__esModule) return mod;\r\n var result = {};\r\n if (mod != null) for (var k in mod) if (k !== \"default\" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding(result, mod, k);\r\n __setModuleDefault(result, mod);\r\n return result;\r\n}\r\n\r\nexport function __importDefault(mod) {\r\n return (mod && mod.__esModule) ? mod : { default: mod };\r\n}\r\n\r\nexport function __classPrivateFieldGet(receiver, state, kind, f) {\r\n if (kind === \"a\" && !f) throw new TypeError(\"Private accessor was defined without a getter\");\r\n if (typeof state === \"function\" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError(\"Cannot read private member from an object whose class did not declare it\");\r\n return kind === \"m\" ? f : kind === \"a\" ? f.call(receiver) : f ? f.value : state.get(receiver);\r\n}\r\n\r\nexport function __classPrivateFieldSet(receiver, state, value, kind, f) {\r\n if (kind === \"m\") throw new TypeError(\"Private method is not writable\");\r\n if (kind === \"a\" && !f) throw new TypeError(\"Private accessor was defined without a setter\");\r\n if (typeof state === \"function\" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError(\"Cannot write private member to an object whose class did not declare it\");\r\n return (kind === \"a\" ? f.call(receiver, value) : f ? f.value = value : state.set(receiver, value)), value;\r\n}\r\n","var NodeType;\n(function (NodeType) {\n NodeType[NodeType[\"Document\"] = 0] = \"Document\";\n NodeType[NodeType[\"DocumentType\"] = 1] = \"DocumentType\";\n NodeType[NodeType[\"Element\"] = 2] = \"Element\";\n NodeType[NodeType[\"Text\"] = 3] = \"Text\";\n NodeType[NodeType[\"CDATA\"] = 4] = \"CDATA\";\n NodeType[NodeType[\"Comment\"] = 5] = \"Comment\";\n})(NodeType || (NodeType = {}));\n\nfunction isElement(n) {\n return n.nodeType === n.ELEMENT_NODE;\n}\nfunction isShadowRoot(n) {\n var _a;\n var host = (_a = n) === null || _a === void 0 ? void 0 : _a.host;\n return Boolean(host && host.shadowRoot && host.shadowRoot === n);\n}\nfunction maskInputValue(_a) {\n var maskInputOptions = _a.maskInputOptions, tagName = _a.tagName, type = _a.type, value = _a.value, maskInputFn = _a.maskInputFn;\n var text = value || '';\n if (maskInputOptions[tagName.toLowerCase()] ||\n maskInputOptions[type]) {\n if (maskInputFn) {\n text = maskInputFn(text);\n }\n else {\n text = '*'.repeat(text.length);\n }\n }\n return text;\n}\nvar ORIGINAL_ATTRIBUTE_NAME = '__rrweb_original__';\nfunction is2DCanvasBlank(canvas) {\n var ctx = canvas.getContext('2d');\n if (!ctx)\n return true;\n var chunkSize = 50;\n for (var x = 0; x < canvas.width; x += chunkSize) {\n for (var y = 0; y < canvas.height; y += chunkSize) {\n var getImageData = ctx.getImageData;\n var originalGetImageData = ORIGINAL_ATTRIBUTE_NAME in getImageData\n ? getImageData[ORIGINAL_ATTRIBUTE_NAME]\n : getImageData;\n var pixelBuffer = new Uint32Array(originalGetImageData.call(ctx, x, y, Math.min(chunkSize, canvas.width - x), Math.min(chunkSize, canvas.height - y)).data.buffer);\n if (pixelBuffer.some(function (pixel) { return pixel !== 0; }))\n return false;\n }\n }\n return true;\n}\n\nvar _id = 1;\nvar tagNameRegex = new RegExp('[^a-z0-9-_:]');\nvar IGNORED_NODE = -2;\nfunction genId() {\n return _id++;\n}\nfunction getValidTagName(element) {\n if (element instanceof HTMLFormElement) {\n return 'form';\n }\n var processedTagName = element.tagName.toLowerCase().trim();\n if (tagNameRegex.test(processedTagName)) {\n return 'div';\n }\n return processedTagName;\n}\nfunction getCssRulesString(s) {\n try {\n var rules = s.rules || s.cssRules;\n return rules ? Array.from(rules).map(getCssRuleString).join('') : null;\n }\n catch (error) {\n return null;\n }\n}\nfunction getCssRuleString(rule) {\n var cssStringified = rule.cssText;\n if (isCSSImportRule(rule)) {\n try {\n cssStringified = getCssRulesString(rule.styleSheet) || cssStringified;\n }\n catch (_a) {\n }\n }\n return cssStringified;\n}\nfunction isCSSImportRule(rule) {\n return 'styleSheet' in rule;\n}\nfunction stringifyStyleSheet(sheet) {\n return sheet.cssRules\n ? Array.from(sheet.cssRules)\n .map(function (rule) { return rule.cssText || ''; })\n .join('')\n : '';\n}\nfunction extractOrigin(url) {\n var origin = '';\n if (url.indexOf('//') > -1) {\n origin = url.split('/').slice(0, 3).join('/');\n }\n else {\n origin = url.split('/')[0];\n }\n origin = origin.split('?')[0];\n return origin;\n}\nvar canvasService;\nvar canvasCtx;\nvar URL_IN_CSS_REF = /url\\((?:(')([^']*)'|(\")(.*?)\"|([^)]*))\\)/gm;\nvar RELATIVE_PATH = /^(?!www\\.|(?:http|ftp)s?:\\/\\/|[A-Za-z]:\\\\|\\/\\/|#).*/;\nvar DATA_URI = /^(data:)([^,]*),(.*)/i;\nfunction absoluteToStylesheet(cssText, href) {\n return (cssText || '').replace(URL_IN_CSS_REF, function (origin, quote1, path1, quote2, path2, path3) {\n var filePath = path1 || path2 || path3;\n var maybeQuote = quote1 || quote2 || '';\n if (!filePath) {\n return origin;\n }\n if (!RELATIVE_PATH.test(filePath)) {\n return \"url(\" + maybeQuote + filePath + maybeQuote + \")\";\n }\n if (DATA_URI.test(filePath)) {\n return \"url(\" + maybeQuote + filePath + maybeQuote + \")\";\n }\n if (filePath[0] === '/') {\n return \"url(\" + maybeQuote + (extractOrigin(href) + filePath) + maybeQuote + \")\";\n }\n var stack = href.split('/');\n var parts = filePath.split('/');\n stack.pop();\n for (var _i = 0, parts_1 = parts; _i < parts_1.length; _i++) {\n var part = parts_1[_i];\n if (part === '.') {\n continue;\n }\n else if (part === '..') {\n stack.pop();\n }\n else {\n stack.push(part);\n }\n }\n return \"url(\" + maybeQuote + stack.join('/') + maybeQuote + \")\";\n });\n}\nvar SRCSET_NOT_SPACES = /^[^ \\t\\n\\r\\u000c]+/;\nvar SRCSET_COMMAS_OR_SPACES = /^[, \\t\\n\\r\\u000c]+/;\nfunction getAbsoluteSrcsetString(doc, attributeValue) {\n if (attributeValue.trim() === '') {\n return attributeValue;\n }\n var pos = 0;\n function collectCharacters(regEx) {\n var chars;\n var match = regEx.exec(attributeValue.substring(pos));\n if (match) {\n chars = match[0];\n pos += chars.length;\n return chars;\n }\n return '';\n }\n var output = [];\n while (true) {\n collectCharacters(SRCSET_COMMAS_OR_SPACES);\n if (pos >= attributeValue.length) {\n break;\n }\n var url = collectCharacters(SRCSET_NOT_SPACES);\n if (url.slice(-1) === ',') {\n url = absoluteToDoc(doc, url.substring(0, url.length - 1));\n output.push(url);\n }\n else {\n var descriptorsStr = '';\n url = absoluteToDoc(doc, url);\n var inParens = false;\n while (true) {\n var c = attributeValue.charAt(pos);\n if (c === '') {\n output.push((url + descriptorsStr).trim());\n break;\n }\n else if (!inParens) {\n if (c === ',') {\n pos += 1;\n output.push((url + descriptorsStr).trim());\n break;\n }\n else if (c === '(') {\n inParens = true;\n }\n }\n else {\n if (c === ')') {\n inParens = false;\n }\n }\n descriptorsStr += c;\n pos += 1;\n }\n }\n }\n return output.join(', ');\n}\nfunction absoluteToDoc(doc, attributeValue) {\n if (!attributeValue || attributeValue.trim() === '') {\n return attributeValue;\n }\n var a = doc.createElement('a');\n a.href = attributeValue;\n return a.href;\n}\nfunction isSVGElement(el) {\n return Boolean(el.tagName === 'svg' || el.ownerSVGElement);\n}\nfunction getHref() {\n var a = document.createElement('a');\n a.href = '';\n return a.href;\n}\nfunction transformAttribute(doc, tagName, name, value) {\n if (name === 'src' || (name === 'href' && value)) {\n return absoluteToDoc(doc, value);\n }\n else if (name === 'xlink:href' && value && value[0] !== '#') {\n return absoluteToDoc(doc, value);\n }\n else if (name === 'background' &&\n value &&\n (tagName === 'table' || tagName === 'td' || tagName === 'th')) {\n return absoluteToDoc(doc, value);\n }\n else if (name === 'srcset' && value) {\n return getAbsoluteSrcsetString(doc, value);\n }\n else if (name === 'style' && value) {\n return absoluteToStylesheet(value, getHref());\n }\n else if (tagName === 'object' && name === 'data' && value) {\n return absoluteToDoc(doc, value);\n }\n else {\n return value;\n }\n}\nfunction _isBlockedElement(element, blockClass, blockSelector) {\n if (typeof blockClass === 'string') {\n if (element.classList.contains(blockClass)) {\n return true;\n }\n }\n else {\n for (var eIndex = 0; eIndex < element.classList.length; eIndex++) {\n var className = element.classList[eIndex];\n if (blockClass.test(className)) {\n return true;\n }\n }\n }\n if (blockSelector) {\n return element.matches(blockSelector);\n }\n return false;\n}\nfunction needMaskingText(node, maskTextClass, maskTextSelector) {\n if (!node) {\n return false;\n }\n if (node.nodeType === node.ELEMENT_NODE) {\n if (typeof maskTextClass === 'string') {\n if (node.classList.contains(maskTextClass)) {\n return true;\n }\n }\n else {\n for (var eIndex = 0; eIndex < node.classList.length; eIndex++) {\n var className = node.classList[eIndex];\n if (maskTextClass.test(className)) {\n return true;\n }\n }\n }\n if (maskTextSelector) {\n if (node.matches(maskTextSelector)) {\n return true;\n }\n }\n return needMaskingText(node.parentNode, maskTextClass, maskTextSelector);\n }\n if (node.nodeType === node.TEXT_NODE) {\n return needMaskingText(node.parentNode, maskTextClass, maskTextSelector);\n }\n return needMaskingText(node.parentNode, maskTextClass, maskTextSelector);\n}\nfunction onceIframeLoaded(iframeEl, listener, iframeLoadTimeout) {\n var win = iframeEl.contentWindow;\n if (!win) {\n return;\n }\n var fired = false;\n var readyState;\n try {\n readyState = win.document.readyState;\n }\n catch (error) {\n return;\n }\n if (readyState !== 'complete') {\n var timer_1 = setTimeout(function () {\n if (!fired) {\n listener();\n fired = true;\n }\n }, iframeLoadTimeout);\n iframeEl.addEventListener('load', function () {\n clearTimeout(timer_1);\n fired = true;\n listener();\n });\n return;\n }\n var blankUrl = 'about:blank';\n if (win.location.href !== blankUrl ||\n iframeEl.src === blankUrl ||\n iframeEl.src === '') {\n setTimeout(listener, 0);\n return;\n }\n iframeEl.addEventListener('load', listener);\n}\nfunction serializeNode(n, options) {\n var _a;\n var doc = options.doc, blockClass = options.blockClass, blockSelector = options.blockSelector, maskTextClass = options.maskTextClass, maskTextSelector = options.maskTextSelector, inlineStylesheet = options.inlineStylesheet, _b = options.maskInputOptions, maskInputOptions = _b === void 0 ? {} : _b, maskTextFn = options.maskTextFn, maskInputFn = options.maskInputFn, _c = options.dataURLOptions, dataURLOptions = _c === void 0 ? {} : _c, inlineImages = options.inlineImages, recordCanvas = options.recordCanvas, keepIframeSrcFn = options.keepIframeSrcFn;\n var rootId;\n if (doc.__sn) {\n var docId = doc.__sn.id;\n rootId = docId === 1 ? undefined : docId;\n }\n switch (n.nodeType) {\n case n.DOCUMENT_NODE:\n if (n.compatMode !== 'CSS1Compat') {\n return {\n type: NodeType.Document,\n childNodes: [],\n compatMode: n.compatMode,\n rootId: rootId\n };\n }\n else {\n return {\n type: NodeType.Document,\n childNodes: [],\n rootId: rootId\n };\n }\n case n.DOCUMENT_TYPE_NODE:\n return {\n type: NodeType.DocumentType,\n name: n.name,\n publicId: n.publicId,\n systemId: n.systemId,\n rootId: rootId\n };\n case n.ELEMENT_NODE:\n var needBlock = _isBlockedElement(n, blockClass, blockSelector);\n var tagName = getValidTagName(n);\n var attributes_1 = {};\n for (var _i = 0, _d = Array.from(n.attributes); _i < _d.length; _i++) {\n var _e = _d[_i], name_1 = _e.name, value = _e.value;\n attributes_1[name_1] = transformAttribute(doc, tagName, name_1, value);\n }\n if (tagName === 'link' && inlineStylesheet) {\n var stylesheet = Array.from(doc.styleSheets).find(function (s) {\n return s.href === n.href;\n });\n var cssText = null;\n if (stylesheet) {\n cssText = getCssRulesString(stylesheet);\n }\n if (cssText) {\n delete attributes_1.rel;\n delete attributes_1.href;\n attributes_1._cssText = absoluteToStylesheet(cssText, stylesheet.href);\n }\n }\n if (tagName === 'style' &&\n n.sheet &&\n !(n.innerText ||\n n.textContent ||\n '').trim().length) {\n var cssText = getCssRulesString(n.sheet);\n if (cssText) {\n attributes_1._cssText = absoluteToStylesheet(cssText, getHref());\n }\n }\n if (tagName === 'input' ||\n tagName === 'textarea' ||\n tagName === 'select') {\n var value = n.value;\n if (attributes_1.type !== 'radio' &&\n attributes_1.type !== 'checkbox' &&\n attributes_1.type !== 'submit' &&\n attributes_1.type !== 'button' &&\n value) {\n attributes_1.value = maskInputValue({\n type: attributes_1.type,\n tagName: tagName,\n value: value,\n maskInputOptions: maskInputOptions,\n maskInputFn: maskInputFn\n });\n }\n else if (n.checked) {\n attributes_1.checked = n.checked;\n }\n }\n if (tagName === 'option') {\n if (n.selected && !maskInputOptions['select']) {\n attributes_1.selected = true;\n }\n else {\n delete attributes_1.selected;\n }\n }\n if (tagName === 'canvas' && recordCanvas) {\n if (n.__context === '2d') {\n if (!is2DCanvasBlank(n)) {\n attributes_1.rr_dataURL = n.toDataURL(dataURLOptions.type, dataURLOptions.quality);\n }\n }\n else if (!('__context' in n)) {\n var canvasDataURL = n.toDataURL(dataURLOptions.type, dataURLOptions.quality);\n var blankCanvas = document.createElement('canvas');\n blankCanvas.width = n.width;\n blankCanvas.height = n.height;\n var blankCanvasDataURL = blankCanvas.toDataURL(dataURLOptions.type, dataURLOptions.quality);\n if (canvasDataURL !== blankCanvasDataURL) {\n attributes_1.rr_dataURL = canvasDataURL;\n }\n }\n }\n if (tagName === 'img' && inlineImages) {\n if (!canvasService) {\n canvasService = doc.createElement('canvas');\n canvasCtx = canvasService.getContext('2d');\n }\n var image_1 = n;\n var oldValue_1 = image_1.crossOrigin;\n image_1.crossOrigin = 'anonymous';\n var recordInlineImage = function () {\n try {\n canvasService.width = image_1.naturalWidth;\n canvasService.height = image_1.naturalHeight;\n canvasCtx.drawImage(image_1, 0, 0);\n attributes_1.rr_dataURL = canvasService.toDataURL(dataURLOptions.type, dataURLOptions.quality);\n }\n catch (err) {\n console.warn(\"Cannot inline img src=\" + image_1.currentSrc + \"! Error: \" + err);\n }\n oldValue_1\n ? (attributes_1.crossOrigin = oldValue_1)\n : delete attributes_1.crossOrigin;\n };\n if (image_1.complete && image_1.naturalWidth !== 0)\n recordInlineImage();\n else\n image_1.onload = recordInlineImage;\n }\n if (tagName === 'audio' || tagName === 'video') {\n attributes_1.rr_mediaState = n.paused\n ? 'paused'\n : 'played';\n attributes_1.rr_mediaCurrentTime = n.currentTime;\n }\n if (n.scrollLeft) {\n attributes_1.rr_scrollLeft = n.scrollLeft;\n }\n if (n.scrollTop) {\n attributes_1.rr_scrollTop = n.scrollTop;\n }\n if (needBlock) {\n var _f = n.getBoundingClientRect(), width = _f.width, height = _f.height;\n attributes_1 = {\n \"class\": attributes_1[\"class\"],\n rr_width: width + \"px\",\n rr_height: height + \"px\"\n };\n }\n if (tagName === 'iframe' && !keepIframeSrcFn(attributes_1.src)) {\n if (!n.contentDocument) {\n attributes_1.rr_src = attributes_1.src;\n }\n delete attributes_1.src;\n }\n return {\n type: NodeType.Element,\n tagName: tagName,\n attributes: attributes_1,\n childNodes: [],\n isSVG: isSVGElement(n) || undefined,\n needBlock: needBlock,\n rootId: rootId\n };\n case n.TEXT_NODE:\n var parentTagName = n.parentNode && n.parentNode.tagName;\n var textContent = n.textContent;\n var isStyle = parentTagName === 'STYLE' ? true : undefined;\n var isScript = parentTagName === 'SCRIPT' ? true : undefined;\n if (isStyle && textContent) {\n try {\n if (n.nextSibling || n.previousSibling) {\n }\n else if ((_a = n.parentNode.sheet) === null || _a === void 0 ? void 0 : _a.cssRules) {\n textContent = stringifyStyleSheet(n.parentNode.sheet);\n }\n }\n catch (err) {\n console.warn(\"Cannot get CSS styles from text's parentNode. Error: \" + err, n);\n }\n textContent = absoluteToStylesheet(textContent, getHref());\n }\n if (isScript) {\n textContent = 'SCRIPT_PLACEHOLDER';\n }\n if (!isStyle &&\n !isScript &&\n needMaskingText(n, maskTextClass, maskTextSelector) &&\n textContent) {\n textContent = maskTextFn\n ? maskTextFn(textContent)\n : textContent.replace(/[\\S]/g, '*');\n }\n return {\n type: NodeType.Text,\n textContent: textContent || '',\n isStyle: isStyle,\n rootId: rootId\n };\n case n.CDATA_SECTION_NODE:\n return {\n type: NodeType.CDATA,\n textContent: '',\n rootId: rootId\n };\n case n.COMMENT_NODE:\n return {\n type: NodeType.Comment,\n textContent: n.textContent || '',\n rootId: rootId\n };\n default:\n return false;\n }\n}\nfunction lowerIfExists(maybeAttr) {\n if (maybeAttr === undefined) {\n return '';\n }\n else {\n return maybeAttr.toLowerCase();\n }\n}\nfunction slimDOMExcluded(sn, slimDOMOptions) {\n if (slimDOMOptions.comment && sn.type === NodeType.Comment) {\n return true;\n }\n else if (sn.type === NodeType.Element) {\n if (slimDOMOptions.script &&\n (sn.tagName === 'script' ||\n (sn.tagName === 'link' &&\n sn.attributes.rel === 'preload' &&\n sn.attributes.as === 'script') ||\n (sn.tagName === 'link' &&\n sn.attributes.rel === 'prefetch' &&\n typeof sn.attributes.href === 'string' &&\n sn.attributes.href.endsWith('.js')))) {\n return true;\n }\n else if (slimDOMOptions.headFavicon &&\n ((sn.tagName === 'link' && sn.attributes.rel === 'shortcut icon') ||\n (sn.tagName === 'meta' &&\n (lowerIfExists(sn.attributes.name).match(/^msapplication-tile(image|color)$/) ||\n lowerIfExists(sn.attributes.name) === 'application-name' ||\n lowerIfExists(sn.attributes.rel) === 'icon' ||\n lowerIfExists(sn.attributes.rel) === 'apple-touch-icon' ||\n lowerIfExists(sn.attributes.rel) === 'shortcut icon')))) {\n return true;\n }\n else if (sn.tagName === 'meta') {\n if (slimDOMOptions.headMetaDescKeywords &&\n lowerIfExists(sn.attributes.name).match(/^description|keywords$/)) {\n return true;\n }\n else if (slimDOMOptions.headMetaSocial &&\n (lowerIfExists(sn.attributes.property).match(/^(og|twitter|fb):/) ||\n lowerIfExists(sn.attributes.name).match(/^(og|twitter):/) ||\n lowerIfExists(sn.attributes.name) === 'pinterest')) {\n return true;\n }\n else if (slimDOMOptions.headMetaRobots &&\n (lowerIfExists(sn.attributes.name) === 'robots' ||\n lowerIfExists(sn.attributes.name) === 'googlebot' ||\n lowerIfExists(sn.attributes.name) === 'bingbot')) {\n return true;\n }\n else if (slimDOMOptions.headMetaHttpEquiv &&\n sn.attributes['http-equiv'] !== undefined) {\n return true;\n }\n else if (slimDOMOptions.headMetaAuthorship &&\n (lowerIfExists(sn.attributes.name) === 'author' ||\n lowerIfExists(sn.attributes.name) === 'generator' ||\n lowerIfExists(sn.attributes.name) === 'framework' ||\n lowerIfExists(sn.attributes.name) === 'publisher' ||\n lowerIfExists(sn.attributes.name) === 'progid' ||\n lowerIfExists(sn.attributes.property).match(/^article:/) ||\n lowerIfExists(sn.attributes.property).match(/^product:/))) {\n return true;\n }\n else if (slimDOMOptions.headMetaVerification &&\n (lowerIfExists(sn.attributes.name) === 'google-site-verification' ||\n lowerIfExists(sn.attributes.name) === 'yandex-verification' ||\n lowerIfExists(sn.attributes.name) === 'csrf-token' ||\n lowerIfExists(sn.attributes.name) === 'p:domain_verify' ||\n lowerIfExists(sn.attributes.name) === 'verify-v1' ||\n lowerIfExists(sn.attributes.name) === 'verification' ||\n lowerIfExists(sn.attributes.name) === 'shopify-checkout-api-token')) {\n return true;\n }\n }\n }\n return false;\n}\nfunction serializeNodeWithId(n, options) {\n var doc = options.doc, map = options.map, blockClass = options.blockClass, blockSelector = options.blockSelector, maskTextClass = options.maskTextClass, maskTextSelector = options.maskTextSelector, _a = options.skipChild, skipChild = _a === void 0 ? false : _a, _b = options.inlineStylesheet, inlineStylesheet = _b === void 0 ? true : _b, _c = options.maskInputOptions, maskInputOptions = _c === void 0 ? {} : _c, maskTextFn = options.maskTextFn, maskInputFn = options.maskInputFn, slimDOMOptions = options.slimDOMOptions, _d = options.dataURLOptions, dataURLOptions = _d === void 0 ? {} : _d, _e = options.inlineImages, inlineImages = _e === void 0 ? false : _e, _f = options.recordCanvas, recordCanvas = _f === void 0 ? false : _f, onSerialize = options.onSerialize, onIframeLoad = options.onIframeLoad, _g = options.iframeLoadTimeout, iframeLoadTimeout = _g === void 0 ? 5000 : _g, _h = options.keepIframeSrcFn, keepIframeSrcFn = _h === void 0 ? function () { return false; } : _h;\n var _j = options.preserveWhiteSpace, preserveWhiteSpace = _j === void 0 ? true : _j;\n var _serializedNode = serializeNode(n, {\n doc: doc,\n blockClass: blockClass,\n blockSelector: blockSelector,\n maskTextClass: maskTextClass,\n maskTextSelector: maskTextSelector,\n inlineStylesheet: inlineStylesheet,\n maskInputOptions: maskInputOptions,\n maskTextFn: maskTextFn,\n maskInputFn: maskInputFn,\n dataURLOptions: dataURLOptions,\n inlineImages: inlineImages,\n recordCanvas: recordCanvas,\n keepIframeSrcFn: keepIframeSrcFn\n });\n if (!_serializedNode) {\n console.warn(n, 'not serialized');\n return null;\n }\n var id;\n if ('__sn' in n) {\n id = n.__sn.id;\n }\n else if (slimDOMExcluded(_serializedNode, slimDOMOptions) ||\n (!preserveWhiteSpace &&\n _serializedNode.type === NodeType.Text &&\n !_serializedNode.isStyle &&\n !_serializedNode.textContent.replace(/^\\s+|\\s+$/gm, '').length)) {\n id = IGNORED_NODE;\n }\n else {\n id = genId();\n }\n var serializedNode = Object.assign(_serializedNode, { id: id });\n n.__sn = serializedNode;\n if (id === IGNORED_NODE) {\n return null;\n }\n map[id] = n;\n if (onSerialize) {\n onSerialize(n);\n }\n var recordChild = !skipChild;\n if (serializedNode.type === NodeType.Element) {\n recordChild = recordChild && !serializedNode.needBlock;\n delete serializedNode.needBlock;\n if (n.shadowRoot)\n serializedNode.isShadowHost = true;\n }\n if ((serializedNode.type === NodeType.Document ||\n serializedNode.type === NodeType.Element) &&\n recordChild) {\n if (slimDOMOptions.headWhitespace &&\n _serializedNode.type === NodeType.Element &&\n _serializedNode.tagName === 'head') {\n preserveWhiteSpace = false;\n }\n var bypassOptions = {\n doc: doc,\n map: map,\n blockClass: blockClass,\n blockSelector: blockSelector,\n maskTextClass: maskTextClass,\n maskTextSelector: maskTextSelector,\n skipChild: skipChild,\n inlineStylesheet: inlineStylesheet,\n maskInputOptions: maskInputOptions,\n maskTextFn: maskTextFn,\n maskInputFn: maskInputFn,\n slimDOMOptions: slimDOMOptions,\n dataURLOptions: dataURLOptions,\n inlineImages: inlineImages,\n recordCanvas: recordCanvas,\n preserveWhiteSpace: preserveWhiteSpace,\n onSerialize: onSerialize,\n onIframeLoad: onIframeLoad,\n iframeLoadTimeout: iframeLoadTimeout,\n keepIframeSrcFn: keepIframeSrcFn\n };\n for (var _i = 0, _k = Array.from(n.childNodes); _i < _k.length; _i++) {\n var childN = _k[_i];\n var serializedChildNode = serializeNodeWithId(childN, bypassOptions);\n if (serializedChildNode) {\n serializedNode.childNodes.push(serializedChildNode);\n }\n }\n if (isElement(n) && n.shadowRoot) {\n for (var _l = 0, _m = Array.from(n.shadowRoot.childNodes); _l < _m.length; _l++) {\n var childN = _m[_l];\n var serializedChildNode = serializeNodeWithId(childN, bypassOptions);\n if (serializedChildNode) {\n serializedChildNode.isShadow = true;\n serializedNode.childNodes.push(serializedChildNode);\n }\n }\n }\n }\n if (n.parentNode && isShadowRoot(n.parentNode)) {\n serializedNode.isShadow = true;\n }\n if (serializedNode.type === NodeType.Element &&\n serializedNode.tagName === 'iframe') {\n onceIframeLoaded(n, function () {\n var iframeDoc = n.contentDocument;\n if (iframeDoc && onIframeLoad) {\n var serializedIframeNode = serializeNodeWithId(iframeDoc, {\n doc: iframeDoc,\n map: map,\n blockClass: blockClass,\n blockSelector: blockSelector,\n maskTextClass: maskTextClass,\n maskTextSelector: maskTextSelector,\n skipChild: false,\n inlineStylesheet: inlineStylesheet,\n maskInputOptions: maskInputOptions,\n maskTextFn: maskTextFn,\n maskInputFn: maskInputFn,\n slimDOMOptions: slimDOMOptions,\n dataURLOptions: dataURLOptions,\n inlineImages: inlineImages,\n recordCanvas: recordCanvas,\n preserveWhiteSpace: preserveWhiteSpace,\n onSerialize: onSerialize,\n onIframeLoad: onIframeLoad,\n iframeLoadTimeout: iframeLoadTimeout,\n keepIframeSrcFn: keepIframeSrcFn\n });\n if (serializedIframeNode) {\n onIframeLoad(n, serializedIframeNode);\n }\n }\n }, iframeLoadTimeout);\n }\n return serializedNode;\n}\nfunction snapshot(n, options) {\n var _a = options || {}, _b = _a.blockClass, blockClass = _b === void 0 ? 'rr-block' : _b, _c = _a.blockSelector, blockSelector = _c === void 0 ? null : _c, _d = _a.maskTextClass, maskTextClass = _d === void 0 ? 'rr-mask' : _d, _e = _a.maskTextSelector, maskTextSelector = _e === void 0 ? null : _e, _f = _a.inlineStylesheet, inlineStylesheet = _f === void 0 ? true : _f, _g = _a.inlineImages, inlineImages = _g === void 0 ? false : _g, _h = _a.recordCanvas, recordCanvas = _h === void 0 ? false : _h, _j = _a.maskAllInputs, maskAllInputs = _j === void 0 ? false : _j, maskTextFn = _a.maskTextFn, maskInputFn = _a.maskInputFn, _k = _a.slimDOM, slimDOM = _k === void 0 ? false : _k, dataURLOptions = _a.dataURLOptions, preserveWhiteSpace = _a.preserveWhiteSpace, onSerialize = _a.onSerialize, onIframeLoad = _a.onIframeLoad, iframeLoadTimeout = _a.iframeLoadTimeout, _l = _a.keepIframeSrcFn, keepIframeSrcFn = _l === void 0 ? function () { return false; } : _l;\n var idNodeMap = {};\n var maskInputOptions = maskAllInputs === true\n ? {\n color: true,\n date: true,\n 'datetime-local': true,\n email: true,\n month: true,\n number: true,\n range: true,\n search: true,\n tel: true,\n text: true,\n time: true,\n url: true,\n week: true,\n textarea: true,\n select: true,\n password: true\n }\n : maskAllInputs === false\n ? {\n password: true\n }\n : maskAllInputs;\n var slimDOMOptions = slimDOM === true || slimDOM === 'all'\n ?\n {\n script: true,\n comment: true,\n headFavicon: true,\n headWhitespace: true,\n headMetaDescKeywords: slimDOM === 'all',\n headMetaSocial: true,\n headMetaRobots: true,\n headMetaHttpEquiv: true,\n headMetaAuthorship: true,\n headMetaVerification: true\n }\n : slimDOM === false\n ? {}\n : slimDOM;\n return [\n serializeNodeWithId(n, {\n doc: n,\n map: idNodeMap,\n blockClass: blockClass,\n blockSelector: blockSelector,\n maskTextClass: maskTextClass,\n maskTextSelector: maskTextSelector,\n skipChild: false,\n inlineStylesheet: inlineStylesheet,\n maskInputOptions: maskInputOptions,\n maskTextFn: maskTextFn,\n maskInputFn: maskInputFn,\n slimDOMOptions: slimDOMOptions,\n dataURLOptions: dataURLOptions,\n inlineImages: inlineImages,\n recordCanvas: recordCanvas,\n preserveWhiteSpace: preserveWhiteSpace,\n onSerialize: onSerialize,\n onIframeLoad: onIframeLoad,\n iframeLoadTimeout: iframeLoadTimeout,\n keepIframeSrcFn: keepIframeSrcFn\n }),\n idNodeMap,\n ];\n}\nfunction visitSnapshot(node, onVisit) {\n function walk(current) {\n onVisit(current);\n if (current.type === NodeType.Document ||\n current.type === NodeType.Element) {\n current.childNodes.forEach(walk);\n }\n }\n walk(node);\n}\nfunction cleanupSnapshot() {\n _id = 1;\n}\n\nvar commentre = /\\/\\*[^*]*\\*+([^/*][^*]*\\*+)*\\//g;\nfunction parse(css, options) {\n if (options === void 0) { options = {}; }\n var lineno = 1;\n var column = 1;\n function updatePosition(str) {\n var lines = str.match(/\\n/g);\n if (lines) {\n lineno += lines.length;\n }\n var i = str.lastIndexOf('\\n');\n column = i === -1 ? column + str.length : str.length - i;\n }\n function position() {\n var start = { line: lineno, column: column };\n return function (node) {\n node.position = new Position(start);\n whitespace();\n return node;\n };\n }\n var Position = (function () {\n function Position(start) {\n this.start = start;\n this.end = { line: lineno, column: column };\n this.source = options.source;\n }\n return Position;\n }());\n Position.prototype.content = css;\n var errorsList = [];\n function error(msg) {\n var err = new Error(options.source + ':' + lineno + ':' + column + ': ' + msg);\n err.reason = msg;\n err.filename = options.source;\n err.line = lineno;\n err.column = column;\n err.source = css;\n if (options.silent) {\n errorsList.push(err);\n }\n else {\n throw err;\n }\n }\n function stylesheet() {\n var rulesList = rules();\n return {\n type: 'stylesheet',\n stylesheet: {\n source: options.source,\n rules: rulesList,\n parsingErrors: errorsList\n }\n };\n }\n function open() {\n return match(/^{\\s*/);\n }\n function close() {\n return match(/^}/);\n }\n function rules() {\n var node;\n var rules = [];\n whitespace();\n comments(rules);\n while (css.length && css.charAt(0) !== '}' && (node = atrule() || rule())) {\n if (node !== false) {\n rules.push(node);\n comments(rules);\n }\n }\n return rules;\n }\n function match(re) {\n var m = re.exec(css);\n if (!m) {\n return;\n }\n var str = m[0];\n updatePosition(str);\n css = css.slice(str.length);\n return m;\n }\n function whitespace() {\n match(/^\\s*/);\n }\n function comments(rules) {\n if (rules === void 0) { rules = []; }\n var c;\n while ((c = comment())) {\n if (c !== false) {\n rules.push(c);\n }\n c = comment();\n }\n return rules;\n }\n function comment() {\n var pos = position();\n if ('/' !== css.charAt(0) || '*' !== css.charAt(1)) {\n return;\n }\n var i = 2;\n while ('' !== css.charAt(i) &&\n ('*' !== css.charAt(i) || '/' !== css.charAt(i + 1))) {\n ++i;\n }\n i += 2;\n if ('' === css.charAt(i - 1)) {\n return error('End of comment missing');\n }\n var str = css.slice(2, i - 2);\n column += 2;\n updatePosition(str);\n css = css.slice(i);\n column += 2;\n return pos({\n type: 'comment',\n comment: str\n });\n }\n function selector() {\n var m = match(/^([^{]+)/);\n if (!m) {\n return;\n }\n return trim(m[0])\n .replace(/\\/\\*([^*]|[\\r\\n]|(\\*+([^*/]|[\\r\\n])))*\\*\\/+/g, '')\n .replace(/\"(?:\\\\\"|[^\"])*\"|'(?:\\\\'|[^'])*'/g, function (m) {\n return m.replace(/,/g, '\\u200C');\n })\n .split(/\\s*(?![^(]*\\)),\\s*/)\n .map(function (s) {\n return s.replace(/\\u200C/g, ',');\n });\n }\n function declaration() {\n var pos = position();\n var propMatch = match(/^(\\*?[-#\\/\\*\\\\\\w]+(\\[[0-9a-z_-]+\\])?)\\s*/);\n if (!propMatch) {\n return;\n }\n var prop = trim(propMatch[0]);\n if (!match(/^:\\s*/)) {\n return error(\"property missing ':'\");\n }\n var val = match(/^((?:'(?:\\\\'|.)*?'|\"(?:\\\\\"|.)*?\"|\\([^\\)]*?\\)|[^};])+)/);\n var ret = pos({\n type: 'declaration',\n property: prop.replace(commentre, ''),\n value: val ? trim(val[0]).replace(commentre, '') : ''\n });\n match(/^[;\\s]*/);\n return ret;\n }\n function declarations() {\n var decls = [];\n if (!open()) {\n return error(\"missing '{'\");\n }\n comments(decls);\n var decl;\n while ((decl = declaration())) {\n if (decl !== false) {\n decls.push(decl);\n comments(decls);\n }\n decl = declaration();\n }\n if (!close()) {\n return error(\"missing '}'\");\n }\n return decls;\n }\n function keyframe() {\n var m;\n var vals = [];\n var pos = position();\n while ((m = match(/^((\\d+\\.\\d+|\\.\\d+|\\d+)%?|[a-z]+)\\s*/))) {\n vals.push(m[1]);\n match(/^,\\s*/);\n }\n if (!vals.length) {\n return;\n }\n return pos({\n type: 'keyframe',\n values: vals,\n declarations: declarations()\n });\n }\n function atkeyframes() {\n var pos = position();\n var m = match(/^@([-\\w]+)?keyframes\\s*/);\n if (!m) {\n return;\n }\n var vendor = m[1];\n m = match(/^([-\\w]+)\\s*/);\n if (!m) {\n return error('@keyframes missing name');\n }\n var name = m[1];\n if (!open()) {\n return error(\"@keyframes missing '{'\");\n }\n var frame;\n var frames = comments();\n while ((frame = keyframe())) {\n frames.push(frame);\n frames = frames.concat(comments());\n }\n if (!close()) {\n return error(\"@keyframes missing '}'\");\n }\n return pos({\n type: 'keyframes',\n name: name,\n vendor: vendor,\n keyframes: frames\n });\n }\n function atsupports() {\n var pos = position();\n var m = match(/^@supports *([^{]+)/);\n if (!m) {\n return;\n }\n var supports = trim(m[1]);\n if (!open()) {\n return error(\"@supports missing '{'\");\n }\n var style = comments().concat(rules());\n if (!close()) {\n return error(\"@supports missing '}'\");\n }\n return pos({\n type: 'supports',\n supports: supports,\n rules: style\n });\n }\n function athost() {\n var pos = position();\n var m = match(/^@host\\s*/);\n if (!m) {\n return;\n }\n if (!open()) {\n return error(\"@host missing '{'\");\n }\n var style = comments().concat(rules());\n if (!close()) {\n return error(\"@host missing '}'\");\n }\n return pos({\n type: 'host',\n rules: style\n });\n }\n function atmedia() {\n var pos = position();\n var m = match(/^@media *([^{]+)/);\n if (!m) {\n return;\n }\n var media = trim(m[1]);\n if (!open()) {\n return error(\"@media missing '{'\");\n }\n var style = comments().concat(rules());\n if (!close()) {\n return error(\"@media missing '}'\");\n }\n return pos({\n type: 'media',\n media: media,\n rules: style\n });\n }\n function atcustommedia() {\n var pos = position();\n var m = match(/^@custom-media\\s+(--[^\\s]+)\\s*([^{;]+);/);\n if (!m) {\n return;\n }\n return pos({\n type: 'custom-media',\n name: trim(m[1]),\n media: trim(m[2])\n });\n }\n function atpage() {\n var pos = position();\n var m = match(/^@page */);\n if (!m) {\n return;\n }\n var sel = selector() || [];\n if (!open()) {\n return error(\"@page missing '{'\");\n }\n var decls = comments();\n var decl;\n while ((decl = declaration())) {\n decls.push(decl);\n decls = decls.concat(comments());\n }\n if (!close()) {\n return error(\"@page missing '}'\");\n }\n return pos({\n type: 'page',\n selectors: sel,\n declarations: decls\n });\n }\n function atdocument() {\n var pos = position();\n var m = match(/^@([-\\w]+)?document *([^{]+)/);\n if (!m) {\n return;\n }\n var vendor = trim(m[1]);\n var doc = trim(m[2]);\n if (!open()) {\n return error(\"@document missing '{'\");\n }\n var style = comments().concat(rules());\n if (!close()) {\n return error(\"@document missing '}'\");\n }\n return pos({\n type: 'document',\n document: doc,\n vendor: vendor,\n rules: style\n });\n }\n function atfontface() {\n var pos = position();\n var m = match(/^@font-face\\s*/);\n if (!m) {\n return;\n }\n if (!open()) {\n return error(\"@font-face missing '{'\");\n }\n var decls = comments();\n var decl;\n while ((decl = declaration())) {\n decls.push(decl);\n decls = decls.concat(comments());\n }\n if (!close()) {\n return error(\"@font-face missing '}'\");\n }\n return pos({\n type: 'font-face',\n declarations: decls\n });\n }\n var atimport = _compileAtrule('import');\n var atcharset = _compileAtrule('charset');\n var atnamespace = _compileAtrule('namespace');\n function _compileAtrule(name) {\n var re = new RegExp('^@' + name + '\\\\s*([^;]+);');\n return function () {\n var pos = position();\n var m = match(re);\n if (!m) {\n return;\n }\n var ret = { type: name };\n ret[name] = m[1].trim();\n return pos(ret);\n };\n }\n function atrule() {\n if (css[0] !== '@') {\n return;\n }\n return (atkeyframes() ||\n atmedia() ||\n atcustommedia() ||\n atsupports() ||\n atimport() ||\n atcharset() ||\n atnamespace() ||\n atdocument() ||\n atpage() ||\n athost() ||\n atfontface());\n }\n function rule() {\n var pos = position();\n var sel = selector();\n if (!sel) {\n return error('selector missing');\n }\n comments();\n return pos({\n type: 'rule',\n selectors: sel,\n declarations: declarations()\n });\n }\n return addParent(stylesheet());\n}\nfunction trim(str) {\n return str ? str.replace(/^\\s+|\\s+$/g, '') : '';\n}\nfunction addParent(obj, parent) {\n var isNode = obj && typeof obj.type === 'string';\n var childParent = isNode ? obj : parent;\n for (var _i = 0, _a = Object.keys(obj); _i < _a.length; _i++) {\n var k = _a[_i];\n var value = obj[k];\n if (Array.isArray(value)) {\n value.forEach(function (v) {\n addParent(v, childParent);\n });\n }\n else if (value && typeof value === 'object') {\n addParent(value, childParent);\n }\n }\n if (isNode) {\n Object.defineProperty(obj, 'parent', {\n configurable: true,\n writable: true,\n enumerable: false,\n value: parent || null\n });\n }\n return obj;\n}\n\nvar tagMap = {\n script: 'noscript',\n altglyph: 'altGlyph',\n altglyphdef: 'altGlyphDef',\n altglyphitem: 'altGlyphItem',\n animatecolor: 'animateColor',\n animatemotion: 'animateMotion',\n animatetransform: 'animateTransform',\n clippath: 'clipPath',\n feblend: 'feBlend',\n fecolormatrix: 'feColorMatrix',\n fecomponenttransfer: 'feComponentTransfer',\n fecomposite: 'feComposite',\n feconvolvematrix: 'feConvolveMatrix',\n fediffuselighting: 'feDiffuseLighting',\n fedisplacementmap: 'feDisplacementMap',\n fedistantlight: 'feDistantLight',\n fedropshadow: 'feDropShadow',\n feflood: 'feFlood',\n fefunca: 'feFuncA',\n fefuncb: 'feFuncB',\n fefuncg: 'feFuncG',\n fefuncr: 'feFuncR',\n fegaussianblur: 'feGaussianBlur',\n feimage: 'feImage',\n femerge: 'feMerge',\n femergenode: 'feMergeNode',\n femorphology: 'feMorphology',\n feoffset: 'feOffset',\n fepointlight: 'fePointLight',\n fespecularlighting: 'feSpecularLighting',\n fespotlight: 'feSpotLight',\n fetile: 'feTile',\n feturbulence: 'feTurbulence',\n foreignobject: 'foreignObject',\n glyphref: 'glyphRef',\n lineargradient: 'linearGradient',\n radialgradient: 'radialGradient'\n};\nfunction getTagName(n) {\n var tagName = tagMap[n.tagName] ? tagMap[n.tagName] : n.tagName;\n if (tagName === 'link' && n.attributes._cssText) {\n tagName = 'style';\n }\n return tagName;\n}\nfunction escapeRegExp(str) {\n return str.replace(/[.*+?^${}()|[\\]\\\\]/g, '\\\\$&');\n}\nvar HOVER_SELECTOR = /([^\\\\]):hover/;\nvar HOVER_SELECTOR_GLOBAL = new RegExp(HOVER_SELECTOR.source, 'g');\nfunction addHoverClass(cssText, cache) {\n var cachedStyle = cache === null || cache === void 0 ? void 0 : cache.stylesWithHoverClass.get(cssText);\n if (cachedStyle)\n return cachedStyle;\n var ast = parse(cssText, {\n silent: true\n });\n if (!ast.stylesheet) {\n return cssText;\n }\n var selectors = [];\n ast.stylesheet.rules.forEach(function (rule) {\n if ('selectors' in rule) {\n (rule.selectors || []).forEach(function (selector) {\n if (HOVER_SELECTOR.test(selector)) {\n selectors.push(selector);\n }\n });\n }\n });\n if (selectors.length === 0) {\n return cssText;\n }\n var selectorMatcher = new RegExp(selectors\n .filter(function (selector, index) { return selectors.indexOf(selector) === index; })\n .sort(function (a, b) { return b.length - a.length; })\n .map(function (selector) {\n return escapeRegExp(selector);\n })\n .join('|'), 'g');\n var result = cssText.replace(selectorMatcher, function (selector) {\n var newSelector = selector.replace(HOVER_SELECTOR_GLOBAL, '$1.\\\\:hover');\n return selector + \", \" + newSelector;\n });\n cache === null || cache === void 0 ? void 0 : cache.stylesWithHoverClass.set(cssText, result);\n return result;\n}\nfunction createCache() {\n var stylesWithHoverClass = new Map();\n return {\n stylesWithHoverClass: stylesWithHoverClass\n };\n}\nfunction buildNode(n, options) {\n var doc = options.doc, hackCss = options.hackCss, cache = options.cache;\n switch (n.type) {\n case NodeType.Document:\n return doc.implementation.createDocument(null, '', null);\n case NodeType.DocumentType:\n return doc.implementation.createDocumentType(n.name || 'html', n.publicId, n.systemId);\n case NodeType.Element:\n var tagName = getTagName(n);\n var node_1;\n if (n.isSVG) {\n node_1 = doc.createElementNS('http://www.w3.org/2000/svg', tagName);\n }\n else {\n node_1 = doc.createElement(tagName);\n }\n var _loop_1 = function (name_1) {\n if (!n.attributes.hasOwnProperty(name_1)) {\n return \"continue\";\n }\n var value = n.attributes[name_1];\n if (tagName === 'option' && name_1 === 'selected' && value === false) {\n return \"continue\";\n }\n value =\n typeof value === 'boolean' || typeof value === 'number' ? '' : value;\n if (!name_1.startsWith('rr_')) {\n var isTextarea = tagName === 'textarea' && name_1 === 'value';\n var isRemoteOrDynamicCss = tagName === 'style' && name_1 === '_cssText';\n if (isRemoteOrDynamicCss && hackCss) {\n value = addHoverClass(value, cache);\n }\n if (isTextarea || isRemoteOrDynamicCss) {\n var child = doc.createTextNode(value);\n for (var _i = 0, _a = Array.from(node_1.childNodes); _i < _a.length; _i++) {\n var c = _a[_i];\n if (c.nodeType === node_1.TEXT_NODE) {\n node_1.removeChild(c);\n }\n }\n node_1.appendChild(child);\n return \"continue\";\n }\n try {\n if (n.isSVG && name_1 === 'xlink:href') {\n node_1.setAttributeNS('http://www.w3.org/1999/xlink', name_1, value);\n }\n else if (name_1 === 'onload' ||\n name_1 === 'onclick' ||\n name_1.substring(0, 7) === 'onmouse') {\n node_1.setAttribute('_' + name_1, value);\n }\n else if (tagName === 'meta' &&\n n.attributes['http-equiv'] === 'Content-Security-Policy' &&\n name_1 === 'content') {\n node_1.setAttribute('csp-content', value);\n return \"continue\";\n }\n else if (tagName === 'link' &&\n n.attributes.rel === 'preload' &&\n n.attributes.as === 'script') {\n }\n else if (tagName === 'link' &&\n n.attributes.rel === 'prefetch' &&\n typeof n.attributes.href === 'string' &&\n n.attributes.href.endsWith('.js')) {\n }\n else if (tagName === 'img' &&\n n.attributes.srcset &&\n n.attributes.rr_dataURL) {\n node_1.setAttribute('rrweb-original-srcset', n.attributes.srcset);\n }\n else {\n node_1.setAttribute(name_1, value);\n }\n }\n catch (error) {\n }\n }\n else {\n if (tagName === 'canvas' && name_1 === 'rr_dataURL') {\n var image_1 = document.createElement('img');\n image_1.src = value;\n image_1.onload = function () {\n var ctx = node_1.getContext('2d');\n if (ctx) {\n ctx.drawImage(image_1, 0, 0, image_1.width, image_1.height);\n }\n };\n }\n else if (tagName === 'img' && name_1 === 'rr_dataURL') {\n var image = node_1;\n if (!image.currentSrc.startsWith('data:')) {\n image.setAttribute('rrweb-original-src', n.attributes.src);\n image.src = value;\n }\n }\n if (name_1 === 'rr_width') {\n node_1.style.width = value;\n }\n else if (name_1 === 'rr_height') {\n node_1.style.height = value;\n }\n else if (name_1 === 'rr_mediaCurrentTime') {\n node_1.currentTime = n.attributes\n .rr_mediaCurrentTime;\n }\n else if (name_1 === 'rr_mediaState') {\n switch (value) {\n case 'played':\n node_1\n .play()[\"catch\"](function (e) { return console.warn('media playback error', e); });\n break;\n case 'paused':\n node_1.pause();\n break;\n }\n }\n }\n };\n for (var name_1 in n.attributes) {\n _loop_1(name_1);\n }\n if (n.isShadowHost) {\n if (!node_1.shadowRoot) {\n node_1.attachShadow({ mode: 'open' });\n }\n else {\n while (node_1.shadowRoot.firstChild) {\n node_1.shadowRoot.removeChild(node_1.shadowRoot.firstChild);\n }\n }\n }\n return node_1;\n case NodeType.Text:\n return doc.createTextNode(n.isStyle && hackCss\n ? addHoverClass(n.textContent, cache)\n : n.textContent);\n case NodeType.CDATA:\n return doc.createCDATASection(n.textContent);\n case NodeType.Comment:\n return doc.createComment(n.textContent);\n default:\n return null;\n }\n}\nfunction buildNodeWithSN(n, options) {\n var doc = options.doc, map = options.map, _a = options.skipChild, skipChild = _a === void 0 ? false : _a, _b = options.hackCss, hackCss = _b === void 0 ? true : _b, afterAppend = options.afterAppend, cache = options.cache;\n var node = buildNode(n, { doc: doc, hackCss: hackCss, cache: cache });\n if (!node) {\n return null;\n }\n if (n.rootId) {\n console.assert(map[n.rootId] === doc, 'Target document should has the same root id.');\n }\n if (n.type === NodeType.Document) {\n doc.close();\n doc.open();\n if (n.compatMode === 'BackCompat' &&\n n.childNodes &&\n n.childNodes[0].type !== NodeType.DocumentType) {\n if (n.childNodes[0].type === NodeType.Element &&\n 'xmlns' in n.childNodes[0].attributes &&\n n.childNodes[0].attributes.xmlns === 'http://www.w3.org/1999/xhtml') {\n doc.write('');\n }\n else {\n doc.write('');\n }\n }\n node = doc;\n }\n node.__sn = n;\n map[n.id] = node;\n if ((n.type === NodeType.Document || n.type === NodeType.Element) &&\n !skipChild) {\n for (var _i = 0, _c = n.childNodes; _i < _c.length; _i++) {\n var childN = _c[_i];\n var childNode = buildNodeWithSN(childN, {\n doc: doc,\n map: map,\n skipChild: false,\n hackCss: hackCss,\n afterAppend: afterAppend,\n cache: cache\n });\n if (!childNode) {\n console.warn('Failed to rebuild', childN);\n continue;\n }\n if (childN.isShadow && isElement(node) && node.shadowRoot) {\n node.shadowRoot.appendChild(childNode);\n }\n else {\n node.appendChild(childNode);\n }\n if (afterAppend) {\n afterAppend(childNode);\n }\n }\n }\n return node;\n}\nfunction visit(idNodeMap, onVisit) {\n function walk(node) {\n onVisit(node);\n }\n for (var key in idNodeMap) {\n if (idNodeMap[key]) {\n walk(idNodeMap[key]);\n }\n }\n}\nfunction handleScroll(node) {\n var n = node.__sn;\n if (n.type !== NodeType.Element) {\n return;\n }\n var el = node;\n for (var name_2 in n.attributes) {\n if (!(n.attributes.hasOwnProperty(name_2) && name_2.startsWith('rr_'))) {\n continue;\n }\n var value = n.attributes[name_2];\n if (name_2 === 'rr_scrollLeft') {\n el.scrollLeft = value;\n }\n if (name_2 === 'rr_scrollTop') {\n el.scrollTop = value;\n }\n }\n}\nfunction rebuild(n, options) {\n var doc = options.doc, onVisit = options.onVisit, _a = options.hackCss, hackCss = _a === void 0 ? true : _a, afterAppend = options.afterAppend, cache = options.cache;\n var idNodeMap = {};\n var node = buildNodeWithSN(n, {\n doc: doc,\n map: idNodeMap,\n skipChild: false,\n hackCss: hackCss,\n afterAppend: afterAppend,\n cache: cache\n });\n visit(idNodeMap, function (visitedNode) {\n if (onVisit) {\n onVisit(visitedNode);\n }\n handleScroll(visitedNode);\n });\n return [node, idNodeMap];\n}\n\nexport { IGNORED_NODE, NodeType, addHoverClass, buildNodeWithSN, cleanupSnapshot, createCache, is2DCanvasBlank, isElement, isShadowRoot, maskInputValue, needMaskingText, rebuild, serializeNodeWithId, snapshot, transformAttribute, visitSnapshot };\n","import {\n serializedNodeWithId,\n idNodeMap,\n INode,\n MaskInputOptions,\n SlimDOMOptions,\n MaskInputFn,\n MaskTextFn,\n} from 'rrweb-snapshot';\nimport { PackFn, UnpackFn } from './packer/base';\nimport { IframeManager } from './record/iframe-manager';\nimport { ShadowDomManager } from './record/shadow-dom-manager';\nimport type { Replayer } from './replay';\nimport { CanvasManager } from './record/observers/canvas/canvas-manager';\n\nexport enum EventType {\n DomContentLoaded,\n Load,\n FullSnapshot,\n IncrementalSnapshot,\n Meta,\n Custom,\n Plugin,\n}\n\nexport type domContentLoadedEvent = {\n type: EventType.DomContentLoaded;\n data: {};\n};\n\nexport type loadedEvent = {\n type: EventType.Load;\n data: {};\n};\n\nexport type fullSnapshotEvent = {\n type: EventType.FullSnapshot;\n data: {\n node: serializedNodeWithId;\n initialOffset: {\n top: number;\n left: number;\n };\n };\n};\n\nexport type incrementalSnapshotEvent = {\n type: EventType.IncrementalSnapshot;\n data: incrementalData;\n};\n\nexport type metaEvent = {\n type: EventType.Meta;\n data: {\n href: string;\n width: number;\n height: number;\n };\n};\n\nexport type customEvent = {\n type: EventType.Custom;\n data: {\n tag: string;\n payload: T;\n };\n};\n\nexport type pluginEvent = {\n type: EventType.Plugin;\n data: {\n plugin: string;\n payload: T;\n };\n};\n\nexport type styleSheetEvent = {};\n\nexport enum IncrementalSource {\n Mutation,\n MouseMove,\n MouseInteraction,\n Scroll,\n ViewportResize,\n Input,\n TouchMove,\n MediaInteraction,\n StyleSheetRule,\n CanvasMutation,\n Font,\n Log,\n Drag,\n StyleDeclaration,\n}\n\nexport type mutationData = {\n source: IncrementalSource.Mutation;\n} & mutationCallbackParam;\n\nexport type mousemoveData = {\n source:\n | IncrementalSource.MouseMove\n | IncrementalSource.TouchMove\n | IncrementalSource.Drag;\n positions: mousePosition[];\n};\n\nexport type mouseInteractionData = {\n source: IncrementalSource.MouseInteraction;\n} & mouseInteractionParam;\n\nexport type scrollData = {\n source: IncrementalSource.Scroll;\n} & scrollPosition;\n\nexport type viewportResizeData = {\n source: IncrementalSource.ViewportResize;\n} & viewportResizeDimension;\n\nexport type inputData = {\n source: IncrementalSource.Input;\n id: number;\n} & inputValue;\n\nexport type mediaInteractionData = {\n source: IncrementalSource.MediaInteraction;\n} & mediaInteractionParam;\n\nexport type styleSheetRuleData = {\n source: IncrementalSource.StyleSheetRule;\n} & styleSheetRuleParam;\n\nexport type styleDeclarationData = {\n source: IncrementalSource.StyleDeclaration;\n} & styleDeclarationParam;\n\nexport type canvasMutationData = {\n source: IncrementalSource.CanvasMutation;\n} & canvasMutationParam;\n\nexport type fontData = {\n source: IncrementalSource.Font;\n} & fontParam;\n\nexport type incrementalData =\n | mutationData\n | mousemoveData\n | mouseInteractionData\n | scrollData\n | viewportResizeData\n | inputData\n | mediaInteractionData\n | styleSheetRuleData\n | canvasMutationData\n | fontData\n | styleDeclarationData;\n\nexport type event =\n | domContentLoadedEvent\n | loadedEvent\n | fullSnapshotEvent\n | incrementalSnapshotEvent\n | metaEvent\n | customEvent\n | pluginEvent;\n\nexport type eventWithTime = event & {\n timestamp: number;\n delay?: number;\n};\n\nexport type blockClass = string | RegExp;\n\nexport type maskTextClass = string | RegExp;\n\nexport type SamplingStrategy = Partial<{\n /**\n * false means not to record mouse/touch move events\n * number is the throttle threshold of recording mouse/touch move\n */\n mousemove: boolean | number;\n /**\n * number is the throttle threshold of mouse/touch move callback\n */\n mousemoveCallback: number;\n /**\n * false means not to record mouse interaction events\n * can also specify record some kinds of mouse interactions\n */\n mouseInteraction: boolean | Record;\n /**\n * number is the throttle threshold of recording scroll\n */\n scroll: number;\n /**\n * number is the throttle threshold of recording media interactions\n */\n media: number;\n /**\n * 'all' will record all the input events\n * 'last' will only record the last input value while input a sequence of chars\n */\n input: 'all' | 'last';\n}>;\n\nexport type RecordPlugin = {\n name: string;\n observer?: (cb: Function, win: IWindow, options: TOptions) => listenerHandler;\n eventProcessor?: (event: eventWithTime) => eventWithTime & TExtend;\n options: TOptions;\n};\n\nexport type recordOptions = {\n emit?: (e: T, isCheckout?: boolean) => void;\n checkoutEveryNth?: number;\n checkoutEveryNms?: number;\n blockClass?: blockClass;\n blockSelector?: string;\n ignoreClass?: string;\n maskTextClass?: maskTextClass;\n maskTextSelector?: string;\n maskAllInputs?: boolean;\n maskInputOptions?: MaskInputOptions;\n maskInputFn?: MaskInputFn;\n maskTextFn?: MaskTextFn;\n slimDOMOptions?: SlimDOMOptions | 'all' | true;\n inlineStylesheet?: boolean;\n hooks?: hooksParam;\n packFn?: PackFn;\n sampling?: SamplingStrategy;\n recordCanvas?: boolean;\n userTriggeredOnInput?: boolean;\n collectFonts?: boolean;\n inlineImages?: boolean;\n plugins?: RecordPlugin[];\n // departed, please use sampling options\n mousemoveWait?: number;\n keepIframeSrcFn?: KeepIframeSrcFn;\n};\n\nexport type observerParam = {\n mutationCb: mutationCallBack;\n mousemoveCb: mousemoveCallBack;\n mouseInteractionCb: mouseInteractionCallBack;\n scrollCb: scrollCallback;\n viewportResizeCb: viewportResizeCallback;\n inputCb: inputCallback;\n mediaInteractionCb: mediaInteractionCallback;\n blockClass: blockClass;\n blockSelector: string | null;\n ignoreClass: string;\n maskTextClass: maskTextClass;\n maskTextSelector: string | null;\n maskInputOptions: MaskInputOptions;\n maskInputFn?: MaskInputFn;\n maskTextFn?: MaskTextFn;\n inlineStylesheet: boolean;\n styleSheetRuleCb: styleSheetRuleCallback;\n styleDeclarationCb: styleDeclarationCallback;\n canvasMutationCb: canvasMutationCallback;\n fontCb: fontCallback;\n sampling: SamplingStrategy;\n recordCanvas: boolean;\n inlineImages: boolean;\n userTriggeredOnInput: boolean;\n collectFonts: boolean;\n slimDOMOptions: SlimDOMOptions;\n doc: Document;\n mirror: Mirror;\n iframeManager: IframeManager;\n shadowDomManager: ShadowDomManager;\n canvasManager: CanvasManager;\n plugins: Array<{\n observer: Function;\n callback: Function;\n options: unknown;\n }>;\n};\n\nexport type MutationBufferParam = Pick<\n observerParam,\n | 'mutationCb'\n | 'blockClass'\n | 'blockSelector'\n | 'maskTextClass'\n | 'maskTextSelector'\n | 'inlineStylesheet'\n | 'maskInputOptions'\n | 'maskTextFn'\n | 'maskInputFn'\n | 'recordCanvas'\n | 'inlineImages'\n | 'slimDOMOptions'\n | 'doc'\n | 'mirror'\n | 'iframeManager'\n | 'shadowDomManager'\n | 'canvasManager'\n>;\n\nexport type hooksParam = {\n mutation?: mutationCallBack;\n mousemove?: mousemoveCallBack;\n mouseInteraction?: mouseInteractionCallBack;\n scroll?: scrollCallback;\n viewportResize?: viewportResizeCallback;\n input?: inputCallback;\n mediaInteaction?: mediaInteractionCallback;\n styleSheetRule?: styleSheetRuleCallback;\n styleDeclaration?: styleDeclarationCallback;\n canvasMutation?: canvasMutationCallback;\n font?: fontCallback;\n};\n\n// https://dom.spec.whatwg.org/#interface-mutationrecord\nexport type mutationRecord = {\n type: string;\n target: Node;\n oldValue: string | null;\n addedNodes: NodeList;\n removedNodes: NodeList;\n attributeName: string | null;\n};\n\nexport type textCursor = {\n node: Node;\n value: string | null;\n};\nexport type textMutation = {\n id: number;\n value: string | null;\n};\n\nexport type styleAttributeValue = {\n [key: string]: styleValueWithPriority | string | false;\n};\n\nexport type styleValueWithPriority = [string, string];\n\nexport type attributeCursor = {\n node: Node;\n attributes: {\n [key: string]: string | styleAttributeValue | null;\n };\n};\nexport type attributeMutation = {\n id: number;\n attributes: {\n [key: string]: string | styleAttributeValue | null;\n };\n};\n\nexport type removedNodeMutation = {\n parentId: number;\n id: number;\n isShadow?: boolean;\n};\n\nexport type addedNodeMutation = {\n parentId: number;\n // Newly recorded mutations will not have previousId any more, just for compatibility\n previousId?: number | null;\n nextId: number | null;\n node: serializedNodeWithId;\n};\n\nexport type mutationCallbackParam = {\n texts: textMutation[];\n attributes: attributeMutation[];\n removes: removedNodeMutation[];\n adds: addedNodeMutation[];\n isAttachIframe?: true;\n};\n\nexport type mutationCallBack = (m: mutationCallbackParam) => void;\n\nexport type mousemoveCallBack = (\n p: mousePosition[],\n source:\n | IncrementalSource.MouseMove\n | IncrementalSource.TouchMove\n | IncrementalSource.Drag,\n) => void;\n\nexport type mousePosition = {\n x: number;\n y: number;\n id: number;\n timeOffset: number;\n};\n\nexport type mouseMovePos = {\n x: number;\n y: number;\n id: number;\n debugData: incrementalData;\n};\n\nexport enum MouseInteractions {\n MouseUp,\n MouseDown,\n Click,\n ContextMenu,\n DblClick,\n Focus,\n Blur,\n TouchStart,\n TouchMove_Departed, // we will start a separate observer for touch move event\n TouchEnd,\n TouchCancel,\n}\n\nexport enum CanvasContext {\n '2D',\n WebGL,\n WebGL2,\n}\n\nexport type SerializedWebGlArg =\n | {\n rr_type: 'ArrayBuffer';\n base64: string; // base64\n }\n | {\n rr_type: string;\n src: string; // url of image\n }\n | {\n rr_type: string;\n args: SerializedWebGlArg[];\n }\n | {\n rr_type: string;\n index: number;\n }\n | string\n | number\n | boolean\n | null\n | SerializedWebGlArg[];\n\ntype mouseInteractionParam = {\n type: MouseInteractions;\n id: number;\n x: number;\n y: number;\n};\n\nexport type mouseInteractionCallBack = (d: mouseInteractionParam) => void;\n\nexport type scrollPosition = {\n id: number;\n x: number;\n y: number;\n};\n\nexport type scrollCallback = (p: scrollPosition) => void;\n\nexport type styleSheetAddRule = {\n rule: string;\n index?: number | number[];\n};\n\nexport type styleSheetDeleteRule = {\n index: number | number[];\n};\n\nexport type styleSheetRuleParam = {\n id: number;\n removes?: styleSheetDeleteRule[];\n adds?: styleSheetAddRule[];\n};\n\nexport type styleSheetRuleCallback = (s: styleSheetRuleParam) => void;\n\nexport type styleDeclarationParam = {\n id: number;\n index: number[];\n set?: {\n property: string;\n value: string | null;\n priority: string | undefined;\n };\n remove?: {\n property: string;\n };\n};\n\nexport type styleDeclarationCallback = (s: styleDeclarationParam) => void;\n\nexport type canvasMutationCommand = {\n property: string;\n args: Array;\n setter?: true;\n};\n\nexport type canvasMutationParam =\n | {\n id: number;\n type: CanvasContext;\n commands: canvasMutationCommand[];\n }\n | ({\n id: number;\n type: CanvasContext;\n } & canvasMutationCommand);\n\nexport type canvasMutationWithType = {\n type: CanvasContext;\n} & canvasMutationCommand;\n\nexport type canvasMutationCallback = (p: canvasMutationParam) => void;\n\nexport type canvasManagerMutationCallback = (\n target: HTMLCanvasElement,\n p: canvasMutationWithType,\n) => void;\n\nexport type fontParam = {\n family: string;\n fontSource: string;\n buffer: boolean;\n descriptors?: FontFaceDescriptors;\n};\n\nexport type fontCallback = (p: fontParam) => void;\n\nexport type viewportResizeDimension = {\n width: number;\n height: number;\n};\n\nexport type viewportResizeCallback = (d: viewportResizeDimension) => void;\n\nexport type inputValue = {\n text: string;\n isChecked: boolean;\n\n // `userTriggered` indicates if this event was triggered directly by user (userTriggered: true)\n // or was triggered indirectly (userTriggered: false)\n // Example of `userTriggered` in action:\n // User clicks on radio element (userTriggered: true) which triggers the other radio element to change (userTriggered: false)\n userTriggered?: boolean;\n};\n\nexport type inputCallback = (v: inputValue & { id: number }) => void;\n\nexport const enum MediaInteractions {\n Play,\n Pause,\n Seeked,\n VolumeChange,\n}\n\nexport type mediaInteractionParam = {\n type: MediaInteractions;\n id: number;\n currentTime?: number;\n volume?: number;\n muted?: boolean;\n};\n\nexport type mediaInteractionCallback = (p: mediaInteractionParam) => void;\n\nexport type DocumentDimension = {\n x: number;\n y: number;\n // scale value relative to its parent iframe\n relativeScale: number;\n // scale value relative to the root iframe\n absoluteScale: number;\n};\n\nexport type Mirror = {\n map: idNodeMap;\n getId: (n: INode) => number;\n getNode: (id: number) => INode | null;\n removeNodeFromMap: (n: INode) => void;\n has: (id: number) => boolean;\n reset: () => void;\n};\n\nexport type throttleOptions = {\n leading?: boolean;\n trailing?: boolean;\n};\n\nexport type listenerHandler = () => void;\nexport type hookResetter = () => void;\n\nexport type ReplayPlugin = {\n handler: (\n event: eventWithTime,\n isSync: boolean,\n context: { replayer: Replayer },\n ) => void;\n};\nexport type playerConfig = {\n speed: number;\n maxSpeed: number;\n root: Element;\n loadTimeout: number;\n skipInactive: boolean;\n showWarning: boolean;\n showDebug: boolean;\n blockClass: string;\n liveMode: boolean;\n insertStyleRules: string[];\n triggerFocus: boolean;\n UNSAFE_replayCanvas: boolean;\n pauseAnimation?: boolean;\n mouseTail:\n | boolean\n | {\n duration?: number;\n lineCap?: string;\n lineWidth?: number;\n strokeStyle?: string;\n };\n unpackFn?: UnpackFn;\n plugins?: ReplayPlugin[];\n};\n\nexport type playerMetaData = {\n startTime: number;\n endTime: number;\n totalTime: number;\n};\n\nexport type missingNode = {\n node: Node;\n mutation: addedNodeMutation;\n};\nexport type missingNodeMap = {\n [id: number]: missingNode;\n};\n\nexport type actionWithDelay = {\n doAction: () => void;\n delay: number;\n};\n\nexport type Handler = (event?: unknown) => void;\n\nexport type Emitter = {\n on(type: string, handler: Handler): void;\n emit(type: string, event?: unknown): void;\n off(type: string, handler: Handler): void;\n};\n\nexport type Arguments = T extends (...payload: infer U) => unknown\n ? U\n : unknown;\n\nexport enum ReplayerEvents {\n Start = 'start',\n Pause = 'pause',\n Resume = 'resume',\n Resize = 'resize',\n Finish = 'finish',\n FullsnapshotRebuilded = 'fullsnapshot-rebuilded',\n LoadStylesheetStart = 'load-stylesheet-start',\n LoadStylesheetEnd = 'load-stylesheet-end',\n SkipStart = 'skip-start',\n SkipEnd = 'skip-end',\n MouseInteraction = 'mouse-interaction',\n EventCast = 'event-cast',\n CustomEvent = 'custom-event',\n Flush = 'flush',\n StateChange = 'state-change',\n PlayBack = 'play-back',\n}\n\n// store the state that would be changed during the process(unmount from dom and mount again)\nexport type ElementState = {\n // [scrollLeft,scrollTop]\n scroll?: [number, number];\n};\n\nexport type KeepIframeSrcFn = (src: string) => boolean;\n\ndeclare global {\n interface Window {\n FontFace: typeof FontFace;\n }\n}\n\nexport type IWindow = Window & typeof globalThis;\n\nexport type Optional = Pick, K> & Omit;\n","import {\n Mirror,\n throttleOptions,\n listenerHandler,\n hookResetter,\n blockClass,\n IncrementalSource,\n addedNodeMutation,\n removedNodeMutation,\n textMutation,\n attributeMutation,\n mutationData,\n scrollData,\n inputData,\n DocumentDimension,\n IWindow,\n} from './types';\nimport {\n INode,\n IGNORED_NODE,\n serializedNodeWithId,\n NodeType,\n isShadowRoot,\n} from 'rrweb-snapshot';\n\nexport function on(\n type: string,\n fn: EventListenerOrEventListenerObject,\n target: Document | IWindow = document,\n): listenerHandler {\n const options = { capture: true, passive: true };\n target.addEventListener(type, fn, options);\n return () => target.removeEventListener(type, fn, options);\n}\n\nexport function createMirror(): Mirror {\n return {\n map: {},\n getId(n) {\n // if n is not a serialized INode, use -1 as its id.\n if (!n || !n.__sn) {\n return -1;\n }\n return n.__sn.id;\n },\n getNode(id) {\n return this.map[id] || null;\n },\n // TODO: use a weakmap to get rid of manually memory management\n removeNodeFromMap(n) {\n const id = n.__sn && n.__sn.id;\n delete this.map[id];\n if (n.childNodes) {\n n.childNodes.forEach((child) =>\n this.removeNodeFromMap((child as Node) as INode),\n );\n }\n },\n has(id) {\n return this.map.hasOwnProperty(id);\n },\n reset() {\n this.map = {};\n },\n };\n}\n\n// https://github.com/rrweb-io/rrweb/pull/407\nconst DEPARTED_MIRROR_ACCESS_WARNING =\n 'Please stop import mirror directly. Instead of that,' +\n '\\r\\n' +\n 'now you can use replayer.getMirror() to access the mirror instance of a replayer,' +\n '\\r\\n' +\n 'or you can use record.mirror to access the mirror instance during recording.';\nexport let _mirror: Mirror = {\n map: {},\n getId() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n return -1;\n },\n getNode() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n return null;\n },\n removeNodeFromMap() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n },\n has() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n return false;\n },\n reset() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n },\n};\nif (typeof window !== 'undefined' && window.Proxy && window.Reflect) {\n _mirror = new Proxy(_mirror, {\n get(target, prop, receiver) {\n if (prop === 'map') {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n }\n return Reflect.get(target, prop, receiver);\n },\n });\n}\n\n// copy from underscore and modified\nexport function throttle(\n func: (arg: T) => void,\n wait: number,\n options: throttleOptions = {},\n) {\n let timeout: ReturnType | null = null;\n let previous = 0;\n // tslint:disable-next-line: only-arrow-functions\n return function (arg: T) {\n let now = Date.now();\n if (!previous && options.leading === false) {\n previous = now;\n }\n let remaining = wait - (now - previous);\n let context = this;\n let args = arguments;\n if (remaining <= 0 || remaining > wait) {\n if (timeout) {\n clearTimeout(timeout);\n timeout = null;\n }\n previous = now;\n func.apply(context, args);\n } else if (!timeout && options.trailing !== false) {\n timeout = setTimeout(() => {\n previous = options.leading === false ? 0 : Date.now();\n timeout = null;\n func.apply(context, args);\n }, remaining);\n }\n };\n}\n\nexport function hookSetter(\n target: T,\n key: string | number | symbol,\n d: PropertyDescriptor,\n isRevoked?: boolean,\n win = window,\n): hookResetter {\n const original = win.Object.getOwnPropertyDescriptor(target, key);\n win.Object.defineProperty(\n target,\n key,\n isRevoked\n ? d\n : {\n set(value) {\n // put hooked setter into event loop to avoid of set latency\n setTimeout(() => {\n d.set!.call(this, value);\n }, 0);\n if (original && original.set) {\n original.set.call(this, value);\n }\n },\n },\n );\n return () => hookSetter(target, key, original || {}, true);\n}\n\n// copy from https://github.com/getsentry/sentry-javascript/blob/b2109071975af8bf0316d3b5b38f519bdaf5dc15/packages/utils/src/object.ts\nexport function patch(\n // tslint:disable-next-line:no-any\n source: { [key: string]: any },\n name: string,\n // tslint:disable-next-line:no-any\n replacement: (...args: any[]) => any,\n): () => void {\n try {\n if (!(name in source)) {\n return () => {};\n }\n\n const original = source[name] as () => unknown;\n const wrapped = replacement(original);\n\n // Make sure it's a function first, as we need to attach an empty prototype for `defineProperties` to work\n // otherwise it'll throw \"TypeError: Object.defineProperties called on non-object\"\n // tslint:disable-next-line:strict-type-predicates\n if (typeof wrapped === 'function') {\n wrapped.prototype = wrapped.prototype || {};\n Object.defineProperties(wrapped, {\n __rrweb_original__: {\n enumerable: false,\n value: original,\n },\n });\n }\n\n source[name] = wrapped;\n\n return () => {\n source[name] = original;\n };\n } catch {\n return () => {};\n // This can throw if multiple fill happens on a global object like XMLHttpRequest\n // Fixes https://github.com/getsentry/sentry-javascript/issues/2043\n }\n}\n\nexport function getWindowHeight(): number {\n return (\n window.innerHeight ||\n (document.documentElement && document.documentElement.clientHeight) ||\n (document.body && document.body.clientHeight)\n );\n}\n\nexport function getWindowWidth(): number {\n return (\n window.innerWidth ||\n (document.documentElement && document.documentElement.clientWidth) ||\n (document.body && document.body.clientWidth)\n );\n}\n\nexport function isBlocked(node: Node | null, blockClass: blockClass): boolean {\n if (!node) {\n return false;\n }\n if (node.nodeType === node.ELEMENT_NODE) {\n let needBlock = false;\n if (typeof blockClass === 'string') {\n if ((node as HTMLElement).closest !== undefined) {\n return (node as HTMLElement).closest('.' + blockClass) !== null;\n } else {\n needBlock = (node as HTMLElement).classList.contains(blockClass);\n }\n } else {\n (node as HTMLElement).classList.forEach((className) => {\n if (blockClass.test(className)) {\n needBlock = true;\n }\n });\n }\n return needBlock || isBlocked(node.parentNode, blockClass);\n }\n if (node.nodeType === node.TEXT_NODE) {\n // check parent node since text node do not have class name\n return isBlocked(node.parentNode, blockClass);\n }\n return isBlocked(node.parentNode, blockClass);\n}\n\nexport function isIgnored(n: Node | INode): boolean {\n if ('__sn' in n) {\n return (n as INode).__sn.id === IGNORED_NODE;\n }\n // The main part of the slimDOM check happens in\n // rrweb-snapshot::serializeNodeWithId\n return false;\n}\n\nexport function isAncestorRemoved(target: INode, mirror: Mirror): boolean {\n if (isShadowRoot(target)) {\n return false;\n }\n const id = mirror.getId(target);\n if (!mirror.has(id)) {\n return true;\n }\n if (\n target.parentNode &&\n target.parentNode.nodeType === target.DOCUMENT_NODE\n ) {\n return false;\n }\n // if the root is not document, it means the node is not in the DOM tree anymore\n if (!target.parentNode) {\n return true;\n }\n return isAncestorRemoved((target.parentNode as unknown) as INode, mirror);\n}\n\nexport function isTouchEvent(\n event: MouseEvent | TouchEvent,\n): event is TouchEvent {\n return Boolean((event as TouchEvent).changedTouches);\n}\n\nexport function polyfill(win = window) {\n if ('NodeList' in win && !win.NodeList.prototype.forEach) {\n win.NodeList.prototype.forEach = (Array.prototype\n .forEach as unknown) as NodeList['forEach'];\n }\n\n if ('DOMTokenList' in win && !win.DOMTokenList.prototype.forEach) {\n win.DOMTokenList.prototype.forEach = (Array.prototype\n .forEach as unknown) as DOMTokenList['forEach'];\n }\n\n // https://github.com/Financial-Times/polyfill-service/pull/183\n if (!Node.prototype.contains) {\n Node.prototype.contains = function contains(node) {\n if (!(0 in arguments)) {\n throw new TypeError('1 argument is required');\n }\n\n do {\n if (this === node) {\n return true;\n }\n // tslint:disable-next-line: no-conditional-assignment\n } while ((node = node && node.parentNode));\n\n return false;\n };\n }\n}\n\nexport type TreeNode = {\n id: number;\n mutation: addedNodeMutation;\n parent?: TreeNode;\n children: Record;\n texts: textMutation[];\n attributes: attributeMutation[];\n};\nexport class TreeIndex {\n public tree!: Record;\n\n private removeNodeMutations!: removedNodeMutation[];\n private textMutations!: textMutation[];\n private attributeMutations!: attributeMutation[];\n private indexes!: Map;\n private removeIdSet!: Set;\n private scrollMap!: Map;\n private inputMap!: Map;\n\n constructor() {\n this.reset();\n }\n\n public add(mutation: addedNodeMutation) {\n const parentTreeNode = this.indexes.get(mutation.parentId);\n const treeNode: TreeNode = {\n id: mutation.node.id,\n mutation,\n children: [],\n texts: [],\n attributes: [],\n };\n if (!parentTreeNode) {\n this.tree[treeNode.id] = treeNode;\n } else {\n treeNode.parent = parentTreeNode;\n parentTreeNode.children[treeNode.id] = treeNode;\n }\n this.indexes.set(treeNode.id, treeNode);\n }\n\n public remove(mutation: removedNodeMutation, mirror: Mirror) {\n const parentTreeNode = this.indexes.get(mutation.parentId);\n const treeNode = this.indexes.get(mutation.id);\n\n const deepRemoveFromMirror = (id: number) => {\n this.removeIdSet.add(id);\n const node = mirror.getNode(id);\n node?.childNodes.forEach((childNode) => {\n if ('__sn' in childNode) {\n deepRemoveFromMirror(((childNode as unknown) as INode).__sn.id);\n }\n });\n };\n const deepRemoveFromTreeIndex = (node: TreeNode) => {\n this.removeIdSet.add(node.id);\n Object.values(node.children).forEach((n) => deepRemoveFromTreeIndex(n));\n const _treeNode = this.indexes.get(node.id);\n if (_treeNode) {\n const _parentTreeNode = _treeNode.parent;\n if (_parentTreeNode) {\n delete _treeNode.parent;\n delete _parentTreeNode.children[_treeNode.id];\n this.indexes.delete(mutation.id);\n }\n }\n };\n\n if (!treeNode) {\n this.removeNodeMutations.push(mutation);\n deepRemoveFromMirror(mutation.id);\n } else if (!parentTreeNode) {\n delete this.tree[treeNode.id];\n this.indexes.delete(treeNode.id);\n deepRemoveFromTreeIndex(treeNode);\n } else {\n delete treeNode.parent;\n delete parentTreeNode.children[treeNode.id];\n this.indexes.delete(mutation.id);\n deepRemoveFromTreeIndex(treeNode);\n }\n }\n\n public text(mutation: textMutation) {\n const treeNode = this.indexes.get(mutation.id);\n if (treeNode) {\n treeNode.texts.push(mutation);\n } else {\n this.textMutations.push(mutation);\n }\n }\n\n public attribute(mutation: attributeMutation) {\n const treeNode = this.indexes.get(mutation.id);\n if (treeNode) {\n treeNode.attributes.push(mutation);\n } else {\n this.attributeMutations.push(mutation);\n }\n }\n\n public scroll(d: scrollData) {\n this.scrollMap.set(d.id, d);\n }\n\n public input(d: inputData) {\n this.inputMap.set(d.id, d);\n }\n\n public flush(): {\n mutationData: mutationData;\n scrollMap: TreeIndex['scrollMap'];\n inputMap: TreeIndex['inputMap'];\n } {\n const {\n tree,\n removeNodeMutations,\n textMutations,\n attributeMutations,\n } = this;\n\n const batchMutationData: mutationData = {\n source: IncrementalSource.Mutation,\n removes: removeNodeMutations,\n texts: textMutations,\n attributes: attributeMutations,\n adds: [],\n };\n\n const walk = (treeNode: TreeNode, removed: boolean) => {\n if (removed) {\n this.removeIdSet.add(treeNode.id);\n }\n batchMutationData.texts = batchMutationData.texts\n .concat(removed ? [] : treeNode.texts)\n .filter((m) => !this.removeIdSet.has(m.id));\n batchMutationData.attributes = batchMutationData.attributes\n .concat(removed ? [] : treeNode.attributes)\n .filter((m) => !this.removeIdSet.has(m.id));\n if (\n !this.removeIdSet.has(treeNode.id) &&\n !this.removeIdSet.has(treeNode.mutation.parentId) &&\n !removed\n ) {\n batchMutationData.adds.push(treeNode.mutation);\n if (treeNode.children) {\n Object.values(treeNode.children).forEach((n) => walk(n, false));\n }\n } else {\n Object.values(treeNode.children).forEach((n) => walk(n, true));\n }\n };\n\n Object.values(tree).forEach((n) => walk(n, false));\n\n for (const id of this.scrollMap.keys()) {\n if (this.removeIdSet.has(id)) {\n this.scrollMap.delete(id);\n }\n }\n for (const id of this.inputMap.keys()) {\n if (this.removeIdSet.has(id)) {\n this.inputMap.delete(id);\n }\n }\n\n const scrollMap = new Map(this.scrollMap);\n const inputMap = new Map(this.inputMap);\n\n this.reset();\n\n return {\n mutationData: batchMutationData,\n scrollMap,\n inputMap,\n };\n }\n\n private reset() {\n this.tree = [];\n this.indexes = new Map();\n this.removeNodeMutations = [];\n this.textMutations = [];\n this.attributeMutations = [];\n this.removeIdSet = new Set();\n this.scrollMap = new Map();\n this.inputMap = new Map();\n }\n\n public idRemoved(id: number): boolean {\n return this.removeIdSet.has(id);\n }\n}\n\ntype ResolveTree = {\n value: addedNodeMutation;\n children: ResolveTree[];\n parent: ResolveTree | null;\n};\n\nexport function queueToResolveTrees(queue: addedNodeMutation[]): ResolveTree[] {\n const queueNodeMap: Record = {};\n const putIntoMap = (\n m: addedNodeMutation,\n parent: ResolveTree | null,\n ): ResolveTree => {\n const nodeInTree: ResolveTree = {\n value: m,\n parent,\n children: [],\n };\n queueNodeMap[m.node.id] = nodeInTree;\n return nodeInTree;\n };\n\n const queueNodeTrees: ResolveTree[] = [];\n for (const mutation of queue) {\n const { nextId, parentId } = mutation;\n if (nextId && nextId in queueNodeMap) {\n const nextInTree = queueNodeMap[nextId];\n if (nextInTree.parent) {\n const idx = nextInTree.parent.children.indexOf(nextInTree);\n nextInTree.parent.children.splice(\n idx,\n 0,\n putIntoMap(mutation, nextInTree.parent),\n );\n } else {\n const idx = queueNodeTrees.indexOf(nextInTree);\n queueNodeTrees.splice(idx, 0, putIntoMap(mutation, null));\n }\n continue;\n }\n if (parentId in queueNodeMap) {\n const parentInTree = queueNodeMap[parentId];\n parentInTree.children.push(putIntoMap(mutation, parentInTree));\n continue;\n }\n queueNodeTrees.push(putIntoMap(mutation, null));\n }\n\n return queueNodeTrees;\n}\n\nexport function iterateResolveTree(\n tree: ResolveTree,\n cb: (mutation: addedNodeMutation) => unknown,\n) {\n cb(tree.value);\n /**\n * The resolve tree was designed to reflect the DOM layout,\n * but we need append next sibling first, so we do a reverse\n * loop here.\n */\n for (let i = tree.children.length - 1; i >= 0; i--) {\n iterateResolveTree(tree.children[i], cb);\n }\n}\n\ntype HTMLIFrameINode = HTMLIFrameElement & {\n __sn: serializedNodeWithId;\n};\nexport type AppendedIframe = {\n mutationInQueue: addedNodeMutation;\n builtNode: HTMLIFrameINode;\n};\n\nexport function isIframeINode(\n node: INode | ShadowRoot,\n): node is HTMLIFrameINode {\n if ('__sn' in node) {\n return (\n node.__sn.type === NodeType.Element && node.__sn.tagName === 'iframe'\n );\n }\n // node can be document fragment when using the virtual parent feature\n return false;\n}\n\nexport function getBaseDimension(\n node: Node,\n rootIframe: Node,\n): DocumentDimension {\n const frameElement = node.ownerDocument?.defaultView?.frameElement;\n if (!frameElement || frameElement === rootIframe) {\n return {\n x: 0,\n y: 0,\n relativeScale: 1,\n absoluteScale: 1,\n };\n }\n\n const frameDimension = frameElement.getBoundingClientRect();\n const frameBaseDimension = getBaseDimension(frameElement, rootIframe);\n // the iframe element may have a scale transform\n const relativeScale = frameDimension.height / frameElement.clientHeight;\n return {\n x:\n frameDimension.x * frameBaseDimension.relativeScale +\n frameBaseDimension.x,\n y:\n frameDimension.y * frameBaseDimension.relativeScale +\n frameBaseDimension.y,\n relativeScale,\n absoluteScale: frameBaseDimension.absoluteScale * relativeScale,\n };\n}\n\nexport function hasShadowRoot(\n n: T,\n): n is T & { shadowRoot: ShadowRoot } {\n return Boolean(((n as unknown) as Element)?.shadowRoot);\n}\n","/*\n * base64-arraybuffer 1.0.1 \n * Copyright (c) 2021 Niklas von Hertzen \n * Released under MIT License\n */\nvar chars = 'ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/';\n// Use a lookup table to find the index.\nvar lookup = typeof Uint8Array === 'undefined' ? [] : new Uint8Array(256);\nfor (var i = 0; i < chars.length; i++) {\n lookup[chars.charCodeAt(i)] = i;\n}\nvar encode = function (arraybuffer) {\n var bytes = new Uint8Array(arraybuffer), i, len = bytes.length, base64 = '';\n for (i = 0; i < len; i += 3) {\n base64 += chars[bytes[i] >> 2];\n base64 += chars[((bytes[i] & 3) << 4) | (bytes[i + 1] >> 4)];\n base64 += chars[((bytes[i + 1] & 15) << 2) | (bytes[i + 2] >> 6)];\n base64 += chars[bytes[i + 2] & 63];\n }\n if (len % 3 === 2) {\n base64 = base64.substring(0, base64.length - 1) + '=';\n }\n else if (len % 3 === 1) {\n base64 = base64.substring(0, base64.length - 2) + '==';\n }\n return base64;\n};\nvar decode = function (base64) {\n var bufferLength = base64.length * 0.75, len = base64.length, i, p = 0, encoded1, encoded2, encoded3, encoded4;\n if (base64[base64.length - 1] === '=') {\n bufferLength--;\n if (base64[base64.length - 2] === '=') {\n bufferLength--;\n }\n }\n var arraybuffer = new ArrayBuffer(bufferLength), bytes = new Uint8Array(arraybuffer);\n for (i = 0; i < len; i += 4) {\n encoded1 = lookup[base64.charCodeAt(i)];\n encoded2 = lookup[base64.charCodeAt(i + 1)];\n encoded3 = lookup[base64.charCodeAt(i + 2)];\n encoded4 = lookup[base64.charCodeAt(i + 3)];\n bytes[p++] = (encoded1 << 2) | (encoded2 >> 4);\n bytes[p++] = ((encoded2 & 15) << 4) | (encoded3 >> 2);\n bytes[p++] = ((encoded3 & 3) << 6) | (encoded4 & 63);\n }\n return arraybuffer;\n};\n\nexport { decode, encode };\n//# sourceMappingURL=base64-arraybuffer.es5.js.map\n","// DEFLATE is a complex format; to read this code, you should probably check the RFC first:\n// https://tools.ietf.org/html/rfc1951\n// You may also wish to take a look at the guide I made about this program:\n// https://gist.github.com/101arrowz/253f31eb5abc3d9275ab943003ffecad\n// Much of the following code is similar to that of UZIP.js:\n// https://github.com/photopea/UZIP.js\n// Many optimizations have been made, so the bundle size is ultimately smaller but performance is similar.\n// Sometimes 0 will appear where -1 would be more appropriate. This is because using a uint\n// is better for memory in most engines (I *think*).\nvar ch2 = {};\nvar wk = (function (c, id, msg, transfer, cb) {\n var u = ch2[id] || (ch2[id] = URL.createObjectURL(new Blob([c], { type: 'text/javascript' })));\n var w = new Worker(u);\n w.onerror = function (e) { return cb(e.error, null); };\n w.onmessage = function (e) { return cb(null, e.data); };\n w.postMessage(msg, transfer);\n return w;\n});\n\n// aliases for shorter compressed code (most minifers don't do this)\nvar u8 = Uint8Array, u16 = Uint16Array, u32 = Uint32Array;\n// fixed length extra bits\nvar fleb = new u8([0, 0, 0, 0, 0, 0, 0, 0, 1, 1, 1, 1, 2, 2, 2, 2, 3, 3, 3, 3, 4, 4, 4, 4, 5, 5, 5, 5, 0, /* unused */ 0, 0, /* impossible */ 0]);\n// fixed distance extra bits\n// see fleb note\nvar fdeb = new u8([0, 0, 0, 0, 1, 1, 2, 2, 3, 3, 4, 4, 5, 5, 6, 6, 7, 7, 8, 8, 9, 9, 10, 10, 11, 11, 12, 12, 13, 13, /* unused */ 0, 0]);\n// code length index map\nvar clim = new u8([16, 17, 18, 0, 8, 7, 9, 6, 10, 5, 11, 4, 12, 3, 13, 2, 14, 1, 15]);\n// get base, reverse index map from extra bits\nvar freb = function (eb, start) {\n var b = new u16(31);\n for (var i = 0; i < 31; ++i) {\n b[i] = start += 1 << eb[i - 1];\n }\n // numbers here are at max 18 bits\n var r = new u32(b[30]);\n for (var i = 1; i < 30; ++i) {\n for (var j = b[i]; j < b[i + 1]; ++j) {\n r[j] = ((j - b[i]) << 5) | i;\n }\n }\n return [b, r];\n};\nvar _a = freb(fleb, 2), fl = _a[0], revfl = _a[1];\n// we can ignore the fact that the other numbers are wrong; they never happen anyway\nfl[28] = 258, revfl[258] = 28;\nvar _b = freb(fdeb, 0), fd = _b[0], revfd = _b[1];\n// map of value to reverse (assuming 16 bits)\nvar rev = new u16(32768);\nfor (var i = 0; i < 32768; ++i) {\n // reverse table algorithm from SO\n var x = ((i & 0xAAAA) >>> 1) | ((i & 0x5555) << 1);\n x = ((x & 0xCCCC) >>> 2) | ((x & 0x3333) << 2);\n x = ((x & 0xF0F0) >>> 4) | ((x & 0x0F0F) << 4);\n rev[i] = (((x & 0xFF00) >>> 8) | ((x & 0x00FF) << 8)) >>> 1;\n}\n// create huffman tree from u8 \"map\": index -> code length for code index\n// mb (max bits) must be at most 15\n// TODO: optimize/split up?\nvar hMap = (function (cd, mb, r) {\n var s = cd.length;\n // index\n var i = 0;\n // u16 \"map\": index -> # of codes with bit length = index\n var l = new u16(mb);\n // length of cd must be 288 (total # of codes)\n for (; i < s; ++i)\n ++l[cd[i] - 1];\n // u16 \"map\": index -> minimum code for bit length = index\n var le = new u16(mb);\n for (i = 0; i < mb; ++i) {\n le[i] = (le[i - 1] + l[i - 1]) << 1;\n }\n var co;\n if (r) {\n // u16 \"map\": index -> number of actual bits, symbol for code\n co = new u16(1 << mb);\n // bits to remove for reverser\n var rvb = 15 - mb;\n for (i = 0; i < s; ++i) {\n // ignore 0 lengths\n if (cd[i]) {\n // num encoding both symbol and bits read\n var sv = (i << 4) | cd[i];\n // free bits\n var r_1 = mb - cd[i];\n // start value\n var v = le[cd[i] - 1]++ << r_1;\n // m is end value\n for (var m = v | ((1 << r_1) - 1); v <= m; ++v) {\n // every 16 bit value starting with the code yields the same result\n co[rev[v] >>> rvb] = sv;\n }\n }\n }\n }\n else {\n co = new u16(s);\n for (i = 0; i < s; ++i)\n co[i] = rev[le[cd[i] - 1]++] >>> (15 - cd[i]);\n }\n return co;\n});\n// fixed length tree\nvar flt = new u8(288);\nfor (var i = 0; i < 144; ++i)\n flt[i] = 8;\nfor (var i = 144; i < 256; ++i)\n flt[i] = 9;\nfor (var i = 256; i < 280; ++i)\n flt[i] = 7;\nfor (var i = 280; i < 288; ++i)\n flt[i] = 8;\n// fixed distance tree\nvar fdt = new u8(32);\nfor (var i = 0; i < 32; ++i)\n fdt[i] = 5;\n// fixed length map\nvar flm = /*#__PURE__*/ hMap(flt, 9, 0), flrm = /*#__PURE__*/ hMap(flt, 9, 1);\n// fixed distance map\nvar fdm = /*#__PURE__*/ hMap(fdt, 5, 0), fdrm = /*#__PURE__*/ hMap(fdt, 5, 1);\n// find max of array\nvar max = function (a) {\n var m = a[0];\n for (var i = 1; i < a.length; ++i) {\n if (a[i] > m)\n m = a[i];\n }\n return m;\n};\n// read d, starting at bit p and mask with m\nvar bits = function (d, p, m) {\n var o = (p / 8) >> 0;\n return ((d[o] | (d[o + 1] << 8)) >>> (p & 7)) & m;\n};\n// read d, starting at bit p continuing for at least 16 bits\nvar bits16 = function (d, p) {\n var o = (p / 8) >> 0;\n return ((d[o] | (d[o + 1] << 8) | (d[o + 2] << 16)) >>> (p & 7));\n};\n// get end of byte\nvar shft = function (p) { return ((p / 8) >> 0) + (p & 7 && 1); };\n// typed array slice - allows garbage collector to free original reference,\n// while being more compatible than .slice\nvar slc = function (v, s, e) {\n if (s == null || s < 0)\n s = 0;\n if (e == null || e > v.length)\n e = v.length;\n // can't use .constructor in case user-supplied\n var n = new (v instanceof u16 ? u16 : v instanceof u32 ? u32 : u8)(e - s);\n n.set(v.subarray(s, e));\n return n;\n};\n// expands raw DEFLATE data\nvar inflt = function (dat, buf, st) {\n // source length\n var sl = dat.length;\n // have to estimate size\n var noBuf = !buf || st;\n // no state\n var noSt = !st || st.i;\n if (!st)\n st = {};\n // Assumes roughly 33% compression ratio average\n if (!buf)\n buf = new u8(sl * 3);\n // ensure buffer can fit at least l elements\n var cbuf = function (l) {\n var bl = buf.length;\n // need to increase size to fit\n if (l > bl) {\n // Double or set to necessary, whichever is greater\n var nbuf = new u8(Math.max(bl * 2, l));\n nbuf.set(buf);\n buf = nbuf;\n }\n };\n // last chunk bitpos bytes\n var final = st.f || 0, pos = st.p || 0, bt = st.b || 0, lm = st.l, dm = st.d, lbt = st.m, dbt = st.n;\n // total bits\n var tbts = sl * 8;\n do {\n if (!lm) {\n // BFINAL - this is only 1 when last chunk is next\n st.f = final = bits(dat, pos, 1);\n // type: 0 = no compression, 1 = fixed huffman, 2 = dynamic huffman\n var type = bits(dat, pos + 1, 3);\n pos += 3;\n if (!type) {\n // go to end of byte boundary\n var s = shft(pos) + 4, l = dat[s - 4] | (dat[s - 3] << 8), t = s + l;\n if (t > sl) {\n if (noSt)\n throw 'unexpected EOF';\n break;\n }\n // ensure size\n if (noBuf)\n cbuf(bt + l);\n // Copy over uncompressed data\n buf.set(dat.subarray(s, t), bt);\n // Get new bitpos, update byte count\n st.b = bt += l, st.p = pos = t * 8;\n continue;\n }\n else if (type == 1)\n lm = flrm, dm = fdrm, lbt = 9, dbt = 5;\n else if (type == 2) {\n // literal lengths\n var hLit = bits(dat, pos, 31) + 257, hcLen = bits(dat, pos + 10, 15) + 4;\n var tl = hLit + bits(dat, pos + 5, 31) + 1;\n pos += 14;\n // length+distance tree\n var ldt = new u8(tl);\n // code length tree\n var clt = new u8(19);\n for (var i = 0; i < hcLen; ++i) {\n // use index map to get real code\n clt[clim[i]] = bits(dat, pos + i * 3, 7);\n }\n pos += hcLen * 3;\n // code lengths bits\n var clb = max(clt), clbmsk = (1 << clb) - 1;\n if (!noSt && pos + tl * (clb + 7) > tbts)\n break;\n // code lengths map\n var clm = hMap(clt, clb, 1);\n for (var i = 0; i < tl;) {\n var r = clm[bits(dat, pos, clbmsk)];\n // bits read\n pos += r & 15;\n // symbol\n var s = r >>> 4;\n // code length to copy\n if (s < 16) {\n ldt[i++] = s;\n }\n else {\n // copy count\n var c = 0, n = 0;\n if (s == 16)\n n = 3 + bits(dat, pos, 3), pos += 2, c = ldt[i - 1];\n else if (s == 17)\n n = 3 + bits(dat, pos, 7), pos += 3;\n else if (s == 18)\n n = 11 + bits(dat, pos, 127), pos += 7;\n while (n--)\n ldt[i++] = c;\n }\n }\n // length tree distance tree\n var lt = ldt.subarray(0, hLit), dt = ldt.subarray(hLit);\n // max length bits\n lbt = max(lt);\n // max dist bits\n dbt = max(dt);\n lm = hMap(lt, lbt, 1);\n dm = hMap(dt, dbt, 1);\n }\n else\n throw 'invalid block type';\n if (pos > tbts)\n throw 'unexpected EOF';\n }\n // Make sure the buffer can hold this + the largest possible addition\n // Maximum chunk size (practically, theoretically infinite) is 2^17;\n if (noBuf)\n cbuf(bt + 131072);\n var lms = (1 << lbt) - 1, dms = (1 << dbt) - 1;\n var mxa = lbt + dbt + 18;\n while (noSt || pos + mxa < tbts) {\n // bits read, code\n var c = lm[bits16(dat, pos) & lms], sym = c >>> 4;\n pos += c & 15;\n if (pos > tbts)\n throw 'unexpected EOF';\n if (!c)\n throw 'invalid length/literal';\n if (sym < 256)\n buf[bt++] = sym;\n else if (sym == 256) {\n lm = null;\n break;\n }\n else {\n var add = sym - 254;\n // no extra bits needed if less\n if (sym > 264) {\n // index\n var i = sym - 257, b = fleb[i];\n add = bits(dat, pos, (1 << b) - 1) + fl[i];\n pos += b;\n }\n // dist\n var d = dm[bits16(dat, pos) & dms], dsym = d >>> 4;\n if (!d)\n throw 'invalid distance';\n pos += d & 15;\n var dt = fd[dsym];\n if (dsym > 3) {\n var b = fdeb[dsym];\n dt += bits16(dat, pos) & ((1 << b) - 1), pos += b;\n }\n if (pos > tbts)\n throw 'unexpected EOF';\n if (noBuf)\n cbuf(bt + 131072);\n var end = bt + add;\n for (; bt < end; bt += 4) {\n buf[bt] = buf[bt - dt];\n buf[bt + 1] = buf[bt + 1 - dt];\n buf[bt + 2] = buf[bt + 2 - dt];\n buf[bt + 3] = buf[bt + 3 - dt];\n }\n bt = end;\n }\n }\n st.l = lm, st.p = pos, st.b = bt;\n if (lm)\n final = 1, st.m = lbt, st.d = dm, st.n = dbt;\n } while (!final);\n return bt == buf.length ? buf : slc(buf, 0, bt);\n};\n// starting at p, write the minimum number of bits that can hold v to d\nvar wbits = function (d, p, v) {\n v <<= p & 7;\n var o = (p / 8) >> 0;\n d[o] |= v;\n d[o + 1] |= v >>> 8;\n};\n// starting at p, write the minimum number of bits (>8) that can hold v to d\nvar wbits16 = function (d, p, v) {\n v <<= p & 7;\n var o = (p / 8) >> 0;\n d[o] |= v;\n d[o + 1] |= v >>> 8;\n d[o + 2] |= v >>> 16;\n};\n// creates code lengths from a frequency table\nvar hTree = function (d, mb) {\n // Need extra info to make a tree\n var t = [];\n for (var i = 0; i < d.length; ++i) {\n if (d[i])\n t.push({ s: i, f: d[i] });\n }\n var s = t.length;\n var t2 = t.slice();\n if (!s)\n return [new u8(0), 0];\n if (s == 1) {\n var v = new u8(t[0].s + 1);\n v[t[0].s] = 1;\n return [v, 1];\n }\n t.sort(function (a, b) { return a.f - b.f; });\n // after i2 reaches last ind, will be stopped\n // freq must be greater than largest possible number of symbols\n t.push({ s: -1, f: 25001 });\n var l = t[0], r = t[1], i0 = 0, i1 = 1, i2 = 2;\n t[0] = { s: -1, f: l.f + r.f, l: l, r: r };\n // efficient algorithm from UZIP.js\n // i0 is lookbehind, i2 is lookahead - after processing two low-freq\n // symbols that combined have high freq, will start processing i2 (high-freq,\n // non-composite) symbols instead\n // see https://reddit.com/r/photopea/comments/ikekht/uzipjs_questions/\n while (i1 != s - 1) {\n l = t[t[i0].f < t[i2].f ? i0++ : i2++];\n r = t[i0 != i1 && t[i0].f < t[i2].f ? i0++ : i2++];\n t[i1++] = { s: -1, f: l.f + r.f, l: l, r: r };\n }\n var maxSym = t2[0].s;\n for (var i = 1; i < s; ++i) {\n if (t2[i].s > maxSym)\n maxSym = t2[i].s;\n }\n // code lengths\n var tr = new u16(maxSym + 1);\n // max bits in tree\n var mbt = ln(t[i1 - 1], tr, 0);\n if (mbt > mb) {\n // more algorithms from UZIP.js\n // TODO: find out how this code works (debt)\n // ind debt\n var i = 0, dt = 0;\n // left cost\n var lft = mbt - mb, cst = 1 << lft;\n t2.sort(function (a, b) { return tr[b.s] - tr[a.s] || a.f - b.f; });\n for (; i < s; ++i) {\n var i2_1 = t2[i].s;\n if (tr[i2_1] > mb) {\n dt += cst - (1 << (mbt - tr[i2_1]));\n tr[i2_1] = mb;\n }\n else\n break;\n }\n dt >>>= lft;\n while (dt > 0) {\n var i2_2 = t2[i].s;\n if (tr[i2_2] < mb)\n dt -= 1 << (mb - tr[i2_2]++ - 1);\n else\n ++i;\n }\n for (; i >= 0 && dt; --i) {\n var i2_3 = t2[i].s;\n if (tr[i2_3] == mb) {\n --tr[i2_3];\n ++dt;\n }\n }\n mbt = mb;\n }\n return [new u8(tr), mbt];\n};\n// get the max length and assign length codes\nvar ln = function (n, l, d) {\n return n.s == -1\n ? Math.max(ln(n.l, l, d + 1), ln(n.r, l, d + 1))\n : (l[n.s] = d);\n};\n// length codes generation\nvar lc = function (c) {\n var s = c.length;\n // Note that the semicolon was intentional\n while (s && !c[--s])\n ;\n var cl = new u16(++s);\n // ind num streak\n var cli = 0, cln = c[0], cls = 1;\n var w = function (v) { cl[cli++] = v; };\n for (var i = 1; i <= s; ++i) {\n if (c[i] == cln && i != s)\n ++cls;\n else {\n if (!cln && cls > 2) {\n for (; cls > 138; cls -= 138)\n w(32754);\n if (cls > 2) {\n w(cls > 10 ? ((cls - 11) << 5) | 28690 : ((cls - 3) << 5) | 12305);\n cls = 0;\n }\n }\n else if (cls > 3) {\n w(cln), --cls;\n for (; cls > 6; cls -= 6)\n w(8304);\n if (cls > 2)\n w(((cls - 3) << 5) | 8208), cls = 0;\n }\n while (cls--)\n w(cln);\n cls = 1;\n cln = c[i];\n }\n }\n return [cl.subarray(0, cli), s];\n};\n// calculate the length of output from tree, code lengths\nvar clen = function (cf, cl) {\n var l = 0;\n for (var i = 0; i < cl.length; ++i)\n l += cf[i] * cl[i];\n return l;\n};\n// writes a fixed block\n// returns the new bit pos\nvar wfblk = function (out, pos, dat) {\n // no need to write 00 as type: TypedArray defaults to 0\n var s = dat.length;\n var o = shft(pos + 2);\n out[o] = s & 255;\n out[o + 1] = s >>> 8;\n out[o + 2] = out[o] ^ 255;\n out[o + 3] = out[o + 1] ^ 255;\n for (var i = 0; i < s; ++i)\n out[o + i + 4] = dat[i];\n return (o + 4 + s) * 8;\n};\n// writes a block\nvar wblk = function (dat, out, final, syms, lf, df, eb, li, bs, bl, p) {\n wbits(out, p++, final);\n ++lf[256];\n var _a = hTree(lf, 15), dlt = _a[0], mlb = _a[1];\n var _b = hTree(df, 15), ddt = _b[0], mdb = _b[1];\n var _c = lc(dlt), lclt = _c[0], nlc = _c[1];\n var _d = lc(ddt), lcdt = _d[0], ndc = _d[1];\n var lcfreq = new u16(19);\n for (var i = 0; i < lclt.length; ++i)\n lcfreq[lclt[i] & 31]++;\n for (var i = 0; i < lcdt.length; ++i)\n lcfreq[lcdt[i] & 31]++;\n var _e = hTree(lcfreq, 7), lct = _e[0], mlcb = _e[1];\n var nlcc = 19;\n for (; nlcc > 4 && !lct[clim[nlcc - 1]]; --nlcc)\n ;\n var flen = (bl + 5) << 3;\n var ftlen = clen(lf, flt) + clen(df, fdt) + eb;\n var dtlen = clen(lf, dlt) + clen(df, ddt) + eb + 14 + 3 * nlcc + clen(lcfreq, lct) + (2 * lcfreq[16] + 3 * lcfreq[17] + 7 * lcfreq[18]);\n if (flen <= ftlen && flen <= dtlen)\n return wfblk(out, p, dat.subarray(bs, bs + bl));\n var lm, ll, dm, dl;\n wbits(out, p, 1 + (dtlen < ftlen)), p += 2;\n if (dtlen < ftlen) {\n lm = hMap(dlt, mlb, 0), ll = dlt, dm = hMap(ddt, mdb, 0), dl = ddt;\n var llm = hMap(lct, mlcb, 0);\n wbits(out, p, nlc - 257);\n wbits(out, p + 5, ndc - 1);\n wbits(out, p + 10, nlcc - 4);\n p += 14;\n for (var i = 0; i < nlcc; ++i)\n wbits(out, p + 3 * i, lct[clim[i]]);\n p += 3 * nlcc;\n var lcts = [lclt, lcdt];\n for (var it = 0; it < 2; ++it) {\n var clct = lcts[it];\n for (var i = 0; i < clct.length; ++i) {\n var len = clct[i] & 31;\n wbits(out, p, llm[len]), p += lct[len];\n if (len > 15)\n wbits(out, p, (clct[i] >>> 5) & 127), p += clct[i] >>> 12;\n }\n }\n }\n else {\n lm = flm, ll = flt, dm = fdm, dl = fdt;\n }\n for (var i = 0; i < li; ++i) {\n if (syms[i] > 255) {\n var len = (syms[i] >>> 18) & 31;\n wbits16(out, p, lm[len + 257]), p += ll[len + 257];\n if (len > 7)\n wbits(out, p, (syms[i] >>> 23) & 31), p += fleb[len];\n var dst = syms[i] & 31;\n wbits16(out, p, dm[dst]), p += dl[dst];\n if (dst > 3)\n wbits16(out, p, (syms[i] >>> 5) & 8191), p += fdeb[dst];\n }\n else {\n wbits16(out, p, lm[syms[i]]), p += ll[syms[i]];\n }\n }\n wbits16(out, p, lm[256]);\n return p + ll[256];\n};\n// deflate options (nice << 13) | chain\nvar deo = /*#__PURE__*/ new u32([65540, 131080, 131088, 131104, 262176, 1048704, 1048832, 2114560, 2117632]);\n// empty\nvar et = /*#__PURE__*/ new u8(0);\n// compresses data into a raw DEFLATE buffer\nvar dflt = function (dat, lvl, plvl, pre, post, lst) {\n var s = dat.length;\n var o = new u8(pre + s + 5 * (1 + Math.floor(s / 7000)) + post);\n // writing to this writes to the output buffer\n var w = o.subarray(pre, o.length - post);\n var pos = 0;\n if (!lvl || s < 8) {\n for (var i = 0; i <= s; i += 65535) {\n // end\n var e = i + 65535;\n if (e < s) {\n // write full block\n pos = wfblk(w, pos, dat.subarray(i, e));\n }\n else {\n // write final block\n w[i] = lst;\n pos = wfblk(w, pos, dat.subarray(i, s));\n }\n }\n }\n else {\n var opt = deo[lvl - 1];\n var n = opt >>> 13, c = opt & 8191;\n var msk_1 = (1 << plvl) - 1;\n // prev 2-byte val map curr 2-byte val map\n var prev = new u16(32768), head = new u16(msk_1 + 1);\n var bs1_1 = Math.ceil(plvl / 3), bs2_1 = 2 * bs1_1;\n var hsh = function (i) { return (dat[i] ^ (dat[i + 1] << bs1_1) ^ (dat[i + 2] << bs2_1)) & msk_1; };\n // 24576 is an arbitrary number of maximum symbols per block\n // 424 buffer for last block\n var syms = new u32(25000);\n // length/literal freq distance freq\n var lf = new u16(288), df = new u16(32);\n // l/lcnt exbits index l/lind waitdx bitpos\n var lc_1 = 0, eb = 0, i = 0, li = 0, wi = 0, bs = 0;\n for (; i < s; ++i) {\n // hash value\n var hv = hsh(i);\n // index mod 32768\n var imod = i & 32767;\n // previous index with this value\n var pimod = head[hv];\n prev[imod] = pimod;\n head[hv] = imod;\n // We always should modify head and prev, but only add symbols if\n // this data is not yet processed (\"wait\" for wait index)\n if (wi <= i) {\n // bytes remaining\n var rem = s - i;\n if ((lc_1 > 7000 || li > 24576) && rem > 423) {\n pos = wblk(dat, w, 0, syms, lf, df, eb, li, bs, i - bs, pos);\n li = lc_1 = eb = 0, bs = i;\n for (var j = 0; j < 286; ++j)\n lf[j] = 0;\n for (var j = 0; j < 30; ++j)\n df[j] = 0;\n }\n // len dist chain\n var l = 2, d = 0, ch_1 = c, dif = (imod - pimod) & 32767;\n if (rem > 2 && hv == hsh(i - dif)) {\n var maxn = Math.min(n, rem) - 1;\n var maxd = Math.min(32767, i);\n // max possible length\n // not capped at dif because decompressors implement \"rolling\" index population\n var ml = Math.min(258, rem);\n while (dif <= maxd && --ch_1 && imod != pimod) {\n if (dat[i + l] == dat[i + l - dif]) {\n var nl = 0;\n for (; nl < ml && dat[i + nl] == dat[i + nl - dif]; ++nl)\n ;\n if (nl > l) {\n l = nl, d = dif;\n // break out early when we reach \"nice\" (we are satisfied enough)\n if (nl > maxn)\n break;\n // now, find the rarest 2-byte sequence within this\n // length of literals and search for that instead.\n // Much faster than just using the start\n var mmd = Math.min(dif, nl - 2);\n var md = 0;\n for (var j = 0; j < mmd; ++j) {\n var ti = (i - dif + j + 32768) & 32767;\n var pti = prev[ti];\n var cd = (ti - pti + 32768) & 32767;\n if (cd > md)\n md = cd, pimod = ti;\n }\n }\n }\n // check the previous match\n imod = pimod, pimod = prev[imod];\n dif += (imod - pimod + 32768) & 32767;\n }\n }\n // d will be nonzero only when a match was found\n if (d) {\n // store both dist and len data in one Uint32\n // Make sure this is recognized as a len/dist with 28th bit (2^28)\n syms[li++] = 268435456 | (revfl[l] << 18) | revfd[d];\n var lin = revfl[l] & 31, din = revfd[d] & 31;\n eb += fleb[lin] + fdeb[din];\n ++lf[257 + lin];\n ++df[din];\n wi = i + l;\n ++lc_1;\n }\n else {\n syms[li++] = dat[i];\n ++lf[dat[i]];\n }\n }\n }\n pos = wblk(dat, w, lst, syms, lf, df, eb, li, bs, i - bs, pos);\n // this is the easiest way to avoid needing to maintain state\n if (!lst)\n pos = wfblk(w, pos, et);\n }\n return slc(o, 0, pre + shft(pos) + post);\n};\n// CRC32 table\nvar crct = /*#__PURE__*/ (function () {\n var t = new u32(256);\n for (var i = 0; i < 256; ++i) {\n var c = i, k = 9;\n while (--k)\n c = ((c & 1) && 0xEDB88320) ^ (c >>> 1);\n t[i] = c;\n }\n return t;\n})();\n// CRC32\nvar crc = function () {\n var c = 0xFFFFFFFF;\n return {\n p: function (d) {\n // closures have awful performance\n var cr = c;\n for (var i = 0; i < d.length; ++i)\n cr = crct[(cr & 255) ^ d[i]] ^ (cr >>> 8);\n c = cr;\n },\n d: function () { return c ^ 0xFFFFFFFF; }\n };\n};\n// Alder32\nvar adler = function () {\n var a = 1, b = 0;\n return {\n p: function (d) {\n // closures have awful performance\n var n = a, m = b;\n var l = d.length;\n for (var i = 0; i != l;) {\n var e = Math.min(i + 5552, l);\n for (; i < e; ++i)\n n += d[i], m += n;\n n %= 65521, m %= 65521;\n }\n a = n, b = m;\n },\n d: function () { return ((a >>> 8) << 16 | (b & 255) << 8 | (b >>> 8)) + ((a & 255) << 23) * 2; }\n };\n};\n;\n// deflate with opts\nvar dopt = function (dat, opt, pre, post, st) {\n return dflt(dat, opt.level == null ? 6 : opt.level, opt.mem == null ? Math.ceil(Math.max(8, Math.min(13, Math.log(dat.length))) * 1.5) : (12 + opt.mem), pre, post, !st);\n};\n// Walmart object spread\nvar mrg = function (a, b) {\n var o = {};\n for (var k in a)\n o[k] = a[k];\n for (var k in b)\n o[k] = b[k];\n return o;\n};\n// worker clone\n// This is possibly the craziest part of the entire codebase, despite how simple it may seem.\n// The only parameter to this function is a closure that returns an array of variables outside of the function scope.\n// We're going to try to figure out the variable names used in the closure as strings because that is crucial for workerization.\n// We will return an object mapping of true variable name to value (basically, the current scope as a JS object).\n// The reason we can't just use the original variable names is minifiers mangling the toplevel scope.\n// This took me three weeks to figure out how to do.\nvar wcln = function (fn, fnStr, td) {\n var dt = fn();\n var st = fn.toString();\n var ks = st.slice(st.indexOf('[') + 1, st.lastIndexOf(']')).replace(/ /g, '').split(',');\n for (var i = 0; i < dt.length; ++i) {\n var v = dt[i], k = ks[i];\n if (typeof v == 'function') {\n fnStr += ';' + k + '=';\n var st_1 = v.toString();\n if (v.prototype) {\n // for global objects\n if (st_1.indexOf('[native code]') != -1) {\n var spInd = st_1.indexOf(' ', 8) + 1;\n fnStr += st_1.slice(spInd, st_1.indexOf('(', spInd));\n }\n else {\n fnStr += st_1;\n for (var t in v.prototype)\n fnStr += ';' + k + '.prototype.' + t + '=' + v.prototype[t].toString();\n }\n }\n else\n fnStr += st_1;\n }\n else\n td[k] = v;\n }\n return [fnStr, td];\n};\nvar ch = [];\n// clone bufs\nvar cbfs = function (v) {\n var tl = [];\n for (var k in v) {\n if (v[k] instanceof u8 || v[k] instanceof u16 || v[k] instanceof u32)\n tl.push((v[k] = new v[k].constructor(v[k])).buffer);\n }\n return tl;\n};\n// use a worker to execute code\nvar wrkr = function (fns, init, id, cb) {\n var _a;\n if (!ch[id]) {\n var fnStr = '', td_1 = {}, m = fns.length - 1;\n for (var i = 0; i < m; ++i)\n _a = wcln(fns[i], fnStr, td_1), fnStr = _a[0], td_1 = _a[1];\n ch[id] = wcln(fns[m], fnStr, td_1);\n }\n var td = mrg({}, ch[id][1]);\n return wk(ch[id][0] + ';onmessage=function(e){for(var k in e.data)self[k]=e.data[k];onmessage=' + init.toString() + '}', id, td, cbfs(td), cb);\n};\n// base async inflate fn\nvar bInflt = function () { return [u8, u16, u32, fleb, fdeb, clim, fl, fd, flrm, fdrm, rev, hMap, max, bits, bits16, shft, slc, inflt, inflateSync, pbf, gu8]; };\nvar bDflt = function () { return [u8, u16, u32, fleb, fdeb, clim, revfl, revfd, flm, flt, fdm, fdt, rev, deo, et, hMap, wbits, wbits16, hTree, ln, lc, clen, wfblk, wblk, shft, slc, dflt, dopt, deflateSync, pbf]; };\n// gzip extra\nvar gze = function () { return [gzh, gzhl, wbytes, crc, crct]; };\n// gunzip extra\nvar guze = function () { return [gzs, gzl]; };\n// zlib extra\nvar zle = function () { return [zlh, wbytes, adler]; };\n// unzlib extra\nvar zule = function () { return [zlv]; };\n// post buf\nvar pbf = function (msg) { return postMessage(msg, [msg.buffer]); };\n// get u8\nvar gu8 = function (o) { return o && o.size && new u8(o.size); };\n// async helper\nvar cbify = function (dat, opts, fns, init, id, cb) {\n var w = wrkr(fns, init, id, function (err, dat) {\n w.terminate();\n cb(err, dat);\n });\n if (!opts.consume)\n dat = new u8(dat);\n w.postMessage([dat, opts], [dat.buffer]);\n return function () { w.terminate(); };\n};\n// auto stream\nvar astrm = function (strm) {\n strm.ondata = function (dat, final) { return postMessage([dat, final], [dat.buffer]); };\n return function (ev) { return strm.push(ev.data[0], ev.data[1]); };\n};\n// async stream attach\nvar astrmify = function (fns, strm, opts, init, id) {\n var t;\n var w = wrkr(fns, init, id, function (err, dat) {\n if (err)\n w.terminate(), strm.ondata.call(strm, err);\n else {\n if (dat[1])\n w.terminate();\n strm.ondata.call(strm, err, dat[0], dat[1]);\n }\n });\n w.postMessage(opts);\n strm.push = function (d, f) {\n if (t)\n throw 'stream finished';\n if (!strm.ondata)\n throw 'no stream handler';\n w.postMessage([d, t = f], [d.buffer]);\n };\n strm.terminate = function () { w.terminate(); };\n};\n// read 2 bytes\nvar b2 = function (d, b) { return d[b] | (d[b + 1] << 8); };\n// read 4 bytes\nvar b4 = function (d, b) { return (d[b] | (d[b + 1] << 8) | (d[b + 2] << 16)) + (d[b + 3] << 23) * 2; };\n// write bytes\nvar wbytes = function (d, b, v) {\n for (; v; ++b)\n d[b] = v, v >>>= 8;\n};\n// gzip header\nvar gzh = function (c, o) {\n var fn = o.filename;\n c[0] = 31, c[1] = 139, c[2] = 8, c[8] = o.level < 2 ? 4 : o.level == 9 ? 2 : 0, c[9] = 3; // assume Unix\n if (o.mtime != 0)\n wbytes(c, 4, Math.floor(new Date(o.mtime || Date.now()) / 1000));\n if (fn) {\n c[3] = 8;\n for (var i = 0; i <= fn.length; ++i)\n c[i + 10] = fn.charCodeAt(i);\n }\n};\n// gzip footer: -8 to -4 = CRC, -4 to -0 is length\n// gzip start\nvar gzs = function (d) {\n if (d[0] != 31 || d[1] != 139 || d[2] != 8)\n throw 'invalid gzip data';\n var flg = d[3];\n var st = 10;\n if (flg & 4)\n st += d[10] | (d[11] << 8) + 2;\n for (var zs = (flg >> 3 & 1) + (flg >> 4 & 1); zs > 0; zs -= !d[st++])\n ;\n return st + (flg & 2);\n};\n// gzip length\nvar gzl = function (d) {\n var l = d.length;\n return (d[l - 4] | d[l - 3] << 8 | d[l - 2] << 16) + (2 * (d[l - 1] << 23));\n};\n// gzip header length\nvar gzhl = function (o) { return 10 + ((o.filename && (o.filename.length + 1)) || 0); };\n// zlib header\nvar zlh = function (c, o) {\n var lv = o.level, fl = lv == 0 ? 0 : lv < 6 ? 1 : lv == 9 ? 3 : 2;\n c[0] = 120, c[1] = (fl << 6) | (fl ? (32 - 2 * fl) : 1);\n};\n// zlib valid\nvar zlv = function (d) {\n if ((d[0] & 15) != 8 || (d[0] >>> 4) > 7 || ((d[0] << 8 | d[1]) % 31))\n throw 'invalid zlib data';\n if (d[1] & 32)\n throw 'invalid zlib data: preset dictionaries not supported';\n};\nfunction AsyncCmpStrm(opts, cb) {\n if (!cb && typeof opts == 'function')\n cb = opts, opts = {};\n this.ondata = cb;\n return opts;\n}\n// zlib footer: -4 to -0 is Adler32\n/**\n * Streaming DEFLATE compression\n */\nvar Deflate = /*#__PURE__*/ (function () {\n function Deflate(opts, cb) {\n if (!cb && typeof opts == 'function')\n cb = opts, opts = {};\n this.ondata = cb;\n this.o = opts || {};\n }\n Deflate.prototype.p = function (c, f) {\n this.ondata(dopt(c, this.o, 0, 0, !f), f);\n };\n /**\n * Pushes a chunk to be deflated\n * @param chunk The chunk to push\n * @param final Whether this is the last chunk\n */\n Deflate.prototype.push = function (chunk, final) {\n if (this.d)\n throw 'stream finished';\n if (!this.ondata)\n throw 'no stream handler';\n this.d = final;\n this.p(chunk, final || false);\n };\n return Deflate;\n}());\nexport { Deflate };\n/**\n * Asynchronous streaming DEFLATE compression\n */\nvar AsyncDeflate = /*#__PURE__*/ (function () {\n function AsyncDeflate(opts, cb) {\n astrmify([\n bDflt,\n function () { return [astrm, Deflate]; }\n ], this, AsyncCmpStrm.call(this, opts, cb), function (ev) {\n var strm = new Deflate(ev.data);\n onmessage = astrm(strm);\n }, 6);\n }\n return AsyncDeflate;\n}());\nexport { AsyncDeflate };\nexport function deflate(data, opts, cb) {\n if (!cb)\n cb = opts, opts = {};\n if (typeof cb != 'function')\n throw 'no callback';\n return cbify(data, opts, [\n bDflt,\n ], function (ev) { return pbf(deflateSync(ev.data[0], ev.data[1])); }, 0, cb);\n}\n/**\n * Compresses data with DEFLATE without any wrapper\n * @param data The data to compress\n * @param opts The compression options\n * @returns The deflated version of the data\n */\nexport function deflateSync(data, opts) {\n if (opts === void 0) { opts = {}; }\n return dopt(data, opts, 0, 0);\n}\n/**\n * Streaming DEFLATE decompression\n */\nvar Inflate = /*#__PURE__*/ (function () {\n /**\n * Creates an inflation stream\n * @param cb The callback to call whenever data is inflated\n */\n function Inflate(cb) {\n this.s = {};\n this.p = new u8(0);\n this.ondata = cb;\n }\n Inflate.prototype.e = function (c) {\n if (this.d)\n throw 'stream finished';\n if (!this.ondata)\n throw 'no stream handler';\n var l = this.p.length;\n var n = new u8(l + c.length);\n n.set(this.p), n.set(c, l), this.p = n;\n };\n Inflate.prototype.c = function (final) {\n this.d = this.s.i = final || false;\n var bts = this.s.b;\n var dt = inflt(this.p, this.o, this.s);\n this.ondata(slc(dt, bts, this.s.b), this.d);\n this.o = slc(dt, this.s.b - 32768), this.s.b = this.o.length;\n this.p = slc(this.p, (this.s.p / 8) >> 0), this.s.p &= 7;\n };\n /**\n * Pushes a chunk to be inflated\n * @param chunk The chunk to push\n * @param final Whether this is the final chunk\n */\n Inflate.prototype.push = function (chunk, final) {\n this.e(chunk), this.c(final);\n };\n return Inflate;\n}());\nexport { Inflate };\n/**\n * Asynchronous streaming DEFLATE decompression\n */\nvar AsyncInflate = /*#__PURE__*/ (function () {\n /**\n * Creates an asynchronous inflation stream\n * @param cb The callback to call whenever data is deflated\n */\n function AsyncInflate(cb) {\n this.ondata = cb;\n astrmify([\n bInflt,\n function () { return [astrm, Inflate]; }\n ], this, 0, function () {\n var strm = new Inflate();\n onmessage = astrm(strm);\n }, 7);\n }\n return AsyncInflate;\n}());\nexport { AsyncInflate };\nexport function inflate(data, opts, cb) {\n if (!cb)\n cb = opts, opts = {};\n if (typeof cb != 'function')\n throw 'no callback';\n return cbify(data, opts, [\n bInflt\n ], function (ev) { return pbf(inflateSync(ev.data[0], gu8(ev.data[1]))); }, 1, cb);\n}\n/**\n * Expands DEFLATE data with no wrapper\n * @param data The data to decompress\n * @param out Where to write the data. Saves memory if you know the decompressed size and provide an output buffer of that length.\n * @returns The decompressed version of the data\n */\nexport function inflateSync(data, out) {\n return inflt(data, out);\n}\n// before you yell at me for not just using extends, my reason is that TS inheritance is hard to workerize.\n/**\n * Streaming GZIP compression\n */\nvar Gzip = /*#__PURE__*/ (function () {\n function Gzip(opts, cb) {\n this.c = crc();\n this.l = 0;\n this.v = 1;\n Deflate.call(this, opts, cb);\n }\n /**\n * Pushes a chunk to be GZIPped\n * @param chunk The chunk to push\n * @param final Whether this is the last chunk\n */\n Gzip.prototype.push = function (chunk, final) {\n Deflate.prototype.push.call(this, chunk, final);\n };\n Gzip.prototype.p = function (c, f) {\n this.c.p(c);\n this.l += c.length;\n var raw = dopt(c, this.o, this.v && gzhl(this.o), f && 8, !f);\n if (this.v)\n gzh(raw, this.o), this.v = 0;\n if (f)\n wbytes(raw, raw.length - 8, this.c.d()), wbytes(raw, raw.length - 4, this.l);\n this.ondata(raw, f);\n };\n return Gzip;\n}());\nexport { Gzip };\n/**\n * Asynchronous streaming GZIP compression\n */\nvar AsyncGzip = /*#__PURE__*/ (function () {\n function AsyncGzip(opts, cb) {\n astrmify([\n bDflt,\n gze,\n function () { return [astrm, Deflate, Gzip]; }\n ], this, AsyncCmpStrm.call(this, opts, cb), function (ev) {\n var strm = new Gzip(ev.data);\n onmessage = astrm(strm);\n }, 8);\n }\n return AsyncGzip;\n}());\nexport { AsyncGzip };\nexport function gzip(data, opts, cb) {\n if (!cb)\n cb = opts, opts = {};\n if (typeof cb != 'function')\n throw 'no callback';\n return cbify(data, opts, [\n bDflt,\n gze,\n function () { return [gzipSync]; }\n ], function (ev) { return pbf(gzipSync(ev.data[0], ev.data[1])); }, 2, cb);\n}\n/**\n * Compresses data with GZIP\n * @param data The data to compress\n * @param opts The compression options\n * @returns The gzipped version of the data\n */\nexport function gzipSync(data, opts) {\n if (opts === void 0) { opts = {}; }\n var c = crc(), l = data.length;\n c.p(data);\n var d = dopt(data, opts, gzhl(opts), 8), s = d.length;\n return gzh(d, opts), wbytes(d, s - 8, c.d()), wbytes(d, s - 4, l), d;\n}\n/**\n * Streaming GZIP decompression\n */\nvar Gunzip = /*#__PURE__*/ (function () {\n /**\n * Creates a GUNZIP stream\n * @param cb The callback to call whenever data is inflated\n */\n function Gunzip(cb) {\n this.v = 1;\n Inflate.call(this, cb);\n }\n /**\n * Pushes a chunk to be GUNZIPped\n * @param chunk The chunk to push\n * @param final Whether this is the last chunk\n */\n Gunzip.prototype.push = function (chunk, final) {\n Inflate.prototype.e.call(this, chunk);\n if (this.v) {\n var s = gzs(this.p);\n if (s >= this.p.length && !final)\n return;\n this.p = this.p.subarray(s), this.v = 0;\n }\n if (final) {\n if (this.p.length < 8)\n throw 'invalid gzip stream';\n this.p = this.p.subarray(0, -8);\n }\n // necessary to prevent TS from using the closure value\n // This allows for workerization to function correctly\n Inflate.prototype.c.call(this, final);\n };\n return Gunzip;\n}());\nexport { Gunzip };\n/**\n * Asynchronous streaming GZIP decompression\n */\nvar AsyncGunzip = /*#__PURE__*/ (function () {\n /**\n * Creates an asynchronous GUNZIP stream\n * @param cb The callback to call whenever data is deflated\n */\n function AsyncGunzip(cb) {\n this.ondata = cb;\n astrmify([\n bInflt,\n guze,\n function () { return [astrm, Inflate, Gunzip]; }\n ], this, 0, function () {\n var strm = new Gunzip();\n onmessage = astrm(strm);\n }, 9);\n }\n return AsyncGunzip;\n}());\nexport { AsyncGunzip };\nexport function gunzip(data, opts, cb) {\n if (!cb)\n cb = opts, opts = {};\n if (typeof cb != 'function')\n throw 'no callback';\n return cbify(data, opts, [\n bInflt,\n guze,\n function () { return [gunzipSync]; }\n ], function (ev) { return pbf(gunzipSync(ev.data[0])); }, 3, cb);\n}\n/**\n * Expands GZIP data\n * @param data The data to decompress\n * @param out Where to write the data. GZIP already encodes the output size, so providing this doesn't save memory.\n * @returns The decompressed version of the data\n */\nexport function gunzipSync(data, out) {\n return inflt(data.subarray(gzs(data), -8), out || new u8(gzl(data)));\n}\n/**\n * Streaming Zlib compression\n */\nvar Zlib = /*#__PURE__*/ (function () {\n function Zlib(opts, cb) {\n this.c = adler();\n this.v = 1;\n Deflate.call(this, opts, cb);\n }\n /**\n * Pushes a chunk to be zlibbed\n * @param chunk The chunk to push\n * @param final Whether this is the last chunk\n */\n Zlib.prototype.push = function (chunk, final) {\n Deflate.prototype.push.call(this, chunk, final);\n };\n Zlib.prototype.p = function (c, f) {\n this.c.p(c);\n var raw = dopt(c, this.o, this.v && 2, f && 4, !f);\n if (this.v)\n zlh(raw, this.o), this.v = 0;\n if (f)\n wbytes(raw, raw.length - 4, this.c.d());\n this.ondata(raw, f);\n };\n return Zlib;\n}());\nexport { Zlib };\n/**\n * Asynchronous streaming Zlib compression\n */\nvar AsyncZlib = /*#__PURE__*/ (function () {\n function AsyncZlib(opts, cb) {\n astrmify([\n bDflt,\n zle,\n function () { return [astrm, Deflate, Zlib]; }\n ], this, AsyncCmpStrm.call(this, opts, cb), function (ev) {\n var strm = new Zlib(ev.data);\n onmessage = astrm(strm);\n }, 10);\n }\n return AsyncZlib;\n}());\nexport { AsyncZlib };\nexport function zlib(data, opts, cb) {\n if (!cb)\n cb = opts, opts = {};\n if (typeof cb != 'function')\n throw 'no callback';\n return cbify(data, opts, [\n bDflt,\n zle,\n function () { return [zlibSync]; }\n ], function (ev) { return pbf(zlibSync(ev.data[0], ev.data[1])); }, 4, cb);\n}\n/**\n * Compress data with Zlib\n * @param data The data to compress\n * @param opts The compression options\n * @returns The zlib-compressed version of the data\n */\nexport function zlibSync(data, opts) {\n if (opts === void 0) { opts = {}; }\n var a = adler();\n a.p(data);\n var d = dopt(data, opts, 2, 4);\n return zlh(d, opts), wbytes(d, d.length - 4, a.d()), d;\n}\n/**\n * Streaming Zlib decompression\n */\nvar Unzlib = /*#__PURE__*/ (function () {\n /**\n * Creates a Zlib decompression stream\n * @param cb The callback to call whenever data is inflated\n */\n function Unzlib(cb) {\n this.v = 1;\n Inflate.call(this, cb);\n }\n /**\n * Pushes a chunk to be unzlibbed\n * @param chunk The chunk to push\n * @param final Whether this is the last chunk\n */\n Unzlib.prototype.push = function (chunk, final) {\n Inflate.prototype.e.call(this, chunk);\n if (this.v) {\n if (this.p.length < 2 && !final)\n return;\n this.p = this.p.subarray(2), this.v = 0;\n }\n if (final) {\n if (this.p.length < 4)\n throw 'invalid zlib stream';\n this.p = this.p.subarray(0, -4);\n }\n // necessary to prevent TS from using the closure value\n // This allows for workerization to function correctly\n Inflate.prototype.c.call(this, final);\n };\n return Unzlib;\n}());\nexport { Unzlib };\n/**\n * Asynchronous streaming Zlib decompression\n */\nvar AsyncUnzlib = /*#__PURE__*/ (function () {\n /**\n * Creates an asynchronous Zlib decompression stream\n * @param cb The callback to call whenever data is deflated\n */\n function AsyncUnzlib(cb) {\n this.ondata = cb;\n astrmify([\n bInflt,\n zule,\n function () { return [astrm, Inflate, Unzlib]; }\n ], this, 0, function () {\n var strm = new Unzlib();\n onmessage = astrm(strm);\n }, 11);\n }\n return AsyncUnzlib;\n}());\nexport { AsyncUnzlib };\nexport function unzlib(data, opts, cb) {\n if (!cb)\n cb = opts, opts = {};\n if (typeof cb != 'function')\n throw 'no callback';\n return cbify(data, opts, [\n bInflt,\n zule,\n function () { return [unzlibSync]; }\n ], function (ev) { return pbf(unzlibSync(ev.data[0], gu8(ev.data[1]))); }, 5, cb);\n}\n/**\n * Expands Zlib data\n * @param data The data to decompress\n * @param out Where to write the data. Saves memory if you know the decompressed size and provide an output buffer of that length.\n * @returns The decompressed version of the data\n */\nexport function unzlibSync(data, out) {\n return inflt((zlv(data), data.subarray(2, -4)), out);\n}\n// Default algorithm for compression (used because having a known output size allows faster decompression)\nexport { gzip as compress, AsyncGzip as AsyncCompress };\n// Default algorithm for compression (used because having a known output size allows faster decompression)\nexport { gzipSync as compressSync, Gzip as Compress };\n/**\n * Streaming GZIP, Zlib, or raw DEFLATE decompression\n */\nvar Decompress = /*#__PURE__*/ (function () {\n /**\n * Creates a decompression stream\n * @param cb The callback to call whenever data is decompressed\n */\n function Decompress(cb) {\n this.G = Gunzip;\n this.I = Inflate;\n this.Z = Unzlib;\n this.ondata = cb;\n }\n /**\n * Pushes a chunk to be decompressed\n * @param chunk The chunk to push\n * @param final Whether this is the last chunk\n */\n Decompress.prototype.push = function (chunk, final) {\n if (!this.ondata)\n throw 'no stream handler';\n if (!this.s) {\n if (this.p && this.p.length) {\n var n = new u8(this.p.length + chunk.length);\n n.set(this.p), n.set(chunk, this.p.length);\n }\n else\n this.p = chunk;\n if (this.p.length > 2) {\n var _this_1 = this;\n var cb = function () { _this_1.ondata.apply(_this_1, arguments); };\n this.s = (this.p[0] == 31 && this.p[1] == 139 && this.p[2] == 8)\n ? new this.G(cb)\n : ((this.p[0] & 15) != 8 || (this.p[0] >> 4) > 7 || ((this.p[0] << 8 | this.p[1]) % 31))\n ? new this.I(cb)\n : new this.Z(cb);\n this.s.push(this.p, final);\n this.p = null;\n }\n }\n else\n this.s.push(chunk, final);\n };\n return Decompress;\n}());\nexport { Decompress };\n/**\n * Asynchronous streaming GZIP, Zlib, or raw DEFLATE decompression\n */\nvar AsyncDecompress = /*#__PURE__*/ (function () {\n /**\n * Creates an asynchronous decompression stream\n * @param cb The callback to call whenever data is decompressed\n */\n function AsyncDecompress(cb) {\n this.G = AsyncGunzip;\n this.I = AsyncInflate;\n this.Z = AsyncUnzlib;\n this.ondata = cb;\n }\n /**\n * Pushes a chunk to be decompressed\n * @param chunk The chunk to push\n * @param final Whether this is the last chunk\n */\n AsyncDecompress.prototype.push = function (chunk, final) {\n Decompress.prototype.push.call(this, chunk, final);\n };\n return AsyncDecompress;\n}());\nexport { AsyncDecompress };\nexport function decompress(data, opts, cb) {\n if (!cb)\n cb = opts, opts = {};\n if (typeof cb != 'function')\n throw 'no callback';\n return (data[0] == 31 && data[1] == 139 && data[2] == 8)\n ? gunzip(data, opts, cb)\n : ((data[0] & 15) != 8 || (data[0] >> 4) > 7 || ((data[0] << 8 | data[1]) % 31))\n ? inflate(data, opts, cb)\n : unzlib(data, opts, cb);\n}\n/**\n * Expands compressed GZIP, Zlib, or raw DEFLATE data, automatically detecting the format\n * @param data The data to decompress\n * @param out Where to write the data. Saves memory if you know the decompressed size and provide an output buffer of that length.\n * @returns The decompressed version of the data\n */\nexport function decompressSync(data, out) {\n return (data[0] == 31 && data[1] == 139 && data[2] == 8)\n ? gunzipSync(data, out)\n : ((data[0] & 15) != 8 || (data[0] >> 4) > 7 || ((data[0] << 8 | data[1]) % 31))\n ? inflateSync(data, out)\n : unzlibSync(data, out);\n}\n// flatten a directory structure\nvar fltn = function (d, p, t, o) {\n for (var k in d) {\n var val = d[k], n = p + k;\n if (val instanceof u8)\n t[n] = [val, o];\n else if (Array.isArray(val))\n t[n] = [val[0], mrg(o, val[1])];\n else\n fltn(val, n + '/', t, o);\n }\n};\n/**\n * Converts a string into a Uint8Array for use with compression/decompression methods\n * @param str The string to encode\n * @param latin1 Whether or not to interpret the data as Latin-1. This should\n * not need to be true unless decoding a binary string.\n * @returns The string encoded in UTF-8/Latin-1 binary\n */\nexport function strToU8(str, latin1) {\n var l = str.length;\n if (!latin1 && typeof TextEncoder != 'undefined')\n return new TextEncoder().encode(str);\n var ar = new u8(str.length + (str.length >>> 1));\n var ai = 0;\n var w = function (v) { ar[ai++] = v; };\n for (var i = 0; i < l; ++i) {\n if (ai + 5 > ar.length) {\n var n = new u8(ai + 8 + ((l - i) << 1));\n n.set(ar);\n ar = n;\n }\n var c = str.charCodeAt(i);\n if (c < 128 || latin1)\n w(c);\n else if (c < 2048)\n w(192 | (c >>> 6)), w(128 | (c & 63));\n else if (c > 55295 && c < 57344)\n c = 65536 + (c & 1023 << 10) | (str.charCodeAt(++i) & 1023),\n w(240 | (c >>> 18)), w(128 | ((c >>> 12) & 63)), w(128 | ((c >>> 6) & 63)), w(128 | (c & 63));\n else\n w(224 | (c >>> 12)), w(128 | ((c >>> 6) & 63)), w(128 | (c & 63));\n }\n return slc(ar, 0, ai);\n}\n/**\n * Converts a Uint8Array to a string\n * @param dat The data to decode to string\n * @param latin1 Whether or not to interpret the data as Latin-1. This should\n * not need to be true unless encoding to binary string.\n * @returns The original UTF-8/Latin-1 string\n */\nexport function strFromU8(dat, latin1) {\n var r = '';\n if (!latin1 && typeof TextDecoder != 'undefined')\n return new TextDecoder().decode(dat);\n for (var i = 0; i < dat.length;) {\n var c = dat[i++];\n if (c < 128 || latin1)\n r += String.fromCharCode(c);\n else if (c < 224)\n r += String.fromCharCode((c & 31) << 6 | (dat[i++] & 63));\n else if (c < 240)\n r += String.fromCharCode((c & 15) << 12 | (dat[i++] & 63) << 6 | (dat[i++] & 63));\n else\n c = ((c & 15) << 18 | (dat[i++] & 63) << 12 | (dat[i++] & 63) << 6 | (dat[i++] & 63)) - 65536,\n r += String.fromCharCode(55296 | (c >> 10), 56320 | (c & 1023));\n }\n return r;\n}\n;\n// skip local zip header\nvar slzh = function (d, b) { return b + 30 + b2(d, b + 26) + b2(d, b + 28); };\n// read zip header\nvar zh = function (d, b, z) {\n var fnl = b2(d, b + 28), fn = strFromU8(d.subarray(b + 46, b + 46 + fnl), !(b2(d, b + 8) & 2048)), es = b + 46 + fnl;\n var _a = z ? z64e(d, es) : [b4(d, b + 20), b4(d, b + 24), b4(d, b + 42)], sc = _a[0], su = _a[1], off = _a[2];\n return [b2(d, b + 10), sc, su, fn, es + b2(d, b + 30) + b2(d, b + 32), off];\n};\n// read zip64 extra field\nvar z64e = function (d, b) {\n for (; b2(d, b) != 1; b += 4 + b2(d, b + 2))\n ;\n return [b4(d, b + 12), b4(d, b + 4), b4(d, b + 20)];\n};\n// write zip header\nvar wzh = function (d, b, c, cmp, su, fn, u, o, ce, t) {\n var fl = fn.length, l = cmp.length;\n wbytes(d, b, ce != null ? 0x2014B50 : 0x4034B50), b += 4;\n if (ce != null)\n d[b] = 20, b += 2;\n d[b] = 20, b += 2; // spec compliance? what's that?\n d[b++] = (t == 8 && (o.level == 1 ? 6 : o.level < 6 ? 4 : o.level == 9 ? 2 : 0)), d[b++] = u && 8;\n d[b] = t, b += 2;\n var dt = new Date(o.mtime || Date.now()), y = dt.getFullYear() - 1980;\n if (y < 0 || y > 119)\n throw 'date not in range 1980-2099';\n wbytes(d, b, ((y << 24) * 2) | ((dt.getMonth() + 1) << 21) | (dt.getDate() << 16) | (dt.getHours() << 11) | (dt.getMinutes() << 5) | (dt.getSeconds() >>> 1));\n b += 4;\n wbytes(d, b, c);\n wbytes(d, b + 4, l);\n wbytes(d, b + 8, su);\n wbytes(d, b + 12, fl), b += 16; // skip extra field, comment\n if (ce != null)\n wbytes(d, b += 10, ce), b += 4;\n d.set(fn, b);\n b += fl;\n if (ce == null)\n d.set(cmp, b);\n};\n// write zip footer (end of central directory)\nvar wzf = function (o, b, c, d, e) {\n wbytes(o, b, 0x6054B50); // skip disk\n wbytes(o, b + 8, c);\n wbytes(o, b + 10, c);\n wbytes(o, b + 12, d);\n wbytes(o, b + 16, e);\n};\nexport function zip(data, opts, cb) {\n if (!cb)\n cb = opts, opts = {};\n if (typeof cb != 'function')\n throw 'no callback';\n var r = {};\n fltn(data, '', r, opts);\n var k = Object.keys(r);\n var lft = k.length, o = 0, tot = 0;\n var slft = lft, files = new Array(lft);\n var term = [];\n var tAll = function () {\n for (var i = 0; i < term.length; ++i)\n term[i]();\n };\n var cbf = function () {\n var out = new u8(tot + 22), oe = o, cdl = tot - o;\n tot = 0;\n for (var i = 0; i < slft; ++i) {\n var f = files[i];\n try {\n wzh(out, tot, f.c, f.d, f.m, f.n, f.u, f.p, null, f.t);\n wzh(out, o, f.c, f.d, f.m, f.n, f.u, f.p, tot, f.t), o += 46 + f.n.length, tot += 30 + f.n.length + f.d.length;\n }\n catch (e) {\n return cb(e, null);\n }\n }\n wzf(out, o, files.length, cdl, oe);\n cb(null, out);\n };\n if (!lft)\n cbf();\n var _loop_1 = function (i) {\n var fn = k[i];\n var _a = r[fn], file = _a[0], p = _a[1];\n var c = crc(), m = file.length;\n c.p(file);\n var n = strToU8(fn), s = n.length;\n var t = p.level == 0 ? 0 : 8;\n var cbl = function (e, d) {\n if (e) {\n tAll();\n cb(e, null);\n }\n else {\n var l = d.length;\n files[i] = {\n t: t,\n d: d,\n m: m,\n c: c.d(),\n u: fn.length != l,\n n: n,\n p: p\n };\n o += 30 + s + l;\n tot += 76 + 2 * s + l;\n if (!--lft)\n cbf();\n }\n };\n if (n.length > 65535)\n cbl('filename too long', null);\n if (!t)\n cbl(null, file);\n else if (m < 160000) {\n try {\n cbl(null, deflateSync(file, p));\n }\n catch (e) {\n cbl(e, null);\n }\n }\n else\n term.push(deflate(file, p, cbl));\n };\n // Cannot use lft because it can decrease\n for (var i = 0; i < slft; ++i) {\n _loop_1(i);\n }\n return tAll;\n}\n/**\n * Synchronously creates a ZIP file. Prefer using `zip` for better performance\n * with more than one file.\n * @param data The directory structure for the ZIP archive\n * @param opts The main options, merged with per-file options\n * @returns The generated ZIP archive\n */\nexport function zipSync(data, opts) {\n if (opts === void 0) { opts = {}; }\n var r = {};\n var files = [];\n fltn(data, '', r, opts);\n var o = 0;\n var tot = 0;\n for (var fn in r) {\n var _a = r[fn], file = _a[0], p = _a[1];\n var t = p.level == 0 ? 0 : 8;\n var n = strToU8(fn), s = n.length;\n if (n.length > 65535)\n throw 'filename too long';\n var d = t ? deflateSync(file, p) : file, l = d.length;\n var c = crc();\n c.p(file);\n files.push({\n t: t,\n d: d,\n m: file.length,\n c: c.d(),\n u: fn.length != s,\n n: n,\n o: o,\n p: p\n });\n o += 30 + s + l;\n tot += 76 + 2 * s + l;\n }\n var out = new u8(tot + 22), oe = o, cdl = tot - o;\n for (var i = 0; i < files.length; ++i) {\n var f = files[i];\n wzh(out, f.o, f.c, f.d, f.m, f.n, f.u, f.p, null, f.t);\n wzh(out, o, f.c, f.d, f.m, f.n, f.u, f.p, f.o, f.t), o += 46 + f.n.length;\n }\n wzf(out, o, files.length, cdl, oe);\n return out;\n}\n/**\n * Asynchronously decompresses a ZIP archive\n * @param data The raw compressed ZIP file\n * @param cb The callback to call with the decompressed files\n * @returns A function that can be used to immediately terminate the unzipping\n */\nexport function unzip(data, cb) {\n if (typeof cb != 'function')\n throw 'no callback';\n var term = [];\n var tAll = function () {\n for (var i = 0; i < term.length; ++i)\n term[i]();\n };\n var files = {};\n var e = data.length - 22;\n for (; b4(data, e) != 0x6054B50; --e) {\n if (!e || data.length - e > 65558) {\n cb('invalid zip file', null);\n return;\n }\n }\n ;\n var lft = b2(data, e + 8);\n if (!lft)\n cb(null, {});\n var c = lft;\n var o = b4(data, e + 16);\n var z = o == 4294967295;\n if (z) {\n e = b4(data, e - 12);\n if (b4(data, e) != 0x6064B50)\n throw 'invalid zip file';\n c = lft = b4(data, e + 32);\n o = b4(data, e + 48);\n }\n var _loop_2 = function (i) {\n var _a = zh(data, o, z), c_1 = _a[0], sc = _a[1], su = _a[2], fn = _a[3], no = _a[4], off = _a[5], b = slzh(data, off);\n o = no;\n var cbl = function (e, d) {\n if (e) {\n tAll();\n cb(e, null);\n }\n else {\n files[fn] = d;\n if (!--lft)\n cb(null, files);\n }\n };\n if (!c_1)\n cbl(null, slc(data, b, b + sc));\n else if (c_1 == 8) {\n var infl = data.subarray(b, b + sc);\n if (sc < 320000) {\n try {\n cbl(null, inflateSync(infl, new u8(su)));\n }\n catch (e) {\n cbl(e, null);\n }\n }\n else\n term.push(inflate(infl, { size: su }, cbl));\n }\n else\n cbl('unknown compression type ' + c_1, null);\n };\n for (var i = 0; i < c; ++i) {\n _loop_2(i);\n }\n return tAll;\n}\n/**\n * Synchronously decompresses a ZIP archive. Prefer using `unzip` for better\n * performance with more than one file.\n * @param data The raw compressed ZIP file\n * @returns The decompressed files\n */\nexport function unzipSync(data) {\n var files = {};\n var e = data.length - 22;\n for (; b4(data, e) != 0x6054B50; --e) {\n if (!e || data.length - e > 65558)\n throw 'invalid zip file';\n }\n ;\n var c = b2(data, e + 8);\n if (!c)\n return {};\n var o = b4(data, e + 16);\n var z = o == 4294967295;\n if (z) {\n e = b4(data, e - 12);\n if (b4(data, e) != 0x6064B50)\n throw 'invalid zip file';\n c = b4(data, e + 32);\n o = b4(data, e + 48);\n }\n for (var i = 0; i < c; ++i) {\n var _a = zh(data, o, z), c_2 = _a[0], sc = _a[1], su = _a[2], fn = _a[3], no = _a[4], off = _a[5], b = slzh(data, off);\n o = no;\n if (!c_2)\n files[fn] = slc(data, b, b + sc);\n else if (c_2 == 8)\n files[fn] = inflateSync(data.subarray(b, b + sc), new u8(su));\n else\n throw 'unknown compression type ' + c_2;\n }\n return files;\n}\n","import { strFromU8, strToU8, zlibSync } from 'fflate';\nimport { PackFn, MARK, eventWithTimeAndPacker } from './base';\n\nexport const pack: PackFn = (event) => {\n const _e: eventWithTimeAndPacker = {\n ...event,\n v: MARK,\n };\n return strFromU8(zlibSync(strToU8(JSON.stringify(_e))), true);\n};\n","import { eventWithTime } from '../types';\n\nexport type PackFn = (event: eventWithTime) => string;\nexport type UnpackFn = (raw: string) => eventWithTime;\n\nexport type eventWithTimeAndPacker = eventWithTime & {\n v: string;\n};\n\nexport const MARK = 'v1';\n"],"names":["NodeType","EventType","IncrementalSource","MouseInteractions","CanvasContext","MediaInteractions","ReplayerEvents","__assign","Object","assign","t","s","i","n","arguments","length","p","prototype","hasOwnProperty","call","apply","this","DEPARTED_MIRROR_ACCESS_WARNING","_mirror","map","getId","console","error","getNode","removeNodeFromMap","has","reset","window","Proxy","Reflect","get","target","prop","receiver","chars","lookup","Uint8Array","charCodeAt","u8","u16","Uint16Array","u32","Uint32Array","fleb","fdeb","clim","freb","eb","start","b","r","j","_a","fl","revfl","revfd","rev","x","hMap","cd","mb","l","co","le","rvb","sv","r_1","v","m","flt","fdt","flm","fdm","shft","slc","e","set","subarray","wbits","d","o","wbits16","hTree","push","f","t2","slice","sort","a","i0","i1","i2","maxSym","tr","mbt","ln","dt","lft","cst","i2_1","i2_2","i2_3","Math","max","lc","c","cl","cli","cln","cls","w","clen","cf","wfblk","out","pos","dat","wblk","final","syms","lf","df","li","bs","bl","dlt","mlb","_b","ddt","mdb","_c","lclt","nlc","_d","lcdt","ndc","lcfreq","_e","lct","mlcb","nlcc","lm","ll","dm","dl","flen","ftlen","dtlen","llm","lcts","it","clct","len","dst","deo","et","dopt","opt","pre","post","st","lvl","plvl","lst","floor","msk_1","prev","head","bs1_1","ceil","bs2_1","hsh","lc_1","wi","hv","imod","pimod","rem","ch_1","dif","maxn","min","maxd","ml","nl","mmd","md","ti","lin","din","dflt","level","mem","log","zlibSync","data","opts","adler","lv","zlh","wbytes","event","latin1","TextDecoder","decode","String","fromCharCode","strFromU8","str","TextEncoder","encode","ar","ai","strToU8","JSON","stringify"],"mappings":";;;;;;;;;;;;;;oFA+BO,IC/BHA,ECeQC,EA+DAC,EAgUAC,EAcAC,EAuIMC,EA2GNC,EF/mBDC,EAAW,WAQlB,OAPAA,EAAWC,OAAOC,QAAU,SAAkBC,GAC1C,IAAK,IAAIC,EAAGC,EAAI,EAAGC,EAAIC,UAAUC,OAAQH,EAAIC,EAAGD,IAE5C,IAAK,IAAII,KADTL,EAAIG,UAAUF,GACOJ,OAAOS,UAAUC,eAAeC,KAAKR,EAAGK,KAAIN,EAAEM,GAAKL,EAAEK,IAE9E,OAAON,IAEKU,MAAMC,KAAMP,aCtChC,SAAWd,GACPA,EAASA,EAAmB,SAAI,GAAK,WACrCA,EAASA,EAAuB,aAAI,GAAK,eACzCA,EAASA,EAAkB,QAAI,GAAK,UACpCA,EAASA,EAAe,KAAI,GAAK,OACjCA,EAASA,EAAgB,MAAI,GAAK,QAClCA,EAASA,EAAkB,QAAI,GAAK,UANxC,CAOGA,IAAaA,EAAW,KCO3B,SAAYC,GACVA,2CACAA,mBACAA,mCACAA,iDACAA,mBACAA,uBACAA,uBAPF,CAAYA,IAAAA,OA+DZ,SAAYC,GACVA,2BACAA,6BACAA,2CACAA,uBACAA,uCACAA,qBACAA,6BACAA,2CACAA,uCACAA,uCACAA,oBACAA,kBACAA,oBACAA,4CAdF,CAAYA,IAAAA,OAgUZ,SAAYC,GACVA,yBACAA,6BACAA,qBACAA,iCACAA,2BACAA,qBACAA,mBACAA,+BACAA,+CACAA,2BACAA,kCAXF,CAAYA,IAAAA,OAcZ,SAAYC,GACVA,kBACAA,qBACAA,uBAHF,CAAYA,IAAAA,OAuIZ,SAAkBC,GAChBA,mBACAA,qBACAA,uBACAA,mCAJF,CAAkBA,IAAAA,OA2GlB,SAAYC,GACVA,gBACAA,gBACAA,kBACAA,kBACAA,kBACAA,iDACAA,8CACAA,0CACAA,yBACAA,qBACAA,uCACAA,yBACAA,6BACAA,gBACAA,6BACAA,uBAhBF,CAAYA,IAAAA,OC1kBZ,IAAMgB,EACJ,4NAKSC,EAAkB,CAC3BC,IAAK,GACLC,iBAEE,OADAC,QAAQC,MAAML,IACN,GAEVM,mBAEE,OADAF,QAAQC,MAAML,GACP,MAETO,6BACEH,QAAQC,MAAML,IAEhBQ,eAEE,OADAJ,QAAQC,MAAML,IACP,GAETS,iBACEL,QAAQC,MAAML,KAGI,oBAAXU,QAA0BA,OAAOC,OAASD,OAAOE,UAC1DX,EAAU,IAAIU,MAAMV,EAAS,CAC3BY,aAAIC,EAAQC,EAAMC,GAIhB,MAHa,QAATD,GACFX,QAAQC,MAAML,GAETY,QAAQC,IAAIC,EAAQC,EAAMC,OC7FvC,IAHA,IAAIC,EAAQ,mEAERC,EAA+B,oBAAfC,WAA6B,GAAK,IAAIA,WAAW,KAC5D7B,EAAI,EAAGA,EAAI2B,EAAMxB,OAAQH,IAC9B4B,EAAOD,EAAMG,WAAW9B,IAAMA,ECWlC,IAAI+B,EAAKF,WAAYG,EAAMC,YAAaC,EAAMC,YAE1CC,EAAO,IAAIL,EAAG,CAAC,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAgB,EAAG,EAAoB,IAG1IM,EAAO,IAAIN,EAAG,CAAC,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,GAAI,GAAI,GAAI,GAAI,GAAI,GAAI,GAAI,GAAiB,EAAG,IAEjIO,EAAO,IAAIP,EAAG,CAAC,GAAI,GAAI,GAAI,EAAG,EAAG,EAAG,EAAG,EAAG,GAAI,EAAG,GAAI,EAAG,GAAI,EAAG,GAAI,EAAG,GAAI,EAAG,KAE7EQ,EAAO,SAAUC,EAAIC,GAErB,IADA,IAAIC,EAAI,IAAIV,EAAI,IACPhC,EAAI,EAAGA,EAAI,KAAMA,EACtB0C,EAAE1C,GAAKyC,GAAS,GAAKD,EAAGxC,EAAI,GAGhC,IAAI2C,EAAI,IAAIT,EAAIQ,EAAE,KAClB,IAAS1C,EAAI,EAAGA,EAAI,KAAMA,EACtB,IAAK,IAAI4C,EAAIF,EAAE1C,GAAI4C,EAAIF,EAAE1C,EAAI,KAAM4C,EAC/BD,EAAEC,GAAOA,EAAIF,EAAE1C,IAAO,EAAKA,EAGnC,MAAO,CAAC0C,EAAGC,IAEXE,EAAKN,EAAKH,EAAM,GAAIU,EAAKD,EAAG,GAAIE,EAAQF,EAAG,GAE/CC,EAAG,IAAM,IAAKC,EAAM,KAAO,GAI3B,QAHoCC,EAA3BT,EAAKF,EAAM,GAA2B,GAE3CY,EAAM,IAAIjB,EAAI,OACThC,EAAI,EAAGA,EAAI,QAASA,EAAG,CAE5B,IAAIkD,GAAU,MAAJlD,KAAgB,GAAW,MAAJA,IAAe,EAEhDkD,GAAU,OADVA,GAAU,MAAJA,KAAgB,GAAW,MAAJA,IAAe,MACtB,GAAW,KAAJA,IAAe,EAC5CD,EAAIjD,KAAY,MAAJkD,KAAgB,GAAW,IAAJA,IAAe,KAAQ,EAK9D,IAAIC,WAAkBC,EAAIC,EAAIV,GAO1B,IANA,IAAI5C,EAAIqD,EAAGjD,OAEPH,EAAI,EAEJsD,EAAI,IAAItB,EAAIqB,GAETrD,EAAID,IAAKC,IACVsD,EAAEF,EAAGpD,GAAK,GAEhB,IAIIuD,EAJAC,EAAK,IAAIxB,EAAIqB,GACjB,IAAKrD,EAAI,EAAGA,EAAIqD,IAAMrD,EAClBwD,EAAGxD,GAAMwD,EAAGxD,EAAI,GAAKsD,EAAEtD,EAAI,IAAO,EAGtC,GAAI2C,EAAG,CAEHY,EAAK,IAAIvB,EAAI,GAAKqB,GAElB,IAAII,EAAM,GAAKJ,EACf,IAAKrD,EAAI,EAAGA,EAAID,IAAKC,EAEjB,GAAIoD,EAAGpD,GAQH,IANA,IAAI0D,EAAM1D,GAAK,EAAKoD,EAAGpD,GAEnB2D,EAAMN,EAAKD,EAAGpD,GAEd4D,EAAIJ,EAAGJ,EAAGpD,GAAK,MAAQ2D,EAElBE,EAAID,GAAM,GAAKD,GAAO,EAAIC,GAAKC,IAAKD,EAEzCL,EAAGN,EAAIW,KAAOH,GAAOC,OAOjC,IADAH,EAAK,IAAIvB,EAAIjC,GACRC,EAAI,EAAGA,EAAID,IAAKC,EACjBuD,EAAGvD,GAAKiD,EAAIO,EAAGJ,EAAGpD,GAAK,QAAW,GAAKoD,EAAGpD,GAElD,OAAOuD,GAGPO,EAAM,IAAI/B,EAAG,KACjB,IAAS/B,EAAI,EAAGA,EAAI,MAAOA,EACvB8D,EAAI9D,GAAK,EACb,IAASA,EAAI,IAAKA,EAAI,MAAOA,EACzB8D,EAAI9D,GAAK,EACb,IAASA,EAAI,IAAKA,EAAI,MAAOA,EACzB8D,EAAI9D,GAAK,EACb,IAASA,EAAI,IAAKA,EAAI,MAAOA,EACzB8D,EAAI9D,GAAK,EAEb,IAAI+D,EAAM,IAAIhC,EAAG,IACjB,IAAS/B,EAAI,EAAGA,EAAI,KAAMA,EACtB+D,EAAI/D,GAAK,MAETgE,EAAoBb,EAAKW,EAAK,EAAG,GAEjCG,EAAoBd,EAAKY,EAAK,EAAG,GAqBjCG,EAAO,SAAU9D,GAAK,OAASA,EAAI,GAAM,IAAU,EAAJA,GAAS,IAGxD+D,EAAM,SAAUP,EAAG7D,EAAGqE,IACb,MAALrE,GAAaA,EAAI,KACjBA,EAAI,IACC,MAALqE,GAAaA,EAAIR,EAAEzD,UACnBiE,EAAIR,EAAEzD,QAEV,IAAIF,EAAI,IAAK2D,aAAa5B,EAAMA,EAAM4B,aAAa1B,EAAMA,EAAMH,GAAIqC,EAAIrE,GAEvE,OADAE,EAAEoE,IAAIT,EAAEU,SAASvE,EAAGqE,IACbnE,GA6KPsE,EAAQ,SAAUC,EAAGpE,EAAGwD,GACxBA,IAAU,EAAJxD,EACN,IAAIqE,EAAKrE,EAAI,GAAM,EACnBoE,EAAEC,IAAMb,EACRY,EAAEC,EAAI,IAAMb,IAAM,GAGlBc,EAAU,SAAUF,EAAGpE,EAAGwD,GAC1BA,IAAU,EAAJxD,EACN,IAAIqE,EAAKrE,EAAI,GAAM,EACnBoE,EAAEC,IAAMb,EACRY,EAAEC,EAAI,IAAMb,IAAM,EAClBY,EAAEC,EAAI,IAAMb,IAAM,IAGlBe,EAAQ,SAAUH,EAAGnB,GAGrB,IADA,IAAIvD,EAAI,GACCE,EAAI,EAAGA,EAAIwE,EAAErE,SAAUH,EACxBwE,EAAExE,IACFF,EAAE8E,KAAK,CAAE7E,EAAGC,EAAG6E,EAAGL,EAAExE,KAE5B,IAAID,EAAID,EAAEK,OACN2E,EAAKhF,EAAEiF,QACX,IAAKhF,EACD,MAAO,CAAC,IAAIgC,EAAG,GAAI,GACvB,GAAS,GAALhC,EAAQ,CACR,IAAI6D,EAAI,IAAI7B,EAAGjC,EAAE,GAAGC,EAAI,GAExB,OADA6D,EAAE9D,EAAE,GAAGC,GAAK,EACL,CAAC6D,EAAG,GAEf9D,EAAEkF,MAAK,SAAUC,EAAGvC,GAAK,OAAOuC,EAAEJ,EAAInC,EAAEmC,KAGxC/E,EAAE8E,KAAK,CAAE7E,GAAI,EAAG8E,EAAG,QACnB,IAAIvB,EAAIxD,EAAE,GAAI6C,EAAI7C,EAAE,GAAIoF,EAAK,EAAGC,EAAK,EAAGC,EAAK,EAO7C,IANAtF,EAAE,GAAK,CAAEC,GAAI,EAAG8E,EAAGvB,EAAEuB,EAAIlC,EAAEkC,EAAGvB,EAAGA,EAAGX,EAAGA,GAMhCwC,GAAMpF,EAAI,GACbuD,EAAIxD,EAAEA,EAAEoF,GAAIL,EAAI/E,EAAEsF,GAAIP,EAAIK,IAAOE,KACjCzC,EAAI7C,EAAEoF,GAAMC,GAAMrF,EAAEoF,GAAIL,EAAI/E,EAAEsF,GAAIP,EAAIK,IAAOE,KAC7CtF,EAAEqF,KAAQ,CAAEpF,GAAI,EAAG8E,EAAGvB,EAAEuB,EAAIlC,EAAEkC,EAAGvB,EAAGA,EAAGX,EAAGA,GAE9C,IAAI0C,EAASP,EAAG,GAAG/E,EACnB,IAASC,EAAI,EAAGA,EAAID,IAAKC,EACjB8E,EAAG9E,GAAGD,EAAIsF,IACVA,EAASP,EAAG9E,GAAGD,GAGvB,IAAIuF,EAAK,IAAItD,EAAIqD,EAAS,GAEtBE,EAAMC,EAAG1F,EAAEqF,EAAK,GAAIG,EAAI,GAC5B,GAAIC,EAAMlC,EAAI,CAINrD,EAAI,EAAR,IAAWyF,EAAK,EAEZC,EAAMH,EAAMlC,EAAIsC,EAAM,GAAKD,EAE/B,IADAZ,EAAGE,MAAK,SAAUC,EAAGvC,GAAK,OAAO4C,EAAG5C,EAAE3C,GAAKuF,EAAGL,EAAElF,IAAMkF,EAAEJ,EAAInC,EAAEmC,KACvD7E,EAAID,IAAKC,EAAG,CACf,IAAI4F,EAAOd,EAAG9E,GAAGD,EACjB,KAAIuF,EAAGM,GAAQvC,GAKX,MAJAoC,GAAME,GAAO,GAAMJ,EAAMD,EAAGM,IAC5BN,EAAGM,GAAQvC,EAMnB,IADAoC,KAAQC,EACDD,EAAK,GAAG,CACX,IAAII,EAAOf,EAAG9E,GAAGD,EACbuF,EAAGO,GAAQxC,EACXoC,GAAM,GAAMpC,EAAKiC,EAAGO,KAAU,IAE5B7F,EAEV,KAAOA,GAAK,GAAKyF,IAAMzF,EAAG,CACtB,IAAI8F,EAAOhB,EAAG9E,GAAGD,EACbuF,EAAGQ,IAASzC,MACViC,EAAGQ,KACHL,GAGVF,EAAMlC,EAEV,MAAO,CAAC,IAAItB,EAAGuD,GAAKC,IAGpBC,EAAK,SAAUvF,EAAGqD,EAAGkB,GACrB,OAAe,GAARvE,EAAEF,EACHgG,KAAKC,IAAIR,EAAGvF,EAAEqD,EAAGA,EAAGkB,EAAI,GAAIgB,EAAGvF,EAAE0C,EAAGW,EAAGkB,EAAI,IAC1ClB,EAAErD,EAAEF,GAAKyE,GAGhByB,EAAK,SAAUC,GAGf,IAFA,IAAInG,EAAImG,EAAE/F,OAEHJ,IAAMmG,IAAInG,KAMjB,IAJA,IAAIoG,EAAK,IAAInE,IAAMjC,GAEfqG,EAAM,EAAGC,EAAMH,EAAE,GAAII,EAAM,EAC3BC,EAAI,SAAU3C,GAAKuC,EAAGC,KAASxC,GAC1B5D,EAAI,EAAGA,GAAKD,IAAKC,EACtB,GAAIkG,EAAElG,IAAMqG,GAAOrG,GAAKD,IAClBuG,MACD,CACD,IAAKD,GAAOC,EAAM,EAAG,CACjB,KAAOA,EAAM,IAAKA,GAAO,IACrBC,EAAE,OACFD,EAAM,IACNC,EAAED,EAAM,GAAOA,EAAM,IAAO,EAAK,MAAUA,EAAM,GAAM,EAAK,OAC5DA,EAAM,QAGT,GAAIA,EAAM,EAAG,CAEd,IADAC,EAAEF,KAAQC,EACHA,EAAM,EAAGA,GAAO,EACnBC,EAAE,MACFD,EAAM,IACNC,EAAID,EAAM,GAAM,EAAK,MAAOA,EAAM,GAE1C,KAAOA,KACHC,EAAEF,GACNC,EAAM,EACND,EAAMH,EAAElG,GAGhB,MAAO,CAACmG,EAAG7B,SAAS,EAAG8B,GAAMrG,IAG7ByG,EAAO,SAAUC,EAAIN,GAErB,IADA,IAAI7C,EAAI,EACCtD,EAAI,EAAGA,EAAImG,EAAGhG,SAAUH,EAC7BsD,GAAKmD,EAAGzG,GAAKmG,EAAGnG,GACpB,OAAOsD,GAIPoD,EAAQ,SAAUC,EAAKC,EAAKC,GAE5B,IAAI9G,EAAI8G,EAAI1G,OACRsE,EAAIP,EAAK0C,EAAM,GACnBD,EAAIlC,GAAS,IAAJ1E,EACT4G,EAAIlC,EAAI,GAAK1E,IAAM,EACnB4G,EAAIlC,EAAI,GAAc,IAATkC,EAAIlC,GACjBkC,EAAIlC,EAAI,GAAkB,IAAbkC,EAAIlC,EAAI,GACrB,IAAK,IAAIzE,EAAI,EAAGA,EAAID,IAAKC,EACrB2G,EAAIlC,EAAIzE,EAAI,GAAK6G,EAAI7G,GACzB,OAAqB,GAAbyE,EAAI,EAAI1E,IAGhB+G,EAAO,SAAUD,EAAKF,EAAKI,EAAOC,EAAMC,EAAIC,EAAI1E,EAAI2E,EAAIC,EAAIC,EAAIjH,GAChEmE,EAAMoC,EAAKvG,IAAK2G,KACdE,EAAG,KAML,IALA,IAAIpE,EAAK8B,EAAMsC,EAAI,IAAKK,EAAMzE,EAAG,GAAI0E,EAAM1E,EAAG,GAC1C2E,EAAK7C,EAAMuC,EAAI,IAAKO,EAAMD,EAAG,GAAIE,EAAMF,EAAG,GAC1CG,EAAK1B,EAAGqB,GAAMM,EAAOD,EAAG,GAAIE,EAAMF,EAAG,GACrCG,EAAK7B,EAAGwB,GAAMM,EAAOD,EAAG,GAAIE,EAAMF,EAAG,GACrCG,EAAS,IAAIjG,EAAI,IACZhC,EAAI,EAAGA,EAAI4H,EAAKzH,SAAUH,EAC/BiI,EAAiB,GAAVL,EAAK5H,MAChB,IAASA,EAAI,EAAGA,EAAI+H,EAAK5H,SAAUH,EAC/BiI,EAAiB,GAAVF,EAAK/H,MAGhB,IAFA,IAAIkI,EAAKvD,EAAMsD,EAAQ,GAAIE,EAAMD,EAAG,GAAIE,EAAOF,EAAG,GAC9CG,EAAO,GACJA,EAAO,IAAMF,EAAI7F,EAAK+F,EAAO,MAAOA,GAE3C,IAKIC,EAAIC,EAAIC,EAAIC,EALZC,EAAQrB,EAAK,GAAM,EACnBsB,EAAQnC,EAAKS,EAAInD,GAAO0C,EAAKU,EAAInD,GAAOvB,EACxCoG,EAAQpC,EAAKS,EAAIK,GAAOd,EAAKU,EAAIO,GAAOjF,EAAK,GAAK,EAAI6F,EAAO7B,EAAKyB,EAAQE,IAAQ,EAAIF,EAAO,IAAM,EAAIA,EAAO,IAAM,EAAIA,EAAO,KACnI,GAAIS,GAAQC,GAASD,GAAQE,EACzB,OAAOlC,EAAMC,EAAKvG,EAAGyG,EAAIvC,SAAS8C,EAAIA,EAAKC,IAG/C,GADA9C,EAAMoC,EAAKvG,EAAG,GAAKwI,EAAQD,IAASvI,GAAK,EACrCwI,EAAQD,EAAO,CACfL,EAAKnF,EAAKmE,EAAKC,EAAK,GAAIgB,EAAKjB,EAAKkB,EAAKrF,EAAKsE,EAAKC,EAAK,GAAIe,EAAKhB,EAC/D,IAAIoB,EAAM1F,EAAKgF,EAAKC,EAAM,GAC1B7D,EAAMoC,EAAKvG,EAAGyH,EAAM,KACpBtD,EAAMoC,EAAKvG,EAAI,EAAG4H,EAAM,GACxBzD,EAAMoC,EAAKvG,EAAI,GAAIiI,EAAO,GAC1BjI,GAAK,GACL,IAASJ,EAAI,EAAGA,EAAIqI,IAAQrI,EACxBuE,EAAMoC,EAAKvG,EAAI,EAAIJ,EAAGmI,EAAI7F,EAAKtC,KACnCI,GAAK,EAAIiI,EAET,IADA,IAAIS,EAAO,CAAClB,EAAMG,GACTgB,EAAK,EAAGA,EAAK,IAAKA,EACvB,CAAA,IAAIC,GAAOF,EAAKC,GAChB,IAAS/I,EAAI,EAAGA,EAAIgJ,GAAK7I,SAAUH,EAAG,CAClC,IAAIiJ,GAAgB,GAAVD,GAAKhJ,GACfuE,EAAMoC,EAAKvG,EAAGyI,EAAII,KAAO7I,GAAK+H,EAAIc,IAC9BA,GAAM,KACN1E,EAAMoC,EAAKvG,EAAI4I,GAAKhJ,KAAO,EAAK,KAAMI,GAAK4I,GAAKhJ,KAAO,WAKnEsI,EAAKtE,EAAKuE,EAAKzE,EAAK0E,EAAKvE,EAAKwE,EAAK1E,EAEvC,IAAS/D,EAAI,EAAGA,EAAImH,IAAMnH,EACtB,GAAIgH,EAAKhH,GAAK,IAAK,CACXiJ,GAAOjC,EAAKhH,KAAO,GAAM,GAC7B0E,EAAQiC,EAAKvG,EAAGkI,EAAGW,GAAM,MAAO7I,GAAKmI,EAAGU,GAAM,KAC1CA,GAAM,IACN1E,EAAMoC,EAAKvG,EAAI4G,EAAKhH,KAAO,GAAM,IAAKI,GAAKgC,EAAK6G,KACpD,IAAIC,GAAgB,GAAVlC,EAAKhH,GACf0E,EAAQiC,EAAKvG,EAAGoI,EAAGU,KAAO9I,GAAKqI,EAAGS,IAC9BA,GAAM,IACNxE,EAAQiC,EAAKvG,EAAI4G,EAAKhH,KAAO,EAAK,MAAOI,GAAKiC,EAAK6G,UAGvDxE,EAAQiC,EAAKvG,EAAGkI,EAAGtB,EAAKhH,KAAMI,GAAKmI,EAAGvB,EAAKhH,IAInD,OADA0E,EAAQiC,EAAKvG,EAAGkI,EAAG,MACZlI,EAAImI,EAAG,MAGdY,EAAoB,IAAIjH,EAAI,CAAC,MAAO,OAAQ,OAAQ,OAAQ,OAAQ,QAAS,QAAS,QAAS,UAE/FkH,EAAmB,IAAIrH,EAAG,GAwK1BsH,EAAO,SAAUxC,EAAKyC,EAAKC,EAAKC,EAAMC,GACtC,OAvKO,SAAU5C,EAAK6C,EAAKC,EAAMJ,EAAKC,EAAMI,GAC5C,IAAI7J,EAAI8G,EAAI1G,OACRsE,EAAI,IAAI1C,EAAGwH,EAAMxJ,EAAI,GAAK,EAAIgG,KAAK8D,MAAM9J,EAAI,MAASyJ,GAEtDjD,EAAI9B,EAAEH,SAASiF,EAAK9E,EAAEtE,OAASqJ,GAC/B5C,EAAM,EACV,IAAK8C,GAAO3J,EAAI,EACZ,IAAK,IAAIC,EAAI,EAAGA,GAAKD,EAAGC,GAAK,MAAO,CAEhC,IAAIoE,EAAIpE,EAAI,MACRoE,EAAIrE,EAEJ6G,EAAMF,EAAMH,EAAGK,EAAKC,EAAIvC,SAAStE,EAAGoE,KAIpCmC,EAAEvG,GAAK4J,EACPhD,EAAMF,EAAMH,EAAGK,EAAKC,EAAIvC,SAAStE,EAAGD,SAI3C,CAeD,IAdA,IAAIuJ,EAAMH,EAAIO,EAAM,GAChBzJ,EAAIqJ,IAAQ,GAAIpD,EAAU,KAANoD,EACpBQ,GAAS,GAAKH,GAAQ,EAEtBI,EAAO,IAAI/H,EAAI,OAAQgI,EAAO,IAAIhI,EAAI8H,EAAQ,GAC9CG,EAAQlE,KAAKmE,KAAKP,EAAO,GAAIQ,EAAQ,EAAIF,EACzCG,EAAM,SAAUpK,GAAK,OAAQ6G,EAAI7G,GAAM6G,EAAI7G,EAAI,IAAMiK,EAAUpD,EAAI7G,EAAI,IAAMmK,GAAUL,GAGvF9C,EAAO,IAAI9E,EAAI,MAEf+E,EAAK,IAAIjF,EAAI,KAAMkF,EAAK,IAAIlF,EAAI,IAEhCqI,EAAO,EAAG7H,EAAK,EAAU2E,GAAPnH,EAAI,EAAQ,GAAGsK,EAAK,EAAGlD,EAAK,EAC3CpH,EAAID,IAAKC,EAAG,CAEf,IAAIuK,EAAKH,EAAIpK,GAETwK,EAAW,MAAJxK,EAEPyK,EAAQT,EAAKO,GAKjB,GAJAR,EAAKS,GAAQC,EACbT,EAAKO,GAAMC,EAGPF,GAAMtK,EAAG,CAET,IAAI0K,EAAM3K,EAAIC,EACd,IAAKqK,EAAO,KAAQlD,EAAK,QAAUuD,EAAM,IAAK,CAC1C9D,EAAME,EAAKD,EAAKN,EAAG,EAAGS,EAAMC,EAAIC,EAAI1E,EAAI2E,EAAIC,EAAIpH,EAAIoH,EAAIR,GACxDO,EAAKkD,EAAO7H,EAAK,EAAG4E,EAAKpH,EACzB,IAAK,IAAI4C,EAAI,EAAGA,EAAI,MAAOA,EACvBqE,EAAGrE,GAAK,EACZ,IAASA,EAAI,EAAGA,EAAI,KAAMA,EACtBsE,EAAGtE,GAAK,EAGhB,IAAIU,EAAI,EAAGkB,EAAI,EAAGmG,EAAOzE,EAAG0E,EAAOJ,EAAOC,EAAS,MACnD,GAAIC,EAAM,GAAKH,GAAMH,EAAIpK,EAAI4K,GAMzB,IALA,IAAIC,EAAO9E,KAAK+E,IAAI7K,EAAGyK,GAAO,EAC1BK,EAAOhF,KAAK+E,IAAI,MAAO9K,GAGvBgL,EAAKjF,KAAK+E,IAAI,IAAKJ,GAChBE,GAAOG,KAAUJ,GAAQH,GAAQC,GAAO,CAC3C,GAAI5D,EAAI7G,EAAIsD,IAAMuD,EAAI7G,EAAIsD,EAAIsH,GAAM,CAEhC,IADA,IAAIK,GAAK,EACFA,GAAKD,GAAMnE,EAAI7G,EAAIiL,KAAOpE,EAAI7G,EAAIiL,GAAKL,KAAQK,IAEtD,GAAIA,GAAK3H,EAAG,CAGR,GAFAA,EAAI2H,GAAIzG,EAAIoG,EAERK,GAAKJ,EACL,MAIJ,IAAIK,GAAMnF,KAAK+E,IAAIF,EAAKK,GAAK,GACzBE,GAAK,EACT,IAASvI,EAAI,EAAGA,EAAIsI,KAAOtI,EAAG,CAC1B,IAAIwI,GAAMpL,EAAI4K,EAAMhI,EAAI,MAAS,MAE7BQ,GAAMgI,GADArB,EAAKqB,IACM,MAAS,MAC1BhI,GAAK+H,KACLA,GAAK/H,GAAIqH,EAAQW,MAMjCR,IADAJ,EAAOC,IAAOA,EAAQV,EAAKS,IACJ,MAAS,MAIxC,GAAIhG,EAAG,CAGHwC,EAAKG,KAAQ,UAAapE,EAAMO,IAAM,GAAMN,EAAMwB,GAClD,IAAI6G,GAAiB,GAAXtI,EAAMO,GAASgI,GAAiB,GAAXtI,EAAMwB,GACrChC,GAAMJ,EAAKiJ,IAAOhJ,EAAKiJ,MACrBrE,EAAG,IAAMoE,MACTnE,EAAGoE,IACLhB,EAAKtK,EAAIsD,IACP+G,OAGFrD,EAAKG,KAAQN,EAAI7G,KACfiH,EAAGJ,EAAI7G,KAIrB4G,EAAME,EAAKD,EAAKN,EAAGqD,EAAK5C,EAAMC,EAAIC,EAAI1E,EAAI2E,EAAIC,EAAIpH,EAAIoH,EAAIR,GAErDgD,IACDhD,EAAMF,EAAMH,EAAGK,EAAKwC,IAE5B,OAAOjF,EAAIM,EAAG,EAAG8E,EAAMrF,EAAK0C,GAAO4C,GAiD5B+B,CAAK1E,EAAkB,MAAbyC,EAAIkC,MAAgB,EAAIlC,EAAIkC,MAAkB,MAAXlC,EAAImC,IAAc1F,KAAKmE,KAAuD,IAAlDnE,KAAKC,IAAI,EAAGD,KAAK+E,IAAI,GAAI/E,KAAK2F,IAAI7E,EAAI1G,WAAoB,GAAKmJ,EAAImC,IAAMlC,EAAKC,GAAOC,IA6hBlK,SAASkC,EAASC,EAAMC,QACd,IAATA,IAAmBA,EAAO,IAC9B,IAAI5G,EApjBI,WACR,IAAIA,EAAI,EAAGvC,EAAI,EACf,MAAO,CACHtC,EAAG,SAAUoE,GAIT,IAFA,IAAIvE,EAAIgF,EAAGpB,EAAInB,EACXY,EAAIkB,EAAErE,OACDH,EAAI,EAAGA,GAAKsD,GAAI,CAErB,IADA,IAAIc,EAAI2B,KAAK+E,IAAI9K,EAAI,KAAMsD,GACpBtD,EAAIoE,IAAKpE,EACD6D,GAAX5D,GAAKuE,EAAExE,GACXC,GAAK,MAAO4D,GAAK,MAErBoB,EAAIhF,EAAGyC,EAAImB,GAEfW,EAAG,WAAc,OAASS,IAAM,GAAM,IAAU,IAAJvC,IAAY,EAAKA,IAAM,GAA0B,IAAd,IAAJuC,IAAY,MAqiBnF6G,GACR7G,EAAE7E,EAAEwL,GACJ,IAAIpH,EAAI6E,EAAKuC,EAAMC,EAAM,EAAG,GAC5B,OA9XM,SAAU3F,EAAGzB,GACnB,IAAIsH,EAAKtH,EAAE+G,MAAO1I,EAAW,GAANiJ,EAAU,EAAIA,EAAK,EAAI,EAAU,GAANA,EAAU,EAAI,EAChE7F,EAAE,GAAK,IAAKA,EAAE,GAAMpD,GAAM,GAAMA,EAAM,GAAK,EAAIA,EAAM,GA4X9CkJ,CAAIxH,EAAGqH,GAnaL,SAAUrH,EAAG9B,EAAGkB,GACzB,KAAOA,IAAKlB,EACR8B,EAAE9B,GAAKkB,EAAGA,KAAO,EAiaAqI,CAAOzH,EAAGA,EAAErE,OAAS,EAAG8E,EAAET,KAAMA,gBC9uC7B,SAAC0H,GAC3B,IAAMhE,SACDgE,IACHtI,ECGgB,ODDlB,ODi9CK,SAAmBiD,EAAKsF,GAC3B,IAAIxJ,EAAI,GACR,IAAKwJ,GAAgC,oBAAfC,YAClB,OAAO,IAAIA,aAAcC,OAAOxF,GACpC,IAAK,IAAI7G,EAAI,EAAGA,EAAI6G,EAAI1G,QAAS,CAC7B,IAAI+F,EAAIW,EAAI7G,KACRkG,EAAI,KAAOiG,EACXxJ,GAAK2J,OAAOC,aAAarG,GACpBA,EAAI,IACTvD,GAAK2J,OAAOC,cAAkB,GAAJrG,IAAW,EAAgB,GAAXW,EAAI7G,MACzCkG,EAAI,IACTvD,GAAK2J,OAAOC,cAAkB,GAAJrG,IAAW,IAAiB,GAAXW,EAAI7G,OAAc,EAAgB,GAAX6G,EAAI7G,OAEtEkG,IAAU,GAAJA,IAAW,IAAiB,GAAXW,EAAI7G,OAAc,IAAiB,GAAX6G,EAAI7G,OAAc,EAAgB,GAAX6G,EAAI7G,MAAc,MACpF2C,GAAK2J,OAAOC,aAAa,MAASrG,GAAK,GAAK,MAAa,KAAJA,IAEjE,OAAOvD,ECj+CF6J,CAAUb,EDg7CZ,SAAiBc,EAAKN,GACzB,IAAI7I,EAAImJ,EAAItM,OACZ,IAAKgM,GAAgC,oBAAfO,YAClB,OAAO,IAAIA,aAAcC,OAAOF,GAIpC,IAHA,IAAIG,EAAK,IAAI7K,EAAG0K,EAAItM,QAAUsM,EAAItM,SAAW,IACzC0M,EAAK,EACLtG,EAAI,SAAU3C,GAAKgJ,EAAGC,KAAQjJ,GACzB5D,EAAI,EAAGA,EAAIsD,IAAKtD,EAAG,CACxB,GAAI6M,EAAK,EAAID,EAAGzM,OAAQ,CACpB,IAAIF,EAAI,IAAI8B,EAAG8K,EAAK,GAAMvJ,EAAItD,GAAM,IACpCC,EAAEoE,IAAIuI,GACNA,EAAK3M,EAET,IAAIiG,EAAIuG,EAAI3K,WAAW9B,GACnBkG,EAAI,KAAOiG,EACX5F,EAAEL,GACGA,EAAI,MACTK,EAAE,IAAOL,IAAM,GAAKK,EAAE,IAAW,GAAJL,IACxBA,EAAI,OAASA,EAAI,OAElBK,EAAE,KADNL,EAAI,OAAa,QAAJA,GAAyC,KAAtBuG,EAAI3K,aAAa9B,MAC9B,IAAMuG,EAAE,IAAQL,IAAM,GAAM,IAAMK,EAAE,IAAQL,IAAM,EAAK,IAAMK,EAAE,IAAW,GAAJL,KAEzFK,EAAE,IAAOL,IAAM,IAAMK,EAAE,IAAQL,IAAM,EAAK,IAAMK,EAAE,IAAW,GAAJL,IAEjE,OAAO/B,EAAIyI,EAAI,EAAGC,GCx8CMC,CAAQC,KAAKC,UAAU9E,MAAO"} +\ No newline at end of file ++{"version":3,"file":"rrweb-record-pack.min.js","sources":["../../node_modules/tslib/tslib.es6.js","../../../rrweb-snapshot/es/rrweb-snapshot.js","../../../src/types.ts","../../../src/utils.ts","../../../../node_modules/base64-arraybuffer/dist/base64-arraybuffer.es5.js","../../../../node_modules/fflate/esm/browser.js","../../../src/packer/pack.ts","../../../src/packer/base.ts"],"sourcesContent":["/*! *****************************************************************************\r\nCopyright (c) Microsoft Corporation.\r\n\r\nPermission to use, copy, modify, and/or distribute this software for any\r\npurpose with or without fee is hereby granted.\r\n\r\nTHE SOFTWARE IS PROVIDED \"AS IS\" AND THE AUTHOR DISCLAIMS ALL WARRANTIES WITH\r\nREGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF MERCHANTABILITY\r\nAND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR ANY SPECIAL, DIRECT,\r\nINDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES WHATSOEVER RESULTING FROM\r\nLOSS OF USE, DATA OR PROFITS, WHETHER IN AN ACTION OF CONTRACT, NEGLIGENCE OR\r\nOTHER TORTIOUS ACTION, ARISING OUT OF OR IN CONNECTION WITH THE USE OR\r\nPERFORMANCE OF THIS SOFTWARE.\r\n***************************************************************************** */\r\n/* global Reflect, Promise */\r\n\r\nvar extendStatics = function(d, b) {\r\n extendStatics = Object.setPrototypeOf ||\r\n ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) ||\r\n function (d, b) { for (var p in b) if (Object.prototype.hasOwnProperty.call(b, p)) d[p] = b[p]; };\r\n return extendStatics(d, b);\r\n};\r\n\r\nexport function __extends(d, b) {\r\n if (typeof b !== \"function\" && b !== null)\r\n throw new TypeError(\"Class extends value \" + String(b) + \" is not a constructor or null\");\r\n extendStatics(d, b);\r\n function __() { this.constructor = d; }\r\n d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __());\r\n}\r\n\r\nexport var __assign = function() {\r\n __assign = Object.assign || function __assign(t) {\r\n for (var s, i = 1, n = arguments.length; i < n; i++) {\r\n s = arguments[i];\r\n for (var p in s) if (Object.prototype.hasOwnProperty.call(s, p)) t[p] = s[p];\r\n }\r\n return t;\r\n }\r\n return __assign.apply(this, arguments);\r\n}\r\n\r\nexport function __rest(s, e) {\r\n var t = {};\r\n for (var p in s) if (Object.prototype.hasOwnProperty.call(s, p) && e.indexOf(p) < 0)\r\n t[p] = s[p];\r\n if (s != null && typeof Object.getOwnPropertySymbols === \"function\")\r\n for (var i = 0, p = Object.getOwnPropertySymbols(s); i < p.length; i++) {\r\n if (e.indexOf(p[i]) < 0 && Object.prototype.propertyIsEnumerable.call(s, p[i]))\r\n t[p[i]] = s[p[i]];\r\n }\r\n return t;\r\n}\r\n\r\nexport function __decorate(decorators, target, key, desc) {\r\n var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d;\r\n if (typeof Reflect === \"object\" && typeof Reflect.decorate === \"function\") r = Reflect.decorate(decorators, target, key, desc);\r\n else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r;\r\n return c > 3 && r && Object.defineProperty(target, key, r), r;\r\n}\r\n\r\nexport function __param(paramIndex, decorator) {\r\n return function (target, key) { decorator(target, key, paramIndex); }\r\n}\r\n\r\nexport function __metadata(metadataKey, metadataValue) {\r\n if (typeof Reflect === \"object\" && typeof Reflect.metadata === \"function\") return Reflect.metadata(metadataKey, metadataValue);\r\n}\r\n\r\nexport function __awaiter(thisArg, _arguments, P, generator) {\r\n function adopt(value) { return value instanceof P ? value : new P(function (resolve) { resolve(value); }); }\r\n return new (P || (P = Promise))(function (resolve, reject) {\r\n function fulfilled(value) { try { step(generator.next(value)); } catch (e) { reject(e); } }\r\n function rejected(value) { try { step(generator[\"throw\"](value)); } catch (e) { reject(e); } }\r\n function step(result) { result.done ? resolve(result.value) : adopt(result.value).then(fulfilled, rejected); }\r\n step((generator = generator.apply(thisArg, _arguments || [])).next());\r\n });\r\n}\r\n\r\nexport function __generator(thisArg, body) {\r\n var _ = { label: 0, sent: function() { if (t[0] & 1) throw t[1]; return t[1]; }, trys: [], ops: [] }, f, y, t, g;\r\n return g = { next: verb(0), \"throw\": verb(1), \"return\": verb(2) }, typeof Symbol === \"function\" && (g[Symbol.iterator] = function() { return this; }), g;\r\n function verb(n) { return function (v) { return step([n, v]); }; }\r\n function step(op) {\r\n if (f) throw new TypeError(\"Generator is already executing.\");\r\n while (_) try {\r\n if (f = 1, y && (t = op[0] & 2 ? y[\"return\"] : op[0] ? y[\"throw\"] || ((t = y[\"return\"]) && t.call(y), 0) : y.next) && !(t = t.call(y, op[1])).done) return t;\r\n if (y = 0, t) op = [op[0] & 2, t.value];\r\n switch (op[0]) {\r\n case 0: case 1: t = op; break;\r\n case 4: _.label++; return { value: op[1], done: false };\r\n case 5: _.label++; y = op[1]; op = [0]; continue;\r\n case 7: op = _.ops.pop(); _.trys.pop(); continue;\r\n default:\r\n if (!(t = _.trys, t = t.length > 0 && t[t.length - 1]) && (op[0] === 6 || op[0] === 2)) { _ = 0; continue; }\r\n if (op[0] === 3 && (!t || (op[1] > t[0] && op[1] < t[3]))) { _.label = op[1]; break; }\r\n if (op[0] === 6 && _.label < t[1]) { _.label = t[1]; t = op; break; }\r\n if (t && _.label < t[2]) { _.label = t[2]; _.ops.push(op); break; }\r\n if (t[2]) _.ops.pop();\r\n _.trys.pop(); continue;\r\n }\r\n op = body.call(thisArg, _);\r\n } catch (e) { op = [6, e]; y = 0; } finally { f = t = 0; }\r\n if (op[0] & 5) throw op[1]; return { value: op[0] ? op[1] : void 0, done: true };\r\n }\r\n}\r\n\r\nexport var __createBinding = Object.create ? (function(o, m, k, k2) {\r\n if (k2 === undefined) k2 = k;\r\n Object.defineProperty(o, k2, { enumerable: true, get: function() { return m[k]; } });\r\n}) : (function(o, m, k, k2) {\r\n if (k2 === undefined) k2 = k;\r\n o[k2] = m[k];\r\n});\r\n\r\nexport function __exportStar(m, o) {\r\n for (var p in m) if (p !== \"default\" && !Object.prototype.hasOwnProperty.call(o, p)) __createBinding(o, m, p);\r\n}\r\n\r\nexport function __values(o) {\r\n var s = typeof Symbol === \"function\" && Symbol.iterator, m = s && o[s], i = 0;\r\n if (m) return m.call(o);\r\n if (o && typeof o.length === \"number\") return {\r\n next: function () {\r\n if (o && i >= o.length) o = void 0;\r\n return { value: o && o[i++], done: !o };\r\n }\r\n };\r\n throw new TypeError(s ? \"Object is not iterable.\" : \"Symbol.iterator is not defined.\");\r\n}\r\n\r\nexport function __read(o, n) {\r\n var m = typeof Symbol === \"function\" && o[Symbol.iterator];\r\n if (!m) return o;\r\n var i = m.call(o), r, ar = [], e;\r\n try {\r\n while ((n === void 0 || n-- > 0) && !(r = i.next()).done) ar.push(r.value);\r\n }\r\n catch (error) { e = { error: error }; }\r\n finally {\r\n try {\r\n if (r && !r.done && (m = i[\"return\"])) m.call(i);\r\n }\r\n finally { if (e) throw e.error; }\r\n }\r\n return ar;\r\n}\r\n\r\n/** @deprecated */\r\nexport function __spread() {\r\n for (var ar = [], i = 0; i < arguments.length; i++)\r\n ar = ar.concat(__read(arguments[i]));\r\n return ar;\r\n}\r\n\r\n/** @deprecated */\r\nexport function __spreadArrays() {\r\n for (var s = 0, i = 0, il = arguments.length; i < il; i++) s += arguments[i].length;\r\n for (var r = Array(s), k = 0, i = 0; i < il; i++)\r\n for (var a = arguments[i], j = 0, jl = a.length; j < jl; j++, k++)\r\n r[k] = a[j];\r\n return r;\r\n}\r\n\r\nexport function __spreadArray(to, from, pack) {\r\n if (pack || arguments.length === 2) for (var i = 0, l = from.length, ar; i < l; i++) {\r\n if (ar || !(i in from)) {\r\n if (!ar) ar = Array.prototype.slice.call(from, 0, i);\r\n ar[i] = from[i];\r\n }\r\n }\r\n return to.concat(ar || Array.prototype.slice.call(from));\r\n}\r\n\r\nexport function __await(v) {\r\n return this instanceof __await ? (this.v = v, this) : new __await(v);\r\n}\r\n\r\nexport function __asyncGenerator(thisArg, _arguments, generator) {\r\n if (!Symbol.asyncIterator) throw new TypeError(\"Symbol.asyncIterator is not defined.\");\r\n var g = generator.apply(thisArg, _arguments || []), i, q = [];\r\n return i = {}, verb(\"next\"), verb(\"throw\"), verb(\"return\"), i[Symbol.asyncIterator] = function () { return this; }, i;\r\n function verb(n) { if (g[n]) i[n] = function (v) { return new Promise(function (a, b) { q.push([n, v, a, b]) > 1 || resume(n, v); }); }; }\r\n function resume(n, v) { try { step(g[n](v)); } catch (e) { settle(q[0][3], e); } }\r\n function step(r) { r.value instanceof __await ? Promise.resolve(r.value.v).then(fulfill, reject) : settle(q[0][2], r); }\r\n function fulfill(value) { resume(\"next\", value); }\r\n function reject(value) { resume(\"throw\", value); }\r\n function settle(f, v) { if (f(v), q.shift(), q.length) resume(q[0][0], q[0][1]); }\r\n}\r\n\r\nexport function __asyncDelegator(o) {\r\n var i, p;\r\n return i = {}, verb(\"next\"), verb(\"throw\", function (e) { throw e; }), verb(\"return\"), i[Symbol.iterator] = function () { return this; }, i;\r\n function verb(n, f) { i[n] = o[n] ? function (v) { return (p = !p) ? { value: __await(o[n](v)), done: n === \"return\" } : f ? f(v) : v; } : f; }\r\n}\r\n\r\nexport function __asyncValues(o) {\r\n if (!Symbol.asyncIterator) throw new TypeError(\"Symbol.asyncIterator is not defined.\");\r\n var m = o[Symbol.asyncIterator], i;\r\n return m ? m.call(o) : (o = typeof __values === \"function\" ? __values(o) : o[Symbol.iterator](), i = {}, verb(\"next\"), verb(\"throw\"), verb(\"return\"), i[Symbol.asyncIterator] = function () { return this; }, i);\r\n function verb(n) { i[n] = o[n] && function (v) { return new Promise(function (resolve, reject) { v = o[n](v), settle(resolve, reject, v.done, v.value); }); }; }\r\n function settle(resolve, reject, d, v) { Promise.resolve(v).then(function(v) { resolve({ value: v, done: d }); }, reject); }\r\n}\r\n\r\nexport function __makeTemplateObject(cooked, raw) {\r\n if (Object.defineProperty) { Object.defineProperty(cooked, \"raw\", { value: raw }); } else { cooked.raw = raw; }\r\n return cooked;\r\n};\r\n\r\nvar __setModuleDefault = Object.create ? (function(o, v) {\r\n Object.defineProperty(o, \"default\", { enumerable: true, value: v });\r\n}) : function(o, v) {\r\n o[\"default\"] = v;\r\n};\r\n\r\nexport function __importStar(mod) {\r\n if (mod && mod.__esModule) return mod;\r\n var result = {};\r\n if (mod != null) for (var k in mod) if (k !== \"default\" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding(result, mod, k);\r\n __setModuleDefault(result, mod);\r\n return result;\r\n}\r\n\r\nexport function __importDefault(mod) {\r\n return (mod && mod.__esModule) ? mod : { default: mod };\r\n}\r\n\r\nexport function __classPrivateFieldGet(receiver, state, kind, f) {\r\n if (kind === \"a\" && !f) throw new TypeError(\"Private accessor was defined without a getter\");\r\n if (typeof state === \"function\" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError(\"Cannot read private member from an object whose class did not declare it\");\r\n return kind === \"m\" ? f : kind === \"a\" ? f.call(receiver) : f ? f.value : state.get(receiver);\r\n}\r\n\r\nexport function __classPrivateFieldSet(receiver, state, value, kind, f) {\r\n if (kind === \"m\") throw new TypeError(\"Private method is not writable\");\r\n if (kind === \"a\" && !f) throw new TypeError(\"Private accessor was defined without a setter\");\r\n if (typeof state === \"function\" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError(\"Cannot write private member to an object whose class did not declare it\");\r\n return (kind === \"a\" ? f.call(receiver, value) : f ? f.value = value : state.set(receiver, value)), value;\r\n}\r\n","var NodeType;\n(function (NodeType) {\n NodeType[NodeType[\"Document\"] = 0] = \"Document\";\n NodeType[NodeType[\"DocumentType\"] = 1] = \"DocumentType\";\n NodeType[NodeType[\"Element\"] = 2] = \"Element\";\n NodeType[NodeType[\"Text\"] = 3] = \"Text\";\n NodeType[NodeType[\"CDATA\"] = 4] = \"CDATA\";\n NodeType[NodeType[\"Comment\"] = 5] = \"Comment\";\n})(NodeType || (NodeType = {}));\n\nfunction isElement(n) {\n return n.nodeType === n.ELEMENT_NODE;\n}\nfunction isShadowRoot(n) {\n var _a;\n var host = (_a = n) === null || _a === void 0 ? void 0 : _a.host;\n return Boolean(host && host.shadowRoot && host.shadowRoot === n);\n}\nfunction maskInputValue(_a) {\n var input = _a.input, maskInputSelector = _a.maskInputSelector, unmaskInputSelector = _a.unmaskInputSelector, maskInputOptions = _a.maskInputOptions, tagName = _a.tagName, type = _a.type, value = _a.value, maskInputFn = _a.maskInputFn;\n var text = value || '';\n if (unmaskInputSelector && input.matches(unmaskInputSelector)) {\n return text;\n }\n if (maskInputOptions[tagName.toLowerCase()] ||\n maskInputOptions[type] ||\n (maskInputSelector && input.matches(maskInputSelector))) {\n if (maskInputFn) {\n text = maskInputFn(text);\n }\n else {\n text = '*'.repeat(text.length);\n }\n }\n return text;\n}\nvar ORIGINAL_ATTRIBUTE_NAME = '__rrweb_original__';\nfunction is2DCanvasBlank(canvas) {\n var ctx = canvas.getContext('2d');\n if (!ctx)\n return true;\n var chunkSize = 50;\n for (var x = 0; x < canvas.width; x += chunkSize) {\n for (var y = 0; y < canvas.height; y += chunkSize) {\n var getImageData = ctx.getImageData;\n var originalGetImageData = ORIGINAL_ATTRIBUTE_NAME in getImageData\n ? getImageData[ORIGINAL_ATTRIBUTE_NAME]\n : getImageData;\n var pixelBuffer = new Uint32Array(originalGetImageData.call(ctx, x, y, Math.min(chunkSize, canvas.width - x), Math.min(chunkSize, canvas.height - y)).data.buffer);\n if (pixelBuffer.some(function (pixel) { return pixel !== 0; }))\n return false;\n }\n }\n return true;\n}\n\nvar _id = 1;\nvar tagNameRegex = new RegExp('[^a-z0-9-_:]');\nvar IGNORED_NODE = -2;\nfunction genId() {\n return _id++;\n}\nfunction getValidTagName(element) {\n if (element instanceof HTMLFormElement) {\n return 'form';\n }\n var processedTagName = element.tagName.toLowerCase().trim();\n if (tagNameRegex.test(processedTagName)) {\n return 'div';\n }\n return processedTagName;\n}\nfunction getCssRulesString(s) {\n try {\n var rules = s.rules || s.cssRules;\n return rules ? Array.from(rules).map(getCssRuleString).join('') : null;\n }\n catch (error) {\n return null;\n }\n}\nfunction getCssRuleString(rule) {\n var cssStringified = rule.cssText;\n if (isCSSImportRule(rule)) {\n try {\n cssStringified = getCssRulesString(rule.styleSheet) || cssStringified;\n }\n catch (_a) {\n }\n }\n return cssStringified;\n}\nfunction isCSSImportRule(rule) {\n return 'styleSheet' in rule;\n}\nfunction stringifyStyleSheet(sheet) {\n return sheet.cssRules\n ? Array.from(sheet.cssRules)\n .map(function (rule) { return rule.cssText || ''; })\n .join('')\n : '';\n}\nfunction extractOrigin(url) {\n var origin = '';\n if (url.indexOf('//') > -1) {\n origin = url.split('/').slice(0, 3).join('/');\n }\n else {\n origin = url.split('/')[0];\n }\n origin = origin.split('?')[0];\n return origin;\n}\nvar canvasService;\nvar canvasCtx;\nvar URL_IN_CSS_REF = /url\\((?:(')([^']*)'|(\")(.*?)\"|([^)]*))\\)/gm;\nvar RELATIVE_PATH = /^(?!www\\.|(?:http|ftp)s?:\\/\\/|[A-Za-z]:\\\\|\\/\\/|#).*/;\nvar DATA_URI = /^(data:)([^,]*),(.*)/i;\nfunction absoluteToStylesheet(cssText, href) {\n return (cssText || '').replace(URL_IN_CSS_REF, function (origin, quote1, path1, quote2, path2, path3) {\n var filePath = path1 || path2 || path3;\n var maybeQuote = quote1 || quote2 || '';\n if (!filePath) {\n return origin;\n }\n if (!RELATIVE_PATH.test(filePath)) {\n return \"url(\" + maybeQuote + filePath + maybeQuote + \")\";\n }\n if (DATA_URI.test(filePath)) {\n return \"url(\" + maybeQuote + filePath + maybeQuote + \")\";\n }\n if (filePath[0] === '/') {\n return \"url(\" + maybeQuote + (extractOrigin(href) + filePath) + maybeQuote + \")\";\n }\n var stack = href.split('/');\n var parts = filePath.split('/');\n stack.pop();\n for (var _i = 0, parts_1 = parts; _i < parts_1.length; _i++) {\n var part = parts_1[_i];\n if (part === '.') {\n continue;\n }\n else if (part === '..') {\n stack.pop();\n }\n else {\n stack.push(part);\n }\n }\n return \"url(\" + maybeQuote + stack.join('/') + maybeQuote + \")\";\n });\n}\nvar SRCSET_NOT_SPACES = /^[^ \\t\\n\\r\\u000c]+/;\nvar SRCSET_COMMAS_OR_SPACES = /^[, \\t\\n\\r\\u000c]+/;\nfunction getAbsoluteSrcsetString(doc, attributeValue) {\n if (attributeValue.trim() === '') {\n return attributeValue;\n }\n var pos = 0;\n function collectCharacters(regEx) {\n var chars;\n var match = regEx.exec(attributeValue.substring(pos));\n if (match) {\n chars = match[0];\n pos += chars.length;\n return chars;\n }\n return '';\n }\n var output = [];\n while (true) {\n collectCharacters(SRCSET_COMMAS_OR_SPACES);\n if (pos >= attributeValue.length) {\n break;\n }\n var url = collectCharacters(SRCSET_NOT_SPACES);\n if (url.slice(-1) === ',') {\n url = absoluteToDoc(doc, url.substring(0, url.length - 1));\n output.push(url);\n }\n else {\n var descriptorsStr = '';\n url = absoluteToDoc(doc, url);\n var inParens = false;\n while (true) {\n var c = attributeValue.charAt(pos);\n if (c === '') {\n output.push((url + descriptorsStr).trim());\n break;\n }\n else if (!inParens) {\n if (c === ',') {\n pos += 1;\n output.push((url + descriptorsStr).trim());\n break;\n }\n else if (c === '(') {\n inParens = true;\n }\n }\n else {\n if (c === ')') {\n inParens = false;\n }\n }\n descriptorsStr += c;\n pos += 1;\n }\n }\n }\n return output.join(', ');\n}\nfunction absoluteToDoc(doc, attributeValue) {\n if (!attributeValue || attributeValue.trim() === '') {\n return attributeValue;\n }\n var a = doc.createElement('a');\n a.href = attributeValue;\n return a.href;\n}\nfunction isSVGElement(el) {\n return Boolean(el.tagName === 'svg' || el.ownerSVGElement);\n}\nfunction getHref() {\n var a = document.createElement('a');\n a.href = '';\n return a.href;\n}\nfunction transformAttribute(doc, tagName, name, value) {\n if (name === 'src' || (name === 'href' && value)) {\n return absoluteToDoc(doc, value);\n }\n else if (name === 'xlink:href' && value && value[0] !== '#') {\n return absoluteToDoc(doc, value);\n }\n else if (name === 'background' &&\n value &&\n (tagName === 'table' || tagName === 'td' || tagName === 'th')) {\n return absoluteToDoc(doc, value);\n }\n else if (name === 'srcset' && value) {\n return getAbsoluteSrcsetString(doc, value);\n }\n else if (name === 'style' && value) {\n return absoluteToStylesheet(value, getHref());\n }\n else if (tagName === 'object' && name === 'data' && value) {\n return absoluteToDoc(doc, value);\n }\n else {\n return value;\n }\n}\nfunction _isBlockedElement(element, blockClass, blockSelector, unblockSelector) {\n if (unblockSelector && element.matches(unblockSelector)) {\n return false;\n }\n if (typeof blockClass === 'string') {\n if (element.classList.contains(blockClass)) {\n return true;\n }\n }\n else {\n for (var eIndex = 0; eIndex < element.classList.length; eIndex++) {\n var className = element.classList[eIndex];\n if (blockClass.test(className)) {\n return true;\n }\n }\n }\n if (blockSelector) {\n return element.matches(blockSelector);\n }\n return false;\n}\nfunction needMaskingText(node, maskTextClass, maskTextSelector, unmaskTextSelector) {\n if (!node) {\n return false;\n }\n if (node.nodeType === node.ELEMENT_NODE) {\n if (unmaskTextSelector) {\n if (node.matches(unmaskTextSelector) || node.closest(unmaskTextSelector)) {\n return false;\n }\n }\n if (typeof maskTextClass === 'string') {\n if (node.classList.contains(maskTextClass)) {\n return true;\n }\n }\n else {\n for (var eIndex = 0; eIndex < node.classList.length; eIndex++) {\n var className = node.classList[eIndex];\n if (maskTextClass.test(className)) {\n return true;\n }\n }\n }\n if (maskTextSelector) {\n if (node.matches(maskTextSelector)) {\n return true;\n }\n }\n return needMaskingText(node.parentNode, maskTextClass, maskTextSelector, unmaskTextSelector);\n }\n if (node.nodeType === node.TEXT_NODE) {\n return needMaskingText(node.parentNode, maskTextClass, maskTextSelector, unmaskTextSelector);\n }\n return needMaskingText(node.parentNode, maskTextClass, maskTextSelector, unmaskTextSelector);\n}\nfunction onceIframeLoaded(iframeEl, listener, iframeLoadTimeout) {\n var win = iframeEl.contentWindow;\n if (!win) {\n return;\n }\n var fired = false;\n var readyState;\n try {\n readyState = win.document.readyState;\n }\n catch (error) {\n return;\n }\n if (readyState !== 'complete') {\n var timer_1 = setTimeout(function () {\n if (!fired) {\n listener();\n fired = true;\n }\n }, iframeLoadTimeout);\n iframeEl.addEventListener('load', function () {\n clearTimeout(timer_1);\n fired = true;\n listener();\n });\n return;\n }\n var blankUrl = 'about:blank';\n if (win.location.href !== blankUrl ||\n iframeEl.src === blankUrl ||\n iframeEl.src === '') {\n setTimeout(listener, 0);\n return;\n }\n iframeEl.addEventListener('load', listener);\n}\nfunction serializeNode(n, options) {\n var _a;\n var doc = options.doc, blockClass = options.blockClass, blockSelector = options.blockSelector, unblockSelector = options.unblockSelector, maskTextClass = options.maskTextClass, maskTextSelector = options.maskTextSelector, unmaskTextSelector = options.unmaskTextSelector, inlineStylesheet = options.inlineStylesheet, maskInputSelector = options.maskInputSelector, unmaskInputSelector = options.unmaskInputSelector, _b = options.maskInputOptions, maskInputOptions = _b === void 0 ? {} : _b, maskTextFn = options.maskTextFn, maskInputFn = options.maskInputFn, _c = options.dataURLOptions, dataURLOptions = _c === void 0 ? {} : _c, inlineImages = options.inlineImages, recordCanvas = options.recordCanvas, keepIframeSrcFn = options.keepIframeSrcFn;\n var rootId;\n if (doc.__sn) {\n var docId = doc.__sn.id;\n rootId = docId === 1 ? undefined : docId;\n }\n switch (n.nodeType) {\n case n.DOCUMENT_NODE:\n if (n.compatMode !== 'CSS1Compat') {\n return {\n type: NodeType.Document,\n childNodes: [],\n compatMode: n.compatMode,\n rootId: rootId\n };\n }\n else {\n return {\n type: NodeType.Document,\n childNodes: [],\n rootId: rootId\n };\n }\n case n.DOCUMENT_TYPE_NODE:\n return {\n type: NodeType.DocumentType,\n name: n.name,\n publicId: n.publicId,\n systemId: n.systemId,\n rootId: rootId\n };\n case n.ELEMENT_NODE:\n var needBlock = _isBlockedElement(n, blockClass, blockSelector, unblockSelector);\n var tagName = getValidTagName(n);\n var attributes_1 = {};\n for (var _i = 0, _d = Array.from(n.attributes); _i < _d.length; _i++) {\n var _e = _d[_i], name_1 = _e.name, value = _e.value;\n attributes_1[name_1] = transformAttribute(doc, tagName, name_1, value);\n }\n if (tagName === 'link' && inlineStylesheet) {\n var stylesheet = Array.from(doc.styleSheets).find(function (s) {\n return s.href === n.href;\n });\n var cssText = null;\n if (stylesheet) {\n cssText = getCssRulesString(stylesheet);\n }\n if (cssText) {\n delete attributes_1.rel;\n delete attributes_1.href;\n attributes_1._cssText = absoluteToStylesheet(cssText, stylesheet.href);\n }\n }\n if (tagName === 'style' &&\n n.sheet &&\n !(n.innerText ||\n n.textContent ||\n '').trim().length) {\n var cssText = getCssRulesString(n.sheet);\n if (cssText) {\n attributes_1._cssText = absoluteToStylesheet(cssText, getHref());\n }\n }\n if (tagName === 'input' ||\n tagName === 'textarea' ||\n tagName === 'select') {\n var value = n.value;\n if (attributes_1.type !== 'radio' &&\n attributes_1.type !== 'checkbox' &&\n attributes_1.type !== 'submit' &&\n attributes_1.type !== 'button' &&\n value) {\n attributes_1.value = maskInputValue({\n input: n,\n type: attributes_1.type,\n tagName: tagName,\n value: value,\n maskInputSelector: maskInputSelector,\n unmaskInputSelector: unmaskInputSelector,\n maskInputOptions: maskInputOptions,\n maskInputFn: maskInputFn\n });\n }\n else if (n.checked) {\n attributes_1.checked = n.checked;\n }\n }\n if (tagName === 'option') {\n if (n.selected && !maskInputOptions['select']) {\n attributes_1.selected = true;\n }\n else {\n delete attributes_1.selected;\n }\n }\n if (tagName === 'canvas' && recordCanvas) {\n if (n.__context === '2d') {\n if (!is2DCanvasBlank(n)) {\n attributes_1.rr_dataURL = n.toDataURL(dataURLOptions.type, dataURLOptions.quality);\n }\n }\n else if (!('__context' in n)) {\n var canvasDataURL = n.toDataURL(dataURLOptions.type, dataURLOptions.quality);\n var blankCanvas = document.createElement('canvas');\n blankCanvas.width = n.width;\n blankCanvas.height = n.height;\n var blankCanvasDataURL = blankCanvas.toDataURL(dataURLOptions.type, dataURLOptions.quality);\n if (canvasDataURL !== blankCanvasDataURL) {\n attributes_1.rr_dataURL = canvasDataURL;\n }\n }\n }\n if (tagName === 'img' && inlineImages) {\n if (!canvasService) {\n canvasService = doc.createElement('canvas');\n canvasCtx = canvasService.getContext('2d');\n }\n var image_1 = n;\n var oldValue_1 = image_1.crossOrigin;\n image_1.crossOrigin = 'anonymous';\n var recordInlineImage = function () {\n try {\n canvasService.width = image_1.naturalWidth;\n canvasService.height = image_1.naturalHeight;\n canvasCtx.drawImage(image_1, 0, 0);\n attributes_1.rr_dataURL = canvasService.toDataURL(dataURLOptions.type, dataURLOptions.quality);\n }\n catch (err) {\n console.warn(\"Cannot inline img src=\" + image_1.currentSrc + \"! Error: \" + err);\n }\n oldValue_1\n ? (attributes_1.crossOrigin = oldValue_1)\n : delete attributes_1.crossOrigin;\n };\n if (image_1.complete && image_1.naturalWidth !== 0)\n recordInlineImage();\n else\n image_1.onload = recordInlineImage;\n }\n if (tagName === 'audio' || tagName === 'video') {\n attributes_1.rr_mediaState = n.paused\n ? 'paused'\n : 'played';\n attributes_1.rr_mediaCurrentTime = n.currentTime;\n }\n if (n.scrollLeft) {\n attributes_1.rr_scrollLeft = n.scrollLeft;\n }\n if (n.scrollTop) {\n attributes_1.rr_scrollTop = n.scrollTop;\n }\n if (needBlock) {\n var _f = n.getBoundingClientRect(), width = _f.width, height = _f.height;\n attributes_1 = {\n \"class\": attributes_1[\"class\"],\n rr_width: width + \"px\",\n rr_height: height + \"px\"\n };\n }\n if (tagName === 'iframe' && !keepIframeSrcFn(attributes_1.src)) {\n if (!n.contentDocument) {\n attributes_1.rr_src = attributes_1.src;\n }\n delete attributes_1.src;\n }\n return {\n type: NodeType.Element,\n tagName: tagName,\n attributes: attributes_1,\n childNodes: [],\n isSVG: isSVGElement(n) || undefined,\n needBlock: needBlock,\n rootId: rootId\n };\n case n.TEXT_NODE:\n var parentTagName = n.parentNode && n.parentNode.tagName;\n var textContent = n.textContent;\n var isStyle = parentTagName === 'STYLE' ? true : undefined;\n var isScript = parentTagName === 'SCRIPT' ? true : undefined;\n if (isStyle && textContent) {\n try {\n if (n.nextSibling || n.previousSibling) {\n }\n else if ((_a = n.parentNode.sheet) === null || _a === void 0 ? void 0 : _a.cssRules) {\n textContent = stringifyStyleSheet(n.parentNode.sheet);\n }\n }\n catch (err) {\n console.warn(\"Cannot get CSS styles from text's parentNode. Error: \" + err, n);\n }\n textContent = absoluteToStylesheet(textContent, getHref());\n }\n if (isScript) {\n textContent = 'SCRIPT_PLACEHOLDER';\n }\n if (!isStyle &&\n !isScript &&\n needMaskingText(n, maskTextClass, maskTextSelector, unmaskTextSelector) &&\n textContent) {\n textContent = maskTextFn\n ? maskTextFn(textContent)\n : textContent.replace(/[\\S]/g, '*');\n }\n return {\n type: NodeType.Text,\n textContent: textContent || '',\n isStyle: isStyle,\n rootId: rootId\n };\n case n.CDATA_SECTION_NODE:\n return {\n type: NodeType.CDATA,\n textContent: '',\n rootId: rootId\n };\n case n.COMMENT_NODE:\n return {\n type: NodeType.Comment,\n textContent: n.textContent || '',\n rootId: rootId\n };\n default:\n return false;\n }\n}\nfunction lowerIfExists(maybeAttr) {\n if (maybeAttr === undefined) {\n return '';\n }\n else {\n return maybeAttr.toLowerCase();\n }\n}\nfunction slimDOMExcluded(sn, slimDOMOptions) {\n if (slimDOMOptions.comment && sn.type === NodeType.Comment) {\n return true;\n }\n else if (sn.type === NodeType.Element) {\n if (slimDOMOptions.script &&\n (sn.tagName === 'script' ||\n (sn.tagName === 'link' &&\n sn.attributes.rel === 'preload' &&\n sn.attributes.as === 'script') ||\n (sn.tagName === 'link' &&\n sn.attributes.rel === 'prefetch' &&\n typeof sn.attributes.href === 'string' &&\n sn.attributes.href.endsWith('.js')))) {\n return true;\n }\n else if (slimDOMOptions.headFavicon &&\n ((sn.tagName === 'link' && sn.attributes.rel === 'shortcut icon') ||\n (sn.tagName === 'meta' &&\n (lowerIfExists(sn.attributes.name).match(/^msapplication-tile(image|color)$/) ||\n lowerIfExists(sn.attributes.name) === 'application-name' ||\n lowerIfExists(sn.attributes.rel) === 'icon' ||\n lowerIfExists(sn.attributes.rel) === 'apple-touch-icon' ||\n lowerIfExists(sn.attributes.rel) === 'shortcut icon')))) {\n return true;\n }\n else if (sn.tagName === 'meta') {\n if (slimDOMOptions.headMetaDescKeywords &&\n lowerIfExists(sn.attributes.name).match(/^description|keywords$/)) {\n return true;\n }\n else if (slimDOMOptions.headMetaSocial &&\n (lowerIfExists(sn.attributes.property).match(/^(og|twitter|fb):/) ||\n lowerIfExists(sn.attributes.name).match(/^(og|twitter):/) ||\n lowerIfExists(sn.attributes.name) === 'pinterest')) {\n return true;\n }\n else if (slimDOMOptions.headMetaRobots &&\n (lowerIfExists(sn.attributes.name) === 'robots' ||\n lowerIfExists(sn.attributes.name) === 'googlebot' ||\n lowerIfExists(sn.attributes.name) === 'bingbot')) {\n return true;\n }\n else if (slimDOMOptions.headMetaHttpEquiv &&\n sn.attributes['http-equiv'] !== undefined) {\n return true;\n }\n else if (slimDOMOptions.headMetaAuthorship &&\n (lowerIfExists(sn.attributes.name) === 'author' ||\n lowerIfExists(sn.attributes.name) === 'generator' ||\n lowerIfExists(sn.attributes.name) === 'framework' ||\n lowerIfExists(sn.attributes.name) === 'publisher' ||\n lowerIfExists(sn.attributes.name) === 'progid' ||\n lowerIfExists(sn.attributes.property).match(/^article:/) ||\n lowerIfExists(sn.attributes.property).match(/^product:/))) {\n return true;\n }\n else if (slimDOMOptions.headMetaVerification &&\n (lowerIfExists(sn.attributes.name) === 'google-site-verification' ||\n lowerIfExists(sn.attributes.name) === 'yandex-verification' ||\n lowerIfExists(sn.attributes.name) === 'csrf-token' ||\n lowerIfExists(sn.attributes.name) === 'p:domain_verify' ||\n lowerIfExists(sn.attributes.name) === 'verify-v1' ||\n lowerIfExists(sn.attributes.name) === 'verification' ||\n lowerIfExists(sn.attributes.name) === 'shopify-checkout-api-token')) {\n return true;\n }\n }\n }\n return false;\n}\nfunction serializeNodeWithId(n, options) {\n var doc = options.doc, map = options.map, blockClass = options.blockClass, blockSelector = options.blockSelector, unblockSelector = options.unblockSelector, maskTextClass = options.maskTextClass, maskTextSelector = options.maskTextSelector, unmaskTextSelector = options.unmaskTextSelector, _a = options.skipChild, skipChild = _a === void 0 ? false : _a, _b = options.inlineStylesheet, inlineStylesheet = _b === void 0 ? true : _b, maskInputSelector = options.maskInputSelector, unmaskInputSelector = options.unmaskInputSelector, _c = options.maskInputOptions, maskInputOptions = _c === void 0 ? {} : _c, maskTextFn = options.maskTextFn, maskInputFn = options.maskInputFn, slimDOMOptions = options.slimDOMOptions, _d = options.dataURLOptions, dataURLOptions = _d === void 0 ? {} : _d, _e = options.inlineImages, inlineImages = _e === void 0 ? false : _e, _f = options.recordCanvas, recordCanvas = _f === void 0 ? false : _f, onSerialize = options.onSerialize, onIframeLoad = options.onIframeLoad, _g = options.iframeLoadTimeout, iframeLoadTimeout = _g === void 0 ? 5000 : _g, _h = options.keepIframeSrcFn, keepIframeSrcFn = _h === void 0 ? function () { return false; } : _h;\n var _j = options.preserveWhiteSpace, preserveWhiteSpace = _j === void 0 ? true : _j;\n var _serializedNode = serializeNode(n, {\n doc: doc,\n blockClass: blockClass,\n blockSelector: blockSelector,\n unblockSelector: unblockSelector,\n maskTextClass: maskTextClass,\n maskTextSelector: maskTextSelector,\n unmaskTextSelector: unmaskTextSelector,\n inlineStylesheet: inlineStylesheet,\n maskInputSelector: maskInputSelector,\n unmaskInputSelector: unmaskInputSelector,\n maskInputOptions: maskInputOptions,\n maskTextFn: maskTextFn,\n maskInputFn: maskInputFn,\n dataURLOptions: dataURLOptions,\n inlineImages: inlineImages,\n recordCanvas: recordCanvas,\n keepIframeSrcFn: keepIframeSrcFn\n });\n if (!_serializedNode) {\n console.warn(n, 'not serialized');\n return null;\n }\n var id;\n if ('__sn' in n) {\n id = n.__sn.id;\n }\n else if (slimDOMExcluded(_serializedNode, slimDOMOptions) ||\n (!preserveWhiteSpace &&\n _serializedNode.type === NodeType.Text &&\n !_serializedNode.isStyle &&\n !_serializedNode.textContent.replace(/^\\s+|\\s+$/gm, '').length)) {\n id = IGNORED_NODE;\n }\n else {\n id = genId();\n }\n var serializedNode = Object.assign(_serializedNode, { id: id });\n n.__sn = serializedNode;\n if (id === IGNORED_NODE) {\n return null;\n }\n map[id] = n;\n if (onSerialize) {\n onSerialize(n);\n }\n var recordChild = !skipChild;\n if (serializedNode.type === NodeType.Element) {\n recordChild = recordChild && !serializedNode.needBlock;\n delete serializedNode.needBlock;\n if (n.shadowRoot)\n serializedNode.isShadowHost = true;\n }\n if ((serializedNode.type === NodeType.Document ||\n serializedNode.type === NodeType.Element) &&\n recordChild) {\n if (slimDOMOptions.headWhitespace &&\n _serializedNode.type === NodeType.Element &&\n _serializedNode.tagName === 'head') {\n preserveWhiteSpace = false;\n }\n var bypassOptions = {\n doc: doc,\n map: map,\n blockClass: blockClass,\n blockSelector: blockSelector,\n unblockSelector: unblockSelector,\n maskTextClass: maskTextClass,\n maskTextSelector: maskTextSelector,\n unmaskTextSelector: unmaskTextSelector,\n skipChild: skipChild,\n inlineStylesheet: inlineStylesheet,\n maskInputSelector: maskInputSelector,\n unmaskInputSelector: unmaskInputSelector,\n maskInputOptions: maskInputOptions,\n maskTextFn: maskTextFn,\n maskInputFn: maskInputFn,\n slimDOMOptions: slimDOMOptions,\n dataURLOptions: dataURLOptions,\n inlineImages: inlineImages,\n recordCanvas: recordCanvas,\n preserveWhiteSpace: preserveWhiteSpace,\n onSerialize: onSerialize,\n onIframeLoad: onIframeLoad,\n iframeLoadTimeout: iframeLoadTimeout,\n keepIframeSrcFn: keepIframeSrcFn\n };\n for (var _i = 0, _k = Array.from(n.childNodes); _i < _k.length; _i++) {\n var childN = _k[_i];\n var serializedChildNode = serializeNodeWithId(childN, bypassOptions);\n if (serializedChildNode) {\n serializedNode.childNodes.push(serializedChildNode);\n }\n }\n if (isElement(n) && n.shadowRoot) {\n for (var _l = 0, _m = Array.from(n.shadowRoot.childNodes); _l < _m.length; _l++) {\n var childN = _m[_l];\n var serializedChildNode = serializeNodeWithId(childN, bypassOptions);\n if (serializedChildNode) {\n serializedChildNode.isShadow = true;\n serializedNode.childNodes.push(serializedChildNode);\n }\n }\n }\n }\n if (n.parentNode && isShadowRoot(n.parentNode)) {\n serializedNode.isShadow = true;\n }\n if (serializedNode.type === NodeType.Element &&\n serializedNode.tagName === 'iframe') {\n onceIframeLoaded(n, function () {\n var iframeDoc = n.contentDocument;\n if (iframeDoc && onIframeLoad) {\n var serializedIframeNode = serializeNodeWithId(iframeDoc, {\n doc: iframeDoc,\n map: map,\n blockClass: blockClass,\n blockSelector: blockSelector,\n unblockSelector: unblockSelector,\n maskTextClass: maskTextClass,\n maskTextSelector: maskTextSelector,\n unmaskTextSelector: unmaskTextSelector,\n skipChild: false,\n inlineStylesheet: inlineStylesheet,\n maskInputSelector: maskInputSelector,\n unmaskInputSelector: unmaskInputSelector,\n maskInputOptions: maskInputOptions,\n maskTextFn: maskTextFn,\n maskInputFn: maskInputFn,\n slimDOMOptions: slimDOMOptions,\n dataURLOptions: dataURLOptions,\n inlineImages: inlineImages,\n recordCanvas: recordCanvas,\n preserveWhiteSpace: preserveWhiteSpace,\n onSerialize: onSerialize,\n onIframeLoad: onIframeLoad,\n iframeLoadTimeout: iframeLoadTimeout,\n keepIframeSrcFn: keepIframeSrcFn\n });\n if (serializedIframeNode) {\n onIframeLoad(n, serializedIframeNode);\n }\n }\n }, iframeLoadTimeout);\n }\n return serializedNode;\n}\nfunction snapshot(n, options) {\n var _a = options || {}, _b = _a.blockClass, blockClass = _b === void 0 ? 'rr-block' : _b, _c = _a.blockSelector, blockSelector = _c === void 0 ? null : _c, _d = _a.unblockSelector, unblockSelector = _d === void 0 ? null : _d, _e = _a.maskTextClass, maskTextClass = _e === void 0 ? 'rr-mask' : _e, _f = _a.maskTextSelector, maskTextSelector = _f === void 0 ? null : _f, _g = _a.unmaskTextSelector, unmaskTextSelector = _g === void 0 ? null : _g, _h = _a.inlineStylesheet, inlineStylesheet = _h === void 0 ? true : _h, _j = _a.inlineImages, inlineImages = _j === void 0 ? false : _j, _k = _a.recordCanvas, recordCanvas = _k === void 0 ? false : _k, _l = _a.maskInputSelector, maskInputSelector = _l === void 0 ? null : _l, _m = _a.unmaskInputSelector, unmaskInputSelector = _m === void 0 ? null : _m, _o = _a.maskAllInputs, maskAllInputs = _o === void 0 ? false : _o, maskTextFn = _a.maskTextFn, maskInputFn = _a.maskInputFn, _p = _a.slimDOM, slimDOM = _p === void 0 ? false : _p, dataURLOptions = _a.dataURLOptions, preserveWhiteSpace = _a.preserveWhiteSpace, onSerialize = _a.onSerialize, onIframeLoad = _a.onIframeLoad, iframeLoadTimeout = _a.iframeLoadTimeout, _q = _a.keepIframeSrcFn, keepIframeSrcFn = _q === void 0 ? function () { return false; } : _q;\n var idNodeMap = {};\n var maskInputOptions = maskAllInputs === true\n ? {\n color: true,\n date: true,\n 'datetime-local': true,\n email: true,\n month: true,\n number: true,\n range: true,\n search: true,\n tel: true,\n text: true,\n time: true,\n url: true,\n week: true,\n textarea: true,\n select: true,\n password: true\n }\n : maskAllInputs === false\n ? {\n password: true\n }\n : maskAllInputs;\n var slimDOMOptions = slimDOM === true || slimDOM === 'all'\n ?\n {\n script: true,\n comment: true,\n headFavicon: true,\n headWhitespace: true,\n headMetaDescKeywords: slimDOM === 'all',\n headMetaSocial: true,\n headMetaRobots: true,\n headMetaHttpEquiv: true,\n headMetaAuthorship: true,\n headMetaVerification: true\n }\n : slimDOM === false\n ? {}\n : slimDOM;\n return [\n serializeNodeWithId(n, {\n doc: n,\n map: idNodeMap,\n blockClass: blockClass,\n blockSelector: blockSelector,\n unblockSelector: unblockSelector,\n maskTextClass: maskTextClass,\n maskTextSelector: maskTextSelector,\n unmaskTextSelector: unmaskTextSelector,\n skipChild: false,\n inlineStylesheet: inlineStylesheet,\n maskInputSelector: maskInputSelector,\n unmaskInputSelector: unmaskInputSelector,\n maskInputOptions: maskInputOptions,\n maskTextFn: maskTextFn,\n maskInputFn: maskInputFn,\n slimDOMOptions: slimDOMOptions,\n dataURLOptions: dataURLOptions,\n inlineImages: inlineImages,\n recordCanvas: recordCanvas,\n preserveWhiteSpace: preserveWhiteSpace,\n onSerialize: onSerialize,\n onIframeLoad: onIframeLoad,\n iframeLoadTimeout: iframeLoadTimeout,\n keepIframeSrcFn: keepIframeSrcFn\n }),\n idNodeMap,\n ];\n}\nfunction visitSnapshot(node, onVisit) {\n function walk(current) {\n onVisit(current);\n if (current.type === NodeType.Document ||\n current.type === NodeType.Element) {\n current.childNodes.forEach(walk);\n }\n }\n walk(node);\n}\nfunction cleanupSnapshot() {\n _id = 1;\n}\n\nvar commentre = /\\/\\*[^*]*\\*+([^/*][^*]*\\*+)*\\//g;\nfunction parse(css, options) {\n if (options === void 0) { options = {}; }\n var lineno = 1;\n var column = 1;\n function updatePosition(str) {\n var lines = str.match(/\\n/g);\n if (lines) {\n lineno += lines.length;\n }\n var i = str.lastIndexOf('\\n');\n column = i === -1 ? column + str.length : str.length - i;\n }\n function position() {\n var start = { line: lineno, column: column };\n return function (node) {\n node.position = new Position(start);\n whitespace();\n return node;\n };\n }\n var Position = (function () {\n function Position(start) {\n this.start = start;\n this.end = { line: lineno, column: column };\n this.source = options.source;\n }\n return Position;\n }());\n Position.prototype.content = css;\n var errorsList = [];\n function error(msg) {\n var err = new Error(options.source + ':' + lineno + ':' + column + ': ' + msg);\n err.reason = msg;\n err.filename = options.source;\n err.line = lineno;\n err.column = column;\n err.source = css;\n if (options.silent) {\n errorsList.push(err);\n }\n else {\n throw err;\n }\n }\n function stylesheet() {\n var rulesList = rules();\n return {\n type: 'stylesheet',\n stylesheet: {\n source: options.source,\n rules: rulesList,\n parsingErrors: errorsList\n }\n };\n }\n function open() {\n return match(/^{\\s*/);\n }\n function close() {\n return match(/^}/);\n }\n function rules() {\n var node;\n var rules = [];\n whitespace();\n comments(rules);\n while (css.length && css.charAt(0) !== '}' && (node = atrule() || rule())) {\n if (node !== false) {\n rules.push(node);\n comments(rules);\n }\n }\n return rules;\n }\n function match(re) {\n var m = re.exec(css);\n if (!m) {\n return;\n }\n var str = m[0];\n updatePosition(str);\n css = css.slice(str.length);\n return m;\n }\n function whitespace() {\n match(/^\\s*/);\n }\n function comments(rules) {\n if (rules === void 0) { rules = []; }\n var c;\n while ((c = comment())) {\n if (c !== false) {\n rules.push(c);\n }\n c = comment();\n }\n return rules;\n }\n function comment() {\n var pos = position();\n if ('/' !== css.charAt(0) || '*' !== css.charAt(1)) {\n return;\n }\n var i = 2;\n while ('' !== css.charAt(i) &&\n ('*' !== css.charAt(i) || '/' !== css.charAt(i + 1))) {\n ++i;\n }\n i += 2;\n if ('' === css.charAt(i - 1)) {\n return error('End of comment missing');\n }\n var str = css.slice(2, i - 2);\n column += 2;\n updatePosition(str);\n css = css.slice(i);\n column += 2;\n return pos({\n type: 'comment',\n comment: str\n });\n }\n function selector() {\n var m = match(/^([^{]+)/);\n if (!m) {\n return;\n }\n return trim(m[0])\n .replace(/\\/\\*([^*]|[\\r\\n]|(\\*+([^*/]|[\\r\\n])))*\\*\\/+/g, '')\n .replace(/\"(?:\\\\\"|[^\"])*\"|'(?:\\\\'|[^'])*'/g, function (m) {\n return m.replace(/,/g, '\\u200C');\n })\n .split(/\\s*(?![^(]*\\)),\\s*/)\n .map(function (s) {\n return s.replace(/\\u200C/g, ',');\n });\n }\n function declaration() {\n var pos = position();\n var propMatch = match(/^(\\*?[-#\\/\\*\\\\\\w]+(\\[[0-9a-z_-]+\\])?)\\s*/);\n if (!propMatch) {\n return;\n }\n var prop = trim(propMatch[0]);\n if (!match(/^:\\s*/)) {\n return error(\"property missing ':'\");\n }\n var val = match(/^((?:'(?:\\\\'|.)*?'|\"(?:\\\\\"|.)*?\"|\\([^\\)]*?\\)|[^};])+)/);\n var ret = pos({\n type: 'declaration',\n property: prop.replace(commentre, ''),\n value: val ? trim(val[0]).replace(commentre, '') : ''\n });\n match(/^[;\\s]*/);\n return ret;\n }\n function declarations() {\n var decls = [];\n if (!open()) {\n return error(\"missing '{'\");\n }\n comments(decls);\n var decl;\n while ((decl = declaration())) {\n if (decl !== false) {\n decls.push(decl);\n comments(decls);\n }\n decl = declaration();\n }\n if (!close()) {\n return error(\"missing '}'\");\n }\n return decls;\n }\n function keyframe() {\n var m;\n var vals = [];\n var pos = position();\n while ((m = match(/^((\\d+\\.\\d+|\\.\\d+|\\d+)%?|[a-z]+)\\s*/))) {\n vals.push(m[1]);\n match(/^,\\s*/);\n }\n if (!vals.length) {\n return;\n }\n return pos({\n type: 'keyframe',\n values: vals,\n declarations: declarations()\n });\n }\n function atkeyframes() {\n var pos = position();\n var m = match(/^@([-\\w]+)?keyframes\\s*/);\n if (!m) {\n return;\n }\n var vendor = m[1];\n m = match(/^([-\\w]+)\\s*/);\n if (!m) {\n return error('@keyframes missing name');\n }\n var name = m[1];\n if (!open()) {\n return error(\"@keyframes missing '{'\");\n }\n var frame;\n var frames = comments();\n while ((frame = keyframe())) {\n frames.push(frame);\n frames = frames.concat(comments());\n }\n if (!close()) {\n return error(\"@keyframes missing '}'\");\n }\n return pos({\n type: 'keyframes',\n name: name,\n vendor: vendor,\n keyframes: frames\n });\n }\n function atsupports() {\n var pos = position();\n var m = match(/^@supports *([^{]+)/);\n if (!m) {\n return;\n }\n var supports = trim(m[1]);\n if (!open()) {\n return error(\"@supports missing '{'\");\n }\n var style = comments().concat(rules());\n if (!close()) {\n return error(\"@supports missing '}'\");\n }\n return pos({\n type: 'supports',\n supports: supports,\n rules: style\n });\n }\n function athost() {\n var pos = position();\n var m = match(/^@host\\s*/);\n if (!m) {\n return;\n }\n if (!open()) {\n return error(\"@host missing '{'\");\n }\n var style = comments().concat(rules());\n if (!close()) {\n return error(\"@host missing '}'\");\n }\n return pos({\n type: 'host',\n rules: style\n });\n }\n function atmedia() {\n var pos = position();\n var m = match(/^@media *([^{]+)/);\n if (!m) {\n return;\n }\n var media = trim(m[1]);\n if (!open()) {\n return error(\"@media missing '{'\");\n }\n var style = comments().concat(rules());\n if (!close()) {\n return error(\"@media missing '}'\");\n }\n return pos({\n type: 'media',\n media: media,\n rules: style\n });\n }\n function atcustommedia() {\n var pos = position();\n var m = match(/^@custom-media\\s+(--[^\\s]+)\\s*([^{;]+);/);\n if (!m) {\n return;\n }\n return pos({\n type: 'custom-media',\n name: trim(m[1]),\n media: trim(m[2])\n });\n }\n function atpage() {\n var pos = position();\n var m = match(/^@page */);\n if (!m) {\n return;\n }\n var sel = selector() || [];\n if (!open()) {\n return error(\"@page missing '{'\");\n }\n var decls = comments();\n var decl;\n while ((decl = declaration())) {\n decls.push(decl);\n decls = decls.concat(comments());\n }\n if (!close()) {\n return error(\"@page missing '}'\");\n }\n return pos({\n type: 'page',\n selectors: sel,\n declarations: decls\n });\n }\n function atdocument() {\n var pos = position();\n var m = match(/^@([-\\w]+)?document *([^{]+)/);\n if (!m) {\n return;\n }\n var vendor = trim(m[1]);\n var doc = trim(m[2]);\n if (!open()) {\n return error(\"@document missing '{'\");\n }\n var style = comments().concat(rules());\n if (!close()) {\n return error(\"@document missing '}'\");\n }\n return pos({\n type: 'document',\n document: doc,\n vendor: vendor,\n rules: style\n });\n }\n function atfontface() {\n var pos = position();\n var m = match(/^@font-face\\s*/);\n if (!m) {\n return;\n }\n if (!open()) {\n return error(\"@font-face missing '{'\");\n }\n var decls = comments();\n var decl;\n while ((decl = declaration())) {\n decls.push(decl);\n decls = decls.concat(comments());\n }\n if (!close()) {\n return error(\"@font-face missing '}'\");\n }\n return pos({\n type: 'font-face',\n declarations: decls\n });\n }\n var atimport = _compileAtrule('import');\n var atcharset = _compileAtrule('charset');\n var atnamespace = _compileAtrule('namespace');\n function _compileAtrule(name) {\n var re = new RegExp('^@' + name + '\\\\s*([^;]+);');\n return function () {\n var pos = position();\n var m = match(re);\n if (!m) {\n return;\n }\n var ret = { type: name };\n ret[name] = m[1].trim();\n return pos(ret);\n };\n }\n function atrule() {\n if (css[0] !== '@') {\n return;\n }\n return (atkeyframes() ||\n atmedia() ||\n atcustommedia() ||\n atsupports() ||\n atimport() ||\n atcharset() ||\n atnamespace() ||\n atdocument() ||\n atpage() ||\n athost() ||\n atfontface());\n }\n function rule() {\n var pos = position();\n var sel = selector();\n if (!sel) {\n return error('selector missing');\n }\n comments();\n return pos({\n type: 'rule',\n selectors: sel,\n declarations: declarations()\n });\n }\n return addParent(stylesheet());\n}\nfunction trim(str) {\n return str ? str.replace(/^\\s+|\\s+$/g, '') : '';\n}\nfunction addParent(obj, parent) {\n var isNode = obj && typeof obj.type === 'string';\n var childParent = isNode ? obj : parent;\n for (var _i = 0, _a = Object.keys(obj); _i < _a.length; _i++) {\n var k = _a[_i];\n var value = obj[k];\n if (Array.isArray(value)) {\n value.forEach(function (v) {\n addParent(v, childParent);\n });\n }\n else if (value && typeof value === 'object') {\n addParent(value, childParent);\n }\n }\n if (isNode) {\n Object.defineProperty(obj, 'parent', {\n configurable: true,\n writable: true,\n enumerable: false,\n value: parent || null\n });\n }\n return obj;\n}\n\nvar tagMap = {\n script: 'noscript',\n altglyph: 'altGlyph',\n altglyphdef: 'altGlyphDef',\n altglyphitem: 'altGlyphItem',\n animatecolor: 'animateColor',\n animatemotion: 'animateMotion',\n animatetransform: 'animateTransform',\n clippath: 'clipPath',\n feblend: 'feBlend',\n fecolormatrix: 'feColorMatrix',\n fecomponenttransfer: 'feComponentTransfer',\n fecomposite: 'feComposite',\n feconvolvematrix: 'feConvolveMatrix',\n fediffuselighting: 'feDiffuseLighting',\n fedisplacementmap: 'feDisplacementMap',\n fedistantlight: 'feDistantLight',\n fedropshadow: 'feDropShadow',\n feflood: 'feFlood',\n fefunca: 'feFuncA',\n fefuncb: 'feFuncB',\n fefuncg: 'feFuncG',\n fefuncr: 'feFuncR',\n fegaussianblur: 'feGaussianBlur',\n feimage: 'feImage',\n femerge: 'feMerge',\n femergenode: 'feMergeNode',\n femorphology: 'feMorphology',\n feoffset: 'feOffset',\n fepointlight: 'fePointLight',\n fespecularlighting: 'feSpecularLighting',\n fespotlight: 'feSpotLight',\n fetile: 'feTile',\n feturbulence: 'feTurbulence',\n foreignobject: 'foreignObject',\n glyphref: 'glyphRef',\n lineargradient: 'linearGradient',\n radialgradient: 'radialGradient'\n};\nfunction getTagName(n) {\n var tagName = tagMap[n.tagName] ? tagMap[n.tagName] : n.tagName;\n if (tagName === 'link' && n.attributes._cssText) {\n tagName = 'style';\n }\n return tagName;\n}\nfunction escapeRegExp(str) {\n return str.replace(/[.*+?^${}()|[\\]\\\\]/g, '\\\\$&');\n}\nvar HOVER_SELECTOR = /([^\\\\]):hover/;\nvar HOVER_SELECTOR_GLOBAL = new RegExp(HOVER_SELECTOR.source, 'g');\nfunction addHoverClass(cssText, cache) {\n var cachedStyle = cache === null || cache === void 0 ? void 0 : cache.stylesWithHoverClass.get(cssText);\n if (cachedStyle)\n return cachedStyle;\n var ast = parse(cssText, {\n silent: true\n });\n if (!ast.stylesheet) {\n return cssText;\n }\n var selectors = [];\n ast.stylesheet.rules.forEach(function (rule) {\n if ('selectors' in rule) {\n (rule.selectors || []).forEach(function (selector) {\n if (HOVER_SELECTOR.test(selector)) {\n selectors.push(selector);\n }\n });\n }\n });\n if (selectors.length === 0) {\n return cssText;\n }\n var selectorMatcher = new RegExp(selectors\n .filter(function (selector, index) { return selectors.indexOf(selector) === index; })\n .sort(function (a, b) { return b.length - a.length; })\n .map(function (selector) {\n return escapeRegExp(selector);\n })\n .join('|'), 'g');\n var result = cssText.replace(selectorMatcher, function (selector) {\n var newSelector = selector.replace(HOVER_SELECTOR_GLOBAL, '$1.\\\\:hover');\n return selector + \", \" + newSelector;\n });\n cache === null || cache === void 0 ? void 0 : cache.stylesWithHoverClass.set(cssText, result);\n return result;\n}\nfunction createCache() {\n var stylesWithHoverClass = new Map();\n return {\n stylesWithHoverClass: stylesWithHoverClass\n };\n}\nfunction buildNode(n, options) {\n var doc = options.doc, hackCss = options.hackCss, cache = options.cache;\n switch (n.type) {\n case NodeType.Document:\n return doc.implementation.createDocument(null, '', null);\n case NodeType.DocumentType:\n return doc.implementation.createDocumentType(n.name || 'html', n.publicId, n.systemId);\n case NodeType.Element:\n var tagName = getTagName(n);\n var node_1;\n if (n.isSVG) {\n node_1 = doc.createElementNS('http://www.w3.org/2000/svg', tagName);\n }\n else {\n node_1 = doc.createElement(tagName);\n }\n var _loop_1 = function (name_1) {\n if (!n.attributes.hasOwnProperty(name_1)) {\n return \"continue\";\n }\n var value = n.attributes[name_1];\n if (tagName === 'option' && name_1 === 'selected' && value === false) {\n return \"continue\";\n }\n value =\n typeof value === 'boolean' || typeof value === 'number' ? '' : value;\n if (!name_1.startsWith('rr_')) {\n var isTextarea = tagName === 'textarea' && name_1 === 'value';\n var isRemoteOrDynamicCss = tagName === 'style' && name_1 === '_cssText';\n if (isRemoteOrDynamicCss && hackCss) {\n value = addHoverClass(value, cache);\n }\n if (isTextarea || isRemoteOrDynamicCss) {\n var child = doc.createTextNode(value);\n for (var _i = 0, _a = Array.from(node_1.childNodes); _i < _a.length; _i++) {\n var c = _a[_i];\n if (c.nodeType === node_1.TEXT_NODE) {\n node_1.removeChild(c);\n }\n }\n node_1.appendChild(child);\n return \"continue\";\n }\n try {\n if (n.isSVG && name_1 === 'xlink:href') {\n node_1.setAttributeNS('http://www.w3.org/1999/xlink', name_1, value);\n }\n else if (name_1 === 'onload' ||\n name_1 === 'onclick' ||\n name_1.substring(0, 7) === 'onmouse') {\n node_1.setAttribute('_' + name_1, value);\n }\n else if (tagName === 'meta' &&\n n.attributes['http-equiv'] === 'Content-Security-Policy' &&\n name_1 === 'content') {\n node_1.setAttribute('csp-content', value);\n return \"continue\";\n }\n else if (tagName === 'link' &&\n n.attributes.rel === 'preload' &&\n n.attributes.as === 'script') {\n }\n else if (tagName === 'link' &&\n n.attributes.rel === 'prefetch' &&\n typeof n.attributes.href === 'string' &&\n n.attributes.href.endsWith('.js')) {\n }\n else if (tagName === 'img' &&\n n.attributes.srcset &&\n n.attributes.rr_dataURL) {\n node_1.setAttribute('rrweb-original-srcset', n.attributes.srcset);\n }\n else {\n node_1.setAttribute(name_1, value);\n }\n }\n catch (error) {\n }\n }\n else {\n if (tagName === 'canvas' && name_1 === 'rr_dataURL') {\n var image_1 = document.createElement('img');\n image_1.src = value;\n image_1.onload = function () {\n var ctx = node_1.getContext('2d');\n if (ctx) {\n ctx.drawImage(image_1, 0, 0, image_1.width, image_1.height);\n }\n };\n }\n else if (tagName === 'img' && name_1 === 'rr_dataURL') {\n var image = node_1;\n if (!image.currentSrc.startsWith('data:')) {\n image.setAttribute('rrweb-original-src', n.attributes.src);\n image.src = value;\n }\n }\n if (name_1 === 'rr_width') {\n node_1.style.width = value;\n }\n else if (name_1 === 'rr_height') {\n node_1.style.height = value;\n }\n else if (name_1 === 'rr_mediaCurrentTime') {\n node_1.currentTime = n.attributes\n .rr_mediaCurrentTime;\n }\n else if (name_1 === 'rr_mediaState') {\n switch (value) {\n case 'played':\n node_1\n .play()[\"catch\"](function (e) { return console.warn('media playback error', e); });\n break;\n case 'paused':\n node_1.pause();\n break;\n }\n }\n }\n };\n for (var name_1 in n.attributes) {\n _loop_1(name_1);\n }\n if (n.isShadowHost) {\n if (!node_1.shadowRoot) {\n node_1.attachShadow({ mode: 'open' });\n }\n else {\n while (node_1.shadowRoot.firstChild) {\n node_1.shadowRoot.removeChild(node_1.shadowRoot.firstChild);\n }\n }\n }\n return node_1;\n case NodeType.Text:\n return doc.createTextNode(n.isStyle && hackCss\n ? addHoverClass(n.textContent, cache)\n : n.textContent);\n case NodeType.CDATA:\n return doc.createCDATASection(n.textContent);\n case NodeType.Comment:\n return doc.createComment(n.textContent);\n default:\n return null;\n }\n}\nfunction buildNodeWithSN(n, options) {\n var doc = options.doc, map = options.map, _a = options.skipChild, skipChild = _a === void 0 ? false : _a, _b = options.hackCss, hackCss = _b === void 0 ? true : _b, afterAppend = options.afterAppend, cache = options.cache;\n var node = buildNode(n, { doc: doc, hackCss: hackCss, cache: cache });\n if (!node) {\n return null;\n }\n if (n.rootId) {\n console.assert(map[n.rootId] === doc, 'Target document should has the same root id.');\n }\n if (n.type === NodeType.Document) {\n doc.close();\n doc.open();\n if (n.compatMode === 'BackCompat' &&\n n.childNodes &&\n n.childNodes[0].type !== NodeType.DocumentType) {\n if (n.childNodes[0].type === NodeType.Element &&\n 'xmlns' in n.childNodes[0].attributes &&\n n.childNodes[0].attributes.xmlns === 'http://www.w3.org/1999/xhtml') {\n doc.write('');\n }\n else {\n doc.write('');\n }\n }\n node = doc;\n }\n node.__sn = n;\n map[n.id] = node;\n if ((n.type === NodeType.Document || n.type === NodeType.Element) &&\n !skipChild) {\n for (var _i = 0, _c = n.childNodes; _i < _c.length; _i++) {\n var childN = _c[_i];\n var childNode = buildNodeWithSN(childN, {\n doc: doc,\n map: map,\n skipChild: false,\n hackCss: hackCss,\n afterAppend: afterAppend,\n cache: cache\n });\n if (!childNode) {\n console.warn('Failed to rebuild', childN);\n continue;\n }\n if (childN.isShadow && isElement(node) && node.shadowRoot) {\n node.shadowRoot.appendChild(childNode);\n }\n else {\n node.appendChild(childNode);\n }\n if (afterAppend) {\n afterAppend(childNode);\n }\n }\n }\n return node;\n}\nfunction visit(idNodeMap, onVisit) {\n function walk(node) {\n onVisit(node);\n }\n for (var key in idNodeMap) {\n if (idNodeMap[key]) {\n walk(idNodeMap[key]);\n }\n }\n}\nfunction handleScroll(node) {\n var n = node.__sn;\n if (n.type !== NodeType.Element) {\n return;\n }\n var el = node;\n for (var name_2 in n.attributes) {\n if (!(n.attributes.hasOwnProperty(name_2) && name_2.startsWith('rr_'))) {\n continue;\n }\n var value = n.attributes[name_2];\n if (name_2 === 'rr_scrollLeft') {\n el.scrollLeft = value;\n }\n if (name_2 === 'rr_scrollTop') {\n el.scrollTop = value;\n }\n }\n}\nfunction rebuild(n, options) {\n var doc = options.doc, onVisit = options.onVisit, _a = options.hackCss, hackCss = _a === void 0 ? true : _a, afterAppend = options.afterAppend, cache = options.cache;\n var idNodeMap = {};\n var node = buildNodeWithSN(n, {\n doc: doc,\n map: idNodeMap,\n skipChild: false,\n hackCss: hackCss,\n afterAppend: afterAppend,\n cache: cache\n });\n visit(idNodeMap, function (visitedNode) {\n if (onVisit) {\n onVisit(visitedNode);\n }\n handleScroll(visitedNode);\n });\n return [node, idNodeMap];\n}\n\nexport { IGNORED_NODE, NodeType, addHoverClass, buildNodeWithSN, cleanupSnapshot, createCache, is2DCanvasBlank, isElement, isShadowRoot, maskInputValue, needMaskingText, rebuild, serializeNodeWithId, snapshot, transformAttribute, visitSnapshot };\n","import {\n serializedNodeWithId,\n idNodeMap,\n INode,\n MaskInputOptions,\n SlimDOMOptions,\n MaskInputFn,\n MaskTextFn,\n} from 'rrweb-snapshot';\nimport { PackFn, UnpackFn } from './packer/base';\nimport { IframeManager } from './record/iframe-manager';\nimport { ShadowDomManager } from './record/shadow-dom-manager';\nimport type { Replayer } from './replay';\nimport { CanvasManager } from './record/observers/canvas/canvas-manager';\n\nexport enum EventType {\n DomContentLoaded,\n Load,\n FullSnapshot,\n IncrementalSnapshot,\n Meta,\n Custom,\n Plugin,\n}\n\nexport type domContentLoadedEvent = {\n type: EventType.DomContentLoaded;\n data: {};\n};\n\nexport type loadedEvent = {\n type: EventType.Load;\n data: {};\n};\n\nexport type fullSnapshotEvent = {\n type: EventType.FullSnapshot;\n data: {\n node: serializedNodeWithId;\n initialOffset: {\n top: number;\n left: number;\n };\n };\n};\n\nexport type incrementalSnapshotEvent = {\n type: EventType.IncrementalSnapshot;\n data: incrementalData;\n};\n\nexport type metaEvent = {\n type: EventType.Meta;\n data: {\n href: string;\n width: number;\n height: number;\n };\n};\n\nexport type customEvent = {\n type: EventType.Custom;\n data: {\n tag: string;\n payload: T;\n };\n};\n\nexport type pluginEvent = {\n type: EventType.Plugin;\n data: {\n plugin: string;\n payload: T;\n };\n};\n\nexport type styleSheetEvent = {};\n\nexport enum IncrementalSource {\n Mutation,\n MouseMove,\n MouseInteraction,\n Scroll,\n ViewportResize,\n Input,\n TouchMove,\n MediaInteraction,\n StyleSheetRule,\n CanvasMutation,\n Font,\n Log,\n Drag,\n StyleDeclaration,\n}\n\nexport type mutationData = {\n source: IncrementalSource.Mutation;\n} & mutationCallbackParam;\n\nexport type mousemoveData = {\n source:\n | IncrementalSource.MouseMove\n | IncrementalSource.TouchMove\n | IncrementalSource.Drag;\n positions: mousePosition[];\n};\n\nexport type mouseInteractionData = {\n source: IncrementalSource.MouseInteraction;\n} & mouseInteractionParam;\n\nexport type scrollData = {\n source: IncrementalSource.Scroll;\n} & scrollPosition;\n\nexport type viewportResizeData = {\n source: IncrementalSource.ViewportResize;\n} & viewportResizeDimension;\n\nexport type inputData = {\n source: IncrementalSource.Input;\n id: number;\n} & inputValue;\n\nexport type mediaInteractionData = {\n source: IncrementalSource.MediaInteraction;\n} & mediaInteractionParam;\n\nexport type styleSheetRuleData = {\n source: IncrementalSource.StyleSheetRule;\n} & styleSheetRuleParam;\n\nexport type styleDeclarationData = {\n source: IncrementalSource.StyleDeclaration;\n} & styleDeclarationParam;\n\nexport type canvasMutationData = {\n source: IncrementalSource.CanvasMutation;\n} & canvasMutationParam;\n\nexport type fontData = {\n source: IncrementalSource.Font;\n} & fontParam;\n\nexport type incrementalData =\n | mutationData\n | mousemoveData\n | mouseInteractionData\n | scrollData\n | viewportResizeData\n | inputData\n | mediaInteractionData\n | styleSheetRuleData\n | canvasMutationData\n | fontData\n | styleDeclarationData;\n\nexport type event =\n | domContentLoadedEvent\n | loadedEvent\n | fullSnapshotEvent\n | incrementalSnapshotEvent\n | metaEvent\n | customEvent\n | pluginEvent;\n\nexport type eventWithTime = event & {\n timestamp: number;\n delay?: number;\n};\n\nexport type blockClass = string | RegExp;\n\nexport type maskTextClass = string | RegExp;\n\nexport type SamplingStrategy = Partial<{\n /**\n * false means not to record mouse/touch move events\n * number is the throttle threshold of recording mouse/touch move\n */\n mousemove: boolean | number;\n /**\n * number is the throttle threshold of mouse/touch move callback\n */\n mousemoveCallback: number;\n /**\n * false means not to record mouse interaction events\n * can also specify record some kinds of mouse interactions\n */\n mouseInteraction: boolean | Record;\n /**\n * number is the throttle threshold of recording scroll\n */\n scroll: number;\n /**\n * number is the throttle threshold of recording media interactions\n */\n media: number;\n /**\n * 'all' will record all the input events\n * 'last' will only record the last input value while input a sequence of chars\n */\n input: 'all' | 'last';\n}>;\n\nexport type RecordPlugin = {\n name: string;\n observer?: (cb: Function, win: IWindow, options: TOptions) => listenerHandler;\n eventProcessor?: (event: eventWithTime) => eventWithTime & TExtend;\n options: TOptions;\n};\n\nexport type recordOptions = {\n emit?: (e: T, isCheckout?: boolean) => void;\n checkoutEveryNth?: number;\n checkoutEveryNms?: number;\n blockClass?: blockClass;\n blockSelector?: string;\n unblockSelector?: string;\n ignoreClass?: string;\n ignoreSelector?: string;\n maskTextClass?: maskTextClass;\n maskTextSelector?: string;\n maskAllInputs?: boolean;\n maskInputSelector?: string;\n maskInputOptions?: MaskInputOptions;\n maskInputFn?: MaskInputFn;\n maskTextFn?: MaskTextFn;\n unmaskTextSelector?: string;\n unmaskInputSelector?: string;\n slimDOMOptions?: SlimDOMOptions | 'all' | true;\n inlineStylesheet?: boolean;\n hooks?: hooksParam;\n packFn?: PackFn;\n sampling?: SamplingStrategy;\n recordCanvas?: boolean;\n userTriggeredOnInput?: boolean;\n collectFonts?: boolean;\n inlineImages?: boolean;\n plugins?: RecordPlugin[];\n // departed, please use sampling options\n mousemoveWait?: number;\n keepIframeSrcFn?: KeepIframeSrcFn;\n};\n\nexport type observerParam = {\n mutationCb: mutationCallBack;\n mousemoveCb: mousemoveCallBack;\n mouseInteractionCb: mouseInteractionCallBack;\n scrollCb: scrollCallback;\n viewportResizeCb: viewportResizeCallback;\n inputCb: inputCallback;\n mediaInteractionCb: mediaInteractionCallback;\n blockClass: blockClass;\n blockSelector: string | null;\n unblockSelector: string | null;\n ignoreClass: string;\n ignoreSelector: string | null;\n maskTextClass: maskTextClass;\n maskTextSelector: string | null;\n unmaskTextSelector: string | null;\n maskInputSelector: string | null;\n unmaskInputSelector: string | null;\n maskInputOptions: MaskInputOptions;\n maskInputFn?: MaskInputFn;\n maskTextFn?: MaskTextFn;\n inlineStylesheet: boolean;\n styleSheetRuleCb: styleSheetRuleCallback;\n styleDeclarationCb: styleDeclarationCallback;\n canvasMutationCb: canvasMutationCallback;\n fontCb: fontCallback;\n sampling: SamplingStrategy;\n recordCanvas: boolean;\n inlineImages: boolean;\n userTriggeredOnInput: boolean;\n collectFonts: boolean;\n slimDOMOptions: SlimDOMOptions;\n doc: Document;\n mirror: Mirror;\n iframeManager: IframeManager;\n shadowDomManager: ShadowDomManager;\n canvasManager: CanvasManager;\n plugins: Array<{\n observer: Function;\n callback: Function;\n options: unknown;\n }>;\n};\n\nexport type MutationBufferParam = Pick<\n observerParam,\n | 'mutationCb'\n | 'blockClass'\n | 'blockSelector'\n | 'unblockSelector'\n | 'maskTextClass'\n | 'maskTextSelector'\n | 'unmaskTextSelector'\n | 'inlineStylesheet'\n | 'maskInputSelector'\n | 'unmaskInputSelector'\n | 'maskInputOptions'\n | 'maskTextFn'\n | 'maskInputFn'\n | 'recordCanvas'\n | 'inlineImages'\n | 'slimDOMOptions'\n | 'doc'\n | 'mirror'\n | 'iframeManager'\n | 'shadowDomManager'\n | 'canvasManager'\n>;\n\nexport type hooksParam = {\n mutation?: mutationCallBack;\n mousemove?: mousemoveCallBack;\n mouseInteraction?: mouseInteractionCallBack;\n scroll?: scrollCallback;\n viewportResize?: viewportResizeCallback;\n input?: inputCallback;\n mediaInteaction?: mediaInteractionCallback;\n styleSheetRule?: styleSheetRuleCallback;\n styleDeclaration?: styleDeclarationCallback;\n canvasMutation?: canvasMutationCallback;\n font?: fontCallback;\n};\n\n// https://dom.spec.whatwg.org/#interface-mutationrecord\nexport type mutationRecord = {\n type: string;\n target: Node;\n oldValue: string | null;\n addedNodes: NodeList;\n removedNodes: NodeList;\n attributeName: string | null;\n};\n\nexport type textCursor = {\n node: Node;\n value: string | null;\n};\nexport type textMutation = {\n id: number;\n value: string | null;\n};\n\nexport type styleAttributeValue = {\n [key: string]: styleValueWithPriority | string | false;\n};\n\nexport type styleValueWithPriority = [string, string];\n\nexport type attributeCursor = {\n node: Node;\n attributes: {\n [key: string]: string | styleAttributeValue | null;\n };\n};\nexport type attributeMutation = {\n id: number;\n attributes: {\n [key: string]: string | styleAttributeValue | null;\n };\n};\n\nexport type removedNodeMutation = {\n parentId: number;\n id: number;\n isShadow?: boolean;\n};\n\nexport type addedNodeMutation = {\n parentId: number;\n // Newly recorded mutations will not have previousId any more, just for compatibility\n previousId?: number | null;\n nextId: number | null;\n node: serializedNodeWithId;\n};\n\nexport type mutationCallbackParam = {\n texts: textMutation[];\n attributes: attributeMutation[];\n removes: removedNodeMutation[];\n adds: addedNodeMutation[];\n isAttachIframe?: true;\n};\n\nexport type mutationCallBack = (m: mutationCallbackParam) => void;\n\nexport type mousemoveCallBack = (\n p: mousePosition[],\n source:\n | IncrementalSource.MouseMove\n | IncrementalSource.TouchMove\n | IncrementalSource.Drag,\n) => void;\n\nexport type mousePosition = {\n x: number;\n y: number;\n id: number;\n timeOffset: number;\n};\n\nexport type mouseMovePos = {\n x: number;\n y: number;\n id: number;\n debugData: incrementalData;\n};\n\nexport enum MouseInteractions {\n MouseUp,\n MouseDown,\n Click,\n ContextMenu,\n DblClick,\n Focus,\n Blur,\n TouchStart,\n TouchMove_Departed, // we will start a separate observer for touch move event\n TouchEnd,\n TouchCancel,\n}\n\nexport enum CanvasContext {\n '2D',\n WebGL,\n WebGL2,\n}\n\nexport type SerializedWebGlArg =\n | {\n rr_type: 'ArrayBuffer';\n base64: string; // base64\n }\n | {\n rr_type: string;\n src: string; // url of image\n }\n | {\n rr_type: string;\n args: SerializedWebGlArg[];\n }\n | {\n rr_type: string;\n index: number;\n }\n | string\n | number\n | boolean\n | null\n | SerializedWebGlArg[];\n\ntype mouseInteractionParam = {\n type: MouseInteractions;\n id: number;\n x: number;\n y: number;\n};\n\nexport type mouseInteractionCallBack = (d: mouseInteractionParam) => void;\n\nexport type scrollPosition = {\n id: number;\n x: number;\n y: number;\n};\n\nexport type scrollCallback = (p: scrollPosition) => void;\n\nexport type styleSheetAddRule = {\n rule: string;\n index?: number | number[];\n};\n\nexport type styleSheetDeleteRule = {\n index: number | number[];\n};\n\nexport type styleSheetRuleParam = {\n id: number;\n removes?: styleSheetDeleteRule[];\n adds?: styleSheetAddRule[];\n};\n\nexport type styleSheetRuleCallback = (s: styleSheetRuleParam) => void;\n\nexport type styleDeclarationParam = {\n id: number;\n index: number[];\n set?: {\n property: string;\n value: string | null;\n priority: string | undefined;\n };\n remove?: {\n property: string;\n };\n};\n\nexport type styleDeclarationCallback = (s: styleDeclarationParam) => void;\n\nexport type canvasMutationCommand = {\n property: string;\n args: Array;\n setter?: true;\n};\n\nexport type canvasMutationParam =\n | {\n id: number;\n type: CanvasContext;\n commands: canvasMutationCommand[];\n }\n | ({\n id: number;\n type: CanvasContext;\n } & canvasMutationCommand);\n\nexport type canvasMutationWithType = {\n type: CanvasContext;\n} & canvasMutationCommand;\n\nexport type canvasMutationCallback = (p: canvasMutationParam) => void;\n\nexport type canvasManagerMutationCallback = (\n target: HTMLCanvasElement,\n p: canvasMutationWithType,\n) => void;\n\nexport type fontParam = {\n family: string;\n fontSource: string;\n buffer: boolean;\n descriptors?: FontFaceDescriptors;\n};\n\nexport type fontCallback = (p: fontParam) => void;\n\nexport type viewportResizeDimension = {\n width: number;\n height: number;\n};\n\nexport type viewportResizeCallback = (d: viewportResizeDimension) => void;\n\nexport type inputValue = {\n text: string;\n isChecked: boolean;\n\n // `userTriggered` indicates if this event was triggered directly by user (userTriggered: true)\n // or was triggered indirectly (userTriggered: false)\n // Example of `userTriggered` in action:\n // User clicks on radio element (userTriggered: true) which triggers the other radio element to change (userTriggered: false)\n userTriggered?: boolean;\n};\n\nexport type inputCallback = (v: inputValue & { id: number }) => void;\n\nexport const enum MediaInteractions {\n Play,\n Pause,\n Seeked,\n VolumeChange,\n}\n\nexport type mediaInteractionParam = {\n type: MediaInteractions;\n id: number;\n currentTime?: number;\n volume?: number;\n muted?: boolean;\n};\n\nexport type mediaInteractionCallback = (p: mediaInteractionParam) => void;\n\nexport type DocumentDimension = {\n x: number;\n y: number;\n // scale value relative to its parent iframe\n relativeScale: number;\n // scale value relative to the root iframe\n absoluteScale: number;\n};\n\nexport type Mirror = {\n map: idNodeMap;\n getId: (n: INode) => number;\n getNode: (id: number) => INode | null;\n removeNodeFromMap: (n: INode) => void;\n has: (id: number) => boolean;\n reset: () => void;\n};\n\nexport type throttleOptions = {\n leading?: boolean;\n trailing?: boolean;\n};\n\nexport type listenerHandler = () => void;\nexport type hookResetter = () => void;\n\nexport type ReplayPlugin = {\n handler: (\n event: eventWithTime,\n isSync: boolean,\n context: { replayer: Replayer },\n ) => void;\n};\nexport type playerConfig = {\n speed: number;\n maxSpeed: number;\n root: Element;\n loadTimeout: number;\n skipInactive: boolean;\n showWarning: boolean;\n showDebug: boolean;\n blockClass: string;\n liveMode: boolean;\n insertStyleRules: string[];\n triggerFocus: boolean;\n UNSAFE_replayCanvas: boolean;\n pauseAnimation?: boolean;\n mouseTail:\n | boolean\n | {\n duration?: number;\n lineCap?: string;\n lineWidth?: number;\n strokeStyle?: string;\n };\n unpackFn?: UnpackFn;\n plugins?: ReplayPlugin[];\n};\n\nexport type playerMetaData = {\n startTime: number;\n endTime: number;\n totalTime: number;\n};\n\nexport type missingNode = {\n node: Node;\n mutation: addedNodeMutation;\n};\nexport type missingNodeMap = {\n [id: number]: missingNode;\n};\n\nexport type actionWithDelay = {\n doAction: () => void;\n delay: number;\n};\n\nexport type Handler = (event?: unknown) => void;\n\nexport type Emitter = {\n on(type: string, handler: Handler): void;\n emit(type: string, event?: unknown): void;\n off(type: string, handler: Handler): void;\n};\n\nexport type Arguments = T extends (...payload: infer U) => unknown\n ? U\n : unknown;\n\nexport enum ReplayerEvents {\n Start = 'start',\n Pause = 'pause',\n Resume = 'resume',\n Resize = 'resize',\n Finish = 'finish',\n FullsnapshotRebuilded = 'fullsnapshot-rebuilded',\n LoadStylesheetStart = 'load-stylesheet-start',\n LoadStylesheetEnd = 'load-stylesheet-end',\n SkipStart = 'skip-start',\n SkipEnd = 'skip-end',\n MouseInteraction = 'mouse-interaction',\n EventCast = 'event-cast',\n CustomEvent = 'custom-event',\n Flush = 'flush',\n StateChange = 'state-change',\n PlayBack = 'play-back',\n}\n\n// store the state that would be changed during the process(unmount from dom and mount again)\nexport type ElementState = {\n // [scrollLeft,scrollTop]\n scroll?: [number, number];\n};\n\nexport type KeepIframeSrcFn = (src: string) => boolean;\n\ndeclare global {\n interface Window {\n FontFace: typeof FontFace;\n }\n}\n\nexport type IWindow = Window & typeof globalThis;\n\nexport type Optional = Pick, K> & Omit;\n","import {\n Mirror,\n throttleOptions,\n listenerHandler,\n hookResetter,\n blockClass,\n IncrementalSource,\n addedNodeMutation,\n removedNodeMutation,\n textMutation,\n attributeMutation,\n mutationData,\n scrollData,\n inputData,\n DocumentDimension,\n IWindow,\n} from './types';\nimport {\n INode,\n IGNORED_NODE,\n serializedNodeWithId,\n NodeType,\n isShadowRoot,\n} from 'rrweb-snapshot';\n\nexport function on(\n type: string,\n fn: EventListenerOrEventListenerObject,\n target: Document | IWindow = document,\n): listenerHandler {\n const options = { capture: true, passive: true };\n target.addEventListener(type, fn, options);\n return () => target.removeEventListener(type, fn, options);\n}\n\nexport function createMirror(): Mirror {\n return {\n map: {},\n getId(n) {\n // if n is not a serialized INode, use -1 as its id.\n if (!n || !n.__sn) {\n return -1;\n }\n return n.__sn.id;\n },\n getNode(id) {\n return this.map[id] || null;\n },\n // TODO: use a weakmap to get rid of manually memory management\n removeNodeFromMap(n) {\n const id = n.__sn && n.__sn.id;\n delete this.map[id];\n if (n.childNodes) {\n n.childNodes.forEach((child) =>\n this.removeNodeFromMap((child as Node) as INode),\n );\n }\n },\n has(id) {\n return this.map.hasOwnProperty(id);\n },\n reset() {\n this.map = {};\n },\n };\n}\n\n// https://github.com/rrweb-io/rrweb/pull/407\nconst DEPARTED_MIRROR_ACCESS_WARNING =\n 'Please stop import mirror directly. Instead of that,' +\n '\\r\\n' +\n 'now you can use replayer.getMirror() to access the mirror instance of a replayer,' +\n '\\r\\n' +\n 'or you can use record.mirror to access the mirror instance during recording.';\nexport let _mirror: Mirror = {\n map: {},\n getId() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n return -1;\n },\n getNode() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n return null;\n },\n removeNodeFromMap() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n },\n has() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n return false;\n },\n reset() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n },\n};\nif (typeof window !== 'undefined' && window.Proxy && window.Reflect) {\n _mirror = new Proxy(_mirror, {\n get(target, prop, receiver) {\n if (prop === 'map') {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n }\n return Reflect.get(target, prop, receiver);\n },\n });\n}\n\n// copy from underscore and modified\nexport function throttle(\n func: (arg: T) => void,\n wait: number,\n options: throttleOptions = {},\n) {\n let timeout: ReturnType | null = null;\n let previous = 0;\n // tslint:disable-next-line: only-arrow-functions\n return function (arg: T) {\n let now = Date.now();\n if (!previous && options.leading === false) {\n previous = now;\n }\n let remaining = wait - (now - previous);\n let context = this;\n let args = arguments;\n if (remaining <= 0 || remaining > wait) {\n if (timeout) {\n clearTimeout(timeout);\n timeout = null;\n }\n previous = now;\n func.apply(context, args);\n } else if (!timeout && options.trailing !== false) {\n timeout = setTimeout(() => {\n previous = options.leading === false ? 0 : Date.now();\n timeout = null;\n func.apply(context, args);\n }, remaining);\n }\n };\n}\n\nexport function hookSetter(\n target: T,\n key: string | number | symbol,\n d: PropertyDescriptor,\n isRevoked?: boolean,\n win = window,\n): hookResetter {\n const original = win.Object.getOwnPropertyDescriptor(target, key);\n win.Object.defineProperty(\n target,\n key,\n isRevoked\n ? d\n : {\n set(value) {\n // put hooked setter into event loop to avoid of set latency\n setTimeout(() => {\n d.set!.call(this, value);\n }, 0);\n if (original && original.set) {\n original.set.call(this, value);\n }\n },\n },\n );\n return () => hookSetter(target, key, original || {}, true);\n}\n\n// copy from https://github.com/getsentry/sentry-javascript/blob/b2109071975af8bf0316d3b5b38f519bdaf5dc15/packages/utils/src/object.ts\nexport function patch(\n // tslint:disable-next-line:no-any\n source: { [key: string]: any },\n name: string,\n // tslint:disable-next-line:no-any\n replacement: (...args: any[]) => any,\n): () => void {\n try {\n if (!(name in source)) {\n return () => {};\n }\n\n const original = source[name] as () => unknown;\n const wrapped = replacement(original);\n\n // Make sure it's a function first, as we need to attach an empty prototype for `defineProperties` to work\n // otherwise it'll throw \"TypeError: Object.defineProperties called on non-object\"\n // tslint:disable-next-line:strict-type-predicates\n if (typeof wrapped === 'function') {\n wrapped.prototype = wrapped.prototype || {};\n Object.defineProperties(wrapped, {\n __rrweb_original__: {\n enumerable: false,\n value: original,\n },\n });\n }\n\n source[name] = wrapped;\n\n return () => {\n source[name] = original;\n };\n } catch {\n return () => {};\n // This can throw if multiple fill happens on a global object like XMLHttpRequest\n // Fixes https://github.com/getsentry/sentry-javascript/issues/2043\n }\n}\n\nexport function getWindowHeight(): number {\n return (\n window.innerHeight ||\n (document.documentElement && document.documentElement.clientHeight) ||\n (document.body && document.body.clientHeight)\n );\n}\n\nexport function getWindowWidth(): number {\n return (\n window.innerWidth ||\n (document.documentElement && document.documentElement.clientWidth) ||\n (document.body && document.body.clientWidth)\n );\n}\n\nexport function isBlocked(node: Node | null, blockClass: blockClass): boolean {\n if (!node) {\n return false;\n }\n if (node.nodeType === node.ELEMENT_NODE) {\n let needBlock = false;\n if (typeof blockClass === 'string') {\n if ((node as HTMLElement).closest !== undefined) {\n return (node as HTMLElement).closest('.' + blockClass) !== null;\n } else {\n needBlock = (node as HTMLElement).classList.contains(blockClass);\n }\n } else {\n (node as HTMLElement).classList.forEach((className) => {\n if (blockClass.test(className)) {\n needBlock = true;\n }\n });\n }\n return needBlock || isBlocked(node.parentNode, blockClass);\n }\n if (node.nodeType === node.TEXT_NODE) {\n // check parent node since text node do not have class name\n return isBlocked(node.parentNode, blockClass);\n }\n return isBlocked(node.parentNode, blockClass);\n}\n\nexport function isIgnored(n: Node | INode): boolean {\n if ('__sn' in n) {\n return (n as INode).__sn.id === IGNORED_NODE;\n }\n // The main part of the slimDOM check happens in\n // rrweb-snapshot::serializeNodeWithId\n return false;\n}\n\nexport function isAncestorRemoved(target: INode, mirror: Mirror): boolean {\n if (isShadowRoot(target)) {\n return false;\n }\n const id = mirror.getId(target);\n if (!mirror.has(id)) {\n return true;\n }\n if (\n target.parentNode &&\n target.parentNode.nodeType === target.DOCUMENT_NODE\n ) {\n return false;\n }\n // if the root is not document, it means the node is not in the DOM tree anymore\n if (!target.parentNode) {\n return true;\n }\n return isAncestorRemoved((target.parentNode as unknown) as INode, mirror);\n}\n\nexport function isTouchEvent(\n event: MouseEvent | TouchEvent,\n): event is TouchEvent {\n return Boolean((event as TouchEvent).changedTouches);\n}\n\nexport function polyfill(win = window) {\n if ('NodeList' in win && !win.NodeList.prototype.forEach) {\n win.NodeList.prototype.forEach = (Array.prototype\n .forEach as unknown) as NodeList['forEach'];\n }\n\n if ('DOMTokenList' in win && !win.DOMTokenList.prototype.forEach) {\n win.DOMTokenList.prototype.forEach = (Array.prototype\n .forEach as unknown) as DOMTokenList['forEach'];\n }\n\n // https://github.com/Financial-Times/polyfill-service/pull/183\n if (!Node.prototype.contains) {\n Node.prototype.contains = function contains(node) {\n if (!(0 in arguments)) {\n throw new TypeError('1 argument is required');\n }\n\n do {\n if (this === node) {\n return true;\n }\n // tslint:disable-next-line: no-conditional-assignment\n } while ((node = node && node.parentNode));\n\n return false;\n };\n }\n}\n\nexport type TreeNode = {\n id: number;\n mutation: addedNodeMutation;\n parent?: TreeNode;\n children: Record;\n texts: textMutation[];\n attributes: attributeMutation[];\n};\nexport class TreeIndex {\n public tree!: Record;\n\n private removeNodeMutations!: removedNodeMutation[];\n private textMutations!: textMutation[];\n private attributeMutations!: attributeMutation[];\n private indexes!: Map;\n private removeIdSet!: Set;\n private scrollMap!: Map;\n private inputMap!: Map;\n\n constructor() {\n this.reset();\n }\n\n public add(mutation: addedNodeMutation) {\n const parentTreeNode = this.indexes.get(mutation.parentId);\n const treeNode: TreeNode = {\n id: mutation.node.id,\n mutation,\n children: [],\n texts: [],\n attributes: [],\n };\n if (!parentTreeNode) {\n this.tree[treeNode.id] = treeNode;\n } else {\n treeNode.parent = parentTreeNode;\n parentTreeNode.children[treeNode.id] = treeNode;\n }\n this.indexes.set(treeNode.id, treeNode);\n }\n\n public remove(mutation: removedNodeMutation, mirror: Mirror) {\n const parentTreeNode = this.indexes.get(mutation.parentId);\n const treeNode = this.indexes.get(mutation.id);\n\n const deepRemoveFromMirror = (id: number) => {\n this.removeIdSet.add(id);\n const node = mirror.getNode(id);\n node?.childNodes.forEach((childNode) => {\n if ('__sn' in childNode) {\n deepRemoveFromMirror(((childNode as unknown) as INode).__sn.id);\n }\n });\n };\n const deepRemoveFromTreeIndex = (node: TreeNode) => {\n this.removeIdSet.add(node.id);\n Object.values(node.children).forEach((n) => deepRemoveFromTreeIndex(n));\n const _treeNode = this.indexes.get(node.id);\n if (_treeNode) {\n const _parentTreeNode = _treeNode.parent;\n if (_parentTreeNode) {\n delete _treeNode.parent;\n delete _parentTreeNode.children[_treeNode.id];\n this.indexes.delete(mutation.id);\n }\n }\n };\n\n if (!treeNode) {\n this.removeNodeMutations.push(mutation);\n deepRemoveFromMirror(mutation.id);\n } else if (!parentTreeNode) {\n delete this.tree[treeNode.id];\n this.indexes.delete(treeNode.id);\n deepRemoveFromTreeIndex(treeNode);\n } else {\n delete treeNode.parent;\n delete parentTreeNode.children[treeNode.id];\n this.indexes.delete(mutation.id);\n deepRemoveFromTreeIndex(treeNode);\n }\n }\n\n public text(mutation: textMutation) {\n const treeNode = this.indexes.get(mutation.id);\n if (treeNode) {\n treeNode.texts.push(mutation);\n } else {\n this.textMutations.push(mutation);\n }\n }\n\n public attribute(mutation: attributeMutation) {\n const treeNode = this.indexes.get(mutation.id);\n if (treeNode) {\n treeNode.attributes.push(mutation);\n } else {\n this.attributeMutations.push(mutation);\n }\n }\n\n public scroll(d: scrollData) {\n this.scrollMap.set(d.id, d);\n }\n\n public input(d: inputData) {\n this.inputMap.set(d.id, d);\n }\n\n public flush(): {\n mutationData: mutationData;\n scrollMap: TreeIndex['scrollMap'];\n inputMap: TreeIndex['inputMap'];\n } {\n const {\n tree,\n removeNodeMutations,\n textMutations,\n attributeMutations,\n } = this;\n\n const batchMutationData: mutationData = {\n source: IncrementalSource.Mutation,\n removes: removeNodeMutations,\n texts: textMutations,\n attributes: attributeMutations,\n adds: [],\n };\n\n const walk = (treeNode: TreeNode, removed: boolean) => {\n if (removed) {\n this.removeIdSet.add(treeNode.id);\n }\n batchMutationData.texts = batchMutationData.texts\n .concat(removed ? [] : treeNode.texts)\n .filter((m) => !this.removeIdSet.has(m.id));\n batchMutationData.attributes = batchMutationData.attributes\n .concat(removed ? [] : treeNode.attributes)\n .filter((m) => !this.removeIdSet.has(m.id));\n if (\n !this.removeIdSet.has(treeNode.id) &&\n !this.removeIdSet.has(treeNode.mutation.parentId) &&\n !removed\n ) {\n batchMutationData.adds.push(treeNode.mutation);\n if (treeNode.children) {\n Object.values(treeNode.children).forEach((n) => walk(n, false));\n }\n } else {\n Object.values(treeNode.children).forEach((n) => walk(n, true));\n }\n };\n\n Object.values(tree).forEach((n) => walk(n, false));\n\n for (const id of this.scrollMap.keys()) {\n if (this.removeIdSet.has(id)) {\n this.scrollMap.delete(id);\n }\n }\n for (const id of this.inputMap.keys()) {\n if (this.removeIdSet.has(id)) {\n this.inputMap.delete(id);\n }\n }\n\n const scrollMap = new Map(this.scrollMap);\n const inputMap = new Map(this.inputMap);\n\n this.reset();\n\n return {\n mutationData: batchMutationData,\n scrollMap,\n inputMap,\n };\n }\n\n private reset() {\n this.tree = [];\n this.indexes = new Map();\n this.removeNodeMutations = [];\n this.textMutations = [];\n this.attributeMutations = [];\n this.removeIdSet = new Set();\n this.scrollMap = new Map();\n this.inputMap = new Map();\n }\n\n public idRemoved(id: number): boolean {\n return this.removeIdSet.has(id);\n }\n}\n\ntype ResolveTree = {\n value: addedNodeMutation;\n children: ResolveTree[];\n parent: ResolveTree | null;\n};\n\nexport function queueToResolveTrees(queue: addedNodeMutation[]): ResolveTree[] {\n const queueNodeMap: Record = {};\n const putIntoMap = (\n m: addedNodeMutation,\n parent: ResolveTree | null,\n ): ResolveTree => {\n const nodeInTree: ResolveTree = {\n value: m,\n parent,\n children: [],\n };\n queueNodeMap[m.node.id] = nodeInTree;\n return nodeInTree;\n };\n\n const queueNodeTrees: ResolveTree[] = [];\n for (const mutation of queue) {\n const { nextId, parentId } = mutation;\n if (nextId && nextId in queueNodeMap) {\n const nextInTree = queueNodeMap[nextId];\n if (nextInTree.parent) {\n const idx = nextInTree.parent.children.indexOf(nextInTree);\n nextInTree.parent.children.splice(\n idx,\n 0,\n putIntoMap(mutation, nextInTree.parent),\n );\n } else {\n const idx = queueNodeTrees.indexOf(nextInTree);\n queueNodeTrees.splice(idx, 0, putIntoMap(mutation, null));\n }\n continue;\n }\n if (parentId in queueNodeMap) {\n const parentInTree = queueNodeMap[parentId];\n parentInTree.children.push(putIntoMap(mutation, parentInTree));\n continue;\n }\n queueNodeTrees.push(putIntoMap(mutation, null));\n }\n\n return queueNodeTrees;\n}\n\nexport function iterateResolveTree(\n tree: ResolveTree,\n cb: (mutation: addedNodeMutation) => unknown,\n) {\n cb(tree.value);\n /**\n * The resolve tree was designed to reflect the DOM layout,\n * but we need append next sibling first, so we do a reverse\n * loop here.\n */\n for (let i = tree.children.length - 1; i >= 0; i--) {\n iterateResolveTree(tree.children[i], cb);\n }\n}\n\ntype HTMLIFrameINode = HTMLIFrameElement & {\n __sn: serializedNodeWithId;\n};\nexport type AppendedIframe = {\n mutationInQueue: addedNodeMutation;\n builtNode: HTMLIFrameINode;\n};\n\nexport function isIframeINode(\n node: INode | ShadowRoot,\n): node is HTMLIFrameINode {\n if ('__sn' in node) {\n return (\n node.__sn.type === NodeType.Element && node.__sn.tagName === 'iframe'\n );\n }\n // node can be document fragment when using the virtual parent feature\n return false;\n}\n\nexport function getBaseDimension(\n node: Node,\n rootIframe: Node,\n): DocumentDimension {\n const frameElement = node.ownerDocument?.defaultView?.frameElement;\n if (!frameElement || frameElement === rootIframe) {\n return {\n x: 0,\n y: 0,\n relativeScale: 1,\n absoluteScale: 1,\n };\n }\n\n const frameDimension = frameElement.getBoundingClientRect();\n const frameBaseDimension = getBaseDimension(frameElement, rootIframe);\n // the iframe element may have a scale transform\n const relativeScale = frameDimension.height / frameElement.clientHeight;\n return {\n x:\n frameDimension.x * frameBaseDimension.relativeScale +\n frameBaseDimension.x,\n y:\n frameDimension.y * frameBaseDimension.relativeScale +\n frameBaseDimension.y,\n relativeScale,\n absoluteScale: frameBaseDimension.absoluteScale * relativeScale,\n };\n}\n\nexport function hasShadowRoot(\n n: T,\n): n is T & { shadowRoot: ShadowRoot } {\n return Boolean(((n as unknown) as Element)?.shadowRoot);\n}\n","/*\n * base64-arraybuffer 1.0.1 \n * Copyright (c) 2021 Niklas von Hertzen \n * Released under MIT License\n */\nvar chars = 'ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/';\n// Use a lookup table to find the index.\nvar lookup = typeof Uint8Array === 'undefined' ? [] : new Uint8Array(256);\nfor (var i = 0; i < chars.length; i++) {\n lookup[chars.charCodeAt(i)] = i;\n}\nvar encode = function (arraybuffer) {\n var bytes = new Uint8Array(arraybuffer), i, len = bytes.length, base64 = '';\n for (i = 0; i < len; i += 3) {\n base64 += chars[bytes[i] >> 2];\n base64 += chars[((bytes[i] & 3) << 4) | (bytes[i + 1] >> 4)];\n base64 += chars[((bytes[i + 1] & 15) << 2) | (bytes[i + 2] >> 6)];\n base64 += chars[bytes[i + 2] & 63];\n }\n if (len % 3 === 2) {\n base64 = base64.substring(0, base64.length - 1) + '=';\n }\n else if (len % 3 === 1) {\n base64 = base64.substring(0, base64.length - 2) + '==';\n }\n return base64;\n};\nvar decode = function (base64) {\n var bufferLength = base64.length * 0.75, len = base64.length, i, p = 0, encoded1, encoded2, encoded3, encoded4;\n if (base64[base64.length - 1] === '=') {\n bufferLength--;\n if (base64[base64.length - 2] === '=') {\n bufferLength--;\n }\n }\n var arraybuffer = new ArrayBuffer(bufferLength), bytes = new Uint8Array(arraybuffer);\n for (i = 0; i < len; i += 4) {\n encoded1 = lookup[base64.charCodeAt(i)];\n encoded2 = lookup[base64.charCodeAt(i + 1)];\n encoded3 = lookup[base64.charCodeAt(i + 2)];\n encoded4 = lookup[base64.charCodeAt(i + 3)];\n bytes[p++] = (encoded1 << 2) | (encoded2 >> 4);\n bytes[p++] = ((encoded2 & 15) << 4) | (encoded3 >> 2);\n bytes[p++] = ((encoded3 & 3) << 6) | (encoded4 & 63);\n }\n return arraybuffer;\n};\n\nexport { decode, encode };\n//# sourceMappingURL=base64-arraybuffer.es5.js.map\n","// DEFLATE is a complex format; to read this code, you should probably check the RFC first:\n// https://tools.ietf.org/html/rfc1951\n// You may also wish to take a look at the guide I made about this program:\n// https://gist.github.com/101arrowz/253f31eb5abc3d9275ab943003ffecad\n// Much of the following code is similar to that of UZIP.js:\n// https://github.com/photopea/UZIP.js\n// Many optimizations have been made, so the bundle size is ultimately smaller but performance is similar.\n// Sometimes 0 will appear where -1 would be more appropriate. This is because using a uint\n// is better for memory in most engines (I *think*).\nvar ch2 = {};\nvar wk = (function (c, id, msg, transfer, cb) {\n var u = ch2[id] || (ch2[id] = URL.createObjectURL(new Blob([c], { type: 'text/javascript' })));\n var w = new Worker(u);\n w.onerror = function (e) { return cb(e.error, null); };\n w.onmessage = function (e) { return cb(null, e.data); };\n w.postMessage(msg, transfer);\n return w;\n});\n\n// aliases for shorter compressed code (most minifers don't do this)\nvar u8 = Uint8Array, u16 = Uint16Array, u32 = Uint32Array;\n// fixed length extra bits\nvar fleb = new u8([0, 0, 0, 0, 0, 0, 0, 0, 1, 1, 1, 1, 2, 2, 2, 2, 3, 3, 3, 3, 4, 4, 4, 4, 5, 5, 5, 5, 0, /* unused */ 0, 0, /* impossible */ 0]);\n// fixed distance extra bits\n// see fleb note\nvar fdeb = new u8([0, 0, 0, 0, 1, 1, 2, 2, 3, 3, 4, 4, 5, 5, 6, 6, 7, 7, 8, 8, 9, 9, 10, 10, 11, 11, 12, 12, 13, 13, /* unused */ 0, 0]);\n// code length index map\nvar clim = new u8([16, 17, 18, 0, 8, 7, 9, 6, 10, 5, 11, 4, 12, 3, 13, 2, 14, 1, 15]);\n// get base, reverse index map from extra bits\nvar freb = function (eb, start) {\n var b = new u16(31);\n for (var i = 0; i < 31; ++i) {\n b[i] = start += 1 << eb[i - 1];\n }\n // numbers here are at max 18 bits\n var r = new u32(b[30]);\n for (var i = 1; i < 30; ++i) {\n for (var j = b[i]; j < b[i + 1]; ++j) {\n r[j] = ((j - b[i]) << 5) | i;\n }\n }\n return [b, r];\n};\nvar _a = freb(fleb, 2), fl = _a[0], revfl = _a[1];\n// we can ignore the fact that the other numbers are wrong; they never happen anyway\nfl[28] = 258, revfl[258] = 28;\nvar _b = freb(fdeb, 0), fd = _b[0], revfd = _b[1];\n// map of value to reverse (assuming 16 bits)\nvar rev = new u16(32768);\nfor (var i = 0; i < 32768; ++i) {\n // reverse table algorithm from SO\n var x = ((i & 0xAAAA) >>> 1) | ((i & 0x5555) << 1);\n x = ((x & 0xCCCC) >>> 2) | ((x & 0x3333) << 2);\n x = ((x & 0xF0F0) >>> 4) | ((x & 0x0F0F) << 4);\n rev[i] = (((x & 0xFF00) >>> 8) | ((x & 0x00FF) << 8)) >>> 1;\n}\n// create huffman tree from u8 \"map\": index -> code length for code index\n// mb (max bits) must be at most 15\n// TODO: optimize/split up?\nvar hMap = (function (cd, mb, r) {\n var s = cd.length;\n // index\n var i = 0;\n // u16 \"map\": index -> # of codes with bit length = index\n var l = new u16(mb);\n // length of cd must be 288 (total # of codes)\n for (; i < s; ++i)\n ++l[cd[i] - 1];\n // u16 \"map\": index -> minimum code for bit length = index\n var le = new u16(mb);\n for (i = 0; i < mb; ++i) {\n le[i] = (le[i - 1] + l[i - 1]) << 1;\n }\n var co;\n if (r) {\n // u16 \"map\": index -> number of actual bits, symbol for code\n co = new u16(1 << mb);\n // bits to remove for reverser\n var rvb = 15 - mb;\n for (i = 0; i < s; ++i) {\n // ignore 0 lengths\n if (cd[i]) {\n // num encoding both symbol and bits read\n var sv = (i << 4) | cd[i];\n // free bits\n var r_1 = mb - cd[i];\n // start value\n var v = le[cd[i] - 1]++ << r_1;\n // m is end value\n for (var m = v | ((1 << r_1) - 1); v <= m; ++v) {\n // every 16 bit value starting with the code yields the same result\n co[rev[v] >>> rvb] = sv;\n }\n }\n }\n }\n else {\n co = new u16(s);\n for (i = 0; i < s; ++i)\n co[i] = rev[le[cd[i] - 1]++] >>> (15 - cd[i]);\n }\n return co;\n});\n// fixed length tree\nvar flt = new u8(288);\nfor (var i = 0; i < 144; ++i)\n flt[i] = 8;\nfor (var i = 144; i < 256; ++i)\n flt[i] = 9;\nfor (var i = 256; i < 280; ++i)\n flt[i] = 7;\nfor (var i = 280; i < 288; ++i)\n flt[i] = 8;\n// fixed distance tree\nvar fdt = new u8(32);\nfor (var i = 0; i < 32; ++i)\n fdt[i] = 5;\n// fixed length map\nvar flm = /*#__PURE__*/ hMap(flt, 9, 0), flrm = /*#__PURE__*/ hMap(flt, 9, 1);\n// fixed distance map\nvar fdm = /*#__PURE__*/ hMap(fdt, 5, 0), fdrm = /*#__PURE__*/ hMap(fdt, 5, 1);\n// find max of array\nvar max = function (a) {\n var m = a[0];\n for (var i = 1; i < a.length; ++i) {\n if (a[i] > m)\n m = a[i];\n }\n return m;\n};\n// read d, starting at bit p and mask with m\nvar bits = function (d, p, m) {\n var o = (p / 8) >> 0;\n return ((d[o] | (d[o + 1] << 8)) >>> (p & 7)) & m;\n};\n// read d, starting at bit p continuing for at least 16 bits\nvar bits16 = function (d, p) {\n var o = (p / 8) >> 0;\n return ((d[o] | (d[o + 1] << 8) | (d[o + 2] << 16)) >>> (p & 7));\n};\n// get end of byte\nvar shft = function (p) { return ((p / 8) >> 0) + (p & 7 && 1); };\n// typed array slice - allows garbage collector to free original reference,\n// while being more compatible than .slice\nvar slc = function (v, s, e) {\n if (s == null || s < 0)\n s = 0;\n if (e == null || e > v.length)\n e = v.length;\n // can't use .constructor in case user-supplied\n var n = new (v instanceof u16 ? u16 : v instanceof u32 ? u32 : u8)(e - s);\n n.set(v.subarray(s, e));\n return n;\n};\n// expands raw DEFLATE data\nvar inflt = function (dat, buf, st) {\n // source length\n var sl = dat.length;\n // have to estimate size\n var noBuf = !buf || st;\n // no state\n var noSt = !st || st.i;\n if (!st)\n st = {};\n // Assumes roughly 33% compression ratio average\n if (!buf)\n buf = new u8(sl * 3);\n // ensure buffer can fit at least l elements\n var cbuf = function (l) {\n var bl = buf.length;\n // need to increase size to fit\n if (l > bl) {\n // Double or set to necessary, whichever is greater\n var nbuf = new u8(Math.max(bl * 2, l));\n nbuf.set(buf);\n buf = nbuf;\n }\n };\n // last chunk bitpos bytes\n var final = st.f || 0, pos = st.p || 0, bt = st.b || 0, lm = st.l, dm = st.d, lbt = st.m, dbt = st.n;\n // total bits\n var tbts = sl * 8;\n do {\n if (!lm) {\n // BFINAL - this is only 1 when last chunk is next\n st.f = final = bits(dat, pos, 1);\n // type: 0 = no compression, 1 = fixed huffman, 2 = dynamic huffman\n var type = bits(dat, pos + 1, 3);\n pos += 3;\n if (!type) {\n // go to end of byte boundary\n var s = shft(pos) + 4, l = dat[s - 4] | (dat[s - 3] << 8), t = s + l;\n if (t > sl) {\n if (noSt)\n throw 'unexpected EOF';\n break;\n }\n // ensure size\n if (noBuf)\n cbuf(bt + l);\n // Copy over uncompressed data\n buf.set(dat.subarray(s, t), bt);\n // Get new bitpos, update byte count\n st.b = bt += l, st.p = pos = t * 8;\n continue;\n }\n else if (type == 1)\n lm = flrm, dm = fdrm, lbt = 9, dbt = 5;\n else if (type == 2) {\n // literal lengths\n var hLit = bits(dat, pos, 31) + 257, hcLen = bits(dat, pos + 10, 15) + 4;\n var tl = hLit + bits(dat, pos + 5, 31) + 1;\n pos += 14;\n // length+distance tree\n var ldt = new u8(tl);\n // code length tree\n var clt = new u8(19);\n for (var i = 0; i < hcLen; ++i) {\n // use index map to get real code\n clt[clim[i]] = bits(dat, pos + i * 3, 7);\n }\n pos += hcLen * 3;\n // code lengths bits\n var clb = max(clt), clbmsk = (1 << clb) - 1;\n if (!noSt && pos + tl * (clb + 7) > tbts)\n break;\n // code lengths map\n var clm = hMap(clt, clb, 1);\n for (var i = 0; i < tl;) {\n var r = clm[bits(dat, pos, clbmsk)];\n // bits read\n pos += r & 15;\n // symbol\n var s = r >>> 4;\n // code length to copy\n if (s < 16) {\n ldt[i++] = s;\n }\n else {\n // copy count\n var c = 0, n = 0;\n if (s == 16)\n n = 3 + bits(dat, pos, 3), pos += 2, c = ldt[i - 1];\n else if (s == 17)\n n = 3 + bits(dat, pos, 7), pos += 3;\n else if (s == 18)\n n = 11 + bits(dat, pos, 127), pos += 7;\n while (n--)\n ldt[i++] = c;\n }\n }\n // length tree distance tree\n var lt = ldt.subarray(0, hLit), dt = ldt.subarray(hLit);\n // max length bits\n lbt = max(lt);\n // max dist bits\n dbt = max(dt);\n lm = hMap(lt, lbt, 1);\n dm = hMap(dt, dbt, 1);\n }\n else\n throw 'invalid block type';\n if (pos > tbts)\n throw 'unexpected EOF';\n }\n // Make sure the buffer can hold this + the largest possible addition\n // Maximum chunk size (practically, theoretically infinite) is 2^17;\n if (noBuf)\n cbuf(bt + 131072);\n var lms = (1 << lbt) - 1, dms = (1 << dbt) - 1;\n var mxa = lbt + dbt + 18;\n while (noSt || pos + mxa < tbts) {\n // bits read, code\n var c = lm[bits16(dat, pos) & lms], sym = c >>> 4;\n pos += c & 15;\n if (pos > tbts)\n throw 'unexpected EOF';\n if (!c)\n throw 'invalid length/literal';\n if (sym < 256)\n buf[bt++] = sym;\n else if (sym == 256) {\n lm = null;\n break;\n }\n else {\n var add = sym - 254;\n // no extra bits needed if less\n if (sym > 264) {\n // index\n var i = sym - 257, b = fleb[i];\n add = bits(dat, pos, (1 << b) - 1) + fl[i];\n pos += b;\n }\n // dist\n var d = dm[bits16(dat, pos) & dms], dsym = d >>> 4;\n if (!d)\n throw 'invalid distance';\n pos += d & 15;\n var dt = fd[dsym];\n if (dsym > 3) {\n var b = fdeb[dsym];\n dt += bits16(dat, pos) & ((1 << b) - 1), pos += b;\n }\n if (pos > tbts)\n throw 'unexpected EOF';\n if (noBuf)\n cbuf(bt + 131072);\n var end = bt + add;\n for (; bt < end; bt += 4) {\n buf[bt] = buf[bt - dt];\n buf[bt + 1] = buf[bt + 1 - dt];\n buf[bt + 2] = buf[bt + 2 - dt];\n buf[bt + 3] = buf[bt + 3 - dt];\n }\n bt = end;\n }\n }\n st.l = lm, st.p = pos, st.b = bt;\n if (lm)\n final = 1, st.m = lbt, st.d = dm, st.n = dbt;\n } while (!final);\n return bt == buf.length ? buf : slc(buf, 0, bt);\n};\n// starting at p, write the minimum number of bits that can hold v to d\nvar wbits = function (d, p, v) {\n v <<= p & 7;\n var o = (p / 8) >> 0;\n d[o] |= v;\n d[o + 1] |= v >>> 8;\n};\n// starting at p, write the minimum number of bits (>8) that can hold v to d\nvar wbits16 = function (d, p, v) {\n v <<= p & 7;\n var o = (p / 8) >> 0;\n d[o] |= v;\n d[o + 1] |= v >>> 8;\n d[o + 2] |= v >>> 16;\n};\n// creates code lengths from a frequency table\nvar hTree = function (d, mb) {\n // Need extra info to make a tree\n var t = [];\n for (var i = 0; i < d.length; ++i) {\n if (d[i])\n t.push({ s: i, f: d[i] });\n }\n var s = t.length;\n var t2 = t.slice();\n if (!s)\n return [new u8(0), 0];\n if (s == 1) {\n var v = new u8(t[0].s + 1);\n v[t[0].s] = 1;\n return [v, 1];\n }\n t.sort(function (a, b) { return a.f - b.f; });\n // after i2 reaches last ind, will be stopped\n // freq must be greater than largest possible number of symbols\n t.push({ s: -1, f: 25001 });\n var l = t[0], r = t[1], i0 = 0, i1 = 1, i2 = 2;\n t[0] = { s: -1, f: l.f + r.f, l: l, r: r };\n // efficient algorithm from UZIP.js\n // i0 is lookbehind, i2 is lookahead - after processing two low-freq\n // symbols that combined have high freq, will start processing i2 (high-freq,\n // non-composite) symbols instead\n // see https://reddit.com/r/photopea/comments/ikekht/uzipjs_questions/\n while (i1 != s - 1) {\n l = t[t[i0].f < t[i2].f ? i0++ : i2++];\n r = t[i0 != i1 && t[i0].f < t[i2].f ? i0++ : i2++];\n t[i1++] = { s: -1, f: l.f + r.f, l: l, r: r };\n }\n var maxSym = t2[0].s;\n for (var i = 1; i < s; ++i) {\n if (t2[i].s > maxSym)\n maxSym = t2[i].s;\n }\n // code lengths\n var tr = new u16(maxSym + 1);\n // max bits in tree\n var mbt = ln(t[i1 - 1], tr, 0);\n if (mbt > mb) {\n // more algorithms from UZIP.js\n // TODO: find out how this code works (debt)\n // ind debt\n var i = 0, dt = 0;\n // left cost\n var lft = mbt - mb, cst = 1 << lft;\n t2.sort(function (a, b) { return tr[b.s] - tr[a.s] || a.f - b.f; });\n for (; i < s; ++i) {\n var i2_1 = t2[i].s;\n if (tr[i2_1] > mb) {\n dt += cst - (1 << (mbt - tr[i2_1]));\n tr[i2_1] = mb;\n }\n else\n break;\n }\n dt >>>= lft;\n while (dt > 0) {\n var i2_2 = t2[i].s;\n if (tr[i2_2] < mb)\n dt -= 1 << (mb - tr[i2_2]++ - 1);\n else\n ++i;\n }\n for (; i >= 0 && dt; --i) {\n var i2_3 = t2[i].s;\n if (tr[i2_3] == mb) {\n --tr[i2_3];\n ++dt;\n }\n }\n mbt = mb;\n }\n return [new u8(tr), mbt];\n};\n// get the max length and assign length codes\nvar ln = function (n, l, d) {\n return n.s == -1\n ? Math.max(ln(n.l, l, d + 1), ln(n.r, l, d + 1))\n : (l[n.s] = d);\n};\n// length codes generation\nvar lc = function (c) {\n var s = c.length;\n // Note that the semicolon was intentional\n while (s && !c[--s])\n ;\n var cl = new u16(++s);\n // ind num streak\n var cli = 0, cln = c[0], cls = 1;\n var w = function (v) { cl[cli++] = v; };\n for (var i = 1; i <= s; ++i) {\n if (c[i] == cln && i != s)\n ++cls;\n else {\n if (!cln && cls > 2) {\n for (; cls > 138; cls -= 138)\n w(32754);\n if (cls > 2) {\n w(cls > 10 ? ((cls - 11) << 5) | 28690 : ((cls - 3) << 5) | 12305);\n cls = 0;\n }\n }\n else if (cls > 3) {\n w(cln), --cls;\n for (; cls > 6; cls -= 6)\n w(8304);\n if (cls > 2)\n w(((cls - 3) << 5) | 8208), cls = 0;\n }\n while (cls--)\n w(cln);\n cls = 1;\n cln = c[i];\n }\n }\n return [cl.subarray(0, cli), s];\n};\n// calculate the length of output from tree, code lengths\nvar clen = function (cf, cl) {\n var l = 0;\n for (var i = 0; i < cl.length; ++i)\n l += cf[i] * cl[i];\n return l;\n};\n// writes a fixed block\n// returns the new bit pos\nvar wfblk = function (out, pos, dat) {\n // no need to write 00 as type: TypedArray defaults to 0\n var s = dat.length;\n var o = shft(pos + 2);\n out[o] = s & 255;\n out[o + 1] = s >>> 8;\n out[o + 2] = out[o] ^ 255;\n out[o + 3] = out[o + 1] ^ 255;\n for (var i = 0; i < s; ++i)\n out[o + i + 4] = dat[i];\n return (o + 4 + s) * 8;\n};\n// writes a block\nvar wblk = function (dat, out, final, syms, lf, df, eb, li, bs, bl, p) {\n wbits(out, p++, final);\n ++lf[256];\n var _a = hTree(lf, 15), dlt = _a[0], mlb = _a[1];\n var _b = hTree(df, 15), ddt = _b[0], mdb = _b[1];\n var _c = lc(dlt), lclt = _c[0], nlc = _c[1];\n var _d = lc(ddt), lcdt = _d[0], ndc = _d[1];\n var lcfreq = new u16(19);\n for (var i = 0; i < lclt.length; ++i)\n lcfreq[lclt[i] & 31]++;\n for (var i = 0; i < lcdt.length; ++i)\n lcfreq[lcdt[i] & 31]++;\n var _e = hTree(lcfreq, 7), lct = _e[0], mlcb = _e[1];\n var nlcc = 19;\n for (; nlcc > 4 && !lct[clim[nlcc - 1]]; --nlcc)\n ;\n var flen = (bl + 5) << 3;\n var ftlen = clen(lf, flt) + clen(df, fdt) + eb;\n var dtlen = clen(lf, dlt) + clen(df, ddt) + eb + 14 + 3 * nlcc + clen(lcfreq, lct) + (2 * lcfreq[16] + 3 * lcfreq[17] + 7 * lcfreq[18]);\n if (flen <= ftlen && flen <= dtlen)\n return wfblk(out, p, dat.subarray(bs, bs + bl));\n var lm, ll, dm, dl;\n wbits(out, p, 1 + (dtlen < ftlen)), p += 2;\n if (dtlen < ftlen) {\n lm = hMap(dlt, mlb, 0), ll = dlt, dm = hMap(ddt, mdb, 0), dl = ddt;\n var llm = hMap(lct, mlcb, 0);\n wbits(out, p, nlc - 257);\n wbits(out, p + 5, ndc - 1);\n wbits(out, p + 10, nlcc - 4);\n p += 14;\n for (var i = 0; i < nlcc; ++i)\n wbits(out, p + 3 * i, lct[clim[i]]);\n p += 3 * nlcc;\n var lcts = [lclt, lcdt];\n for (var it = 0; it < 2; ++it) {\n var clct = lcts[it];\n for (var i = 0; i < clct.length; ++i) {\n var len = clct[i] & 31;\n wbits(out, p, llm[len]), p += lct[len];\n if (len > 15)\n wbits(out, p, (clct[i] >>> 5) & 127), p += clct[i] >>> 12;\n }\n }\n }\n else {\n lm = flm, ll = flt, dm = fdm, dl = fdt;\n }\n for (var i = 0; i < li; ++i) {\n if (syms[i] > 255) {\n var len = (syms[i] >>> 18) & 31;\n wbits16(out, p, lm[len + 257]), p += ll[len + 257];\n if (len > 7)\n wbits(out, p, (syms[i] >>> 23) & 31), p += fleb[len];\n var dst = syms[i] & 31;\n wbits16(out, p, dm[dst]), p += dl[dst];\n if (dst > 3)\n wbits16(out, p, (syms[i] >>> 5) & 8191), p += fdeb[dst];\n }\n else {\n wbits16(out, p, lm[syms[i]]), p += ll[syms[i]];\n }\n }\n wbits16(out, p, lm[256]);\n return p + ll[256];\n};\n// deflate options (nice << 13) | chain\nvar deo = /*#__PURE__*/ new u32([65540, 131080, 131088, 131104, 262176, 1048704, 1048832, 2114560, 2117632]);\n// empty\nvar et = /*#__PURE__*/ new u8(0);\n// compresses data into a raw DEFLATE buffer\nvar dflt = function (dat, lvl, plvl, pre, post, lst) {\n var s = dat.length;\n var o = new u8(pre + s + 5 * (1 + Math.floor(s / 7000)) + post);\n // writing to this writes to the output buffer\n var w = o.subarray(pre, o.length - post);\n var pos = 0;\n if (!lvl || s < 8) {\n for (var i = 0; i <= s; i += 65535) {\n // end\n var e = i + 65535;\n if (e < s) {\n // write full block\n pos = wfblk(w, pos, dat.subarray(i, e));\n }\n else {\n // write final block\n w[i] = lst;\n pos = wfblk(w, pos, dat.subarray(i, s));\n }\n }\n }\n else {\n var opt = deo[lvl - 1];\n var n = opt >>> 13, c = opt & 8191;\n var msk_1 = (1 << plvl) - 1;\n // prev 2-byte val map curr 2-byte val map\n var prev = new u16(32768), head = new u16(msk_1 + 1);\n var bs1_1 = Math.ceil(plvl / 3), bs2_1 = 2 * bs1_1;\n var hsh = function (i) { return (dat[i] ^ (dat[i + 1] << bs1_1) ^ (dat[i + 2] << bs2_1)) & msk_1; };\n // 24576 is an arbitrary number of maximum symbols per block\n // 424 buffer for last block\n var syms = new u32(25000);\n // length/literal freq distance freq\n var lf = new u16(288), df = new u16(32);\n // l/lcnt exbits index l/lind waitdx bitpos\n var lc_1 = 0, eb = 0, i = 0, li = 0, wi = 0, bs = 0;\n for (; i < s; ++i) {\n // hash value\n var hv = hsh(i);\n // index mod 32768\n var imod = i & 32767;\n // previous index with this value\n var pimod = head[hv];\n prev[imod] = pimod;\n head[hv] = imod;\n // We always should modify head and prev, but only add symbols if\n // this data is not yet processed (\"wait\" for wait index)\n if (wi <= i) {\n // bytes remaining\n var rem = s - i;\n if ((lc_1 > 7000 || li > 24576) && rem > 423) {\n pos = wblk(dat, w, 0, syms, lf, df, eb, li, bs, i - bs, pos);\n li = lc_1 = eb = 0, bs = i;\n for (var j = 0; j < 286; ++j)\n lf[j] = 0;\n for (var j = 0; j < 30; ++j)\n df[j] = 0;\n }\n // len dist chain\n var l = 2, d = 0, ch_1 = c, dif = (imod - pimod) & 32767;\n if (rem > 2 && hv == hsh(i - dif)) {\n var maxn = Math.min(n, rem) - 1;\n var maxd = Math.min(32767, i);\n // max possible length\n // not capped at dif because decompressors implement \"rolling\" index population\n var ml = Math.min(258, rem);\n while (dif <= maxd && --ch_1 && imod != pimod) {\n if (dat[i + l] == dat[i + l - dif]) {\n var nl = 0;\n for (; nl < ml && dat[i + nl] == dat[i + nl - dif]; ++nl)\n ;\n if (nl > l) {\n l = nl, d = dif;\n // break out early when we reach \"nice\" (we are satisfied enough)\n if (nl > maxn)\n break;\n // now, find the rarest 2-byte sequence within this\n // length of literals and search for that instead.\n // Much faster than just using the start\n var mmd = Math.min(dif, nl - 2);\n var md = 0;\n for (var j = 0; j < mmd; ++j) {\n var ti = (i - dif + j + 32768) & 32767;\n var pti = prev[ti];\n var cd = (ti - pti + 32768) & 32767;\n if (cd > md)\n md = cd, pimod = ti;\n }\n }\n }\n // check the previous match\n imod = pimod, pimod = prev[imod];\n dif += (imod - pimod + 32768) & 32767;\n }\n }\n // d will be nonzero only when a match was found\n if (d) {\n // store both dist and len data in one Uint32\n // Make sure this is recognized as a len/dist with 28th bit (2^28)\n syms[li++] = 268435456 | (revfl[l] << 18) | revfd[d];\n var lin = revfl[l] & 31, din = revfd[d] & 31;\n eb += fleb[lin] + fdeb[din];\n ++lf[257 + lin];\n ++df[din];\n wi = i + l;\n ++lc_1;\n }\n else {\n syms[li++] = dat[i];\n ++lf[dat[i]];\n }\n }\n }\n pos = wblk(dat, w, lst, syms, lf, df, eb, li, bs, i - bs, pos);\n // this is the easiest way to avoid needing to maintain state\n if (!lst)\n pos = wfblk(w, pos, et);\n }\n return slc(o, 0, pre + shft(pos) + post);\n};\n// CRC32 table\nvar crct = /*#__PURE__*/ (function () {\n var t = new u32(256);\n for (var i = 0; i < 256; ++i) {\n var c = i, k = 9;\n while (--k)\n c = ((c & 1) && 0xEDB88320) ^ (c >>> 1);\n t[i] = c;\n }\n return t;\n})();\n// CRC32\nvar crc = function () {\n var c = 0xFFFFFFFF;\n return {\n p: function (d) {\n // closures have awful performance\n var cr = c;\n for (var i = 0; i < d.length; ++i)\n cr = crct[(cr & 255) ^ d[i]] ^ (cr >>> 8);\n c = cr;\n },\n d: function () { return c ^ 0xFFFFFFFF; }\n };\n};\n// Alder32\nvar adler = function () {\n var a = 1, b = 0;\n return {\n p: function (d) {\n // closures have awful performance\n var n = a, m = b;\n var l = d.length;\n for (var i = 0; i != l;) {\n var e = Math.min(i + 5552, l);\n for (; i < e; ++i)\n n += d[i], m += n;\n n %= 65521, m %= 65521;\n }\n a = n, b = m;\n },\n d: function () { return ((a >>> 8) << 16 | (b & 255) << 8 | (b >>> 8)) + ((a & 255) << 23) * 2; }\n };\n};\n;\n// deflate with opts\nvar dopt = function (dat, opt, pre, post, st) {\n return dflt(dat, opt.level == null ? 6 : opt.level, opt.mem == null ? Math.ceil(Math.max(8, Math.min(13, Math.log(dat.length))) * 1.5) : (12 + opt.mem), pre, post, !st);\n};\n// Walmart object spread\nvar mrg = function (a, b) {\n var o = {};\n for (var k in a)\n o[k] = a[k];\n for (var k in b)\n o[k] = b[k];\n return o;\n};\n// worker clone\n// This is possibly the craziest part of the entire codebase, despite how simple it may seem.\n// The only parameter to this function is a closure that returns an array of variables outside of the function scope.\n// We're going to try to figure out the variable names used in the closure as strings because that is crucial for workerization.\n// We will return an object mapping of true variable name to value (basically, the current scope as a JS object).\n// The reason we can't just use the original variable names is minifiers mangling the toplevel scope.\n// This took me three weeks to figure out how to do.\nvar wcln = function (fn, fnStr, td) {\n var dt = fn();\n var st = fn.toString();\n var ks = st.slice(st.indexOf('[') + 1, st.lastIndexOf(']')).replace(/ /g, '').split(',');\n for (var i = 0; i < dt.length; ++i) {\n var v = dt[i], k = ks[i];\n if (typeof v == 'function') {\n fnStr += ';' + k + '=';\n var st_1 = v.toString();\n if (v.prototype) {\n // for global objects\n if (st_1.indexOf('[native code]') != -1) {\n var spInd = st_1.indexOf(' ', 8) + 1;\n fnStr += st_1.slice(spInd, st_1.indexOf('(', spInd));\n }\n else {\n fnStr += st_1;\n for (var t in v.prototype)\n fnStr += ';' + k + '.prototype.' + t + '=' + v.prototype[t].toString();\n }\n }\n else\n fnStr += st_1;\n }\n else\n td[k] = v;\n }\n return [fnStr, td];\n};\nvar ch = [];\n// clone bufs\nvar cbfs = function (v) {\n var tl = [];\n for (var k in v) {\n if (v[k] instanceof u8 || v[k] instanceof u16 || v[k] instanceof u32)\n tl.push((v[k] = new v[k].constructor(v[k])).buffer);\n }\n return tl;\n};\n// use a worker to execute code\nvar wrkr = function (fns, init, id, cb) {\n var _a;\n if (!ch[id]) {\n var fnStr = '', td_1 = {}, m = fns.length - 1;\n for (var i = 0; i < m; ++i)\n _a = wcln(fns[i], fnStr, td_1), fnStr = _a[0], td_1 = _a[1];\n ch[id] = wcln(fns[m], fnStr, td_1);\n }\n var td = mrg({}, ch[id][1]);\n return wk(ch[id][0] + ';onmessage=function(e){for(var k in e.data)self[k]=e.data[k];onmessage=' + init.toString() + '}', id, td, cbfs(td), cb);\n};\n// base async inflate fn\nvar bInflt = function () { return [u8, u16, u32, fleb, fdeb, clim, fl, fd, flrm, fdrm, rev, hMap, max, bits, bits16, shft, slc, inflt, inflateSync, pbf, gu8]; };\nvar bDflt = function () { return [u8, u16, u32, fleb, fdeb, clim, revfl, revfd, flm, flt, fdm, fdt, rev, deo, et, hMap, wbits, wbits16, hTree, ln, lc, clen, wfblk, wblk, shft, slc, dflt, dopt, deflateSync, pbf]; };\n// gzip extra\nvar gze = function () { return [gzh, gzhl, wbytes, crc, crct]; };\n// gunzip extra\nvar guze = function () { return [gzs, gzl]; };\n// zlib extra\nvar zle = function () { return [zlh, wbytes, adler]; };\n// unzlib extra\nvar zule = function () { return [zlv]; };\n// post buf\nvar pbf = function (msg) { return postMessage(msg, [msg.buffer]); };\n// get u8\nvar gu8 = function (o) { return o && o.size && new u8(o.size); };\n// async helper\nvar cbify = function (dat, opts, fns, init, id, cb) {\n var w = wrkr(fns, init, id, function (err, dat) {\n w.terminate();\n cb(err, dat);\n });\n if (!opts.consume)\n dat = new u8(dat);\n w.postMessage([dat, opts], [dat.buffer]);\n return function () { w.terminate(); };\n};\n// auto stream\nvar astrm = function (strm) {\n strm.ondata = function (dat, final) { return postMessage([dat, final], [dat.buffer]); };\n return function (ev) { return strm.push(ev.data[0], ev.data[1]); };\n};\n// async stream attach\nvar astrmify = function (fns, strm, opts, init, id) {\n var t;\n var w = wrkr(fns, init, id, function (err, dat) {\n if (err)\n w.terminate(), strm.ondata.call(strm, err);\n else {\n if (dat[1])\n w.terminate();\n strm.ondata.call(strm, err, dat[0], dat[1]);\n }\n });\n w.postMessage(opts);\n strm.push = function (d, f) {\n if (t)\n throw 'stream finished';\n if (!strm.ondata)\n throw 'no stream handler';\n w.postMessage([d, t = f], [d.buffer]);\n };\n strm.terminate = function () { w.terminate(); };\n};\n// read 2 bytes\nvar b2 = function (d, b) { return d[b] | (d[b + 1] << 8); };\n// read 4 bytes\nvar b4 = function (d, b) { return (d[b] | (d[b + 1] << 8) | (d[b + 2] << 16)) + (d[b + 3] << 23) * 2; };\n// write bytes\nvar wbytes = function (d, b, v) {\n for (; v; ++b)\n d[b] = v, v >>>= 8;\n};\n// gzip header\nvar gzh = function (c, o) {\n var fn = o.filename;\n c[0] = 31, c[1] = 139, c[2] = 8, c[8] = o.level < 2 ? 4 : o.level == 9 ? 2 : 0, c[9] = 3; // assume Unix\n if (o.mtime != 0)\n wbytes(c, 4, Math.floor(new Date(o.mtime || Date.now()) / 1000));\n if (fn) {\n c[3] = 8;\n for (var i = 0; i <= fn.length; ++i)\n c[i + 10] = fn.charCodeAt(i);\n }\n};\n// gzip footer: -8 to -4 = CRC, -4 to -0 is length\n// gzip start\nvar gzs = function (d) {\n if (d[0] != 31 || d[1] != 139 || d[2] != 8)\n throw 'invalid gzip data';\n var flg = d[3];\n var st = 10;\n if (flg & 4)\n st += d[10] | (d[11] << 8) + 2;\n for (var zs = (flg >> 3 & 1) + (flg >> 4 & 1); zs > 0; zs -= !d[st++])\n ;\n return st + (flg & 2);\n};\n// gzip length\nvar gzl = function (d) {\n var l = d.length;\n return (d[l - 4] | d[l - 3] << 8 | d[l - 2] << 16) + (2 * (d[l - 1] << 23));\n};\n// gzip header length\nvar gzhl = function (o) { return 10 + ((o.filename && (o.filename.length + 1)) || 0); };\n// zlib header\nvar zlh = function (c, o) {\n var lv = o.level, fl = lv == 0 ? 0 : lv < 6 ? 1 : lv == 9 ? 3 : 2;\n c[0] = 120, c[1] = (fl << 6) | (fl ? (32 - 2 * fl) : 1);\n};\n// zlib valid\nvar zlv = function (d) {\n if ((d[0] & 15) != 8 || (d[0] >>> 4) > 7 || ((d[0] << 8 | d[1]) % 31))\n throw 'invalid zlib data';\n if (d[1] & 32)\n throw 'invalid zlib data: preset dictionaries not supported';\n};\nfunction AsyncCmpStrm(opts, cb) {\n if (!cb && typeof opts == 'function')\n cb = opts, opts = {};\n this.ondata = cb;\n return opts;\n}\n// zlib footer: -4 to -0 is Adler32\n/**\n * Streaming DEFLATE compression\n */\nvar Deflate = /*#__PURE__*/ (function () {\n function Deflate(opts, cb) {\n if (!cb && typeof opts == 'function')\n cb = opts, opts = {};\n this.ondata = cb;\n this.o = opts || {};\n }\n Deflate.prototype.p = function (c, f) {\n this.ondata(dopt(c, this.o, 0, 0, !f), f);\n };\n /**\n * Pushes a chunk to be deflated\n * @param chunk The chunk to push\n * @param final Whether this is the last chunk\n */\n Deflate.prototype.push = function (chunk, final) {\n if (this.d)\n throw 'stream finished';\n if (!this.ondata)\n throw 'no stream handler';\n this.d = final;\n this.p(chunk, final || false);\n };\n return Deflate;\n}());\nexport { Deflate };\n/**\n * Asynchronous streaming DEFLATE compression\n */\nvar AsyncDeflate = /*#__PURE__*/ (function () {\n function AsyncDeflate(opts, cb) {\n astrmify([\n bDflt,\n function () { return [astrm, Deflate]; }\n ], this, AsyncCmpStrm.call(this, opts, cb), function (ev) {\n var strm = new Deflate(ev.data);\n onmessage = astrm(strm);\n }, 6);\n }\n return AsyncDeflate;\n}());\nexport { AsyncDeflate };\nexport function deflate(data, opts, cb) {\n if (!cb)\n cb = opts, opts = {};\n if (typeof cb != 'function')\n throw 'no callback';\n return cbify(data, opts, [\n bDflt,\n ], function (ev) { return pbf(deflateSync(ev.data[0], ev.data[1])); }, 0, cb);\n}\n/**\n * Compresses data with DEFLATE without any wrapper\n * @param data The data to compress\n * @param opts The compression options\n * @returns The deflated version of the data\n */\nexport function deflateSync(data, opts) {\n if (opts === void 0) { opts = {}; }\n return dopt(data, opts, 0, 0);\n}\n/**\n * Streaming DEFLATE decompression\n */\nvar Inflate = /*#__PURE__*/ (function () {\n /**\n * Creates an inflation stream\n * @param cb The callback to call whenever data is inflated\n */\n function Inflate(cb) {\n this.s = {};\n this.p = new u8(0);\n this.ondata = cb;\n }\n Inflate.prototype.e = function (c) {\n if (this.d)\n throw 'stream finished';\n if (!this.ondata)\n throw 'no stream handler';\n var l = this.p.length;\n var n = new u8(l + c.length);\n n.set(this.p), n.set(c, l), this.p = n;\n };\n Inflate.prototype.c = function (final) {\n this.d = this.s.i = final || false;\n var bts = this.s.b;\n var dt = inflt(this.p, this.o, this.s);\n this.ondata(slc(dt, bts, this.s.b), this.d);\n this.o = slc(dt, this.s.b - 32768), this.s.b = this.o.length;\n this.p = slc(this.p, (this.s.p / 8) >> 0), this.s.p &= 7;\n };\n /**\n * Pushes a chunk to be inflated\n * @param chunk The chunk to push\n * @param final Whether this is the final chunk\n */\n Inflate.prototype.push = function (chunk, final) {\n this.e(chunk), this.c(final);\n };\n return Inflate;\n}());\nexport { Inflate };\n/**\n * Asynchronous streaming DEFLATE decompression\n */\nvar AsyncInflate = /*#__PURE__*/ (function () {\n /**\n * Creates an asynchronous inflation stream\n * @param cb The callback to call whenever data is deflated\n */\n function AsyncInflate(cb) {\n this.ondata = cb;\n astrmify([\n bInflt,\n function () { return [astrm, Inflate]; }\n ], this, 0, function () {\n var strm = new Inflate();\n onmessage = astrm(strm);\n }, 7);\n }\n return AsyncInflate;\n}());\nexport { AsyncInflate };\nexport function inflate(data, opts, cb) {\n if (!cb)\n cb = opts, opts = {};\n if (typeof cb != 'function')\n throw 'no callback';\n return cbify(data, opts, [\n bInflt\n ], function (ev) { return pbf(inflateSync(ev.data[0], gu8(ev.data[1]))); }, 1, cb);\n}\n/**\n * Expands DEFLATE data with no wrapper\n * @param data The data to decompress\n * @param out Where to write the data. Saves memory if you know the decompressed size and provide an output buffer of that length.\n * @returns The decompressed version of the data\n */\nexport function inflateSync(data, out) {\n return inflt(data, out);\n}\n// before you yell at me for not just using extends, my reason is that TS inheritance is hard to workerize.\n/**\n * Streaming GZIP compression\n */\nvar Gzip = /*#__PURE__*/ (function () {\n function Gzip(opts, cb) {\n this.c = crc();\n this.l = 0;\n this.v = 1;\n Deflate.call(this, opts, cb);\n }\n /**\n * Pushes a chunk to be GZIPped\n * @param chunk The chunk to push\n * @param final Whether this is the last chunk\n */\n Gzip.prototype.push = function (chunk, final) {\n Deflate.prototype.push.call(this, chunk, final);\n };\n Gzip.prototype.p = function (c, f) {\n this.c.p(c);\n this.l += c.length;\n var raw = dopt(c, this.o, this.v && gzhl(this.o), f && 8, !f);\n if (this.v)\n gzh(raw, this.o), this.v = 0;\n if (f)\n wbytes(raw, raw.length - 8, this.c.d()), wbytes(raw, raw.length - 4, this.l);\n this.ondata(raw, f);\n };\n return Gzip;\n}());\nexport { Gzip };\n/**\n * Asynchronous streaming GZIP compression\n */\nvar AsyncGzip = /*#__PURE__*/ (function () {\n function AsyncGzip(opts, cb) {\n astrmify([\n bDflt,\n gze,\n function () { return [astrm, Deflate, Gzip]; }\n ], this, AsyncCmpStrm.call(this, opts, cb), function (ev) {\n var strm = new Gzip(ev.data);\n onmessage = astrm(strm);\n }, 8);\n }\n return AsyncGzip;\n}());\nexport { AsyncGzip };\nexport function gzip(data, opts, cb) {\n if (!cb)\n cb = opts, opts = {};\n if (typeof cb != 'function')\n throw 'no callback';\n return cbify(data, opts, [\n bDflt,\n gze,\n function () { return [gzipSync]; }\n ], function (ev) { return pbf(gzipSync(ev.data[0], ev.data[1])); }, 2, cb);\n}\n/**\n * Compresses data with GZIP\n * @param data The data to compress\n * @param opts The compression options\n * @returns The gzipped version of the data\n */\nexport function gzipSync(data, opts) {\n if (opts === void 0) { opts = {}; }\n var c = crc(), l = data.length;\n c.p(data);\n var d = dopt(data, opts, gzhl(opts), 8), s = d.length;\n return gzh(d, opts), wbytes(d, s - 8, c.d()), wbytes(d, s - 4, l), d;\n}\n/**\n * Streaming GZIP decompression\n */\nvar Gunzip = /*#__PURE__*/ (function () {\n /**\n * Creates a GUNZIP stream\n * @param cb The callback to call whenever data is inflated\n */\n function Gunzip(cb) {\n this.v = 1;\n Inflate.call(this, cb);\n }\n /**\n * Pushes a chunk to be GUNZIPped\n * @param chunk The chunk to push\n * @param final Whether this is the last chunk\n */\n Gunzip.prototype.push = function (chunk, final) {\n Inflate.prototype.e.call(this, chunk);\n if (this.v) {\n var s = gzs(this.p);\n if (s >= this.p.length && !final)\n return;\n this.p = this.p.subarray(s), this.v = 0;\n }\n if (final) {\n if (this.p.length < 8)\n throw 'invalid gzip stream';\n this.p = this.p.subarray(0, -8);\n }\n // necessary to prevent TS from using the closure value\n // This allows for workerization to function correctly\n Inflate.prototype.c.call(this, final);\n };\n return Gunzip;\n}());\nexport { Gunzip };\n/**\n * Asynchronous streaming GZIP decompression\n */\nvar AsyncGunzip = /*#__PURE__*/ (function () {\n /**\n * Creates an asynchronous GUNZIP stream\n * @param cb The callback to call whenever data is deflated\n */\n function AsyncGunzip(cb) {\n this.ondata = cb;\n astrmify([\n bInflt,\n guze,\n function () { return [astrm, Inflate, Gunzip]; }\n ], this, 0, function () {\n var strm = new Gunzip();\n onmessage = astrm(strm);\n }, 9);\n }\n return AsyncGunzip;\n}());\nexport { AsyncGunzip };\nexport function gunzip(data, opts, cb) {\n if (!cb)\n cb = opts, opts = {};\n if (typeof cb != 'function')\n throw 'no callback';\n return cbify(data, opts, [\n bInflt,\n guze,\n function () { return [gunzipSync]; }\n ], function (ev) { return pbf(gunzipSync(ev.data[0])); }, 3, cb);\n}\n/**\n * Expands GZIP data\n * @param data The data to decompress\n * @param out Where to write the data. GZIP already encodes the output size, so providing this doesn't save memory.\n * @returns The decompressed version of the data\n */\nexport function gunzipSync(data, out) {\n return inflt(data.subarray(gzs(data), -8), out || new u8(gzl(data)));\n}\n/**\n * Streaming Zlib compression\n */\nvar Zlib = /*#__PURE__*/ (function () {\n function Zlib(opts, cb) {\n this.c = adler();\n this.v = 1;\n Deflate.call(this, opts, cb);\n }\n /**\n * Pushes a chunk to be zlibbed\n * @param chunk The chunk to push\n * @param final Whether this is the last chunk\n */\n Zlib.prototype.push = function (chunk, final) {\n Deflate.prototype.push.call(this, chunk, final);\n };\n Zlib.prototype.p = function (c, f) {\n this.c.p(c);\n var raw = dopt(c, this.o, this.v && 2, f && 4, !f);\n if (this.v)\n zlh(raw, this.o), this.v = 0;\n if (f)\n wbytes(raw, raw.length - 4, this.c.d());\n this.ondata(raw, f);\n };\n return Zlib;\n}());\nexport { Zlib };\n/**\n * Asynchronous streaming Zlib compression\n */\nvar AsyncZlib = /*#__PURE__*/ (function () {\n function AsyncZlib(opts, cb) {\n astrmify([\n bDflt,\n zle,\n function () { return [astrm, Deflate, Zlib]; }\n ], this, AsyncCmpStrm.call(this, opts, cb), function (ev) {\n var strm = new Zlib(ev.data);\n onmessage = astrm(strm);\n }, 10);\n }\n return AsyncZlib;\n}());\nexport { AsyncZlib };\nexport function zlib(data, opts, cb) {\n if (!cb)\n cb = opts, opts = {};\n if (typeof cb != 'function')\n throw 'no callback';\n return cbify(data, opts, [\n bDflt,\n zle,\n function () { return [zlibSync]; }\n ], function (ev) { return pbf(zlibSync(ev.data[0], ev.data[1])); }, 4, cb);\n}\n/**\n * Compress data with Zlib\n * @param data The data to compress\n * @param opts The compression options\n * @returns The zlib-compressed version of the data\n */\nexport function zlibSync(data, opts) {\n if (opts === void 0) { opts = {}; }\n var a = adler();\n a.p(data);\n var d = dopt(data, opts, 2, 4);\n return zlh(d, opts), wbytes(d, d.length - 4, a.d()), d;\n}\n/**\n * Streaming Zlib decompression\n */\nvar Unzlib = /*#__PURE__*/ (function () {\n /**\n * Creates a Zlib decompression stream\n * @param cb The callback to call whenever data is inflated\n */\n function Unzlib(cb) {\n this.v = 1;\n Inflate.call(this, cb);\n }\n /**\n * Pushes a chunk to be unzlibbed\n * @param chunk The chunk to push\n * @param final Whether this is the last chunk\n */\n Unzlib.prototype.push = function (chunk, final) {\n Inflate.prototype.e.call(this, chunk);\n if (this.v) {\n if (this.p.length < 2 && !final)\n return;\n this.p = this.p.subarray(2), this.v = 0;\n }\n if (final) {\n if (this.p.length < 4)\n throw 'invalid zlib stream';\n this.p = this.p.subarray(0, -4);\n }\n // necessary to prevent TS from using the closure value\n // This allows for workerization to function correctly\n Inflate.prototype.c.call(this, final);\n };\n return Unzlib;\n}());\nexport { Unzlib };\n/**\n * Asynchronous streaming Zlib decompression\n */\nvar AsyncUnzlib = /*#__PURE__*/ (function () {\n /**\n * Creates an asynchronous Zlib decompression stream\n * @param cb The callback to call whenever data is deflated\n */\n function AsyncUnzlib(cb) {\n this.ondata = cb;\n astrmify([\n bInflt,\n zule,\n function () { return [astrm, Inflate, Unzlib]; }\n ], this, 0, function () {\n var strm = new Unzlib();\n onmessage = astrm(strm);\n }, 11);\n }\n return AsyncUnzlib;\n}());\nexport { AsyncUnzlib };\nexport function unzlib(data, opts, cb) {\n if (!cb)\n cb = opts, opts = {};\n if (typeof cb != 'function')\n throw 'no callback';\n return cbify(data, opts, [\n bInflt,\n zule,\n function () { return [unzlibSync]; }\n ], function (ev) { return pbf(unzlibSync(ev.data[0], gu8(ev.data[1]))); }, 5, cb);\n}\n/**\n * Expands Zlib data\n * @param data The data to decompress\n * @param out Where to write the data. Saves memory if you know the decompressed size and provide an output buffer of that length.\n * @returns The decompressed version of the data\n */\nexport function unzlibSync(data, out) {\n return inflt((zlv(data), data.subarray(2, -4)), out);\n}\n// Default algorithm for compression (used because having a known output size allows faster decompression)\nexport { gzip as compress, AsyncGzip as AsyncCompress };\n// Default algorithm for compression (used because having a known output size allows faster decompression)\nexport { gzipSync as compressSync, Gzip as Compress };\n/**\n * Streaming GZIP, Zlib, or raw DEFLATE decompression\n */\nvar Decompress = /*#__PURE__*/ (function () {\n /**\n * Creates a decompression stream\n * @param cb The callback to call whenever data is decompressed\n */\n function Decompress(cb) {\n this.G = Gunzip;\n this.I = Inflate;\n this.Z = Unzlib;\n this.ondata = cb;\n }\n /**\n * Pushes a chunk to be decompressed\n * @param chunk The chunk to push\n * @param final Whether this is the last chunk\n */\n Decompress.prototype.push = function (chunk, final) {\n if (!this.ondata)\n throw 'no stream handler';\n if (!this.s) {\n if (this.p && this.p.length) {\n var n = new u8(this.p.length + chunk.length);\n n.set(this.p), n.set(chunk, this.p.length);\n }\n else\n this.p = chunk;\n if (this.p.length > 2) {\n var _this_1 = this;\n var cb = function () { _this_1.ondata.apply(_this_1, arguments); };\n this.s = (this.p[0] == 31 && this.p[1] == 139 && this.p[2] == 8)\n ? new this.G(cb)\n : ((this.p[0] & 15) != 8 || (this.p[0] >> 4) > 7 || ((this.p[0] << 8 | this.p[1]) % 31))\n ? new this.I(cb)\n : new this.Z(cb);\n this.s.push(this.p, final);\n this.p = null;\n }\n }\n else\n this.s.push(chunk, final);\n };\n return Decompress;\n}());\nexport { Decompress };\n/**\n * Asynchronous streaming GZIP, Zlib, or raw DEFLATE decompression\n */\nvar AsyncDecompress = /*#__PURE__*/ (function () {\n /**\n * Creates an asynchronous decompression stream\n * @param cb The callback to call whenever data is decompressed\n */\n function AsyncDecompress(cb) {\n this.G = AsyncGunzip;\n this.I = AsyncInflate;\n this.Z = AsyncUnzlib;\n this.ondata = cb;\n }\n /**\n * Pushes a chunk to be decompressed\n * @param chunk The chunk to push\n * @param final Whether this is the last chunk\n */\n AsyncDecompress.prototype.push = function (chunk, final) {\n Decompress.prototype.push.call(this, chunk, final);\n };\n return AsyncDecompress;\n}());\nexport { AsyncDecompress };\nexport function decompress(data, opts, cb) {\n if (!cb)\n cb = opts, opts = {};\n if (typeof cb != 'function')\n throw 'no callback';\n return (data[0] == 31 && data[1] == 139 && data[2] == 8)\n ? gunzip(data, opts, cb)\n : ((data[0] & 15) != 8 || (data[0] >> 4) > 7 || ((data[0] << 8 | data[1]) % 31))\n ? inflate(data, opts, cb)\n : unzlib(data, opts, cb);\n}\n/**\n * Expands compressed GZIP, Zlib, or raw DEFLATE data, automatically detecting the format\n * @param data The data to decompress\n * @param out Where to write the data. Saves memory if you know the decompressed size and provide an output buffer of that length.\n * @returns The decompressed version of the data\n */\nexport function decompressSync(data, out) {\n return (data[0] == 31 && data[1] == 139 && data[2] == 8)\n ? gunzipSync(data, out)\n : ((data[0] & 15) != 8 || (data[0] >> 4) > 7 || ((data[0] << 8 | data[1]) % 31))\n ? inflateSync(data, out)\n : unzlibSync(data, out);\n}\n// flatten a directory structure\nvar fltn = function (d, p, t, o) {\n for (var k in d) {\n var val = d[k], n = p + k;\n if (val instanceof u8)\n t[n] = [val, o];\n else if (Array.isArray(val))\n t[n] = [val[0], mrg(o, val[1])];\n else\n fltn(val, n + '/', t, o);\n }\n};\n/**\n * Converts a string into a Uint8Array for use with compression/decompression methods\n * @param str The string to encode\n * @param latin1 Whether or not to interpret the data as Latin-1. This should\n * not need to be true unless decoding a binary string.\n * @returns The string encoded in UTF-8/Latin-1 binary\n */\nexport function strToU8(str, latin1) {\n var l = str.length;\n if (!latin1 && typeof TextEncoder != 'undefined')\n return new TextEncoder().encode(str);\n var ar = new u8(str.length + (str.length >>> 1));\n var ai = 0;\n var w = function (v) { ar[ai++] = v; };\n for (var i = 0; i < l; ++i) {\n if (ai + 5 > ar.length) {\n var n = new u8(ai + 8 + ((l - i) << 1));\n n.set(ar);\n ar = n;\n }\n var c = str.charCodeAt(i);\n if (c < 128 || latin1)\n w(c);\n else if (c < 2048)\n w(192 | (c >>> 6)), w(128 | (c & 63));\n else if (c > 55295 && c < 57344)\n c = 65536 + (c & 1023 << 10) | (str.charCodeAt(++i) & 1023),\n w(240 | (c >>> 18)), w(128 | ((c >>> 12) & 63)), w(128 | ((c >>> 6) & 63)), w(128 | (c & 63));\n else\n w(224 | (c >>> 12)), w(128 | ((c >>> 6) & 63)), w(128 | (c & 63));\n }\n return slc(ar, 0, ai);\n}\n/**\n * Converts a Uint8Array to a string\n * @param dat The data to decode to string\n * @param latin1 Whether or not to interpret the data as Latin-1. This should\n * not need to be true unless encoding to binary string.\n * @returns The original UTF-8/Latin-1 string\n */\nexport function strFromU8(dat, latin1) {\n var r = '';\n if (!latin1 && typeof TextDecoder != 'undefined')\n return new TextDecoder().decode(dat);\n for (var i = 0; i < dat.length;) {\n var c = dat[i++];\n if (c < 128 || latin1)\n r += String.fromCharCode(c);\n else if (c < 224)\n r += String.fromCharCode((c & 31) << 6 | (dat[i++] & 63));\n else if (c < 240)\n r += String.fromCharCode((c & 15) << 12 | (dat[i++] & 63) << 6 | (dat[i++] & 63));\n else\n c = ((c & 15) << 18 | (dat[i++] & 63) << 12 | (dat[i++] & 63) << 6 | (dat[i++] & 63)) - 65536,\n r += String.fromCharCode(55296 | (c >> 10), 56320 | (c & 1023));\n }\n return r;\n}\n;\n// skip local zip header\nvar slzh = function (d, b) { return b + 30 + b2(d, b + 26) + b2(d, b + 28); };\n// read zip header\nvar zh = function (d, b, z) {\n var fnl = b2(d, b + 28), fn = strFromU8(d.subarray(b + 46, b + 46 + fnl), !(b2(d, b + 8) & 2048)), es = b + 46 + fnl;\n var _a = z ? z64e(d, es) : [b4(d, b + 20), b4(d, b + 24), b4(d, b + 42)], sc = _a[0], su = _a[1], off = _a[2];\n return [b2(d, b + 10), sc, su, fn, es + b2(d, b + 30) + b2(d, b + 32), off];\n};\n// read zip64 extra field\nvar z64e = function (d, b) {\n for (; b2(d, b) != 1; b += 4 + b2(d, b + 2))\n ;\n return [b4(d, b + 12), b4(d, b + 4), b4(d, b + 20)];\n};\n// write zip header\nvar wzh = function (d, b, c, cmp, su, fn, u, o, ce, t) {\n var fl = fn.length, l = cmp.length;\n wbytes(d, b, ce != null ? 0x2014B50 : 0x4034B50), b += 4;\n if (ce != null)\n d[b] = 20, b += 2;\n d[b] = 20, b += 2; // spec compliance? what's that?\n d[b++] = (t == 8 && (o.level == 1 ? 6 : o.level < 6 ? 4 : o.level == 9 ? 2 : 0)), d[b++] = u && 8;\n d[b] = t, b += 2;\n var dt = new Date(o.mtime || Date.now()), y = dt.getFullYear() - 1980;\n if (y < 0 || y > 119)\n throw 'date not in range 1980-2099';\n wbytes(d, b, ((y << 24) * 2) | ((dt.getMonth() + 1) << 21) | (dt.getDate() << 16) | (dt.getHours() << 11) | (dt.getMinutes() << 5) | (dt.getSeconds() >>> 1));\n b += 4;\n wbytes(d, b, c);\n wbytes(d, b + 4, l);\n wbytes(d, b + 8, su);\n wbytes(d, b + 12, fl), b += 16; // skip extra field, comment\n if (ce != null)\n wbytes(d, b += 10, ce), b += 4;\n d.set(fn, b);\n b += fl;\n if (ce == null)\n d.set(cmp, b);\n};\n// write zip footer (end of central directory)\nvar wzf = function (o, b, c, d, e) {\n wbytes(o, b, 0x6054B50); // skip disk\n wbytes(o, b + 8, c);\n wbytes(o, b + 10, c);\n wbytes(o, b + 12, d);\n wbytes(o, b + 16, e);\n};\nexport function zip(data, opts, cb) {\n if (!cb)\n cb = opts, opts = {};\n if (typeof cb != 'function')\n throw 'no callback';\n var r = {};\n fltn(data, '', r, opts);\n var k = Object.keys(r);\n var lft = k.length, o = 0, tot = 0;\n var slft = lft, files = new Array(lft);\n var term = [];\n var tAll = function () {\n for (var i = 0; i < term.length; ++i)\n term[i]();\n };\n var cbf = function () {\n var out = new u8(tot + 22), oe = o, cdl = tot - o;\n tot = 0;\n for (var i = 0; i < slft; ++i) {\n var f = files[i];\n try {\n wzh(out, tot, f.c, f.d, f.m, f.n, f.u, f.p, null, f.t);\n wzh(out, o, f.c, f.d, f.m, f.n, f.u, f.p, tot, f.t), o += 46 + f.n.length, tot += 30 + f.n.length + f.d.length;\n }\n catch (e) {\n return cb(e, null);\n }\n }\n wzf(out, o, files.length, cdl, oe);\n cb(null, out);\n };\n if (!lft)\n cbf();\n var _loop_1 = function (i) {\n var fn = k[i];\n var _a = r[fn], file = _a[0], p = _a[1];\n var c = crc(), m = file.length;\n c.p(file);\n var n = strToU8(fn), s = n.length;\n var t = p.level == 0 ? 0 : 8;\n var cbl = function (e, d) {\n if (e) {\n tAll();\n cb(e, null);\n }\n else {\n var l = d.length;\n files[i] = {\n t: t,\n d: d,\n m: m,\n c: c.d(),\n u: fn.length != l,\n n: n,\n p: p\n };\n o += 30 + s + l;\n tot += 76 + 2 * s + l;\n if (!--lft)\n cbf();\n }\n };\n if (n.length > 65535)\n cbl('filename too long', null);\n if (!t)\n cbl(null, file);\n else if (m < 160000) {\n try {\n cbl(null, deflateSync(file, p));\n }\n catch (e) {\n cbl(e, null);\n }\n }\n else\n term.push(deflate(file, p, cbl));\n };\n // Cannot use lft because it can decrease\n for (var i = 0; i < slft; ++i) {\n _loop_1(i);\n }\n return tAll;\n}\n/**\n * Synchronously creates a ZIP file. Prefer using `zip` for better performance\n * with more than one file.\n * @param data The directory structure for the ZIP archive\n * @param opts The main options, merged with per-file options\n * @returns The generated ZIP archive\n */\nexport function zipSync(data, opts) {\n if (opts === void 0) { opts = {}; }\n var r = {};\n var files = [];\n fltn(data, '', r, opts);\n var o = 0;\n var tot = 0;\n for (var fn in r) {\n var _a = r[fn], file = _a[0], p = _a[1];\n var t = p.level == 0 ? 0 : 8;\n var n = strToU8(fn), s = n.length;\n if (n.length > 65535)\n throw 'filename too long';\n var d = t ? deflateSync(file, p) : file, l = d.length;\n var c = crc();\n c.p(file);\n files.push({\n t: t,\n d: d,\n m: file.length,\n c: c.d(),\n u: fn.length != s,\n n: n,\n o: o,\n p: p\n });\n o += 30 + s + l;\n tot += 76 + 2 * s + l;\n }\n var out = new u8(tot + 22), oe = o, cdl = tot - o;\n for (var i = 0; i < files.length; ++i) {\n var f = files[i];\n wzh(out, f.o, f.c, f.d, f.m, f.n, f.u, f.p, null, f.t);\n wzh(out, o, f.c, f.d, f.m, f.n, f.u, f.p, f.o, f.t), o += 46 + f.n.length;\n }\n wzf(out, o, files.length, cdl, oe);\n return out;\n}\n/**\n * Asynchronously decompresses a ZIP archive\n * @param data The raw compressed ZIP file\n * @param cb The callback to call with the decompressed files\n * @returns A function that can be used to immediately terminate the unzipping\n */\nexport function unzip(data, cb) {\n if (typeof cb != 'function')\n throw 'no callback';\n var term = [];\n var tAll = function () {\n for (var i = 0; i < term.length; ++i)\n term[i]();\n };\n var files = {};\n var e = data.length - 22;\n for (; b4(data, e) != 0x6054B50; --e) {\n if (!e || data.length - e > 65558) {\n cb('invalid zip file', null);\n return;\n }\n }\n ;\n var lft = b2(data, e + 8);\n if (!lft)\n cb(null, {});\n var c = lft;\n var o = b4(data, e + 16);\n var z = o == 4294967295;\n if (z) {\n e = b4(data, e - 12);\n if (b4(data, e) != 0x6064B50)\n throw 'invalid zip file';\n c = lft = b4(data, e + 32);\n o = b4(data, e + 48);\n }\n var _loop_2 = function (i) {\n var _a = zh(data, o, z), c_1 = _a[0], sc = _a[1], su = _a[2], fn = _a[3], no = _a[4], off = _a[5], b = slzh(data, off);\n o = no;\n var cbl = function (e, d) {\n if (e) {\n tAll();\n cb(e, null);\n }\n else {\n files[fn] = d;\n if (!--lft)\n cb(null, files);\n }\n };\n if (!c_1)\n cbl(null, slc(data, b, b + sc));\n else if (c_1 == 8) {\n var infl = data.subarray(b, b + sc);\n if (sc < 320000) {\n try {\n cbl(null, inflateSync(infl, new u8(su)));\n }\n catch (e) {\n cbl(e, null);\n }\n }\n else\n term.push(inflate(infl, { size: su }, cbl));\n }\n else\n cbl('unknown compression type ' + c_1, null);\n };\n for (var i = 0; i < c; ++i) {\n _loop_2(i);\n }\n return tAll;\n}\n/**\n * Synchronously decompresses a ZIP archive. Prefer using `unzip` for better\n * performance with more than one file.\n * @param data The raw compressed ZIP file\n * @returns The decompressed files\n */\nexport function unzipSync(data) {\n var files = {};\n var e = data.length - 22;\n for (; b4(data, e) != 0x6054B50; --e) {\n if (!e || data.length - e > 65558)\n throw 'invalid zip file';\n }\n ;\n var c = b2(data, e + 8);\n if (!c)\n return {};\n var o = b4(data, e + 16);\n var z = o == 4294967295;\n if (z) {\n e = b4(data, e - 12);\n if (b4(data, e) != 0x6064B50)\n throw 'invalid zip file';\n c = b4(data, e + 32);\n o = b4(data, e + 48);\n }\n for (var i = 0; i < c; ++i) {\n var _a = zh(data, o, z), c_2 = _a[0], sc = _a[1], su = _a[2], fn = _a[3], no = _a[4], off = _a[5], b = slzh(data, off);\n o = no;\n if (!c_2)\n files[fn] = slc(data, b, b + sc);\n else if (c_2 == 8)\n files[fn] = inflateSync(data.subarray(b, b + sc), new u8(su));\n else\n throw 'unknown compression type ' + c_2;\n }\n return files;\n}\n","import { strFromU8, strToU8, zlibSync } from 'fflate';\nimport { PackFn, MARK, eventWithTimeAndPacker } from './base';\n\nexport const pack: PackFn = (event) => {\n const _e: eventWithTimeAndPacker = {\n ...event,\n v: MARK,\n };\n return strFromU8(zlibSync(strToU8(JSON.stringify(_e))), true);\n};\n","import { eventWithTime } from '../types';\n\nexport type PackFn = (event: eventWithTime) => string;\nexport type UnpackFn = (raw: string) => eventWithTime;\n\nexport type eventWithTimeAndPacker = eventWithTime & {\n v: string;\n};\n\nexport const MARK = 'v1';\n"],"names":["NodeType","EventType","IncrementalSource","MouseInteractions","CanvasContext","MediaInteractions","ReplayerEvents","__assign","Object","assign","t","s","i","n","arguments","length","p","prototype","hasOwnProperty","call","apply","this","DEPARTED_MIRROR_ACCESS_WARNING","_mirror","map","getId","console","error","getNode","removeNodeFromMap","has","reset","window","Proxy","Reflect","get","target","prop","receiver","chars","lookup","Uint8Array","charCodeAt","u8","u16","Uint16Array","u32","Uint32Array","fleb","fdeb","clim","freb","eb","start","b","r","j","_a","fl","revfl","revfd","rev","x","hMap","cd","mb","l","co","le","rvb","sv","r_1","v","m","flt","fdt","flm","fdm","shft","slc","e","set","subarray","wbits","d","o","wbits16","hTree","push","f","t2","slice","sort","a","i0","i1","i2","maxSym","tr","mbt","ln","dt","lft","cst","i2_1","i2_2","i2_3","Math","max","lc","c","cl","cli","cln","cls","w","clen","cf","wfblk","out","pos","dat","wblk","final","syms","lf","df","li","bs","bl","dlt","mlb","_b","ddt","mdb","_c","lclt","nlc","_d","lcdt","ndc","lcfreq","_e","lct","mlcb","nlcc","lm","ll","dm","dl","flen","ftlen","dtlen","llm","lcts","it","clct","len","dst","deo","et","dopt","opt","pre","post","st","lvl","plvl","lst","floor","msk_1","prev","head","bs1_1","ceil","bs2_1","hsh","lc_1","wi","hv","imod","pimod","rem","ch_1","dif","maxn","min","maxd","ml","nl","mmd","md","ti","lin","din","dflt","level","mem","log","zlibSync","data","opts","adler","lv","zlh","wbytes","event","latin1","TextDecoder","decode","String","fromCharCode","strFromU8","str","TextEncoder","encode","ar","ai","strToU8","JSON","stringify"],"mappings":";;;;;;;;;;;;;;oFA+BO,IC/BHA,ECeQC,EA+DAC,EA8UAC,EAcAC,EAuIMC,EA2GNC,EF7nBDC,EAAW,WAQlB,OAPAA,EAAWC,OAAOC,QAAU,SAAkBC,GAC1C,IAAK,IAAIC,EAAGC,EAAI,EAAGC,EAAIC,UAAUC,OAAQH,EAAIC,EAAGD,IAE5C,IAAK,IAAII,KADTL,EAAIG,UAAUF,GACOJ,OAAOS,UAAUC,eAAeC,KAAKR,EAAGK,KAAIN,EAAEM,GAAKL,EAAEK,IAE9E,OAAON,IAEKU,MAAMC,KAAMP,aCtChC,SAAWd,GACPA,EAASA,EAAmB,SAAI,GAAK,WACrCA,EAASA,EAAuB,aAAI,GAAK,eACzCA,EAASA,EAAkB,QAAI,GAAK,UACpCA,EAASA,EAAe,KAAI,GAAK,OACjCA,EAASA,EAAgB,MAAI,GAAK,QAClCA,EAASA,EAAkB,QAAI,GAAK,UANxC,CAOGA,IAAaA,EAAW,KCO3B,SAAYC,GACVA,2CACAA,mBACAA,mCACAA,iDACAA,mBACAA,uBACAA,uBAPF,CAAYA,IAAAA,OA+DZ,SAAYC,GACVA,2BACAA,6BACAA,2CACAA,uBACAA,uCACAA,qBACAA,6BACAA,2CACAA,uCACAA,uCACAA,oBACAA,kBACAA,oBACAA,4CAdF,CAAYA,IAAAA,OA8UZ,SAAYC,GACVA,yBACAA,6BACAA,qBACAA,iCACAA,2BACAA,qBACAA,mBACAA,+BACAA,+CACAA,2BACAA,kCAXF,CAAYA,IAAAA,OAcZ,SAAYC,GACVA,kBACAA,qBACAA,uBAHF,CAAYA,IAAAA,OAuIZ,SAAkBC,GAChBA,mBACAA,qBACAA,uBACAA,mCAJF,CAAkBA,IAAAA,OA2GlB,SAAYC,GACVA,gBACAA,gBACAA,kBACAA,kBACAA,kBACAA,iDACAA,8CACAA,0CACAA,yBACAA,qBACAA,uCACAA,yBACAA,6BACAA,gBACAA,6BACAA,uBAhBF,CAAYA,IAAAA,OCxlBZ,IAAMgB,EACJ,4NAKSC,EAAkB,CAC3BC,IAAK,GACLC,iBAEE,OADAC,QAAQC,MAAML,IACN,GAEVM,mBAEE,OADAF,QAAQC,MAAML,GACP,MAETO,6BACEH,QAAQC,MAAML,IAEhBQ,eAEE,OADAJ,QAAQC,MAAML,IACP,GAETS,iBACEL,QAAQC,MAAML,KAGI,oBAAXU,QAA0BA,OAAOC,OAASD,OAAOE,UAC1DX,EAAU,IAAIU,MAAMV,EAAS,CAC3BY,aAAIC,EAAQC,EAAMC,GAIhB,MAHa,QAATD,GACFX,QAAQC,MAAML,GAETY,QAAQC,IAAIC,EAAQC,EAAMC,OC7FvC,IAHA,IAAIC,EAAQ,mEAERC,EAA+B,oBAAfC,WAA6B,GAAK,IAAIA,WAAW,KAC5D7B,EAAI,EAAGA,EAAI2B,EAAMxB,OAAQH,IAC9B4B,EAAOD,EAAMG,WAAW9B,IAAMA,ECWlC,IAAI+B,EAAKF,WAAYG,EAAMC,YAAaC,EAAMC,YAE1CC,EAAO,IAAIL,EAAG,CAAC,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAgB,EAAG,EAAoB,IAG1IM,EAAO,IAAIN,EAAG,CAAC,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,GAAI,GAAI,GAAI,GAAI,GAAI,GAAI,GAAI,GAAiB,EAAG,IAEjIO,EAAO,IAAIP,EAAG,CAAC,GAAI,GAAI,GAAI,EAAG,EAAG,EAAG,EAAG,EAAG,GAAI,EAAG,GAAI,EAAG,GAAI,EAAG,GAAI,EAAG,GAAI,EAAG,KAE7EQ,EAAO,SAAUC,EAAIC,GAErB,IADA,IAAIC,EAAI,IAAIV,EAAI,IACPhC,EAAI,EAAGA,EAAI,KAAMA,EACtB0C,EAAE1C,GAAKyC,GAAS,GAAKD,EAAGxC,EAAI,GAGhC,IAAI2C,EAAI,IAAIT,EAAIQ,EAAE,KAClB,IAAS1C,EAAI,EAAGA,EAAI,KAAMA,EACtB,IAAK,IAAI4C,EAAIF,EAAE1C,GAAI4C,EAAIF,EAAE1C,EAAI,KAAM4C,EAC/BD,EAAEC,GAAOA,EAAIF,EAAE1C,IAAO,EAAKA,EAGnC,MAAO,CAAC0C,EAAGC,IAEXE,EAAKN,EAAKH,EAAM,GAAIU,EAAKD,EAAG,GAAIE,EAAQF,EAAG,GAE/CC,EAAG,IAAM,IAAKC,EAAM,KAAO,GAI3B,QAHoCC,EAA3BT,EAAKF,EAAM,GAA2B,GAE3CY,EAAM,IAAIjB,EAAI,OACThC,EAAI,EAAGA,EAAI,QAASA,EAAG,CAE5B,IAAIkD,GAAU,MAAJlD,KAAgB,GAAW,MAAJA,IAAe,EAEhDkD,GAAU,OADVA,GAAU,MAAJA,KAAgB,GAAW,MAAJA,IAAe,MACtB,GAAW,KAAJA,IAAe,EAC5CD,EAAIjD,KAAY,MAAJkD,KAAgB,GAAW,IAAJA,IAAe,KAAQ,EAK9D,IAAIC,WAAkBC,EAAIC,EAAIV,GAO1B,IANA,IAAI5C,EAAIqD,EAAGjD,OAEPH,EAAI,EAEJsD,EAAI,IAAItB,EAAIqB,GAETrD,EAAID,IAAKC,IACVsD,EAAEF,EAAGpD,GAAK,GAEhB,IAIIuD,EAJAC,EAAK,IAAIxB,EAAIqB,GACjB,IAAKrD,EAAI,EAAGA,EAAIqD,IAAMrD,EAClBwD,EAAGxD,GAAMwD,EAAGxD,EAAI,GAAKsD,EAAEtD,EAAI,IAAO,EAGtC,GAAI2C,EAAG,CAEHY,EAAK,IAAIvB,EAAI,GAAKqB,GAElB,IAAII,EAAM,GAAKJ,EACf,IAAKrD,EAAI,EAAGA,EAAID,IAAKC,EAEjB,GAAIoD,EAAGpD,GAQH,IANA,IAAI0D,EAAM1D,GAAK,EAAKoD,EAAGpD,GAEnB2D,EAAMN,EAAKD,EAAGpD,GAEd4D,EAAIJ,EAAGJ,EAAGpD,GAAK,MAAQ2D,EAElBE,EAAID,GAAM,GAAKD,GAAO,EAAIC,GAAKC,IAAKD,EAEzCL,EAAGN,EAAIW,KAAOH,GAAOC,OAOjC,IADAH,EAAK,IAAIvB,EAAIjC,GACRC,EAAI,EAAGA,EAAID,IAAKC,EACjBuD,EAAGvD,GAAKiD,EAAIO,EAAGJ,EAAGpD,GAAK,QAAW,GAAKoD,EAAGpD,GAElD,OAAOuD,GAGPO,EAAM,IAAI/B,EAAG,KACjB,IAAS/B,EAAI,EAAGA,EAAI,MAAOA,EACvB8D,EAAI9D,GAAK,EACb,IAASA,EAAI,IAAKA,EAAI,MAAOA,EACzB8D,EAAI9D,GAAK,EACb,IAASA,EAAI,IAAKA,EAAI,MAAOA,EACzB8D,EAAI9D,GAAK,EACb,IAASA,EAAI,IAAKA,EAAI,MAAOA,EACzB8D,EAAI9D,GAAK,EAEb,IAAI+D,EAAM,IAAIhC,EAAG,IACjB,IAAS/B,EAAI,EAAGA,EAAI,KAAMA,EACtB+D,EAAI/D,GAAK,MAETgE,EAAoBb,EAAKW,EAAK,EAAG,GAEjCG,EAAoBd,EAAKY,EAAK,EAAG,GAqBjCG,EAAO,SAAU9D,GAAK,OAASA,EAAI,GAAM,IAAU,EAAJA,GAAS,IAGxD+D,EAAM,SAAUP,EAAG7D,EAAGqE,IACb,MAALrE,GAAaA,EAAI,KACjBA,EAAI,IACC,MAALqE,GAAaA,EAAIR,EAAEzD,UACnBiE,EAAIR,EAAEzD,QAEV,IAAIF,EAAI,IAAK2D,aAAa5B,EAAMA,EAAM4B,aAAa1B,EAAMA,EAAMH,GAAIqC,EAAIrE,GAEvE,OADAE,EAAEoE,IAAIT,EAAEU,SAASvE,EAAGqE,IACbnE,GA6KPsE,EAAQ,SAAUC,EAAGpE,EAAGwD,GACxBA,IAAU,EAAJxD,EACN,IAAIqE,EAAKrE,EAAI,GAAM,EACnBoE,EAAEC,IAAMb,EACRY,EAAEC,EAAI,IAAMb,IAAM,GAGlBc,EAAU,SAAUF,EAAGpE,EAAGwD,GAC1BA,IAAU,EAAJxD,EACN,IAAIqE,EAAKrE,EAAI,GAAM,EACnBoE,EAAEC,IAAMb,EACRY,EAAEC,EAAI,IAAMb,IAAM,EAClBY,EAAEC,EAAI,IAAMb,IAAM,IAGlBe,EAAQ,SAAUH,EAAGnB,GAGrB,IADA,IAAIvD,EAAI,GACCE,EAAI,EAAGA,EAAIwE,EAAErE,SAAUH,EACxBwE,EAAExE,IACFF,EAAE8E,KAAK,CAAE7E,EAAGC,EAAG6E,EAAGL,EAAExE,KAE5B,IAAID,EAAID,EAAEK,OACN2E,EAAKhF,EAAEiF,QACX,IAAKhF,EACD,MAAO,CAAC,IAAIgC,EAAG,GAAI,GACvB,GAAS,GAALhC,EAAQ,CACR,IAAI6D,EAAI,IAAI7B,EAAGjC,EAAE,GAAGC,EAAI,GAExB,OADA6D,EAAE9D,EAAE,GAAGC,GAAK,EACL,CAAC6D,EAAG,GAEf9D,EAAEkF,MAAK,SAAUC,EAAGvC,GAAK,OAAOuC,EAAEJ,EAAInC,EAAEmC,KAGxC/E,EAAE8E,KAAK,CAAE7E,GAAI,EAAG8E,EAAG,QACnB,IAAIvB,EAAIxD,EAAE,GAAI6C,EAAI7C,EAAE,GAAIoF,EAAK,EAAGC,EAAK,EAAGC,EAAK,EAO7C,IANAtF,EAAE,GAAK,CAAEC,GAAI,EAAG8E,EAAGvB,EAAEuB,EAAIlC,EAAEkC,EAAGvB,EAAGA,EAAGX,EAAGA,GAMhCwC,GAAMpF,EAAI,GACbuD,EAAIxD,EAAEA,EAAEoF,GAAIL,EAAI/E,EAAEsF,GAAIP,EAAIK,IAAOE,KACjCzC,EAAI7C,EAAEoF,GAAMC,GAAMrF,EAAEoF,GAAIL,EAAI/E,EAAEsF,GAAIP,EAAIK,IAAOE,KAC7CtF,EAAEqF,KAAQ,CAAEpF,GAAI,EAAG8E,EAAGvB,EAAEuB,EAAIlC,EAAEkC,EAAGvB,EAAGA,EAAGX,EAAGA,GAE9C,IAAI0C,EAASP,EAAG,GAAG/E,EACnB,IAASC,EAAI,EAAGA,EAAID,IAAKC,EACjB8E,EAAG9E,GAAGD,EAAIsF,IACVA,EAASP,EAAG9E,GAAGD,GAGvB,IAAIuF,EAAK,IAAItD,EAAIqD,EAAS,GAEtBE,EAAMC,EAAG1F,EAAEqF,EAAK,GAAIG,EAAI,GAC5B,GAAIC,EAAMlC,EAAI,CAINrD,EAAI,EAAR,IAAWyF,EAAK,EAEZC,EAAMH,EAAMlC,EAAIsC,EAAM,GAAKD,EAE/B,IADAZ,EAAGE,MAAK,SAAUC,EAAGvC,GAAK,OAAO4C,EAAG5C,EAAE3C,GAAKuF,EAAGL,EAAElF,IAAMkF,EAAEJ,EAAInC,EAAEmC,KACvD7E,EAAID,IAAKC,EAAG,CACf,IAAI4F,EAAOd,EAAG9E,GAAGD,EACjB,KAAIuF,EAAGM,GAAQvC,GAKX,MAJAoC,GAAME,GAAO,GAAMJ,EAAMD,EAAGM,IAC5BN,EAAGM,GAAQvC,EAMnB,IADAoC,KAAQC,EACDD,EAAK,GAAG,CACX,IAAII,EAAOf,EAAG9E,GAAGD,EACbuF,EAAGO,GAAQxC,EACXoC,GAAM,GAAMpC,EAAKiC,EAAGO,KAAU,IAE5B7F,EAEV,KAAOA,GAAK,GAAKyF,IAAMzF,EAAG,CACtB,IAAI8F,EAAOhB,EAAG9E,GAAGD,EACbuF,EAAGQ,IAASzC,MACViC,EAAGQ,KACHL,GAGVF,EAAMlC,EAEV,MAAO,CAAC,IAAItB,EAAGuD,GAAKC,IAGpBC,EAAK,SAAUvF,EAAGqD,EAAGkB,GACrB,OAAe,GAARvE,EAAEF,EACHgG,KAAKC,IAAIR,EAAGvF,EAAEqD,EAAGA,EAAGkB,EAAI,GAAIgB,EAAGvF,EAAE0C,EAAGW,EAAGkB,EAAI,IAC1ClB,EAAErD,EAAEF,GAAKyE,GAGhByB,EAAK,SAAUC,GAGf,IAFA,IAAInG,EAAImG,EAAE/F,OAEHJ,IAAMmG,IAAInG,KAMjB,IAJA,IAAIoG,EAAK,IAAInE,IAAMjC,GAEfqG,EAAM,EAAGC,EAAMH,EAAE,GAAII,EAAM,EAC3BC,EAAI,SAAU3C,GAAKuC,EAAGC,KAASxC,GAC1B5D,EAAI,EAAGA,GAAKD,IAAKC,EACtB,GAAIkG,EAAElG,IAAMqG,GAAOrG,GAAKD,IAClBuG,MACD,CACD,IAAKD,GAAOC,EAAM,EAAG,CACjB,KAAOA,EAAM,IAAKA,GAAO,IACrBC,EAAE,OACFD,EAAM,IACNC,EAAED,EAAM,GAAOA,EAAM,IAAO,EAAK,MAAUA,EAAM,GAAM,EAAK,OAC5DA,EAAM,QAGT,GAAIA,EAAM,EAAG,CAEd,IADAC,EAAEF,KAAQC,EACHA,EAAM,EAAGA,GAAO,EACnBC,EAAE,MACFD,EAAM,IACNC,EAAID,EAAM,GAAM,EAAK,MAAOA,EAAM,GAE1C,KAAOA,KACHC,EAAEF,GACNC,EAAM,EACND,EAAMH,EAAElG,GAGhB,MAAO,CAACmG,EAAG7B,SAAS,EAAG8B,GAAMrG,IAG7ByG,EAAO,SAAUC,EAAIN,GAErB,IADA,IAAI7C,EAAI,EACCtD,EAAI,EAAGA,EAAImG,EAAGhG,SAAUH,EAC7BsD,GAAKmD,EAAGzG,GAAKmG,EAAGnG,GACpB,OAAOsD,GAIPoD,EAAQ,SAAUC,EAAKC,EAAKC,GAE5B,IAAI9G,EAAI8G,EAAI1G,OACRsE,EAAIP,EAAK0C,EAAM,GACnBD,EAAIlC,GAAS,IAAJ1E,EACT4G,EAAIlC,EAAI,GAAK1E,IAAM,EACnB4G,EAAIlC,EAAI,GAAc,IAATkC,EAAIlC,GACjBkC,EAAIlC,EAAI,GAAkB,IAAbkC,EAAIlC,EAAI,GACrB,IAAK,IAAIzE,EAAI,EAAGA,EAAID,IAAKC,EACrB2G,EAAIlC,EAAIzE,EAAI,GAAK6G,EAAI7G,GACzB,OAAqB,GAAbyE,EAAI,EAAI1E,IAGhB+G,EAAO,SAAUD,EAAKF,EAAKI,EAAOC,EAAMC,EAAIC,EAAI1E,EAAI2E,EAAIC,EAAIC,EAAIjH,GAChEmE,EAAMoC,EAAKvG,IAAK2G,KACdE,EAAG,KAML,IALA,IAAIpE,EAAK8B,EAAMsC,EAAI,IAAKK,EAAMzE,EAAG,GAAI0E,EAAM1E,EAAG,GAC1C2E,EAAK7C,EAAMuC,EAAI,IAAKO,EAAMD,EAAG,GAAIE,EAAMF,EAAG,GAC1CG,EAAK1B,EAAGqB,GAAMM,EAAOD,EAAG,GAAIE,EAAMF,EAAG,GACrCG,EAAK7B,EAAGwB,GAAMM,EAAOD,EAAG,GAAIE,EAAMF,EAAG,GACrCG,EAAS,IAAIjG,EAAI,IACZhC,EAAI,EAAGA,EAAI4H,EAAKzH,SAAUH,EAC/BiI,EAAiB,GAAVL,EAAK5H,MAChB,IAASA,EAAI,EAAGA,EAAI+H,EAAK5H,SAAUH,EAC/BiI,EAAiB,GAAVF,EAAK/H,MAGhB,IAFA,IAAIkI,EAAKvD,EAAMsD,EAAQ,GAAIE,EAAMD,EAAG,GAAIE,EAAOF,EAAG,GAC9CG,EAAO,GACJA,EAAO,IAAMF,EAAI7F,EAAK+F,EAAO,MAAOA,GAE3C,IAKIC,EAAIC,EAAIC,EAAIC,EALZC,EAAQrB,EAAK,GAAM,EACnBsB,EAAQnC,EAAKS,EAAInD,GAAO0C,EAAKU,EAAInD,GAAOvB,EACxCoG,EAAQpC,EAAKS,EAAIK,GAAOd,EAAKU,EAAIO,GAAOjF,EAAK,GAAK,EAAI6F,EAAO7B,EAAKyB,EAAQE,IAAQ,EAAIF,EAAO,IAAM,EAAIA,EAAO,IAAM,EAAIA,EAAO,KACnI,GAAIS,GAAQC,GAASD,GAAQE,EACzB,OAAOlC,EAAMC,EAAKvG,EAAGyG,EAAIvC,SAAS8C,EAAIA,EAAKC,IAG/C,GADA9C,EAAMoC,EAAKvG,EAAG,GAAKwI,EAAQD,IAASvI,GAAK,EACrCwI,EAAQD,EAAO,CACfL,EAAKnF,EAAKmE,EAAKC,EAAK,GAAIgB,EAAKjB,EAAKkB,EAAKrF,EAAKsE,EAAKC,EAAK,GAAIe,EAAKhB,EAC/D,IAAIoB,EAAM1F,EAAKgF,EAAKC,EAAM,GAC1B7D,EAAMoC,EAAKvG,EAAGyH,EAAM,KACpBtD,EAAMoC,EAAKvG,EAAI,EAAG4H,EAAM,GACxBzD,EAAMoC,EAAKvG,EAAI,GAAIiI,EAAO,GAC1BjI,GAAK,GACL,IAASJ,EAAI,EAAGA,EAAIqI,IAAQrI,EACxBuE,EAAMoC,EAAKvG,EAAI,EAAIJ,EAAGmI,EAAI7F,EAAKtC,KACnCI,GAAK,EAAIiI,EAET,IADA,IAAIS,EAAO,CAAClB,EAAMG,GACTgB,EAAK,EAAGA,EAAK,IAAKA,EACvB,CAAA,IAAIC,GAAOF,EAAKC,GAChB,IAAS/I,EAAI,EAAGA,EAAIgJ,GAAK7I,SAAUH,EAAG,CAClC,IAAIiJ,GAAgB,GAAVD,GAAKhJ,GACfuE,EAAMoC,EAAKvG,EAAGyI,EAAII,KAAO7I,GAAK+H,EAAIc,IAC9BA,GAAM,KACN1E,EAAMoC,EAAKvG,EAAI4I,GAAKhJ,KAAO,EAAK,KAAMI,GAAK4I,GAAKhJ,KAAO,WAKnEsI,EAAKtE,EAAKuE,EAAKzE,EAAK0E,EAAKvE,EAAKwE,EAAK1E,EAEvC,IAAS/D,EAAI,EAAGA,EAAImH,IAAMnH,EACtB,GAAIgH,EAAKhH,GAAK,IAAK,CACXiJ,GAAOjC,EAAKhH,KAAO,GAAM,GAC7B0E,EAAQiC,EAAKvG,EAAGkI,EAAGW,GAAM,MAAO7I,GAAKmI,EAAGU,GAAM,KAC1CA,GAAM,IACN1E,EAAMoC,EAAKvG,EAAI4G,EAAKhH,KAAO,GAAM,IAAKI,GAAKgC,EAAK6G,KACpD,IAAIC,GAAgB,GAAVlC,EAAKhH,GACf0E,EAAQiC,EAAKvG,EAAGoI,EAAGU,KAAO9I,GAAKqI,EAAGS,IAC9BA,GAAM,IACNxE,EAAQiC,EAAKvG,EAAI4G,EAAKhH,KAAO,EAAK,MAAOI,GAAKiC,EAAK6G,UAGvDxE,EAAQiC,EAAKvG,EAAGkI,EAAGtB,EAAKhH,KAAMI,GAAKmI,EAAGvB,EAAKhH,IAInD,OADA0E,EAAQiC,EAAKvG,EAAGkI,EAAG,MACZlI,EAAImI,EAAG,MAGdY,EAAoB,IAAIjH,EAAI,CAAC,MAAO,OAAQ,OAAQ,OAAQ,OAAQ,QAAS,QAAS,QAAS,UAE/FkH,EAAmB,IAAIrH,EAAG,GAwK1BsH,EAAO,SAAUxC,EAAKyC,EAAKC,EAAKC,EAAMC,GACtC,OAvKO,SAAU5C,EAAK6C,EAAKC,EAAMJ,EAAKC,EAAMI,GAC5C,IAAI7J,EAAI8G,EAAI1G,OACRsE,EAAI,IAAI1C,EAAGwH,EAAMxJ,EAAI,GAAK,EAAIgG,KAAK8D,MAAM9J,EAAI,MAASyJ,GAEtDjD,EAAI9B,EAAEH,SAASiF,EAAK9E,EAAEtE,OAASqJ,GAC/B5C,EAAM,EACV,IAAK8C,GAAO3J,EAAI,EACZ,IAAK,IAAIC,EAAI,EAAGA,GAAKD,EAAGC,GAAK,MAAO,CAEhC,IAAIoE,EAAIpE,EAAI,MACRoE,EAAIrE,EAEJ6G,EAAMF,EAAMH,EAAGK,EAAKC,EAAIvC,SAAStE,EAAGoE,KAIpCmC,EAAEvG,GAAK4J,EACPhD,EAAMF,EAAMH,EAAGK,EAAKC,EAAIvC,SAAStE,EAAGD,SAI3C,CAeD,IAdA,IAAIuJ,EAAMH,EAAIO,EAAM,GAChBzJ,EAAIqJ,IAAQ,GAAIpD,EAAU,KAANoD,EACpBQ,GAAS,GAAKH,GAAQ,EAEtBI,EAAO,IAAI/H,EAAI,OAAQgI,EAAO,IAAIhI,EAAI8H,EAAQ,GAC9CG,EAAQlE,KAAKmE,KAAKP,EAAO,GAAIQ,EAAQ,EAAIF,EACzCG,EAAM,SAAUpK,GAAK,OAAQ6G,EAAI7G,GAAM6G,EAAI7G,EAAI,IAAMiK,EAAUpD,EAAI7G,EAAI,IAAMmK,GAAUL,GAGvF9C,EAAO,IAAI9E,EAAI,MAEf+E,EAAK,IAAIjF,EAAI,KAAMkF,EAAK,IAAIlF,EAAI,IAEhCqI,EAAO,EAAG7H,EAAK,EAAU2E,GAAPnH,EAAI,EAAQ,GAAGsK,EAAK,EAAGlD,EAAK,EAC3CpH,EAAID,IAAKC,EAAG,CAEf,IAAIuK,EAAKH,EAAIpK,GAETwK,EAAW,MAAJxK,EAEPyK,EAAQT,EAAKO,GAKjB,GAJAR,EAAKS,GAAQC,EACbT,EAAKO,GAAMC,EAGPF,GAAMtK,EAAG,CAET,IAAI0K,EAAM3K,EAAIC,EACd,IAAKqK,EAAO,KAAQlD,EAAK,QAAUuD,EAAM,IAAK,CAC1C9D,EAAME,EAAKD,EAAKN,EAAG,EAAGS,EAAMC,EAAIC,EAAI1E,EAAI2E,EAAIC,EAAIpH,EAAIoH,EAAIR,GACxDO,EAAKkD,EAAO7H,EAAK,EAAG4E,EAAKpH,EACzB,IAAK,IAAI4C,EAAI,EAAGA,EAAI,MAAOA,EACvBqE,EAAGrE,GAAK,EACZ,IAASA,EAAI,EAAGA,EAAI,KAAMA,EACtBsE,EAAGtE,GAAK,EAGhB,IAAIU,EAAI,EAAGkB,EAAI,EAAGmG,EAAOzE,EAAG0E,EAAOJ,EAAOC,EAAS,MACnD,GAAIC,EAAM,GAAKH,GAAMH,EAAIpK,EAAI4K,GAMzB,IALA,IAAIC,EAAO9E,KAAK+E,IAAI7K,EAAGyK,GAAO,EAC1BK,EAAOhF,KAAK+E,IAAI,MAAO9K,GAGvBgL,EAAKjF,KAAK+E,IAAI,IAAKJ,GAChBE,GAAOG,KAAUJ,GAAQH,GAAQC,GAAO,CAC3C,GAAI5D,EAAI7G,EAAIsD,IAAMuD,EAAI7G,EAAIsD,EAAIsH,GAAM,CAEhC,IADA,IAAIK,GAAK,EACFA,GAAKD,GAAMnE,EAAI7G,EAAIiL,KAAOpE,EAAI7G,EAAIiL,GAAKL,KAAQK,IAEtD,GAAIA,GAAK3H,EAAG,CAGR,GAFAA,EAAI2H,GAAIzG,EAAIoG,EAERK,GAAKJ,EACL,MAIJ,IAAIK,GAAMnF,KAAK+E,IAAIF,EAAKK,GAAK,GACzBE,GAAK,EACT,IAASvI,EAAI,EAAGA,EAAIsI,KAAOtI,EAAG,CAC1B,IAAIwI,GAAMpL,EAAI4K,EAAMhI,EAAI,MAAS,MAE7BQ,GAAMgI,GADArB,EAAKqB,IACM,MAAS,MAC1BhI,GAAK+H,KACLA,GAAK/H,GAAIqH,EAAQW,MAMjCR,IADAJ,EAAOC,IAAOA,EAAQV,EAAKS,IACJ,MAAS,MAIxC,GAAIhG,EAAG,CAGHwC,EAAKG,KAAQ,UAAapE,EAAMO,IAAM,GAAMN,EAAMwB,GAClD,IAAI6G,GAAiB,GAAXtI,EAAMO,GAASgI,GAAiB,GAAXtI,EAAMwB,GACrChC,GAAMJ,EAAKiJ,IAAOhJ,EAAKiJ,MACrBrE,EAAG,IAAMoE,MACTnE,EAAGoE,IACLhB,EAAKtK,EAAIsD,IACP+G,OAGFrD,EAAKG,KAAQN,EAAI7G,KACfiH,EAAGJ,EAAI7G,KAIrB4G,EAAME,EAAKD,EAAKN,EAAGqD,EAAK5C,EAAMC,EAAIC,EAAI1E,EAAI2E,EAAIC,EAAIpH,EAAIoH,EAAIR,GAErDgD,IACDhD,EAAMF,EAAMH,EAAGK,EAAKwC,IAE5B,OAAOjF,EAAIM,EAAG,EAAG8E,EAAMrF,EAAK0C,GAAO4C,GAiD5B+B,CAAK1E,EAAkB,MAAbyC,EAAIkC,MAAgB,EAAIlC,EAAIkC,MAAkB,MAAXlC,EAAImC,IAAc1F,KAAKmE,KAAuD,IAAlDnE,KAAKC,IAAI,EAAGD,KAAK+E,IAAI,GAAI/E,KAAK2F,IAAI7E,EAAI1G,WAAoB,GAAKmJ,EAAImC,IAAMlC,EAAKC,GAAOC,IA6hBlK,SAASkC,EAASC,EAAMC,QACd,IAATA,IAAmBA,EAAO,IAC9B,IAAI5G,EApjBI,WACR,IAAIA,EAAI,EAAGvC,EAAI,EACf,MAAO,CACHtC,EAAG,SAAUoE,GAIT,IAFA,IAAIvE,EAAIgF,EAAGpB,EAAInB,EACXY,EAAIkB,EAAErE,OACDH,EAAI,EAAGA,GAAKsD,GAAI,CAErB,IADA,IAAIc,EAAI2B,KAAK+E,IAAI9K,EAAI,KAAMsD,GACpBtD,EAAIoE,IAAKpE,EACD6D,GAAX5D,GAAKuE,EAAExE,GACXC,GAAK,MAAO4D,GAAK,MAErBoB,EAAIhF,EAAGyC,EAAImB,GAEfW,EAAG,WAAc,OAASS,IAAM,GAAM,IAAU,IAAJvC,IAAY,EAAKA,IAAM,GAA0B,IAAd,IAAJuC,IAAY,MAqiBnF6G,GACR7G,EAAE7E,EAAEwL,GACJ,IAAIpH,EAAI6E,EAAKuC,EAAMC,EAAM,EAAG,GAC5B,OA9XM,SAAU3F,EAAGzB,GACnB,IAAIsH,EAAKtH,EAAE+G,MAAO1I,EAAW,GAANiJ,EAAU,EAAIA,EAAK,EAAI,EAAU,GAANA,EAAU,EAAI,EAChE7F,EAAE,GAAK,IAAKA,EAAE,GAAMpD,GAAM,GAAMA,EAAM,GAAK,EAAIA,EAAM,GA4X9CkJ,CAAIxH,EAAGqH,GAnaL,SAAUrH,EAAG9B,EAAGkB,GACzB,KAAOA,IAAKlB,EACR8B,EAAE9B,GAAKkB,EAAGA,KAAO,EAiaAqI,CAAOzH,EAAGA,EAAErE,OAAS,EAAG8E,EAAET,KAAMA,gBC9uC7B,SAAC0H,GAC3B,IAAMhE,SACDgE,IACHtI,ECGgB,ODDlB,ODi9CK,SAAmBiD,EAAKsF,GAC3B,IAAIxJ,EAAI,GACR,IAAKwJ,GAAgC,oBAAfC,YAClB,OAAO,IAAIA,aAAcC,OAAOxF,GACpC,IAAK,IAAI7G,EAAI,EAAGA,EAAI6G,EAAI1G,QAAS,CAC7B,IAAI+F,EAAIW,EAAI7G,KACRkG,EAAI,KAAOiG,EACXxJ,GAAK2J,OAAOC,aAAarG,GACpBA,EAAI,IACTvD,GAAK2J,OAAOC,cAAkB,GAAJrG,IAAW,EAAgB,GAAXW,EAAI7G,MACzCkG,EAAI,IACTvD,GAAK2J,OAAOC,cAAkB,GAAJrG,IAAW,IAAiB,GAAXW,EAAI7G,OAAc,EAAgB,GAAX6G,EAAI7G,OAEtEkG,IAAU,GAAJA,IAAW,IAAiB,GAAXW,EAAI7G,OAAc,IAAiB,GAAX6G,EAAI7G,OAAc,EAAgB,GAAX6G,EAAI7G,MAAc,MACpF2C,GAAK2J,OAAOC,aAAa,MAASrG,GAAK,GAAK,MAAa,KAAJA,IAEjE,OAAOvD,ECj+CF6J,CAAUb,EDg7CZ,SAAiBc,EAAKN,GACzB,IAAI7I,EAAImJ,EAAItM,OACZ,IAAKgM,GAAgC,oBAAfO,YAClB,OAAO,IAAIA,aAAcC,OAAOF,GAIpC,IAHA,IAAIG,EAAK,IAAI7K,EAAG0K,EAAItM,QAAUsM,EAAItM,SAAW,IACzC0M,EAAK,EACLtG,EAAI,SAAU3C,GAAKgJ,EAAGC,KAAQjJ,GACzB5D,EAAI,EAAGA,EAAIsD,IAAKtD,EAAG,CACxB,GAAI6M,EAAK,EAAID,EAAGzM,OAAQ,CACpB,IAAIF,EAAI,IAAI8B,EAAG8K,EAAK,GAAMvJ,EAAItD,GAAM,IACpCC,EAAEoE,IAAIuI,GACNA,EAAK3M,EAET,IAAIiG,EAAIuG,EAAI3K,WAAW9B,GACnBkG,EAAI,KAAOiG,EACX5F,EAAEL,GACGA,EAAI,MACTK,EAAE,IAAOL,IAAM,GAAKK,EAAE,IAAW,GAAJL,IACxBA,EAAI,OAASA,EAAI,OAElBK,EAAE,KADNL,EAAI,OAAa,QAAJA,GAAyC,KAAtBuG,EAAI3K,aAAa9B,MAC9B,IAAMuG,EAAE,IAAQL,IAAM,GAAM,IAAMK,EAAE,IAAQL,IAAM,EAAK,IAAMK,EAAE,IAAW,GAAJL,KAEzFK,EAAE,IAAOL,IAAM,IAAMK,EAAE,IAAQL,IAAM,EAAK,IAAMK,EAAE,IAAW,GAAJL,IAEjE,OAAO/B,EAAIyI,EAAI,EAAGC,GCx8CMC,CAAQC,KAAKC,UAAU9E,MAAO"} +\ No newline at end of file +diff --git a/node_modules/rrweb/dist/record/rrweb-record.js b/node_modules/rrweb/dist/record/rrweb-record.js +old mode 100644 +new mode 100755 +index 2ad77a4..296ec85 +--- a/node_modules/rrweb/dist/record/rrweb-record.js ++++ b/node_modules/rrweb/dist/record/rrweb-record.js +@@ -97,10 +97,14 @@ var rrwebRecord = (function () { + return Boolean(host && host.shadowRoot && host.shadowRoot === n); + } + function maskInputValue(_a) { +- var maskInputOptions = _a.maskInputOptions, tagName = _a.tagName, type = _a.type, value = _a.value, maskInputFn = _a.maskInputFn; ++ var input = _a.input, maskInputSelector = _a.maskInputSelector, unmaskInputSelector = _a.unmaskInputSelector, maskInputOptions = _a.maskInputOptions, tagName = _a.tagName, type = _a.type, value = _a.value, maskInputFn = _a.maskInputFn; + var text = value || ''; ++ if (unmaskInputSelector && input.matches(unmaskInputSelector)) { ++ return text; ++ } + if (maskInputOptions[tagName.toLowerCase()] || +- maskInputOptions[type]) { ++ maskInputOptions[type] || ++ (maskInputSelector && input.matches(maskInputSelector))) { + if (maskInputFn) { + text = maskInputFn(text); + } +@@ -327,7 +331,10 @@ var rrwebRecord = (function () { + return value; + } + } +- function _isBlockedElement(element, blockClass, blockSelector) { ++ function _isBlockedElement(element, blockClass, blockSelector, unblockSelector) { ++ if (unblockSelector && element.matches(unblockSelector)) { ++ return false; ++ } + if (typeof blockClass === 'string') { + if (element.classList.contains(blockClass)) { + return true; +@@ -346,11 +353,16 @@ var rrwebRecord = (function () { + } + return false; + } +- function needMaskingText(node, maskTextClass, maskTextSelector) { ++ function needMaskingText(node, maskTextClass, maskTextSelector, unmaskTextSelector) { + if (!node) { + return false; + } + if (node.nodeType === node.ELEMENT_NODE) { ++ if (unmaskTextSelector) { ++ if (node.matches(unmaskTextSelector) || node.closest(unmaskTextSelector)) { ++ return false; ++ } ++ } + if (typeof maskTextClass === 'string') { + if (node.classList.contains(maskTextClass)) { + return true; +@@ -369,12 +381,12 @@ var rrwebRecord = (function () { + return true; + } + } +- return needMaskingText(node.parentNode, maskTextClass, maskTextSelector); ++ return needMaskingText(node.parentNode, maskTextClass, maskTextSelector, unmaskTextSelector); + } + if (node.nodeType === node.TEXT_NODE) { +- return needMaskingText(node.parentNode, maskTextClass, maskTextSelector); ++ return needMaskingText(node.parentNode, maskTextClass, maskTextSelector, unmaskTextSelector); + } +- return needMaskingText(node.parentNode, maskTextClass, maskTextSelector); ++ return needMaskingText(node.parentNode, maskTextClass, maskTextSelector, unmaskTextSelector); + } + function onceIframeLoaded(iframeEl, listener, iframeLoadTimeout) { + var win = iframeEl.contentWindow; +@@ -414,7 +426,7 @@ var rrwebRecord = (function () { + } + function serializeNode(n, options) { + var _a; +- var doc = options.doc, blockClass = options.blockClass, blockSelector = options.blockSelector, maskTextClass = options.maskTextClass, maskTextSelector = options.maskTextSelector, inlineStylesheet = options.inlineStylesheet, _b = options.maskInputOptions, maskInputOptions = _b === void 0 ? {} : _b, maskTextFn = options.maskTextFn, maskInputFn = options.maskInputFn, _c = options.dataURLOptions, dataURLOptions = _c === void 0 ? {} : _c, inlineImages = options.inlineImages, recordCanvas = options.recordCanvas, keepIframeSrcFn = options.keepIframeSrcFn; ++ var doc = options.doc, blockClass = options.blockClass, blockSelector = options.blockSelector, unblockSelector = options.unblockSelector, maskTextClass = options.maskTextClass, maskTextSelector = options.maskTextSelector, unmaskTextSelector = options.unmaskTextSelector, inlineStylesheet = options.inlineStylesheet, maskInputSelector = options.maskInputSelector, unmaskInputSelector = options.unmaskInputSelector, _b = options.maskInputOptions, maskInputOptions = _b === void 0 ? {} : _b, maskTextFn = options.maskTextFn, maskInputFn = options.maskInputFn, _c = options.dataURLOptions, dataURLOptions = _c === void 0 ? {} : _c, inlineImages = options.inlineImages, recordCanvas = options.recordCanvas, keepIframeSrcFn = options.keepIframeSrcFn; + var rootId; + if (doc.__sn) { + var docId = doc.__sn.id; +@@ -446,7 +458,7 @@ var rrwebRecord = (function () { + rootId: rootId + }; + case n.ELEMENT_NODE: +- var needBlock = _isBlockedElement(n, blockClass, blockSelector); ++ var needBlock = _isBlockedElement(n, blockClass, blockSelector, unblockSelector); + var tagName = getValidTagName(n); + var attributes_1 = {}; + for (var _i = 0, _d = Array.from(n.attributes); _i < _d.length; _i++) { +@@ -487,9 +499,12 @@ var rrwebRecord = (function () { + attributes_1.type !== 'button' && + value) { + attributes_1.value = maskInputValue({ ++ input: n, + type: attributes_1.type, + tagName: tagName, + value: value, ++ maskInputSelector: maskInputSelector, ++ unmaskInputSelector: unmaskInputSelector, + maskInputOptions: maskInputOptions, + maskInputFn: maskInputFn + }); +@@ -608,7 +623,7 @@ var rrwebRecord = (function () { + } + if (!isStyle && + !isScript && +- needMaskingText(n, maskTextClass, maskTextSelector) && ++ needMaskingText(n, maskTextClass, maskTextSelector, unmaskTextSelector) && + textContent) { + textContent = maskTextFn + ? maskTextFn(textContent) +@@ -716,15 +731,19 @@ var rrwebRecord = (function () { + return false; + } + function serializeNodeWithId(n, options) { +- var doc = options.doc, map = options.map, blockClass = options.blockClass, blockSelector = options.blockSelector, maskTextClass = options.maskTextClass, maskTextSelector = options.maskTextSelector, _a = options.skipChild, skipChild = _a === void 0 ? false : _a, _b = options.inlineStylesheet, inlineStylesheet = _b === void 0 ? true : _b, _c = options.maskInputOptions, maskInputOptions = _c === void 0 ? {} : _c, maskTextFn = options.maskTextFn, maskInputFn = options.maskInputFn, slimDOMOptions = options.slimDOMOptions, _d = options.dataURLOptions, dataURLOptions = _d === void 0 ? {} : _d, _e = options.inlineImages, inlineImages = _e === void 0 ? false : _e, _f = options.recordCanvas, recordCanvas = _f === void 0 ? false : _f, onSerialize = options.onSerialize, onIframeLoad = options.onIframeLoad, _g = options.iframeLoadTimeout, iframeLoadTimeout = _g === void 0 ? 5000 : _g, _h = options.keepIframeSrcFn, keepIframeSrcFn = _h === void 0 ? function () { return false; } : _h; ++ var doc = options.doc, map = options.map, blockClass = options.blockClass, blockSelector = options.blockSelector, unblockSelector = options.unblockSelector, maskTextClass = options.maskTextClass, maskTextSelector = options.maskTextSelector, unmaskTextSelector = options.unmaskTextSelector, _a = options.skipChild, skipChild = _a === void 0 ? false : _a, _b = options.inlineStylesheet, inlineStylesheet = _b === void 0 ? true : _b, maskInputSelector = options.maskInputSelector, unmaskInputSelector = options.unmaskInputSelector, _c = options.maskInputOptions, maskInputOptions = _c === void 0 ? {} : _c, maskTextFn = options.maskTextFn, maskInputFn = options.maskInputFn, slimDOMOptions = options.slimDOMOptions, _d = options.dataURLOptions, dataURLOptions = _d === void 0 ? {} : _d, _e = options.inlineImages, inlineImages = _e === void 0 ? false : _e, _f = options.recordCanvas, recordCanvas = _f === void 0 ? false : _f, onSerialize = options.onSerialize, onIframeLoad = options.onIframeLoad, _g = options.iframeLoadTimeout, iframeLoadTimeout = _g === void 0 ? 5000 : _g, _h = options.keepIframeSrcFn, keepIframeSrcFn = _h === void 0 ? function () { return false; } : _h; + var _j = options.preserveWhiteSpace, preserveWhiteSpace = _j === void 0 ? true : _j; + var _serializedNode = serializeNode(n, { + doc: doc, + blockClass: blockClass, + blockSelector: blockSelector, ++ unblockSelector: unblockSelector, + maskTextClass: maskTextClass, + maskTextSelector: maskTextSelector, ++ unmaskTextSelector: unmaskTextSelector, + inlineStylesheet: inlineStylesheet, ++ maskInputSelector: maskInputSelector, ++ unmaskInputSelector: unmaskInputSelector, + maskInputOptions: maskInputOptions, + maskTextFn: maskTextFn, + maskInputFn: maskInputFn, +@@ -780,10 +799,14 @@ var rrwebRecord = (function () { + map: map, + blockClass: blockClass, + blockSelector: blockSelector, ++ unblockSelector: unblockSelector, + maskTextClass: maskTextClass, + maskTextSelector: maskTextSelector, ++ unmaskTextSelector: unmaskTextSelector, + skipChild: skipChild, + inlineStylesheet: inlineStylesheet, ++ maskInputSelector: maskInputSelector, ++ unmaskInputSelector: unmaskInputSelector, + maskInputOptions: maskInputOptions, + maskTextFn: maskTextFn, + maskInputFn: maskInputFn, +@@ -828,10 +851,14 @@ var rrwebRecord = (function () { + map: map, + blockClass: blockClass, + blockSelector: blockSelector, ++ unblockSelector: unblockSelector, + maskTextClass: maskTextClass, + maskTextSelector: maskTextSelector, ++ unmaskTextSelector: unmaskTextSelector, + skipChild: false, + inlineStylesheet: inlineStylesheet, ++ maskInputSelector: maskInputSelector, ++ unmaskInputSelector: unmaskInputSelector, + maskInputOptions: maskInputOptions, + maskTextFn: maskTextFn, + maskInputFn: maskInputFn, +@@ -854,7 +881,7 @@ var rrwebRecord = (function () { + return serializedNode; + } + function snapshot(n, options) { +- var _a = options || {}, _b = _a.blockClass, blockClass = _b === void 0 ? 'rr-block' : _b, _c = _a.blockSelector, blockSelector = _c === void 0 ? null : _c, _d = _a.maskTextClass, maskTextClass = _d === void 0 ? 'rr-mask' : _d, _e = _a.maskTextSelector, maskTextSelector = _e === void 0 ? null : _e, _f = _a.inlineStylesheet, inlineStylesheet = _f === void 0 ? true : _f, _g = _a.inlineImages, inlineImages = _g === void 0 ? false : _g, _h = _a.recordCanvas, recordCanvas = _h === void 0 ? false : _h, _j = _a.maskAllInputs, maskAllInputs = _j === void 0 ? false : _j, maskTextFn = _a.maskTextFn, maskInputFn = _a.maskInputFn, _k = _a.slimDOM, slimDOM = _k === void 0 ? false : _k, dataURLOptions = _a.dataURLOptions, preserveWhiteSpace = _a.preserveWhiteSpace, onSerialize = _a.onSerialize, onIframeLoad = _a.onIframeLoad, iframeLoadTimeout = _a.iframeLoadTimeout, _l = _a.keepIframeSrcFn, keepIframeSrcFn = _l === void 0 ? function () { return false; } : _l; ++ var _a = options || {}, _b = _a.blockClass, blockClass = _b === void 0 ? 'rr-block' : _b, _c = _a.blockSelector, blockSelector = _c === void 0 ? null : _c, _d = _a.unblockSelector, unblockSelector = _d === void 0 ? null : _d, _e = _a.maskTextClass, maskTextClass = _e === void 0 ? 'rr-mask' : _e, _f = _a.maskTextSelector, maskTextSelector = _f === void 0 ? null : _f, _g = _a.unmaskTextSelector, unmaskTextSelector = _g === void 0 ? null : _g, _h = _a.inlineStylesheet, inlineStylesheet = _h === void 0 ? true : _h, _j = _a.inlineImages, inlineImages = _j === void 0 ? false : _j, _k = _a.recordCanvas, recordCanvas = _k === void 0 ? false : _k, _l = _a.maskInputSelector, maskInputSelector = _l === void 0 ? null : _l, _m = _a.unmaskInputSelector, unmaskInputSelector = _m === void 0 ? null : _m, _o = _a.maskAllInputs, maskAllInputs = _o === void 0 ? false : _o, maskTextFn = _a.maskTextFn, maskInputFn = _a.maskInputFn, _p = _a.slimDOM, slimDOM = _p === void 0 ? false : _p, dataURLOptions = _a.dataURLOptions, preserveWhiteSpace = _a.preserveWhiteSpace, onSerialize = _a.onSerialize, onIframeLoad = _a.onIframeLoad, iframeLoadTimeout = _a.iframeLoadTimeout, _q = _a.keepIframeSrcFn, keepIframeSrcFn = _q === void 0 ? function () { return false; } : _q; + var idNodeMap = {}; + var maskInputOptions = maskAllInputs === true + ? { +@@ -903,10 +930,14 @@ var rrwebRecord = (function () { + map: idNodeMap, + blockClass: blockClass, + blockSelector: blockSelector, ++ unblockSelector: unblockSelector, + maskTextClass: maskTextClass, + maskTextSelector: maskTextSelector, ++ unmaskTextSelector: unmaskTextSelector, + skipChild: false, + inlineStylesheet: inlineStylesheet, ++ maskInputSelector: maskInputSelector, ++ unmaskInputSelector: unmaskInputSelector, + maskInputOptions: maskInputOptions, + maskTextFn: maskTextFn, + maskInputFn: maskInputFn, +@@ -1382,8 +1413,12 @@ var rrwebRecord = (function () { + map: _this.mirror.map, + blockClass: _this.blockClass, + blockSelector: _this.blockSelector, ++ unblockSelector: _this.unblockSelector, + maskTextClass: _this.maskTextClass, + maskTextSelector: _this.maskTextSelector, ++ unmaskTextSelector: _this.unmaskTextSelector, ++ maskInputSelector: _this.maskInputSelector, ++ unmaskInputSelector: _this.unmaskInputSelector, + skipChild: true, + inlineStylesheet: _this.inlineStylesheet, + maskInputOptions: _this.maskInputOptions, +@@ -1529,7 +1564,7 @@ var rrwebRecord = (function () { + var value = m.target.textContent; + if (!isBlocked(m.target, _this.blockClass) && value !== m.oldValue) { + _this.texts.push({ +- value: needMaskingText(m.target, _this.maskTextClass, _this.maskTextSelector) && value ++ value: needMaskingText(m.target, _this.maskTextClass, _this.maskTextSelector, _this.unmaskTextSelector) && value + ? _this.maskTextFn + ? _this.maskTextFn(value) + : value.replace(/[\S]/g, '*') +@@ -1544,6 +1579,9 @@ var rrwebRecord = (function () { + var value = m.target.getAttribute(m.attributeName); + if (m.attributeName === 'value') { + value = maskInputValue({ ++ input: target, ++ maskInputSelector: _this.maskInputSelector, ++ unmaskInputSelector: _this.unmaskInputSelector, + maskInputOptions: _this.maskInputOptions, + tagName: m.target.tagName, + type: m.target.getAttribute('type'), +@@ -1680,8 +1718,12 @@ var rrwebRecord = (function () { + 'mutationCb', + 'blockClass', + 'blockSelector', ++ 'unblockSelector', + 'maskTextClass', + 'maskTextSelector', ++ 'unmaskTextSelector', ++ 'maskInputSelector', ++ 'unmaskInputSelector', + 'inlineStylesheet', + 'maskInputOptions', + 'maskTextFn', +@@ -1945,7 +1987,7 @@ var rrwebRecord = (function () { + var INPUT_TAGS = ['INPUT', 'TEXTAREA', 'SELECT']; + var lastInputValueMap = new WeakMap(); + function initInputObserver(_a) { +- var inputCb = _a.inputCb, doc = _a.doc, mirror = _a.mirror, blockClass = _a.blockClass, ignoreClass = _a.ignoreClass, maskInputOptions = _a.maskInputOptions, maskInputFn = _a.maskInputFn, sampling = _a.sampling, userTriggeredOnInput = _a.userTriggeredOnInput; ++ var inputCb = _a.inputCb, doc = _a.doc, mirror = _a.mirror, blockClass = _a.blockClass, ignoreClass = _a.ignoreClass, ignoreSelector = _a.ignoreSelector, maskInputSelector = _a.maskInputSelector, unmaskInputSelector = _a.unmaskInputSelector, maskInputOptions = _a.maskInputOptions, maskInputFn = _a.maskInputFn, sampling = _a.sampling, userTriggeredOnInput = _a.userTriggeredOnInput; + function eventHandler(event) { + var target = getEventTarget(event); + var userTriggered = event.isTrusted; +@@ -1958,7 +2000,7 @@ var rrwebRecord = (function () { + return; + } + var type = target.type; +- if (target.classList.contains(ignoreClass)) { ++ if (target.classList.contains(ignoreClass) || (ignoreSelector && target.matches(ignoreSelector))) { + return; + } + var text = target.value; +@@ -1969,7 +2011,10 @@ var rrwebRecord = (function () { + else if (maskInputOptions[target.tagName.toLowerCase()] || + maskInputOptions[type]) { + text = maskInputValue({ ++ input: target, + maskInputOptions: maskInputOptions, ++ maskInputSelector: maskInputSelector, ++ unmaskInputSelector: unmaskInputSelector, + tagName: target.tagName, + type: type, + value: text, +@@ -2053,6 +2098,9 @@ var rrwebRecord = (function () { + function initStyleSheetObserver(_a, _b) { + var styleSheetRuleCb = _a.styleSheetRuleCb, mirror = _a.mirror; + var win = _b.win; ++ if (!win.CSSStyleSheet || !win.CSSStyleSheet.prototype) { ++ return function () { }; ++ } + var insertRule = win.CSSStyleSheet.prototype.insertRule; + win.CSSStyleSheet.prototype.insertRule = function (rule, index) { + var id = mirror.getId(this.ownerNode); +@@ -2885,7 +2933,7 @@ var rrwebRecord = (function () { + var mirror = createMirror(); + function record(options) { + if (options === void 0) { options = {}; } +- var emit = options.emit, checkoutEveryNms = options.checkoutEveryNms, checkoutEveryNth = options.checkoutEveryNth, _a = options.blockClass, blockClass = _a === void 0 ? 'rr-block' : _a, _b = options.blockSelector, blockSelector = _b === void 0 ? null : _b, _c = options.ignoreClass, ignoreClass = _c === void 0 ? 'rr-ignore' : _c, _d = options.maskTextClass, maskTextClass = _d === void 0 ? 'rr-mask' : _d, _e = options.maskTextSelector, maskTextSelector = _e === void 0 ? null : _e, _f = options.inlineStylesheet, inlineStylesheet = _f === void 0 ? true : _f, maskAllInputs = options.maskAllInputs, _maskInputOptions = options.maskInputOptions, _slimDOMOptions = options.slimDOMOptions, maskInputFn = options.maskInputFn, maskTextFn = options.maskTextFn, hooks = options.hooks, packFn = options.packFn, _g = options.sampling, sampling = _g === void 0 ? {} : _g, mousemoveWait = options.mousemoveWait, _h = options.recordCanvas, recordCanvas = _h === void 0 ? false : _h, _j = options.userTriggeredOnInput, userTriggeredOnInput = _j === void 0 ? false : _j, _k = options.collectFonts, collectFonts = _k === void 0 ? false : _k, _l = options.inlineImages, inlineImages = _l === void 0 ? false : _l, plugins = options.plugins, _m = options.keepIframeSrcFn, keepIframeSrcFn = _m === void 0 ? function () { return false; } : _m; ++ var emit = options.emit, checkoutEveryNms = options.checkoutEveryNms, checkoutEveryNth = options.checkoutEveryNth, _a = options.blockClass, blockClass = _a === void 0 ? 'rr-block' : _a, _b = options.blockSelector, blockSelector = _b === void 0 ? null : _b, _c = options.unblockSelector, unblockSelector = _c === void 0 ? null : _c, _d = options.ignoreClass, ignoreClass = _d === void 0 ? 'rr-ignore' : _d, _e = options.ignoreSelector, ignoreSelector = _e === void 0 ? null : _e, _f = options.maskTextClass, maskTextClass = _f === void 0 ? 'rr-mask' : _f, _g = options.maskTextSelector, maskTextSelector = _g === void 0 ? null : _g, _h = options.maskInputSelector, maskInputSelector = _h === void 0 ? null : _h, _j = options.unmaskTextSelector, unmaskTextSelector = _j === void 0 ? null : _j, _k = options.unmaskInputSelector, unmaskInputSelector = _k === void 0 ? null : _k, _l = options.inlineStylesheet, inlineStylesheet = _l === void 0 ? true : _l, maskAllInputs = options.maskAllInputs, _maskInputOptions = options.maskInputOptions, _slimDOMOptions = options.slimDOMOptions, maskInputFn = options.maskInputFn, maskTextFn = options.maskTextFn, hooks = options.hooks, packFn = options.packFn, _m = options.sampling, sampling = _m === void 0 ? {} : _m, mousemoveWait = options.mousemoveWait, _o = options.recordCanvas, recordCanvas = _o === void 0 ? false : _o, _p = options.userTriggeredOnInput, userTriggeredOnInput = _p === void 0 ? false : _p, _q = options.collectFonts, collectFonts = _q === void 0 ? false : _q, _r = options.inlineImages, inlineImages = _r === void 0 ? false : _r, plugins = options.plugins, _s = options.keepIframeSrcFn, keepIframeSrcFn = _s === void 0 ? function () { return false; } : _s; + if (!emit) { + throw new Error('emit function is required'); + } +@@ -3016,8 +3064,12 @@ var rrwebRecord = (function () { + bypassOptions: { + blockClass: blockClass, + blockSelector: blockSelector, ++ unblockSelector: unblockSelector, + maskTextClass: maskTextClass, + maskTextSelector: maskTextSelector, ++ unmaskTextSelector: unmaskTextSelector, ++ maskInputSelector: maskInputSelector, ++ unmaskInputSelector: unmaskInputSelector, + inlineStylesheet: inlineStylesheet, + maskInputOptions: maskInputOptions, + maskTextFn: maskTextFn, +@@ -3046,8 +3098,12 @@ var rrwebRecord = (function () { + var _e = __read(snapshot(document, { + blockClass: blockClass, + blockSelector: blockSelector, ++ unblockSelector: unblockSelector, + maskTextClass: maskTextClass, + maskTextSelector: maskTextSelector, ++ unmaskTextSelector: unmaskTextSelector, ++ maskInputSelector: maskInputSelector, ++ unmaskInputSelector: unmaskInputSelector, + inlineStylesheet: inlineStylesheet, + maskAllInputs: maskInputOptions, + maskTextFn: maskTextFn, +@@ -3161,8 +3217,12 @@ var rrwebRecord = (function () { + }, + blockClass: blockClass, + ignoreClass: ignoreClass, ++ ignoreSelector: ignoreSelector, + maskTextClass: maskTextClass, + maskTextSelector: maskTextSelector, ++ unmaskTextSelector: unmaskTextSelector, ++ maskInputSelector: maskInputSelector, ++ unmaskInputSelector: unmaskInputSelector, + maskInputOptions: maskInputOptions, + inlineStylesheet: inlineStylesheet, + sampling: sampling, +@@ -3174,6 +3234,7 @@ var rrwebRecord = (function () { + maskInputFn: maskInputFn, + maskTextFn: maskTextFn, + blockSelector: blockSelector, ++ unblockSelector: unblockSelector, + slimDOMOptions: slimDOMOptions, + mirror: mirror, + iframeManager: iframeManager, +@@ -3195,7 +3256,12 @@ var rrwebRecord = (function () { + }, hooks); + }; + iframeManager.addLoadListener(function (iframeEl) { +- handlers_1.push(observe_1(iframeEl.contentDocument)); ++ try { ++ handlers_1.push(observe_1(iframeEl.contentDocument)); ++ } ++ catch (error) { ++ console.warn(error); ++ } + }); + var init_1 = function () { + takeFullSnapshot(); +diff --git a/node_modules/rrweb/dist/record/rrweb-record.min.js b/node_modules/rrweb/dist/record/rrweb-record.min.js +old mode 100644 +new mode 100755 +index 9aa9ebb..c396d18 +--- a/node_modules/rrweb/dist/record/rrweb-record.min.js ++++ b/node_modules/rrweb/dist/record/rrweb-record.min.js +@@ -12,5 +12,5 @@ var rrwebRecord=function(){"use strict"; + LOSS OF USE, DATA OR PROFITS, WHETHER IN AN ACTION OF CONTRACT, NEGLIGENCE OR + OTHER TORTIOUS ACTION, ARISING OUT OF OR IN CONNECTION WITH THE USE OR + PERFORMANCE OF THIS SOFTWARE. +- ***************************************************************************** */var e,t=function(){return(t=Object.assign||function(e){for(var t,n=1,r=arguments.length;n=e.length&&(e=void 0),{value:e&&e[r++],done:!e}}};throw new TypeError(t?"Object is not iterable.":"Symbol.iterator is not defined.")}function r(e,t){var n="function"==typeof Symbol&&e[Symbol.iterator];if(!n)return e;var r,o,a=n.call(e),i=[];try{for(;(void 0===t||t-- >0)&&!(r=a.next()).done;)i.push(r.value)}catch(e){o={error:e}}finally{try{r&&!r.done&&(n=a.return)&&n.call(a)}finally{if(o)throw o.error}}return i}function o(e,t,n){if(n||2===arguments.length)for(var r,o=0,a=t.length;o-1?s.split("/").slice(0,3).join("/"):s.split("/")[0]).split("?")[0]+u)+l+")";var c=t.split("/"),d=u.split("/");c.pop();for(var p=0,f=d;p=t.length);){var a=r(I);if(","===a.slice(-1))a=M(e,a.substring(0,a.length-1)),o.push(a);else{var i="";a=M(e,a);for(var s=!1;;){var u=t.charAt(n);if(""===u){o.push((a+i).trim());break}if(s)")"===u&&(s=!1);else{if(","===u){n+=1,o.push((a+i).trim());break}"("===u&&(s=!0)}i+=u,n+=1}}}return o.join(", ")}(e,r):"style"===n&&r?y(r,T()):"object"===t&&"data"===n&&r?M(e,r):r:M(e,r)}function O(e,t,n){if(!e)return!1;if(e.nodeType===e.ELEMENT_NODE){if("string"==typeof t){if(e.classList.contains(t))return!0}else for(var r=0;rt?(r&&(clearTimeout(r),r=null),o=i,e.apply(u,l)):r||!1===n.trailing||(r=setTimeout((function(){o=!1===n.leading?0:Date.now(),r=null,e.apply(u,l)}),s))}}function P(e,t,n,r,o){void 0===o&&(o=window);var a=o.Object.getOwnPropertyDescriptor(e,t);return o.Object.defineProperty(e,t,r?n:{set:function(e){var t=this;setTimeout((function(){n.set.call(t,e)}),0),a&&a.set&&a.set.call(this,e)}}),function(){return P(e,t,a||{},!0)}}function z(e,t,n){try{if(!(t in e))return function(){};var r=e[t],o=n(r);return"function"==typeof o&&(o.prototype=o.prototype||{},Object.defineProperties(o,{__rrweb_original__:{enumerable:!1,value:r}})),e[t]=o,function(){e[t]=r}}catch(e){return function(){}}}function W(){return window.innerHeight||document.documentElement&&document.documentElement.clientHeight||document.body&&document.body.clientHeight}function U(){return window.innerWidth||document.documentElement&&document.documentElement.clientWidth||document.body&&document.body.clientWidth}function j(e,t){if(!e)return!1;if(e.nodeType===e.ELEMENT_NODE){var n=!1;if("string"==typeof t){if(void 0!==e.closest)return null!==e.closest("."+t);n=e.classList.contains(t)}else e.classList.forEach((function(e){t.test(e)&&(n=!0)}));return n||j(e.parentNode,t)}return e.nodeType,e.TEXT_NODE,j(e.parentNode,t)}function G(e){return"__sn"in e&&-2===e.__sn.id}function V(e,t){if(a(e))return!1;var n=t.getId(e);return!t.has(n)||(!e.parentNode||e.parentNode.nodeType!==e.DOCUMENT_NODE)&&(!e.parentNode||V(e.parentNode,t))}function H(e){return Boolean(e.changedTouches)}function q(t){return"__sn"in t&&(t.__sn.type===e.Element&&"iframe"===t.__sn.tagName)}function B(e){return Boolean(null==e?void 0:e.shadowRoot)}function X(e){return"__ln"in e}"undefined"!=typeof window&&window.Proxy&&window.Reflect&&(F=new Proxy(F,{get:function(e,t,n){return"map"===t&&console.error(D),Reflect.get(e,t,n)}}));var Y=function(){function e(){this.length=0,this.head=null}return e.prototype.get=function(e){if(e>=this.length)throw new Error("Position outside of list range");for(var t=this.head,n=0;n=0;S--){var C=u.get(S);if(C){g=e.mirror.getId(C.value.parentNode),b=l(C.value);if(-1!==g&&-1!==b){y=C;break}}}if(!y){for(;u.head;)u.removeNode(u.head.value);break}v=y.previous,u.removeNode(y.value),c(y.value)}var k={texts:e.texts.map((function(t){return{id:e.mirror.getId(t.node),value:t.value}})).filter((function(t){return e.mirror.has(t.id)})),attributes:e.attributes.map((function(t){return{id:e.mirror.getId(t.node),attributes:t.attributes}})).filter((function(t){return e.mirror.has(t.id)})),removes:e.removes,adds:s};(k.texts.length||k.attributes.length||k.removes.length||k.adds.length)&&(e.texts=[],e.attributes=[],e.removes=[],e.addedSet=new Set,e.movedSet=new Set,e.droppedSet=new Set,e.movedMap={},e.mutationCb(k))}},this.processMutation=function(t){var r,o,s,u;if(!G(t.target))switch(t.type){case"characterData":var l=t.target.textContent;j(t.target,e.blockClass)||l===t.oldValue||e.texts.push({value:O(t.target,e.maskTextClass,e.maskTextSelector)&&l?e.maskTextFn?e.maskTextFn(l):l.replace(/[\S]/g,"*"):l,node:t.target});break;case"attributes":var c=t.target;l=t.target.getAttribute(t.attributeName);if("value"===t.attributeName&&(l=i({maskInputOptions:e.maskInputOptions,tagName:t.target.tagName,type:t.target.getAttribute("type"),value:l,maskInputFn:e.maskInputFn})),j(t.target,e.blockClass)||l===t.oldValue)return;var d=e.attributes.find((function(e){return e.node===t.target}));if(d||(d={node:t.target,attributes:{}},e.attributes.push(d)),"style"===t.attributeName){var p=e.doc.createElement("span");t.oldValue&&p.setAttribute("style",t.oldValue),void 0!==d.attributes.style&&null!==d.attributes.style||(d.attributes.style={});var f=d.attributes.style;try{for(var m=n(Array.from(c.style)),h=m.next();!h.done;h=m.next()){var v=h.value,y=c.style.getPropertyValue(v),g=c.style.getPropertyPriority(v);y===p.style.getPropertyValue(v)&&g===p.style.getPropertyPriority(v)||(f[v]=""===g?y:[y,g])}}catch(e){r={error:e}}finally{try{h&&!h.done&&(o=m.return)&&o.call(m)}finally{if(r)throw r.error}}try{for(var b=n(Array.from(p.style)),S=b.next();!S.done;S=b.next()){v=S.value;""===c.style.getPropertyValue(v)&&(f[v]=!1)}}catch(e){s={error:e}}finally{try{S&&!S.done&&(u=b.return)&&u.call(b)}finally{if(s)throw s.error}}}else d.attributes[t.attributeName]=E(e.doc,t.target.tagName,t.attributeName,l);break;case"childList":t.addedNodes.forEach((function(n){return e.genAdds(n,t.target)})),t.removedNodes.forEach((function(n){var r=e.mirror.getId(n),o=a(t.target)?e.mirror.getId(t.target.host):e.mirror.getId(t.target);j(t.target,e.blockClass)||G(n)||(e.addedSet.has(n)?($(e.addedSet,n),e.droppedSet.add(n)):e.addedSet.has(t.target)&&-1===r||V(t.target,e.mirror)||(e.movedSet.has(n)&&e.movedMap[K(r,o)]?$(e.movedSet,n):e.removes.push({parentId:o,id:r,isShadow:!!a(t.target)||void 0})),e.mapRemoves.push(n))}))}},this.genAdds=function(t,n){if(!n||!j(n,e.blockClass)){if(J(t)){if(G(t))return;e.movedSet.add(t);var r=null;n&&J(n)&&(r=n.__sn.id),r&&(e.movedMap[K(t.__sn.id,r)]=!0)}else e.addedSet.add(t),e.droppedSet.delete(t);j(t,e.blockClass)||t.childNodes.forEach((function(t){return e.genAdds(t)}))}}}return e.prototype.init=function(e){var t=this;["mutationCb","blockClass","blockSelector","maskTextClass","maskTextSelector","inlineStylesheet","maskInputOptions","maskTextFn","maskInputFn","recordCanvas","inlineImages","slimDOMOptions","doc","mirror","iframeManager","shadowDomManager","canvasManager"].forEach((function(n){t[n]=e[n]}))},e.prototype.freeze=function(){this.frozen=!0,this.canvasManager.freeze()},e.prototype.unfreeze=function(){this.frozen=!1,this.canvasManager.unfreeze(),this.emit()},e.prototype.isFrozen=function(){return this.frozen},e.prototype.lock=function(){this.locked=!0,this.canvasManager.lock()},e.prototype.unlock=function(){this.locked=!1,this.canvasManager.unlock(),this.emit()},e.prototype.reset=function(){this.shadowDomManager.reset(),this.canvasManager.reset()},e}();function $(e,t){e.delete(t),t.childNodes.forEach((function(t){return $(e,t)}))}function Q(e,t,n){var r=t.parentNode;if(!r)return!1;var o=n.getId(r);return!!e.some((function(e){return e.id===o}))||Q(e,r,n)}function ee(e,t){var n=t.parentNode;return!!n&&(!!e.has(n)||ee(e,n))}var te=[],ne="undefined"!=typeof CSSGroupingRule,re="undefined"!=typeof CSSMediaRule,oe="undefined"!=typeof CSSSupportsRule,ae="undefined"!=typeof CSSConditionRule;function ie(e){try{if("composedPath"in e){var t=e.composedPath();if(t.length)return t[0]}else if("path"in e&&e.path.length)return e.path[0];return e.target}catch(t){return e.target}}function se(e,t){var n,r,o=new Z;te.push(o),o.init(e);var a=window.MutationObserver||window.__rrMutationObserver,i=null===(r=null===(n=null===window||void 0===window?void 0:window.Zone)||void 0===n?void 0:n.__symbol__)||void 0===r?void 0:r.call(n,"MutationObserver");i&&window[i]&&(a=window[i]);var s=new a(o.processMutations.bind(o));return s.observe(t,{attributes:!0,attributeOldValue:!0,characterData:!0,characterDataOldValue:!0,childList:!0,subtree:!0}),s}function ue(e){var t=e.mouseInteractionCb,n=e.doc,r=e.mirror,o=e.blockClass,a=e.sampling;if(!1===a.mouseInteraction)return function(){};var i=!0===a.mouseInteraction||void 0===a.mouseInteraction?{}:a.mouseInteraction,s=[];return Object.keys(S).filter((function(e){return Number.isNaN(Number(e))&&!e.endsWith("_Departed")&&!1!==i[e]})).forEach((function(e){var a=e.toLowerCase(),i=function(e){return function(n){var a=ie(n);if(!j(a,o)){var i=H(n)?n.changedTouches[0]:n;if(i){var s=r.getId(a),u=i.clientX,l=i.clientY;t({type:S[e],id:s,x:u,y:l})}}}}(e);s.push(L(a,i,n))})),function(){s.forEach((function(e){return e()}))}}function le(e){var t=e.scrollCb,n=e.doc,r=e.mirror,o=e.blockClass;return L("scroll",A((function(e){var a=ie(e);if(a&&!j(a,o)){var i=r.getId(a);if(a===n){var s=n.scrollingElement||n.documentElement;t({id:i,x:s.scrollLeft,y:s.scrollTop})}else t({id:i,x:a.scrollLeft,y:a.scrollTop})}}),e.sampling.scroll||100),n)}function ce(e,n){var r=t({},e);return n||delete r.userTriggered,r}var de=["INPUT","TEXTAREA","SELECT"],pe=new WeakMap;function fe(e){return function(e,t){if(ne&&e.parentRule instanceof CSSGroupingRule||re&&e.parentRule instanceof CSSMediaRule||oe&&e.parentRule instanceof CSSSupportsRule||ae&&e.parentRule instanceof CSSConditionRule){var n=Array.from(e.parentRule.cssRules).indexOf(e);t.unshift(n)}else{n=Array.from(e.parentStyleSheet.cssRules).indexOf(e);t.unshift(n)}return t}(e,[])}function me(e,a){var s,u;void 0===a&&(a={});var l=e.doc.defaultView;if(!l)return function(){};!function(e,t){var n=e.mutationCb,a=e.mousemoveCb,i=e.mouseInteractionCb,s=e.scrollCb,u=e.viewportResizeCb,l=e.inputCb,c=e.mediaInteractionCb,d=e.styleSheetRuleCb,p=e.styleDeclarationCb,f=e.canvasMutationCb,m=e.fontCb;e.mutationCb=function(){for(var e=[],a=0;a>2],o+=ye[(3&n[t])<<4|n[t+1]>>4],o+=ye[(15&n[t+1])<<2|n[t+2]>>6],o+=ye[63&n[t+2]];return r%3==2?o=o.substring(0,o.length-1)+"=":r%3==1&&(o=o.substring(0,o.length-2)+"=="),o}(e)}:e instanceof DataView?{rr_type:e.constructor.name,args:[ke(e.buffer,t,n),e.byteOffset,e.byteLength]}:e instanceof HTMLImageElement?{rr_type:e.constructor.name,src:e.src}:e instanceof ImageData?{rr_type:e.constructor.name,args:[ke(e.data,t,n),e.width,e.height]}:Ie(e,t)||"object"==typeof e?{rr_type:e.constructor.name,index:Ce(e,t,n)}:e}var we=function(e,t,n){return o([],r(e),!1).map((function(e){return ke(e,t,n)}))},Ie=function(e,t){var n=["WebGLActiveInfo","WebGLBuffer","WebGLFramebuffer","WebGLProgram","WebGLRenderbuffer","WebGLShader","WebGLShaderPrecisionFormat","WebGLTexture","WebGLUniformLocation","WebGLVertexArrayObject","WebGLVertexArrayObjectOES"].filter((function(e){return"function"==typeof t[e]}));return Boolean(n.find((function(n){return e instanceof t[n]})))};function xe(e,t,a,i,s,u){var l,c,d=[],p=Object.getOwnPropertyNames(e),f=function(n){try{if("function"!=typeof e[n])return"continue";var l=z(e,n,(function(l){return function(){for(var c=[],d=0;d=i,u=a&&e.timestamp-K.timestamp>a;(s||u)&&Te(!0)}};var Q=function(e){Me(Oe({type:g.IncrementalSnapshot,data:t({source:b.Mutation},e)}))},ee=function(e){return Me(Oe({type:g.IncrementalSnapshot,data:t({source:b.Scroll},e)}))},ne=function(e){return Me(Oe({type:g.IncrementalSnapshot,data:t({source:b.CanvasMutation},e)}))},re=new he({mutationCb:Q}),oe=new Ee({recordCanvas:D,mutationCb:ne,win:window,blockClass:u,mirror:Re}),ae=new ve({mutationCb:Q,scrollCb:ee,bypassOptions:{blockClass:u,blockSelector:c,maskTextClass:m,maskTextSelector:v,inlineStylesheet:S,maskInputOptions:J,maskTextFn:x,maskInputFn:I,recordCanvas:D,inlineImages:G,sampling:O,slimDOMOptions:Z,iframeManager:re,canvasManager:oe},mirror:Re});Te=function(e){var t,n,o,a;void 0===e&&(e=!1),Me(Oe({type:g.Meta,data:{href:window.location.href,width:U(),height:W()}}),e),te.forEach((function(e){return e.lock()}));var i=r(function(e,t){var n=t||{},r=n.blockClass,o=void 0===r?"rr-block":r,a=n.blockSelector,i=void 0===a?null:a,s=n.maskTextClass,u=void 0===s?"rr-mask":s,l=n.maskTextSelector,c=void 0===l?null:l,d=n.inlineStylesheet,p=void 0===d||d,f=n.inlineImages,m=void 0!==f&&f,h=n.recordCanvas,v=void 0!==h&&h,y=n.maskAllInputs,g=void 0!==y&&y,b=n.maskTextFn,S=n.maskInputFn,C=n.slimDOM,k=void 0!==C&&C,w=n.dataURLOptions,I=n.preserveWhiteSpace,x=n.onSerialize,M=n.onIframeLoad,T=n.iframeLoadTimeout,E=n.keepIframeSrcFn,O={};return[_(e,{doc:e,map:O,blockClass:o,blockSelector:i,maskTextClass:u,maskTextSelector:c,skipChild:!1,inlineStylesheet:p,maskInputOptions:!0===g?{color:!0,date:!0,"datetime-local":!0,email:!0,month:!0,number:!0,range:!0,search:!0,tel:!0,text:!0,time:!0,url:!0,week:!0,textarea:!0,select:!0,password:!0}:!1===g?{password:!0}:g,maskTextFn:b,maskInputFn:S,slimDOMOptions:!0===k||"all"===k?{script:!0,comment:!0,headFavicon:!0,headWhitespace:!0,headMetaDescKeywords:"all"===k,headMetaSocial:!0,headMetaRobots:!0,headMetaHttpEquiv:!0,headMetaAuthorship:!0,headMetaVerification:!0}:!1===k?{}:k,dataURLOptions:w,inlineImages:m,recordCanvas:v,preserveWhiteSpace:I,onSerialize:x,onIframeLoad:M,iframeLoadTimeout:T,keepIframeSrcFn:void 0===E?function(){return!1}:E}),O]}(document,{blockClass:u,blockSelector:c,maskTextClass:m,maskTextSelector:v,inlineStylesheet:S,maskAllInputs:J,maskTextFn:x,slimDOM:Z,recordCanvas:D,inlineImages:G,onSerialize:function(e){q(e)&&re.addIframe(e),B(e)&&ae.addShadowRoot(e.shadowRoot,document)},onIframeLoad:function(e,t){re.attachIframe(e,t),ae.observeAttachShadow(e)},keepIframeSrcFn:X}),2),s=i[0],l=i[1];if(!s)return console.warn("Failed to snapshot the document");Re.map=l,Me(Oe({type:g.FullSnapshot,data:{node:s,initialOffset:{left:void 0!==window.pageXOffset?window.pageXOffset:(null===document||void 0===document?void 0:document.documentElement.scrollLeft)||(null===(n=null===(t=null===document||void 0===document?void 0:document.body)||void 0===t?void 0:t.parentElement)||void 0===n?void 0:n.scrollLeft)||(null===document||void 0===document?void 0:document.body.scrollLeft)||0,top:void 0!==window.pageYOffset?window.pageYOffset:(null===document||void 0===document?void 0:document.documentElement.scrollTop)||(null===(a=null===(o=null===document||void 0===document?void 0:document.body)||void 0===o?void 0:o.parentElement)||void 0===a?void 0:a.scrollTop)||(null===document||void 0===document?void 0:document.body.scrollTop)||0}}})),te.forEach((function(e){return e.unlock()}))};try{var ie=[];ie.push(L("DOMContentLoaded",(function(){Me(Oe({type:g.DomContentLoaded,data:{}}))})));var se=function(e){var n;return me({mutationCb:Q,mousemoveCb:function(e,t){return Me(Oe({type:g.IncrementalSnapshot,data:{source:t,positions:e}}))},mouseInteractionCb:function(e){return Me(Oe({type:g.IncrementalSnapshot,data:t({source:b.MouseInteraction},e)}))},scrollCb:ee,viewportResizeCb:function(e){return Me(Oe({type:g.IncrementalSnapshot,data:t({source:b.ViewportResize},e)}))},inputCb:function(e){return Me(Oe({type:g.IncrementalSnapshot,data:t({source:b.Input},e)}))},mediaInteractionCb:function(e){return Me(Oe({type:g.IncrementalSnapshot,data:t({source:b.MediaInteraction},e)}))},styleSheetRuleCb:function(e){return Me(Oe({type:g.IncrementalSnapshot,data:t({source:b.StyleSheetRule},e)}))},styleDeclarationCb:function(e){return Me(Oe({type:g.IncrementalSnapshot,data:t({source:b.StyleDeclaration},e)}))},canvasMutationCb:ne,fontCb:function(e){return Me(Oe({type:g.IncrementalSnapshot,data:t({source:b.Font},e)}))},blockClass:u,ignoreClass:p,maskTextClass:m,maskTextSelector:v,maskInputOptions:J,inlineStylesheet:S,sampling:O,recordCanvas:D,inlineImages:G,userTriggeredOnInput:A,collectFonts:z,doc:e,maskInputFn:I,maskTextFn:x,blockSelector:c,slimDOMOptions:Z,mirror:Re,iframeManager:re,shadowDomManager:ae,canvasManager:oe,plugins:(null===(n=null==V?void 0:V.filter((function(e){return e.observer})))||void 0===n?void 0:n.map((function(e){return{observer:e.observer,options:e.options,callback:function(t){return Me(Oe({type:g.Plugin,data:{plugin:e.name,payload:t}}))}}})))||[]},M)};re.addLoadListener((function(e){ie.push(se(e.contentDocument))}));var ue=function(){Te(),ie.push(se(document))};return"interactive"===document.readyState||"complete"===document.readyState?ue():ie.push(L("load",(function(){Me(Oe({type:g.Load,data:{}})),ue()}),window)),function(){ie.forEach((function(e){return e()}))}}catch(e){console.warn(e)}}return Ne.addCustomEvent=function(e,t){if(!Me)throw new Error("please add custom event after start recording");Me(Oe({type:g.Custom,data:{tag:e,payload:t}}))},Ne.freezePage=function(){te.forEach((function(e){return e.freeze()}))},Ne.takeFullSnapshot=function(e){if(!Te)throw new Error("please take full snapshot after start recording");Te(e)},Ne.mirror=Re,Ne}(); ++ ***************************************************************************** */var e,t=function(){return(t=Object.assign||function(e){for(var t,n=1,r=arguments.length;n=e.length&&(e=void 0),{value:e&&e[r++],done:!e}}};throw new TypeError(t?"Object is not iterable.":"Symbol.iterator is not defined.")}function r(e,t){var n="function"==typeof Symbol&&e[Symbol.iterator];if(!n)return e;var r,o,a=n.call(e),i=[];try{for(;(void 0===t||t-- >0)&&!(r=a.next()).done;)i.push(r.value)}catch(e){o={error:e}}finally{try{r&&!r.done&&(n=a.return)&&n.call(a)}finally{if(o)throw o.error}}return i}function o(e,t,n){if(n||2===arguments.length)for(var r,o=0,a=t.length;o-1?s.split("/").slice(0,3).join("/"):s.split("/")[0]).split("?")[0]+u)+l+")";var c=t.split("/"),d=u.split("/");c.pop();for(var p=0,f=d;p=t.length);){var a=r(w);if(","===a.slice(-1))a=T(e,a.substring(0,a.length-1)),o.push(a);else{var i="";a=T(e,a);for(var s=!1;;){var u=t.charAt(n);if(""===u){o.push((a+i).trim());break}if(s)")"===u&&(s=!1);else{if(","===u){n+=1,o.push((a+i).trim());break}"("===u&&(s=!0)}i+=u,n+=1}}}return o.join(", ")}(e,r):"style"===n&&r?y(r,M()):"object"===t&&"data"===n&&r?T(e,r):r:T(e,r)}function O(e,t,n,r){if(!e)return!1;if(e.nodeType===e.ELEMENT_NODE){if(r&&(e.matches(r)||e.closest(r)))return!1;if("string"==typeof t){if(e.classList.contains(t))return!0}else for(var o=0;ot?(r&&(clearTimeout(r),r=null),o=i,e.apply(u,l)):r||!1===n.trailing||(r=setTimeout((function(){o=!1===n.leading?0:Date.now(),r=null,e.apply(u,l)}),s))}}function P(e,t,n,r,o){void 0===o&&(o=window);var a=o.Object.getOwnPropertyDescriptor(e,t);return o.Object.defineProperty(e,t,r?n:{set:function(e){var t=this;setTimeout((function(){n.set.call(t,e)}),0),a&&a.set&&a.set.call(this,e)}}),function(){return P(e,t,a||{},!0)}}function z(e,t,n){try{if(!(t in e))return function(){};var r=e[t],o=n(r);return"function"==typeof o&&(o.prototype=o.prototype||{},Object.defineProperties(o,{__rrweb_original__:{enumerable:!1,value:r}})),e[t]=o,function(){e[t]=r}}catch(e){return function(){}}}function W(){return window.innerHeight||document.documentElement&&document.documentElement.clientHeight||document.body&&document.body.clientHeight}function U(){return window.innerWidth||document.documentElement&&document.documentElement.clientWidth||document.body&&document.body.clientWidth}function j(e,t){if(!e)return!1;if(e.nodeType===e.ELEMENT_NODE){var n=!1;if("string"==typeof t){if(void 0!==e.closest)return null!==e.closest("."+t);n=e.classList.contains(t)}else e.classList.forEach((function(e){t.test(e)&&(n=!0)}));return n||j(e.parentNode,t)}return e.nodeType,e.TEXT_NODE,j(e.parentNode,t)}function G(e){return"__sn"in e&&-2===e.__sn.id}function V(e,t){if(a(e))return!1;var n=t.getId(e);return!t.has(n)||(!e.parentNode||e.parentNode.nodeType!==e.DOCUMENT_NODE)&&(!e.parentNode||V(e.parentNode,t))}function H(e){return Boolean(e.changedTouches)}function q(t){return"__sn"in t&&(t.__sn.type===e.Element&&"iframe"===t.__sn.tagName)}function B(e){return Boolean(null==e?void 0:e.shadowRoot)}function X(e){return"__ln"in e}"undefined"!=typeof window&&window.Proxy&&window.Reflect&&(F=new Proxy(F,{get:function(e,t,n){return"map"===t&&console.error(D),Reflect.get(e,t,n)}}));var Y=function(){function e(){this.length=0,this.head=null}return e.prototype.get=function(e){if(e>=this.length)throw new Error("Position outside of list range");for(var t=this.head,n=0;n=0;b--){var k=u.get(b);if(k){S=e.mirror.getId(k.value.parentNode),g=l(k.value);if(-1!==S&&-1!==g){y=k;break}}}if(!y){for(;u.head;)u.removeNode(u.head.value);break}v=y.previous,u.removeNode(y.value),c(y.value)}var C={texts:e.texts.map((function(t){return{id:e.mirror.getId(t.node),value:t.value}})).filter((function(t){return e.mirror.has(t.id)})),attributes:e.attributes.map((function(t){return{id:e.mirror.getId(t.node),attributes:t.attributes}})).filter((function(t){return e.mirror.has(t.id)})),removes:e.removes,adds:s};(C.texts.length||C.attributes.length||C.removes.length||C.adds.length)&&(e.texts=[],e.attributes=[],e.removes=[],e.addedSet=new Set,e.movedSet=new Set,e.droppedSet=new Set,e.movedMap={},e.mutationCb(C))}},this.processMutation=function(t){var r,o,s,u;if(!G(t.target))switch(t.type){case"characterData":var l=t.target.textContent;j(t.target,e.blockClass)||l===t.oldValue||e.texts.push({value:O(t.target,e.maskTextClass,e.maskTextSelector,e.unmaskTextSelector)&&l?e.maskTextFn?e.maskTextFn(l):l.replace(/[\S]/g,"*"):l,node:t.target});break;case"attributes":var c=t.target;l=t.target.getAttribute(t.attributeName);if("value"===t.attributeName&&(l=i({input:c,maskInputSelector:e.maskInputSelector,unmaskInputSelector:e.unmaskInputSelector,maskInputOptions:e.maskInputOptions,tagName:t.target.tagName,type:t.target.getAttribute("type"),value:l,maskInputFn:e.maskInputFn})),j(t.target,e.blockClass)||l===t.oldValue)return;var d=e.attributes.find((function(e){return e.node===t.target}));if(d||(d={node:t.target,attributes:{}},e.attributes.push(d)),"style"===t.attributeName){var p=e.doc.createElement("span");t.oldValue&&p.setAttribute("style",t.oldValue),void 0!==d.attributes.style&&null!==d.attributes.style||(d.attributes.style={});var f=d.attributes.style;try{for(var m=n(Array.from(c.style)),h=m.next();!h.done;h=m.next()){var v=h.value,y=c.style.getPropertyValue(v),S=c.style.getPropertyPriority(v);y===p.style.getPropertyValue(v)&&S===p.style.getPropertyPriority(v)||(f[v]=""===S?y:[y,S])}}catch(e){r={error:e}}finally{try{h&&!h.done&&(o=m.return)&&o.call(m)}finally{if(r)throw r.error}}try{for(var g=n(Array.from(p.style)),b=g.next();!b.done;b=g.next()){v=b.value;""===c.style.getPropertyValue(v)&&(f[v]=!1)}}catch(e){s={error:e}}finally{try{b&&!b.done&&(u=g.return)&&u.call(g)}finally{if(s)throw s.error}}}else d.attributes[t.attributeName]=E(e.doc,t.target.tagName,t.attributeName,l);break;case"childList":t.addedNodes.forEach((function(n){return e.genAdds(n,t.target)})),t.removedNodes.forEach((function(n){var r=e.mirror.getId(n),o=a(t.target)?e.mirror.getId(t.target.host):e.mirror.getId(t.target);j(t.target,e.blockClass)||G(n)||(e.addedSet.has(n)?($(e.addedSet,n),e.droppedSet.add(n)):e.addedSet.has(t.target)&&-1===r||V(t.target,e.mirror)||(e.movedSet.has(n)&&e.movedMap[K(r,o)]?$(e.movedSet,n):e.removes.push({parentId:o,id:r,isShadow:!!a(t.target)||void 0})),e.mapRemoves.push(n))}))}},this.genAdds=function(t,n){if(!n||!j(n,e.blockClass)){if(J(t)){if(G(t))return;e.movedSet.add(t);var r=null;n&&J(n)&&(r=n.__sn.id),r&&(e.movedMap[K(t.__sn.id,r)]=!0)}else e.addedSet.add(t),e.droppedSet.delete(t);j(t,e.blockClass)||t.childNodes.forEach((function(t){return e.genAdds(t)}))}}}return e.prototype.init=function(e){var t=this;["mutationCb","blockClass","blockSelector","unblockSelector","maskTextClass","maskTextSelector","unmaskTextSelector","maskInputSelector","unmaskInputSelector","inlineStylesheet","maskInputOptions","maskTextFn","maskInputFn","recordCanvas","inlineImages","slimDOMOptions","doc","mirror","iframeManager","shadowDomManager","canvasManager"].forEach((function(n){t[n]=e[n]}))},e.prototype.freeze=function(){this.frozen=!0,this.canvasManager.freeze()},e.prototype.unfreeze=function(){this.frozen=!1,this.canvasManager.unfreeze(),this.emit()},e.prototype.isFrozen=function(){return this.frozen},e.prototype.lock=function(){this.locked=!0,this.canvasManager.lock()},e.prototype.unlock=function(){this.locked=!1,this.canvasManager.unlock(),this.emit()},e.prototype.reset=function(){this.shadowDomManager.reset(),this.canvasManager.reset()},e}();function $(e,t){e.delete(t),t.childNodes.forEach((function(t){return $(e,t)}))}function Q(e,t,n){var r=t.parentNode;if(!r)return!1;var o=n.getId(r);return!!e.some((function(e){return e.id===o}))||Q(e,r,n)}function ee(e,t){var n=t.parentNode;return!!n&&(!!e.has(n)||ee(e,n))}var te=[],ne="undefined"!=typeof CSSGroupingRule,re="undefined"!=typeof CSSMediaRule,oe="undefined"!=typeof CSSSupportsRule,ae="undefined"!=typeof CSSConditionRule;function ie(e){try{if("composedPath"in e){var t=e.composedPath();if(t.length)return t[0]}else if("path"in e&&e.path.length)return e.path[0];return e.target}catch(t){return e.target}}function se(e,t){var n,r,o=new Z;te.push(o),o.init(e);var a=window.MutationObserver||window.__rrMutationObserver,i=null===(r=null===(n=null===window||void 0===window?void 0:window.Zone)||void 0===n?void 0:n.__symbol__)||void 0===r?void 0:r.call(n,"MutationObserver");i&&window[i]&&(a=window[i]);var s=new a(o.processMutations.bind(o));return s.observe(t,{attributes:!0,attributeOldValue:!0,characterData:!0,characterDataOldValue:!0,childList:!0,subtree:!0}),s}function ue(e){var t=e.mouseInteractionCb,n=e.doc,r=e.mirror,o=e.blockClass,a=e.sampling;if(!1===a.mouseInteraction)return function(){};var i=!0===a.mouseInteraction||void 0===a.mouseInteraction?{}:a.mouseInteraction,s=[];return Object.keys(b).filter((function(e){return Number.isNaN(Number(e))&&!e.endsWith("_Departed")&&!1!==i[e]})).forEach((function(e){var a=e.toLowerCase(),i=function(e){return function(n){var a=ie(n);if(!j(a,o)){var i=H(n)?n.changedTouches[0]:n;if(i){var s=r.getId(a),u=i.clientX,l=i.clientY;t({type:b[e],id:s,x:u,y:l})}}}}(e);s.push(L(a,i,n))})),function(){s.forEach((function(e){return e()}))}}function le(e){var t=e.scrollCb,n=e.doc,r=e.mirror,o=e.blockClass;return L("scroll",A((function(e){var a=ie(e);if(a&&!j(a,o)){var i=r.getId(a);if(a===n){var s=n.scrollingElement||n.documentElement;t({id:i,x:s.scrollLeft,y:s.scrollTop})}else t({id:i,x:a.scrollLeft,y:a.scrollTop})}}),e.sampling.scroll||100),n)}function ce(e,n){var r=t({},e);return n||delete r.userTriggered,r}var de=["INPUT","TEXTAREA","SELECT"],pe=new WeakMap;function fe(e){return function(e,t){if(ne&&e.parentRule instanceof CSSGroupingRule||re&&e.parentRule instanceof CSSMediaRule||oe&&e.parentRule instanceof CSSSupportsRule||ae&&e.parentRule instanceof CSSConditionRule){var n=Array.from(e.parentRule.cssRules).indexOf(e);t.unshift(n)}else{n=Array.from(e.parentStyleSheet.cssRules).indexOf(e);t.unshift(n)}return t}(e,[])}function me(e,a){var s,u;void 0===a&&(a={});var l=e.doc.defaultView;if(!l)return function(){};!function(e,t){var n=e.mutationCb,a=e.mousemoveCb,i=e.mouseInteractionCb,s=e.scrollCb,u=e.viewportResizeCb,l=e.inputCb,c=e.mediaInteractionCb,d=e.styleSheetRuleCb,p=e.styleDeclarationCb,f=e.canvasMutationCb,m=e.fontCb;e.mutationCb=function(){for(var e=[],a=0;a>2],o+=ye[(3&n[t])<<4|n[t+1]>>4],o+=ye[(15&n[t+1])<<2|n[t+2]>>6],o+=ye[63&n[t+2]];return r%3==2?o=o.substring(0,o.length-1)+"=":r%3==1&&(o=o.substring(0,o.length-2)+"=="),o}(e)}:e instanceof DataView?{rr_type:e.constructor.name,args:[Ce(e.buffer,t,n),e.byteOffset,e.byteLength]}:e instanceof HTMLImageElement?{rr_type:e.constructor.name,src:e.src}:e instanceof ImageData?{rr_type:e.constructor.name,args:[Ce(e.data,t,n),e.width,e.height]}:we(e,t)||"object"==typeof e?{rr_type:e.constructor.name,index:ke(e,t,n)}:e}var Ie=function(e,t,n){return o([],r(e),!1).map((function(e){return Ce(e,t,n)}))},we=function(e,t){var n=["WebGLActiveInfo","WebGLBuffer","WebGLFramebuffer","WebGLProgram","WebGLRenderbuffer","WebGLShader","WebGLShaderPrecisionFormat","WebGLTexture","WebGLUniformLocation","WebGLVertexArrayObject","WebGLVertexArrayObjectOES"].filter((function(e){return"function"==typeof t[e]}));return Boolean(n.find((function(n){return e instanceof t[n]})))};function xe(e,t,a,i,s,u){var l,c,d=[],p=Object.getOwnPropertyNames(e),f=function(n){try{if("function"!=typeof e[n])return"continue";var l=z(e,n,(function(l){return function(){for(var c=[],d=0;d=i,u=a&&e.timestamp-ie.timestamp>a;(s||u)&&Me(!0)}};var ce=function(e){Te(Oe({type:S.IncrementalSnapshot,data:t({source:g.Mutation},e)}))},de=function(e){return Te(Oe({type:S.IncrementalSnapshot,data:t({source:g.Scroll},e)}))},pe=function(e){return Te(Oe({type:S.IncrementalSnapshot,data:t({source:g.CanvasMutation},e)}))},fe=new he({mutationCb:ce}),ye=new Ee({recordCanvas:Y,mutationCb:pe,win:window,blockClass:u,mirror:Re}),Se=new ve({mutationCb:ce,scrollCb:de,bypassOptions:{blockClass:u,blockSelector:c,unblockSelector:p,maskTextClass:b,maskTextSelector:C,unmaskTextSelector:T,maskInputSelector:w,unmaskInputSelector:E,inlineStylesheet:R,maskInputOptions:se,maskTextFn:P,maskInputFn:A,recordCanvas:Y,inlineImages:ee,sampling:V,slimDOMOptions:ue,iframeManager:fe,canvasManager:ye},mirror:Re});Me=function(e){var t,n,o,a;void 0===e&&(e=!1),Te(Oe({type:S.Meta,data:{href:window.location.href,width:U(),height:W()}}),e),te.forEach((function(e){return e.lock()}));var i=r(function(e,t){var n=t||{},r=n.blockClass,o=void 0===r?"rr-block":r,a=n.blockSelector,i=void 0===a?null:a,s=n.unblockSelector,u=void 0===s?null:s,l=n.maskTextClass,c=void 0===l?"rr-mask":l,d=n.maskTextSelector,p=void 0===d?null:d,f=n.unmaskTextSelector,m=void 0===f?null:f,h=n.inlineStylesheet,v=void 0===h||h,y=n.inlineImages,S=void 0!==y&&y,g=n.recordCanvas,b=void 0!==g&&g,k=n.maskInputSelector,C=void 0===k?null:k,I=n.unmaskInputSelector,w=void 0===I?null:I,x=n.maskAllInputs,T=void 0!==x&&x,M=n.maskTextFn,E=n.maskInputFn,O=n.slimDOM,R=void 0!==O&&O,N=n.dataURLOptions,L=n.preserveWhiteSpace,D=n.onSerialize,F=n.onIframeLoad,A=n.iframeLoadTimeout,P=n.keepIframeSrcFn,z={};return[_(e,{doc:e,map:z,blockClass:o,blockSelector:i,unblockSelector:u,maskTextClass:c,maskTextSelector:p,unmaskTextSelector:m,skipChild:!1,inlineStylesheet:v,maskInputSelector:C,unmaskInputSelector:w,maskInputOptions:!0===T?{color:!0,date:!0,"datetime-local":!0,email:!0,month:!0,number:!0,range:!0,search:!0,tel:!0,text:!0,time:!0,url:!0,week:!0,textarea:!0,select:!0,password:!0}:!1===T?{password:!0}:T,maskTextFn:M,maskInputFn:E,slimDOMOptions:!0===R||"all"===R?{script:!0,comment:!0,headFavicon:!0,headWhitespace:!0,headMetaDescKeywords:"all"===R,headMetaSocial:!0,headMetaRobots:!0,headMetaHttpEquiv:!0,headMetaAuthorship:!0,headMetaVerification:!0}:!1===R?{}:R,dataURLOptions:N,inlineImages:S,recordCanvas:b,preserveWhiteSpace:L,onSerialize:D,onIframeLoad:F,iframeLoadTimeout:A,keepIframeSrcFn:void 0===P?function(){return!1}:P}),z]}(document,{blockClass:u,blockSelector:c,unblockSelector:p,maskTextClass:b,maskTextSelector:C,unmaskTextSelector:T,maskInputSelector:w,unmaskInputSelector:E,inlineStylesheet:R,maskAllInputs:se,maskTextFn:P,slimDOM:ue,recordCanvas:Y,inlineImages:ee,onSerialize:function(e){q(e)&&fe.addIframe(e),B(e)&&Se.addShadowRoot(e.shadowRoot,document)},onIframeLoad:function(e,t){fe.attachIframe(e,t),Se.observeAttachShadow(e)},keepIframeSrcFn:oe}),2),s=i[0],l=i[1];if(!s)return console.warn("Failed to snapshot the document");Re.map=l,Te(Oe({type:S.FullSnapshot,data:{node:s,initialOffset:{left:void 0!==window.pageXOffset?window.pageXOffset:(null===document||void 0===document?void 0:document.documentElement.scrollLeft)||(null===(n=null===(t=null===document||void 0===document?void 0:document.body)||void 0===t?void 0:t.parentElement)||void 0===n?void 0:n.scrollLeft)||(null===document||void 0===document?void 0:document.body.scrollLeft)||0,top:void 0!==window.pageYOffset?window.pageYOffset:(null===document||void 0===document?void 0:document.documentElement.scrollTop)||(null===(a=null===(o=null===document||void 0===document?void 0:document.body)||void 0===o?void 0:o.parentElement)||void 0===a?void 0:a.scrollTop)||(null===document||void 0===document?void 0:document.body.scrollTop)||0}}})),te.forEach((function(e){return e.unlock()}))};try{var ge=[];ge.push(L("DOMContentLoaded",(function(){Te(Oe({type:S.DomContentLoaded,data:{}}))})));var be=function(e){var n;return me({mutationCb:ce,mousemoveCb:function(e,t){return Te(Oe({type:S.IncrementalSnapshot,data:{source:t,positions:e}}))},mouseInteractionCb:function(e){return Te(Oe({type:S.IncrementalSnapshot,data:t({source:g.MouseInteraction},e)}))},scrollCb:de,viewportResizeCb:function(e){return Te(Oe({type:S.IncrementalSnapshot,data:t({source:g.ViewportResize},e)}))},inputCb:function(e){return Te(Oe({type:S.IncrementalSnapshot,data:t({source:g.Input},e)}))},mediaInteractionCb:function(e){return Te(Oe({type:S.IncrementalSnapshot,data:t({source:g.MediaInteraction},e)}))},styleSheetRuleCb:function(e){return Te(Oe({type:S.IncrementalSnapshot,data:t({source:g.StyleSheetRule},e)}))},styleDeclarationCb:function(e){return Te(Oe({type:S.IncrementalSnapshot,data:t({source:g.StyleDeclaration},e)}))},canvasMutationCb:pe,fontCb:function(e){return Te(Oe({type:S.IncrementalSnapshot,data:t({source:g.Font},e)}))},blockClass:u,ignoreClass:m,ignoreSelector:v,maskTextClass:b,maskTextSelector:C,unmaskTextSelector:T,maskInputSelector:w,unmaskInputSelector:E,maskInputOptions:se,inlineStylesheet:R,sampling:V,recordCanvas:Y,inlineImages:ee,userTriggeredOnInput:J,collectFonts:$,doc:e,maskInputFn:A,maskTextFn:P,blockSelector:c,unblockSelector:p,slimDOMOptions:ue,mirror:Re,iframeManager:fe,shadowDomManager:Se,canvasManager:ye,plugins:(null===(n=null==ne?void 0:ne.filter((function(e){return e.observer})))||void 0===n?void 0:n.map((function(e){return{observer:e.observer,options:e.options,callback:function(t){return Te(Oe({type:S.Plugin,data:{plugin:e.name,payload:t}}))}}})))||[]},z)};fe.addLoadListener((function(e){try{ge.push(be(e.contentDocument))}catch(e){console.warn(e)}}));var ke=function(){Me(),ge.push(be(document))};return"interactive"===document.readyState||"complete"===document.readyState?ke():ge.push(L("load",(function(){Te(Oe({type:S.Load,data:{}})),ke()}),window)),function(){ge.forEach((function(e){return e()}))}}catch(e){console.warn(e)}}return Ne.addCustomEvent=function(e,t){if(!Te)throw new Error("please add custom event after start recording");Te(Oe({type:S.Custom,data:{tag:e,payload:t}}))},Ne.freezePage=function(){te.forEach((function(e){return e.freeze()}))},Ne.takeFullSnapshot=function(e){if(!Me)throw new Error("please take full snapshot after start recording");Me(e)},Ne.mirror=Re,Ne}(); + //# sourceMappingURL=rrweb-record.min.js.map +diff --git a/node_modules/rrweb/dist/record/rrweb-record.min.js.map b/node_modules/rrweb/dist/record/rrweb-record.min.js.map +old mode 100644 +new mode 100755 +index 2262a48..cda0572 +--- a/node_modules/rrweb/dist/record/rrweb-record.min.js.map ++++ b/node_modules/rrweb/dist/record/rrweb-record.min.js.map +@@ -1 +1 @@ +-{"version":3,"file":"rrweb-record.min.js","sources":["../../node_modules/tslib/tslib.es6.js","../../../rrweb-snapshot/es/rrweb-snapshot.js","../../../src/types.ts","../../../src/utils.ts","../../../src/record/mutation.ts","../../../src/record/observer.ts","../../../src/record/iframe-manager.ts","../../../src/record/shadow-dom-manager.ts","../../../../node_modules/base64-arraybuffer/dist/base64-arraybuffer.es5.js","../../../src/record/observers/canvas/serialize-args.ts","../../../src/record/observers/canvas/webgl.ts","../../../src/record/observers/canvas/canvas-manager.ts","../../../src/record/index.ts","../../../src/record/observers/canvas/canvas.ts","../../../src/record/observers/canvas/2d.ts"],"sourcesContent":["/*! *****************************************************************************\r\nCopyright (c) Microsoft Corporation.\r\n\r\nPermission to use, copy, modify, and/or distribute this software for any\r\npurpose with or without fee is hereby granted.\r\n\r\nTHE SOFTWARE IS PROVIDED \"AS IS\" AND THE AUTHOR DISCLAIMS ALL WARRANTIES WITH\r\nREGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF MERCHANTABILITY\r\nAND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR ANY SPECIAL, DIRECT,\r\nINDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES WHATSOEVER RESULTING FROM\r\nLOSS OF USE, DATA OR PROFITS, WHETHER IN AN ACTION OF CONTRACT, NEGLIGENCE OR\r\nOTHER TORTIOUS ACTION, ARISING OUT OF OR IN CONNECTION WITH THE USE OR\r\nPERFORMANCE OF THIS SOFTWARE.\r\n***************************************************************************** */\r\n/* global Reflect, Promise */\r\n\r\nvar extendStatics = function(d, b) {\r\n extendStatics = Object.setPrototypeOf ||\r\n ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) ||\r\n function (d, b) { for (var p in b) if (Object.prototype.hasOwnProperty.call(b, p)) d[p] = b[p]; };\r\n return extendStatics(d, b);\r\n};\r\n\r\nexport function __extends(d, b) {\r\n if (typeof b !== \"function\" && b !== null)\r\n throw new TypeError(\"Class extends value \" + String(b) + \" is not a constructor or null\");\r\n extendStatics(d, b);\r\n function __() { this.constructor = d; }\r\n d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __());\r\n}\r\n\r\nexport var __assign = function() {\r\n __assign = Object.assign || function __assign(t) {\r\n for (var s, i = 1, n = arguments.length; i < n; i++) {\r\n s = arguments[i];\r\n for (var p in s) if (Object.prototype.hasOwnProperty.call(s, p)) t[p] = s[p];\r\n }\r\n return t;\r\n }\r\n return __assign.apply(this, arguments);\r\n}\r\n\r\nexport function __rest(s, e) {\r\n var t = {};\r\n for (var p in s) if (Object.prototype.hasOwnProperty.call(s, p) && e.indexOf(p) < 0)\r\n t[p] = s[p];\r\n if (s != null && typeof Object.getOwnPropertySymbols === \"function\")\r\n for (var i = 0, p = Object.getOwnPropertySymbols(s); i < p.length; i++) {\r\n if (e.indexOf(p[i]) < 0 && Object.prototype.propertyIsEnumerable.call(s, p[i]))\r\n t[p[i]] = s[p[i]];\r\n }\r\n return t;\r\n}\r\n\r\nexport function __decorate(decorators, target, key, desc) {\r\n var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d;\r\n if (typeof Reflect === \"object\" && typeof Reflect.decorate === \"function\") r = Reflect.decorate(decorators, target, key, desc);\r\n else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r;\r\n return c > 3 && r && Object.defineProperty(target, key, r), r;\r\n}\r\n\r\nexport function __param(paramIndex, decorator) {\r\n return function (target, key) { decorator(target, key, paramIndex); }\r\n}\r\n\r\nexport function __metadata(metadataKey, metadataValue) {\r\n if (typeof Reflect === \"object\" && typeof Reflect.metadata === \"function\") return Reflect.metadata(metadataKey, metadataValue);\r\n}\r\n\r\nexport function __awaiter(thisArg, _arguments, P, generator) {\r\n function adopt(value) { return value instanceof P ? value : new P(function (resolve) { resolve(value); }); }\r\n return new (P || (P = Promise))(function (resolve, reject) {\r\n function fulfilled(value) { try { step(generator.next(value)); } catch (e) { reject(e); } }\r\n function rejected(value) { try { step(generator[\"throw\"](value)); } catch (e) { reject(e); } }\r\n function step(result) { result.done ? resolve(result.value) : adopt(result.value).then(fulfilled, rejected); }\r\n step((generator = generator.apply(thisArg, _arguments || [])).next());\r\n });\r\n}\r\n\r\nexport function __generator(thisArg, body) {\r\n var _ = { label: 0, sent: function() { if (t[0] & 1) throw t[1]; return t[1]; }, trys: [], ops: [] }, f, y, t, g;\r\n return g = { next: verb(0), \"throw\": verb(1), \"return\": verb(2) }, typeof Symbol === \"function\" && (g[Symbol.iterator] = function() { return this; }), g;\r\n function verb(n) { return function (v) { return step([n, v]); }; }\r\n function step(op) {\r\n if (f) throw new TypeError(\"Generator is already executing.\");\r\n while (_) try {\r\n if (f = 1, y && (t = op[0] & 2 ? y[\"return\"] : op[0] ? y[\"throw\"] || ((t = y[\"return\"]) && t.call(y), 0) : y.next) && !(t = t.call(y, op[1])).done) return t;\r\n if (y = 0, t) op = [op[0] & 2, t.value];\r\n switch (op[0]) {\r\n case 0: case 1: t = op; break;\r\n case 4: _.label++; return { value: op[1], done: false };\r\n case 5: _.label++; y = op[1]; op = [0]; continue;\r\n case 7: op = _.ops.pop(); _.trys.pop(); continue;\r\n default:\r\n if (!(t = _.trys, t = t.length > 0 && t[t.length - 1]) && (op[0] === 6 || op[0] === 2)) { _ = 0; continue; }\r\n if (op[0] === 3 && (!t || (op[1] > t[0] && op[1] < t[3]))) { _.label = op[1]; break; }\r\n if (op[0] === 6 && _.label < t[1]) { _.label = t[1]; t = op; break; }\r\n if (t && _.label < t[2]) { _.label = t[2]; _.ops.push(op); break; }\r\n if (t[2]) _.ops.pop();\r\n _.trys.pop(); continue;\r\n }\r\n op = body.call(thisArg, _);\r\n } catch (e) { op = [6, e]; y = 0; } finally { f = t = 0; }\r\n if (op[0] & 5) throw op[1]; return { value: op[0] ? op[1] : void 0, done: true };\r\n }\r\n}\r\n\r\nexport var __createBinding = Object.create ? (function(o, m, k, k2) {\r\n if (k2 === undefined) k2 = k;\r\n Object.defineProperty(o, k2, { enumerable: true, get: function() { return m[k]; } });\r\n}) : (function(o, m, k, k2) {\r\n if (k2 === undefined) k2 = k;\r\n o[k2] = m[k];\r\n});\r\n\r\nexport function __exportStar(m, o) {\r\n for (var p in m) if (p !== \"default\" && !Object.prototype.hasOwnProperty.call(o, p)) __createBinding(o, m, p);\r\n}\r\n\r\nexport function __values(o) {\r\n var s = typeof Symbol === \"function\" && Symbol.iterator, m = s && o[s], i = 0;\r\n if (m) return m.call(o);\r\n if (o && typeof o.length === \"number\") return {\r\n next: function () {\r\n if (o && i >= o.length) o = void 0;\r\n return { value: o && o[i++], done: !o };\r\n }\r\n };\r\n throw new TypeError(s ? \"Object is not iterable.\" : \"Symbol.iterator is not defined.\");\r\n}\r\n\r\nexport function __read(o, n) {\r\n var m = typeof Symbol === \"function\" && o[Symbol.iterator];\r\n if (!m) return o;\r\n var i = m.call(o), r, ar = [], e;\r\n try {\r\n while ((n === void 0 || n-- > 0) && !(r = i.next()).done) ar.push(r.value);\r\n }\r\n catch (error) { e = { error: error }; }\r\n finally {\r\n try {\r\n if (r && !r.done && (m = i[\"return\"])) m.call(i);\r\n }\r\n finally { if (e) throw e.error; }\r\n }\r\n return ar;\r\n}\r\n\r\n/** @deprecated */\r\nexport function __spread() {\r\n for (var ar = [], i = 0; i < arguments.length; i++)\r\n ar = ar.concat(__read(arguments[i]));\r\n return ar;\r\n}\r\n\r\n/** @deprecated */\r\nexport function __spreadArrays() {\r\n for (var s = 0, i = 0, il = arguments.length; i < il; i++) s += arguments[i].length;\r\n for (var r = Array(s), k = 0, i = 0; i < il; i++)\r\n for (var a = arguments[i], j = 0, jl = a.length; j < jl; j++, k++)\r\n r[k] = a[j];\r\n return r;\r\n}\r\n\r\nexport function __spreadArray(to, from, pack) {\r\n if (pack || arguments.length === 2) for (var i = 0, l = from.length, ar; i < l; i++) {\r\n if (ar || !(i in from)) {\r\n if (!ar) ar = Array.prototype.slice.call(from, 0, i);\r\n ar[i] = from[i];\r\n }\r\n }\r\n return to.concat(ar || Array.prototype.slice.call(from));\r\n}\r\n\r\nexport function __await(v) {\r\n return this instanceof __await ? (this.v = v, this) : new __await(v);\r\n}\r\n\r\nexport function __asyncGenerator(thisArg, _arguments, generator) {\r\n if (!Symbol.asyncIterator) throw new TypeError(\"Symbol.asyncIterator is not defined.\");\r\n var g = generator.apply(thisArg, _arguments || []), i, q = [];\r\n return i = {}, verb(\"next\"), verb(\"throw\"), verb(\"return\"), i[Symbol.asyncIterator] = function () { return this; }, i;\r\n function verb(n) { if (g[n]) i[n] = function (v) { return new Promise(function (a, b) { q.push([n, v, a, b]) > 1 || resume(n, v); }); }; }\r\n function resume(n, v) { try { step(g[n](v)); } catch (e) { settle(q[0][3], e); } }\r\n function step(r) { r.value instanceof __await ? Promise.resolve(r.value.v).then(fulfill, reject) : settle(q[0][2], r); }\r\n function fulfill(value) { resume(\"next\", value); }\r\n function reject(value) { resume(\"throw\", value); }\r\n function settle(f, v) { if (f(v), q.shift(), q.length) resume(q[0][0], q[0][1]); }\r\n}\r\n\r\nexport function __asyncDelegator(o) {\r\n var i, p;\r\n return i = {}, verb(\"next\"), verb(\"throw\", function (e) { throw e; }), verb(\"return\"), i[Symbol.iterator] = function () { return this; }, i;\r\n function verb(n, f) { i[n] = o[n] ? function (v) { return (p = !p) ? { value: __await(o[n](v)), done: n === \"return\" } : f ? f(v) : v; } : f; }\r\n}\r\n\r\nexport function __asyncValues(o) {\r\n if (!Symbol.asyncIterator) throw new TypeError(\"Symbol.asyncIterator is not defined.\");\r\n var m = o[Symbol.asyncIterator], i;\r\n return m ? m.call(o) : (o = typeof __values === \"function\" ? __values(o) : o[Symbol.iterator](), i = {}, verb(\"next\"), verb(\"throw\"), verb(\"return\"), i[Symbol.asyncIterator] = function () { return this; }, i);\r\n function verb(n) { i[n] = o[n] && function (v) { return new Promise(function (resolve, reject) { v = o[n](v), settle(resolve, reject, v.done, v.value); }); }; }\r\n function settle(resolve, reject, d, v) { Promise.resolve(v).then(function(v) { resolve({ value: v, done: d }); }, reject); }\r\n}\r\n\r\nexport function __makeTemplateObject(cooked, raw) {\r\n if (Object.defineProperty) { Object.defineProperty(cooked, \"raw\", { value: raw }); } else { cooked.raw = raw; }\r\n return cooked;\r\n};\r\n\r\nvar __setModuleDefault = Object.create ? (function(o, v) {\r\n Object.defineProperty(o, \"default\", { enumerable: true, value: v });\r\n}) : function(o, v) {\r\n o[\"default\"] = v;\r\n};\r\n\r\nexport function __importStar(mod) {\r\n if (mod && mod.__esModule) return mod;\r\n var result = {};\r\n if (mod != null) for (var k in mod) if (k !== \"default\" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding(result, mod, k);\r\n __setModuleDefault(result, mod);\r\n return result;\r\n}\r\n\r\nexport function __importDefault(mod) {\r\n return (mod && mod.__esModule) ? mod : { default: mod };\r\n}\r\n\r\nexport function __classPrivateFieldGet(receiver, state, kind, f) {\r\n if (kind === \"a\" && !f) throw new TypeError(\"Private accessor was defined without a getter\");\r\n if (typeof state === \"function\" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError(\"Cannot read private member from an object whose class did not declare it\");\r\n return kind === \"m\" ? f : kind === \"a\" ? f.call(receiver) : f ? f.value : state.get(receiver);\r\n}\r\n\r\nexport function __classPrivateFieldSet(receiver, state, value, kind, f) {\r\n if (kind === \"m\") throw new TypeError(\"Private method is not writable\");\r\n if (kind === \"a\" && !f) throw new TypeError(\"Private accessor was defined without a setter\");\r\n if (typeof state === \"function\" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError(\"Cannot write private member to an object whose class did not declare it\");\r\n return (kind === \"a\" ? f.call(receiver, value) : f ? f.value = value : state.set(receiver, value)), value;\r\n}\r\n","var NodeType;\n(function (NodeType) {\n NodeType[NodeType[\"Document\"] = 0] = \"Document\";\n NodeType[NodeType[\"DocumentType\"] = 1] = \"DocumentType\";\n NodeType[NodeType[\"Element\"] = 2] = \"Element\";\n NodeType[NodeType[\"Text\"] = 3] = \"Text\";\n NodeType[NodeType[\"CDATA\"] = 4] = \"CDATA\";\n NodeType[NodeType[\"Comment\"] = 5] = \"Comment\";\n})(NodeType || (NodeType = {}));\n\nfunction isElement(n) {\n return n.nodeType === n.ELEMENT_NODE;\n}\nfunction isShadowRoot(n) {\n var _a;\n var host = (_a = n) === null || _a === void 0 ? void 0 : _a.host;\n return Boolean(host && host.shadowRoot && host.shadowRoot === n);\n}\nfunction maskInputValue(_a) {\n var maskInputOptions = _a.maskInputOptions, tagName = _a.tagName, type = _a.type, value = _a.value, maskInputFn = _a.maskInputFn;\n var text = value || '';\n if (maskInputOptions[tagName.toLowerCase()] ||\n maskInputOptions[type]) {\n if (maskInputFn) {\n text = maskInputFn(text);\n }\n else {\n text = '*'.repeat(text.length);\n }\n }\n return text;\n}\nvar ORIGINAL_ATTRIBUTE_NAME = '__rrweb_original__';\nfunction is2DCanvasBlank(canvas) {\n var ctx = canvas.getContext('2d');\n if (!ctx)\n return true;\n var chunkSize = 50;\n for (var x = 0; x < canvas.width; x += chunkSize) {\n for (var y = 0; y < canvas.height; y += chunkSize) {\n var getImageData = ctx.getImageData;\n var originalGetImageData = ORIGINAL_ATTRIBUTE_NAME in getImageData\n ? getImageData[ORIGINAL_ATTRIBUTE_NAME]\n : getImageData;\n var pixelBuffer = new Uint32Array(originalGetImageData.call(ctx, x, y, Math.min(chunkSize, canvas.width - x), Math.min(chunkSize, canvas.height - y)).data.buffer);\n if (pixelBuffer.some(function (pixel) { return pixel !== 0; }))\n return false;\n }\n }\n return true;\n}\n\nvar _id = 1;\nvar tagNameRegex = new RegExp('[^a-z0-9-_:]');\nvar IGNORED_NODE = -2;\nfunction genId() {\n return _id++;\n}\nfunction getValidTagName(element) {\n if (element instanceof HTMLFormElement) {\n return 'form';\n }\n var processedTagName = element.tagName.toLowerCase().trim();\n if (tagNameRegex.test(processedTagName)) {\n return 'div';\n }\n return processedTagName;\n}\nfunction getCssRulesString(s) {\n try {\n var rules = s.rules || s.cssRules;\n return rules ? Array.from(rules).map(getCssRuleString).join('') : null;\n }\n catch (error) {\n return null;\n }\n}\nfunction getCssRuleString(rule) {\n var cssStringified = rule.cssText;\n if (isCSSImportRule(rule)) {\n try {\n cssStringified = getCssRulesString(rule.styleSheet) || cssStringified;\n }\n catch (_a) {\n }\n }\n return cssStringified;\n}\nfunction isCSSImportRule(rule) {\n return 'styleSheet' in rule;\n}\nfunction stringifyStyleSheet(sheet) {\n return sheet.cssRules\n ? Array.from(sheet.cssRules)\n .map(function (rule) { return rule.cssText || ''; })\n .join('')\n : '';\n}\nfunction extractOrigin(url) {\n var origin = '';\n if (url.indexOf('//') > -1) {\n origin = url.split('/').slice(0, 3).join('/');\n }\n else {\n origin = url.split('/')[0];\n }\n origin = origin.split('?')[0];\n return origin;\n}\nvar canvasService;\nvar canvasCtx;\nvar URL_IN_CSS_REF = /url\\((?:(')([^']*)'|(\")(.*?)\"|([^)]*))\\)/gm;\nvar RELATIVE_PATH = /^(?!www\\.|(?:http|ftp)s?:\\/\\/|[A-Za-z]:\\\\|\\/\\/|#).*/;\nvar DATA_URI = /^(data:)([^,]*),(.*)/i;\nfunction absoluteToStylesheet(cssText, href) {\n return (cssText || '').replace(URL_IN_CSS_REF, function (origin, quote1, path1, quote2, path2, path3) {\n var filePath = path1 || path2 || path3;\n var maybeQuote = quote1 || quote2 || '';\n if (!filePath) {\n return origin;\n }\n if (!RELATIVE_PATH.test(filePath)) {\n return \"url(\" + maybeQuote + filePath + maybeQuote + \")\";\n }\n if (DATA_URI.test(filePath)) {\n return \"url(\" + maybeQuote + filePath + maybeQuote + \")\";\n }\n if (filePath[0] === '/') {\n return \"url(\" + maybeQuote + (extractOrigin(href) + filePath) + maybeQuote + \")\";\n }\n var stack = href.split('/');\n var parts = filePath.split('/');\n stack.pop();\n for (var _i = 0, parts_1 = parts; _i < parts_1.length; _i++) {\n var part = parts_1[_i];\n if (part === '.') {\n continue;\n }\n else if (part === '..') {\n stack.pop();\n }\n else {\n stack.push(part);\n }\n }\n return \"url(\" + maybeQuote + stack.join('/') + maybeQuote + \")\";\n });\n}\nvar SRCSET_NOT_SPACES = /^[^ \\t\\n\\r\\u000c]+/;\nvar SRCSET_COMMAS_OR_SPACES = /^[, \\t\\n\\r\\u000c]+/;\nfunction getAbsoluteSrcsetString(doc, attributeValue) {\n if (attributeValue.trim() === '') {\n return attributeValue;\n }\n var pos = 0;\n function collectCharacters(regEx) {\n var chars;\n var match = regEx.exec(attributeValue.substring(pos));\n if (match) {\n chars = match[0];\n pos += chars.length;\n return chars;\n }\n return '';\n }\n var output = [];\n while (true) {\n collectCharacters(SRCSET_COMMAS_OR_SPACES);\n if (pos >= attributeValue.length) {\n break;\n }\n var url = collectCharacters(SRCSET_NOT_SPACES);\n if (url.slice(-1) === ',') {\n url = absoluteToDoc(doc, url.substring(0, url.length - 1));\n output.push(url);\n }\n else {\n var descriptorsStr = '';\n url = absoluteToDoc(doc, url);\n var inParens = false;\n while (true) {\n var c = attributeValue.charAt(pos);\n if (c === '') {\n output.push((url + descriptorsStr).trim());\n break;\n }\n else if (!inParens) {\n if (c === ',') {\n pos += 1;\n output.push((url + descriptorsStr).trim());\n break;\n }\n else if (c === '(') {\n inParens = true;\n }\n }\n else {\n if (c === ')') {\n inParens = false;\n }\n }\n descriptorsStr += c;\n pos += 1;\n }\n }\n }\n return output.join(', ');\n}\nfunction absoluteToDoc(doc, attributeValue) {\n if (!attributeValue || attributeValue.trim() === '') {\n return attributeValue;\n }\n var a = doc.createElement('a');\n a.href = attributeValue;\n return a.href;\n}\nfunction isSVGElement(el) {\n return Boolean(el.tagName === 'svg' || el.ownerSVGElement);\n}\nfunction getHref() {\n var a = document.createElement('a');\n a.href = '';\n return a.href;\n}\nfunction transformAttribute(doc, tagName, name, value) {\n if (name === 'src' || (name === 'href' && value)) {\n return absoluteToDoc(doc, value);\n }\n else if (name === 'xlink:href' && value && value[0] !== '#') {\n return absoluteToDoc(doc, value);\n }\n else if (name === 'background' &&\n value &&\n (tagName === 'table' || tagName === 'td' || tagName === 'th')) {\n return absoluteToDoc(doc, value);\n }\n else if (name === 'srcset' && value) {\n return getAbsoluteSrcsetString(doc, value);\n }\n else if (name === 'style' && value) {\n return absoluteToStylesheet(value, getHref());\n }\n else if (tagName === 'object' && name === 'data' && value) {\n return absoluteToDoc(doc, value);\n }\n else {\n return value;\n }\n}\nfunction _isBlockedElement(element, blockClass, blockSelector) {\n if (typeof blockClass === 'string') {\n if (element.classList.contains(blockClass)) {\n return true;\n }\n }\n else {\n for (var eIndex = 0; eIndex < element.classList.length; eIndex++) {\n var className = element.classList[eIndex];\n if (blockClass.test(className)) {\n return true;\n }\n }\n }\n if (blockSelector) {\n return element.matches(blockSelector);\n }\n return false;\n}\nfunction needMaskingText(node, maskTextClass, maskTextSelector) {\n if (!node) {\n return false;\n }\n if (node.nodeType === node.ELEMENT_NODE) {\n if (typeof maskTextClass === 'string') {\n if (node.classList.contains(maskTextClass)) {\n return true;\n }\n }\n else {\n for (var eIndex = 0; eIndex < node.classList.length; eIndex++) {\n var className = node.classList[eIndex];\n if (maskTextClass.test(className)) {\n return true;\n }\n }\n }\n if (maskTextSelector) {\n if (node.matches(maskTextSelector)) {\n return true;\n }\n }\n return needMaskingText(node.parentNode, maskTextClass, maskTextSelector);\n }\n if (node.nodeType === node.TEXT_NODE) {\n return needMaskingText(node.parentNode, maskTextClass, maskTextSelector);\n }\n return needMaskingText(node.parentNode, maskTextClass, maskTextSelector);\n}\nfunction onceIframeLoaded(iframeEl, listener, iframeLoadTimeout) {\n var win = iframeEl.contentWindow;\n if (!win) {\n return;\n }\n var fired = false;\n var readyState;\n try {\n readyState = win.document.readyState;\n }\n catch (error) {\n return;\n }\n if (readyState !== 'complete') {\n var timer_1 = setTimeout(function () {\n if (!fired) {\n listener();\n fired = true;\n }\n }, iframeLoadTimeout);\n iframeEl.addEventListener('load', function () {\n clearTimeout(timer_1);\n fired = true;\n listener();\n });\n return;\n }\n var blankUrl = 'about:blank';\n if (win.location.href !== blankUrl ||\n iframeEl.src === blankUrl ||\n iframeEl.src === '') {\n setTimeout(listener, 0);\n return;\n }\n iframeEl.addEventListener('load', listener);\n}\nfunction serializeNode(n, options) {\n var _a;\n var doc = options.doc, blockClass = options.blockClass, blockSelector = options.blockSelector, maskTextClass = options.maskTextClass, maskTextSelector = options.maskTextSelector, inlineStylesheet = options.inlineStylesheet, _b = options.maskInputOptions, maskInputOptions = _b === void 0 ? {} : _b, maskTextFn = options.maskTextFn, maskInputFn = options.maskInputFn, _c = options.dataURLOptions, dataURLOptions = _c === void 0 ? {} : _c, inlineImages = options.inlineImages, recordCanvas = options.recordCanvas, keepIframeSrcFn = options.keepIframeSrcFn;\n var rootId;\n if (doc.__sn) {\n var docId = doc.__sn.id;\n rootId = docId === 1 ? undefined : docId;\n }\n switch (n.nodeType) {\n case n.DOCUMENT_NODE:\n if (n.compatMode !== 'CSS1Compat') {\n return {\n type: NodeType.Document,\n childNodes: [],\n compatMode: n.compatMode,\n rootId: rootId\n };\n }\n else {\n return {\n type: NodeType.Document,\n childNodes: [],\n rootId: rootId\n };\n }\n case n.DOCUMENT_TYPE_NODE:\n return {\n type: NodeType.DocumentType,\n name: n.name,\n publicId: n.publicId,\n systemId: n.systemId,\n rootId: rootId\n };\n case n.ELEMENT_NODE:\n var needBlock = _isBlockedElement(n, blockClass, blockSelector);\n var tagName = getValidTagName(n);\n var attributes_1 = {};\n for (var _i = 0, _d = Array.from(n.attributes); _i < _d.length; _i++) {\n var _e = _d[_i], name_1 = _e.name, value = _e.value;\n attributes_1[name_1] = transformAttribute(doc, tagName, name_1, value);\n }\n if (tagName === 'link' && inlineStylesheet) {\n var stylesheet = Array.from(doc.styleSheets).find(function (s) {\n return s.href === n.href;\n });\n var cssText = null;\n if (stylesheet) {\n cssText = getCssRulesString(stylesheet);\n }\n if (cssText) {\n delete attributes_1.rel;\n delete attributes_1.href;\n attributes_1._cssText = absoluteToStylesheet(cssText, stylesheet.href);\n }\n }\n if (tagName === 'style' &&\n n.sheet &&\n !(n.innerText ||\n n.textContent ||\n '').trim().length) {\n var cssText = getCssRulesString(n.sheet);\n if (cssText) {\n attributes_1._cssText = absoluteToStylesheet(cssText, getHref());\n }\n }\n if (tagName === 'input' ||\n tagName === 'textarea' ||\n tagName === 'select') {\n var value = n.value;\n if (attributes_1.type !== 'radio' &&\n attributes_1.type !== 'checkbox' &&\n attributes_1.type !== 'submit' &&\n attributes_1.type !== 'button' &&\n value) {\n attributes_1.value = maskInputValue({\n type: attributes_1.type,\n tagName: tagName,\n value: value,\n maskInputOptions: maskInputOptions,\n maskInputFn: maskInputFn\n });\n }\n else if (n.checked) {\n attributes_1.checked = n.checked;\n }\n }\n if (tagName === 'option') {\n if (n.selected && !maskInputOptions['select']) {\n attributes_1.selected = true;\n }\n else {\n delete attributes_1.selected;\n }\n }\n if (tagName === 'canvas' && recordCanvas) {\n if (n.__context === '2d') {\n if (!is2DCanvasBlank(n)) {\n attributes_1.rr_dataURL = n.toDataURL(dataURLOptions.type, dataURLOptions.quality);\n }\n }\n else if (!('__context' in n)) {\n var canvasDataURL = n.toDataURL(dataURLOptions.type, dataURLOptions.quality);\n var blankCanvas = document.createElement('canvas');\n blankCanvas.width = n.width;\n blankCanvas.height = n.height;\n var blankCanvasDataURL = blankCanvas.toDataURL(dataURLOptions.type, dataURLOptions.quality);\n if (canvasDataURL !== blankCanvasDataURL) {\n attributes_1.rr_dataURL = canvasDataURL;\n }\n }\n }\n if (tagName === 'img' && inlineImages) {\n if (!canvasService) {\n canvasService = doc.createElement('canvas');\n canvasCtx = canvasService.getContext('2d');\n }\n var image_1 = n;\n var oldValue_1 = image_1.crossOrigin;\n image_1.crossOrigin = 'anonymous';\n var recordInlineImage = function () {\n try {\n canvasService.width = image_1.naturalWidth;\n canvasService.height = image_1.naturalHeight;\n canvasCtx.drawImage(image_1, 0, 0);\n attributes_1.rr_dataURL = canvasService.toDataURL(dataURLOptions.type, dataURLOptions.quality);\n }\n catch (err) {\n console.warn(\"Cannot inline img src=\" + image_1.currentSrc + \"! Error: \" + err);\n }\n oldValue_1\n ? (attributes_1.crossOrigin = oldValue_1)\n : delete attributes_1.crossOrigin;\n };\n if (image_1.complete && image_1.naturalWidth !== 0)\n recordInlineImage();\n else\n image_1.onload = recordInlineImage;\n }\n if (tagName === 'audio' || tagName === 'video') {\n attributes_1.rr_mediaState = n.paused\n ? 'paused'\n : 'played';\n attributes_1.rr_mediaCurrentTime = n.currentTime;\n }\n if (n.scrollLeft) {\n attributes_1.rr_scrollLeft = n.scrollLeft;\n }\n if (n.scrollTop) {\n attributes_1.rr_scrollTop = n.scrollTop;\n }\n if (needBlock) {\n var _f = n.getBoundingClientRect(), width = _f.width, height = _f.height;\n attributes_1 = {\n \"class\": attributes_1[\"class\"],\n rr_width: width + \"px\",\n rr_height: height + \"px\"\n };\n }\n if (tagName === 'iframe' && !keepIframeSrcFn(attributes_1.src)) {\n if (!n.contentDocument) {\n attributes_1.rr_src = attributes_1.src;\n }\n delete attributes_1.src;\n }\n return {\n type: NodeType.Element,\n tagName: tagName,\n attributes: attributes_1,\n childNodes: [],\n isSVG: isSVGElement(n) || undefined,\n needBlock: needBlock,\n rootId: rootId\n };\n case n.TEXT_NODE:\n var parentTagName = n.parentNode && n.parentNode.tagName;\n var textContent = n.textContent;\n var isStyle = parentTagName === 'STYLE' ? true : undefined;\n var isScript = parentTagName === 'SCRIPT' ? true : undefined;\n if (isStyle && textContent) {\n try {\n if (n.nextSibling || n.previousSibling) {\n }\n else if ((_a = n.parentNode.sheet) === null || _a === void 0 ? void 0 : _a.cssRules) {\n textContent = stringifyStyleSheet(n.parentNode.sheet);\n }\n }\n catch (err) {\n console.warn(\"Cannot get CSS styles from text's parentNode. Error: \" + err, n);\n }\n textContent = absoluteToStylesheet(textContent, getHref());\n }\n if (isScript) {\n textContent = 'SCRIPT_PLACEHOLDER';\n }\n if (!isStyle &&\n !isScript &&\n needMaskingText(n, maskTextClass, maskTextSelector) &&\n textContent) {\n textContent = maskTextFn\n ? maskTextFn(textContent)\n : textContent.replace(/[\\S]/g, '*');\n }\n return {\n type: NodeType.Text,\n textContent: textContent || '',\n isStyle: isStyle,\n rootId: rootId\n };\n case n.CDATA_SECTION_NODE:\n return {\n type: NodeType.CDATA,\n textContent: '',\n rootId: rootId\n };\n case n.COMMENT_NODE:\n return {\n type: NodeType.Comment,\n textContent: n.textContent || '',\n rootId: rootId\n };\n default:\n return false;\n }\n}\nfunction lowerIfExists(maybeAttr) {\n if (maybeAttr === undefined) {\n return '';\n }\n else {\n return maybeAttr.toLowerCase();\n }\n}\nfunction slimDOMExcluded(sn, slimDOMOptions) {\n if (slimDOMOptions.comment && sn.type === NodeType.Comment) {\n return true;\n }\n else if (sn.type === NodeType.Element) {\n if (slimDOMOptions.script &&\n (sn.tagName === 'script' ||\n (sn.tagName === 'link' &&\n sn.attributes.rel === 'preload' &&\n sn.attributes.as === 'script') ||\n (sn.tagName === 'link' &&\n sn.attributes.rel === 'prefetch' &&\n typeof sn.attributes.href === 'string' &&\n sn.attributes.href.endsWith('.js')))) {\n return true;\n }\n else if (slimDOMOptions.headFavicon &&\n ((sn.tagName === 'link' && sn.attributes.rel === 'shortcut icon') ||\n (sn.tagName === 'meta' &&\n (lowerIfExists(sn.attributes.name).match(/^msapplication-tile(image|color)$/) ||\n lowerIfExists(sn.attributes.name) === 'application-name' ||\n lowerIfExists(sn.attributes.rel) === 'icon' ||\n lowerIfExists(sn.attributes.rel) === 'apple-touch-icon' ||\n lowerIfExists(sn.attributes.rel) === 'shortcut icon')))) {\n return true;\n }\n else if (sn.tagName === 'meta') {\n if (slimDOMOptions.headMetaDescKeywords &&\n lowerIfExists(sn.attributes.name).match(/^description|keywords$/)) {\n return true;\n }\n else if (slimDOMOptions.headMetaSocial &&\n (lowerIfExists(sn.attributes.property).match(/^(og|twitter|fb):/) ||\n lowerIfExists(sn.attributes.name).match(/^(og|twitter):/) ||\n lowerIfExists(sn.attributes.name) === 'pinterest')) {\n return true;\n }\n else if (slimDOMOptions.headMetaRobots &&\n (lowerIfExists(sn.attributes.name) === 'robots' ||\n lowerIfExists(sn.attributes.name) === 'googlebot' ||\n lowerIfExists(sn.attributes.name) === 'bingbot')) {\n return true;\n }\n else if (slimDOMOptions.headMetaHttpEquiv &&\n sn.attributes['http-equiv'] !== undefined) {\n return true;\n }\n else if (slimDOMOptions.headMetaAuthorship &&\n (lowerIfExists(sn.attributes.name) === 'author' ||\n lowerIfExists(sn.attributes.name) === 'generator' ||\n lowerIfExists(sn.attributes.name) === 'framework' ||\n lowerIfExists(sn.attributes.name) === 'publisher' ||\n lowerIfExists(sn.attributes.name) === 'progid' ||\n lowerIfExists(sn.attributes.property).match(/^article:/) ||\n lowerIfExists(sn.attributes.property).match(/^product:/))) {\n return true;\n }\n else if (slimDOMOptions.headMetaVerification &&\n (lowerIfExists(sn.attributes.name) === 'google-site-verification' ||\n lowerIfExists(sn.attributes.name) === 'yandex-verification' ||\n lowerIfExists(sn.attributes.name) === 'csrf-token' ||\n lowerIfExists(sn.attributes.name) === 'p:domain_verify' ||\n lowerIfExists(sn.attributes.name) === 'verify-v1' ||\n lowerIfExists(sn.attributes.name) === 'verification' ||\n lowerIfExists(sn.attributes.name) === 'shopify-checkout-api-token')) {\n return true;\n }\n }\n }\n return false;\n}\nfunction serializeNodeWithId(n, options) {\n var doc = options.doc, map = options.map, blockClass = options.blockClass, blockSelector = options.blockSelector, maskTextClass = options.maskTextClass, maskTextSelector = options.maskTextSelector, _a = options.skipChild, skipChild = _a === void 0 ? false : _a, _b = options.inlineStylesheet, inlineStylesheet = _b === void 0 ? true : _b, _c = options.maskInputOptions, maskInputOptions = _c === void 0 ? {} : _c, maskTextFn = options.maskTextFn, maskInputFn = options.maskInputFn, slimDOMOptions = options.slimDOMOptions, _d = options.dataURLOptions, dataURLOptions = _d === void 0 ? {} : _d, _e = options.inlineImages, inlineImages = _e === void 0 ? false : _e, _f = options.recordCanvas, recordCanvas = _f === void 0 ? false : _f, onSerialize = options.onSerialize, onIframeLoad = options.onIframeLoad, _g = options.iframeLoadTimeout, iframeLoadTimeout = _g === void 0 ? 5000 : _g, _h = options.keepIframeSrcFn, keepIframeSrcFn = _h === void 0 ? function () { return false; } : _h;\n var _j = options.preserveWhiteSpace, preserveWhiteSpace = _j === void 0 ? true : _j;\n var _serializedNode = serializeNode(n, {\n doc: doc,\n blockClass: blockClass,\n blockSelector: blockSelector,\n maskTextClass: maskTextClass,\n maskTextSelector: maskTextSelector,\n inlineStylesheet: inlineStylesheet,\n maskInputOptions: maskInputOptions,\n maskTextFn: maskTextFn,\n maskInputFn: maskInputFn,\n dataURLOptions: dataURLOptions,\n inlineImages: inlineImages,\n recordCanvas: recordCanvas,\n keepIframeSrcFn: keepIframeSrcFn\n });\n if (!_serializedNode) {\n console.warn(n, 'not serialized');\n return null;\n }\n var id;\n if ('__sn' in n) {\n id = n.__sn.id;\n }\n else if (slimDOMExcluded(_serializedNode, slimDOMOptions) ||\n (!preserveWhiteSpace &&\n _serializedNode.type === NodeType.Text &&\n !_serializedNode.isStyle &&\n !_serializedNode.textContent.replace(/^\\s+|\\s+$/gm, '').length)) {\n id = IGNORED_NODE;\n }\n else {\n id = genId();\n }\n var serializedNode = Object.assign(_serializedNode, { id: id });\n n.__sn = serializedNode;\n if (id === IGNORED_NODE) {\n return null;\n }\n map[id] = n;\n if (onSerialize) {\n onSerialize(n);\n }\n var recordChild = !skipChild;\n if (serializedNode.type === NodeType.Element) {\n recordChild = recordChild && !serializedNode.needBlock;\n delete serializedNode.needBlock;\n if (n.shadowRoot)\n serializedNode.isShadowHost = true;\n }\n if ((serializedNode.type === NodeType.Document ||\n serializedNode.type === NodeType.Element) &&\n recordChild) {\n if (slimDOMOptions.headWhitespace &&\n _serializedNode.type === NodeType.Element &&\n _serializedNode.tagName === 'head') {\n preserveWhiteSpace = false;\n }\n var bypassOptions = {\n doc: doc,\n map: map,\n blockClass: blockClass,\n blockSelector: blockSelector,\n maskTextClass: maskTextClass,\n maskTextSelector: maskTextSelector,\n skipChild: skipChild,\n inlineStylesheet: inlineStylesheet,\n maskInputOptions: maskInputOptions,\n maskTextFn: maskTextFn,\n maskInputFn: maskInputFn,\n slimDOMOptions: slimDOMOptions,\n dataURLOptions: dataURLOptions,\n inlineImages: inlineImages,\n recordCanvas: recordCanvas,\n preserveWhiteSpace: preserveWhiteSpace,\n onSerialize: onSerialize,\n onIframeLoad: onIframeLoad,\n iframeLoadTimeout: iframeLoadTimeout,\n keepIframeSrcFn: keepIframeSrcFn\n };\n for (var _i = 0, _k = Array.from(n.childNodes); _i < _k.length; _i++) {\n var childN = _k[_i];\n var serializedChildNode = serializeNodeWithId(childN, bypassOptions);\n if (serializedChildNode) {\n serializedNode.childNodes.push(serializedChildNode);\n }\n }\n if (isElement(n) && n.shadowRoot) {\n for (var _l = 0, _m = Array.from(n.shadowRoot.childNodes); _l < _m.length; _l++) {\n var childN = _m[_l];\n var serializedChildNode = serializeNodeWithId(childN, bypassOptions);\n if (serializedChildNode) {\n serializedChildNode.isShadow = true;\n serializedNode.childNodes.push(serializedChildNode);\n }\n }\n }\n }\n if (n.parentNode && isShadowRoot(n.parentNode)) {\n serializedNode.isShadow = true;\n }\n if (serializedNode.type === NodeType.Element &&\n serializedNode.tagName === 'iframe') {\n onceIframeLoaded(n, function () {\n var iframeDoc = n.contentDocument;\n if (iframeDoc && onIframeLoad) {\n var serializedIframeNode = serializeNodeWithId(iframeDoc, {\n doc: iframeDoc,\n map: map,\n blockClass: blockClass,\n blockSelector: blockSelector,\n maskTextClass: maskTextClass,\n maskTextSelector: maskTextSelector,\n skipChild: false,\n inlineStylesheet: inlineStylesheet,\n maskInputOptions: maskInputOptions,\n maskTextFn: maskTextFn,\n maskInputFn: maskInputFn,\n slimDOMOptions: slimDOMOptions,\n dataURLOptions: dataURLOptions,\n inlineImages: inlineImages,\n recordCanvas: recordCanvas,\n preserveWhiteSpace: preserveWhiteSpace,\n onSerialize: onSerialize,\n onIframeLoad: onIframeLoad,\n iframeLoadTimeout: iframeLoadTimeout,\n keepIframeSrcFn: keepIframeSrcFn\n });\n if (serializedIframeNode) {\n onIframeLoad(n, serializedIframeNode);\n }\n }\n }, iframeLoadTimeout);\n }\n return serializedNode;\n}\nfunction snapshot(n, options) {\n var _a = options || {}, _b = _a.blockClass, blockClass = _b === void 0 ? 'rr-block' : _b, _c = _a.blockSelector, blockSelector = _c === void 0 ? null : _c, _d = _a.maskTextClass, maskTextClass = _d === void 0 ? 'rr-mask' : _d, _e = _a.maskTextSelector, maskTextSelector = _e === void 0 ? null : _e, _f = _a.inlineStylesheet, inlineStylesheet = _f === void 0 ? true : _f, _g = _a.inlineImages, inlineImages = _g === void 0 ? false : _g, _h = _a.recordCanvas, recordCanvas = _h === void 0 ? false : _h, _j = _a.maskAllInputs, maskAllInputs = _j === void 0 ? false : _j, maskTextFn = _a.maskTextFn, maskInputFn = _a.maskInputFn, _k = _a.slimDOM, slimDOM = _k === void 0 ? false : _k, dataURLOptions = _a.dataURLOptions, preserveWhiteSpace = _a.preserveWhiteSpace, onSerialize = _a.onSerialize, onIframeLoad = _a.onIframeLoad, iframeLoadTimeout = _a.iframeLoadTimeout, _l = _a.keepIframeSrcFn, keepIframeSrcFn = _l === void 0 ? function () { return false; } : _l;\n var idNodeMap = {};\n var maskInputOptions = maskAllInputs === true\n ? {\n color: true,\n date: true,\n 'datetime-local': true,\n email: true,\n month: true,\n number: true,\n range: true,\n search: true,\n tel: true,\n text: true,\n time: true,\n url: true,\n week: true,\n textarea: true,\n select: true,\n password: true\n }\n : maskAllInputs === false\n ? {\n password: true\n }\n : maskAllInputs;\n var slimDOMOptions = slimDOM === true || slimDOM === 'all'\n ?\n {\n script: true,\n comment: true,\n headFavicon: true,\n headWhitespace: true,\n headMetaDescKeywords: slimDOM === 'all',\n headMetaSocial: true,\n headMetaRobots: true,\n headMetaHttpEquiv: true,\n headMetaAuthorship: true,\n headMetaVerification: true\n }\n : slimDOM === false\n ? {}\n : slimDOM;\n return [\n serializeNodeWithId(n, {\n doc: n,\n map: idNodeMap,\n blockClass: blockClass,\n blockSelector: blockSelector,\n maskTextClass: maskTextClass,\n maskTextSelector: maskTextSelector,\n skipChild: false,\n inlineStylesheet: inlineStylesheet,\n maskInputOptions: maskInputOptions,\n maskTextFn: maskTextFn,\n maskInputFn: maskInputFn,\n slimDOMOptions: slimDOMOptions,\n dataURLOptions: dataURLOptions,\n inlineImages: inlineImages,\n recordCanvas: recordCanvas,\n preserveWhiteSpace: preserveWhiteSpace,\n onSerialize: onSerialize,\n onIframeLoad: onIframeLoad,\n iframeLoadTimeout: iframeLoadTimeout,\n keepIframeSrcFn: keepIframeSrcFn\n }),\n idNodeMap,\n ];\n}\nfunction visitSnapshot(node, onVisit) {\n function walk(current) {\n onVisit(current);\n if (current.type === NodeType.Document ||\n current.type === NodeType.Element) {\n current.childNodes.forEach(walk);\n }\n }\n walk(node);\n}\nfunction cleanupSnapshot() {\n _id = 1;\n}\n\nvar commentre = /\\/\\*[^*]*\\*+([^/*][^*]*\\*+)*\\//g;\nfunction parse(css, options) {\n if (options === void 0) { options = {}; }\n var lineno = 1;\n var column = 1;\n function updatePosition(str) {\n var lines = str.match(/\\n/g);\n if (lines) {\n lineno += lines.length;\n }\n var i = str.lastIndexOf('\\n');\n column = i === -1 ? column + str.length : str.length - i;\n }\n function position() {\n var start = { line: lineno, column: column };\n return function (node) {\n node.position = new Position(start);\n whitespace();\n return node;\n };\n }\n var Position = (function () {\n function Position(start) {\n this.start = start;\n this.end = { line: lineno, column: column };\n this.source = options.source;\n }\n return Position;\n }());\n Position.prototype.content = css;\n var errorsList = [];\n function error(msg) {\n var err = new Error(options.source + ':' + lineno + ':' + column + ': ' + msg);\n err.reason = msg;\n err.filename = options.source;\n err.line = lineno;\n err.column = column;\n err.source = css;\n if (options.silent) {\n errorsList.push(err);\n }\n else {\n throw err;\n }\n }\n function stylesheet() {\n var rulesList = rules();\n return {\n type: 'stylesheet',\n stylesheet: {\n source: options.source,\n rules: rulesList,\n parsingErrors: errorsList\n }\n };\n }\n function open() {\n return match(/^{\\s*/);\n }\n function close() {\n return match(/^}/);\n }\n function rules() {\n var node;\n var rules = [];\n whitespace();\n comments(rules);\n while (css.length && css.charAt(0) !== '}' && (node = atrule() || rule())) {\n if (node !== false) {\n rules.push(node);\n comments(rules);\n }\n }\n return rules;\n }\n function match(re) {\n var m = re.exec(css);\n if (!m) {\n return;\n }\n var str = m[0];\n updatePosition(str);\n css = css.slice(str.length);\n return m;\n }\n function whitespace() {\n match(/^\\s*/);\n }\n function comments(rules) {\n if (rules === void 0) { rules = []; }\n var c;\n while ((c = comment())) {\n if (c !== false) {\n rules.push(c);\n }\n c = comment();\n }\n return rules;\n }\n function comment() {\n var pos = position();\n if ('/' !== css.charAt(0) || '*' !== css.charAt(1)) {\n return;\n }\n var i = 2;\n while ('' !== css.charAt(i) &&\n ('*' !== css.charAt(i) || '/' !== css.charAt(i + 1))) {\n ++i;\n }\n i += 2;\n if ('' === css.charAt(i - 1)) {\n return error('End of comment missing');\n }\n var str = css.slice(2, i - 2);\n column += 2;\n updatePosition(str);\n css = css.slice(i);\n column += 2;\n return pos({\n type: 'comment',\n comment: str\n });\n }\n function selector() {\n var m = match(/^([^{]+)/);\n if (!m) {\n return;\n }\n return trim(m[0])\n .replace(/\\/\\*([^*]|[\\r\\n]|(\\*+([^*/]|[\\r\\n])))*\\*\\/+/g, '')\n .replace(/\"(?:\\\\\"|[^\"])*\"|'(?:\\\\'|[^'])*'/g, function (m) {\n return m.replace(/,/g, '\\u200C');\n })\n .split(/\\s*(?![^(]*\\)),\\s*/)\n .map(function (s) {\n return s.replace(/\\u200C/g, ',');\n });\n }\n function declaration() {\n var pos = position();\n var propMatch = match(/^(\\*?[-#\\/\\*\\\\\\w]+(\\[[0-9a-z_-]+\\])?)\\s*/);\n if (!propMatch) {\n return;\n }\n var prop = trim(propMatch[0]);\n if (!match(/^:\\s*/)) {\n return error(\"property missing ':'\");\n }\n var val = match(/^((?:'(?:\\\\'|.)*?'|\"(?:\\\\\"|.)*?\"|\\([^\\)]*?\\)|[^};])+)/);\n var ret = pos({\n type: 'declaration',\n property: prop.replace(commentre, ''),\n value: val ? trim(val[0]).replace(commentre, '') : ''\n });\n match(/^[;\\s]*/);\n return ret;\n }\n function declarations() {\n var decls = [];\n if (!open()) {\n return error(\"missing '{'\");\n }\n comments(decls);\n var decl;\n while ((decl = declaration())) {\n if (decl !== false) {\n decls.push(decl);\n comments(decls);\n }\n decl = declaration();\n }\n if (!close()) {\n return error(\"missing '}'\");\n }\n return decls;\n }\n function keyframe() {\n var m;\n var vals = [];\n var pos = position();\n while ((m = match(/^((\\d+\\.\\d+|\\.\\d+|\\d+)%?|[a-z]+)\\s*/))) {\n vals.push(m[1]);\n match(/^,\\s*/);\n }\n if (!vals.length) {\n return;\n }\n return pos({\n type: 'keyframe',\n values: vals,\n declarations: declarations()\n });\n }\n function atkeyframes() {\n var pos = position();\n var m = match(/^@([-\\w]+)?keyframes\\s*/);\n if (!m) {\n return;\n }\n var vendor = m[1];\n m = match(/^([-\\w]+)\\s*/);\n if (!m) {\n return error('@keyframes missing name');\n }\n var name = m[1];\n if (!open()) {\n return error(\"@keyframes missing '{'\");\n }\n var frame;\n var frames = comments();\n while ((frame = keyframe())) {\n frames.push(frame);\n frames = frames.concat(comments());\n }\n if (!close()) {\n return error(\"@keyframes missing '}'\");\n }\n return pos({\n type: 'keyframes',\n name: name,\n vendor: vendor,\n keyframes: frames\n });\n }\n function atsupports() {\n var pos = position();\n var m = match(/^@supports *([^{]+)/);\n if (!m) {\n return;\n }\n var supports = trim(m[1]);\n if (!open()) {\n return error(\"@supports missing '{'\");\n }\n var style = comments().concat(rules());\n if (!close()) {\n return error(\"@supports missing '}'\");\n }\n return pos({\n type: 'supports',\n supports: supports,\n rules: style\n });\n }\n function athost() {\n var pos = position();\n var m = match(/^@host\\s*/);\n if (!m) {\n return;\n }\n if (!open()) {\n return error(\"@host missing '{'\");\n }\n var style = comments().concat(rules());\n if (!close()) {\n return error(\"@host missing '}'\");\n }\n return pos({\n type: 'host',\n rules: style\n });\n }\n function atmedia() {\n var pos = position();\n var m = match(/^@media *([^{]+)/);\n if (!m) {\n return;\n }\n var media = trim(m[1]);\n if (!open()) {\n return error(\"@media missing '{'\");\n }\n var style = comments().concat(rules());\n if (!close()) {\n return error(\"@media missing '}'\");\n }\n return pos({\n type: 'media',\n media: media,\n rules: style\n });\n }\n function atcustommedia() {\n var pos = position();\n var m = match(/^@custom-media\\s+(--[^\\s]+)\\s*([^{;]+);/);\n if (!m) {\n return;\n }\n return pos({\n type: 'custom-media',\n name: trim(m[1]),\n media: trim(m[2])\n });\n }\n function atpage() {\n var pos = position();\n var m = match(/^@page */);\n if (!m) {\n return;\n }\n var sel = selector() || [];\n if (!open()) {\n return error(\"@page missing '{'\");\n }\n var decls = comments();\n var decl;\n while ((decl = declaration())) {\n decls.push(decl);\n decls = decls.concat(comments());\n }\n if (!close()) {\n return error(\"@page missing '}'\");\n }\n return pos({\n type: 'page',\n selectors: sel,\n declarations: decls\n });\n }\n function atdocument() {\n var pos = position();\n var m = match(/^@([-\\w]+)?document *([^{]+)/);\n if (!m) {\n return;\n }\n var vendor = trim(m[1]);\n var doc = trim(m[2]);\n if (!open()) {\n return error(\"@document missing '{'\");\n }\n var style = comments().concat(rules());\n if (!close()) {\n return error(\"@document missing '}'\");\n }\n return pos({\n type: 'document',\n document: doc,\n vendor: vendor,\n rules: style\n });\n }\n function atfontface() {\n var pos = position();\n var m = match(/^@font-face\\s*/);\n if (!m) {\n return;\n }\n if (!open()) {\n return error(\"@font-face missing '{'\");\n }\n var decls = comments();\n var decl;\n while ((decl = declaration())) {\n decls.push(decl);\n decls = decls.concat(comments());\n }\n if (!close()) {\n return error(\"@font-face missing '}'\");\n }\n return pos({\n type: 'font-face',\n declarations: decls\n });\n }\n var atimport = _compileAtrule('import');\n var atcharset = _compileAtrule('charset');\n var atnamespace = _compileAtrule('namespace');\n function _compileAtrule(name) {\n var re = new RegExp('^@' + name + '\\\\s*([^;]+);');\n return function () {\n var pos = position();\n var m = match(re);\n if (!m) {\n return;\n }\n var ret = { type: name };\n ret[name] = m[1].trim();\n return pos(ret);\n };\n }\n function atrule() {\n if (css[0] !== '@') {\n return;\n }\n return (atkeyframes() ||\n atmedia() ||\n atcustommedia() ||\n atsupports() ||\n atimport() ||\n atcharset() ||\n atnamespace() ||\n atdocument() ||\n atpage() ||\n athost() ||\n atfontface());\n }\n function rule() {\n var pos = position();\n var sel = selector();\n if (!sel) {\n return error('selector missing');\n }\n comments();\n return pos({\n type: 'rule',\n selectors: sel,\n declarations: declarations()\n });\n }\n return addParent(stylesheet());\n}\nfunction trim(str) {\n return str ? str.replace(/^\\s+|\\s+$/g, '') : '';\n}\nfunction addParent(obj, parent) {\n var isNode = obj && typeof obj.type === 'string';\n var childParent = isNode ? obj : parent;\n for (var _i = 0, _a = Object.keys(obj); _i < _a.length; _i++) {\n var k = _a[_i];\n var value = obj[k];\n if (Array.isArray(value)) {\n value.forEach(function (v) {\n addParent(v, childParent);\n });\n }\n else if (value && typeof value === 'object') {\n addParent(value, childParent);\n }\n }\n if (isNode) {\n Object.defineProperty(obj, 'parent', {\n configurable: true,\n writable: true,\n enumerable: false,\n value: parent || null\n });\n }\n return obj;\n}\n\nvar tagMap = {\n script: 'noscript',\n altglyph: 'altGlyph',\n altglyphdef: 'altGlyphDef',\n altglyphitem: 'altGlyphItem',\n animatecolor: 'animateColor',\n animatemotion: 'animateMotion',\n animatetransform: 'animateTransform',\n clippath: 'clipPath',\n feblend: 'feBlend',\n fecolormatrix: 'feColorMatrix',\n fecomponenttransfer: 'feComponentTransfer',\n fecomposite: 'feComposite',\n feconvolvematrix: 'feConvolveMatrix',\n fediffuselighting: 'feDiffuseLighting',\n fedisplacementmap: 'feDisplacementMap',\n fedistantlight: 'feDistantLight',\n fedropshadow: 'feDropShadow',\n feflood: 'feFlood',\n fefunca: 'feFuncA',\n fefuncb: 'feFuncB',\n fefuncg: 'feFuncG',\n fefuncr: 'feFuncR',\n fegaussianblur: 'feGaussianBlur',\n feimage: 'feImage',\n femerge: 'feMerge',\n femergenode: 'feMergeNode',\n femorphology: 'feMorphology',\n feoffset: 'feOffset',\n fepointlight: 'fePointLight',\n fespecularlighting: 'feSpecularLighting',\n fespotlight: 'feSpotLight',\n fetile: 'feTile',\n feturbulence: 'feTurbulence',\n foreignobject: 'foreignObject',\n glyphref: 'glyphRef',\n lineargradient: 'linearGradient',\n radialgradient: 'radialGradient'\n};\nfunction getTagName(n) {\n var tagName = tagMap[n.tagName] ? tagMap[n.tagName] : n.tagName;\n if (tagName === 'link' && n.attributes._cssText) {\n tagName = 'style';\n }\n return tagName;\n}\nfunction escapeRegExp(str) {\n return str.replace(/[.*+?^${}()|[\\]\\\\]/g, '\\\\$&');\n}\nvar HOVER_SELECTOR = /([^\\\\]):hover/;\nvar HOVER_SELECTOR_GLOBAL = new RegExp(HOVER_SELECTOR.source, 'g');\nfunction addHoverClass(cssText, cache) {\n var cachedStyle = cache === null || cache === void 0 ? void 0 : cache.stylesWithHoverClass.get(cssText);\n if (cachedStyle)\n return cachedStyle;\n var ast = parse(cssText, {\n silent: true\n });\n if (!ast.stylesheet) {\n return cssText;\n }\n var selectors = [];\n ast.stylesheet.rules.forEach(function (rule) {\n if ('selectors' in rule) {\n (rule.selectors || []).forEach(function (selector) {\n if (HOVER_SELECTOR.test(selector)) {\n selectors.push(selector);\n }\n });\n }\n });\n if (selectors.length === 0) {\n return cssText;\n }\n var selectorMatcher = new RegExp(selectors\n .filter(function (selector, index) { return selectors.indexOf(selector) === index; })\n .sort(function (a, b) { return b.length - a.length; })\n .map(function (selector) {\n return escapeRegExp(selector);\n })\n .join('|'), 'g');\n var result = cssText.replace(selectorMatcher, function (selector) {\n var newSelector = selector.replace(HOVER_SELECTOR_GLOBAL, '$1.\\\\:hover');\n return selector + \", \" + newSelector;\n });\n cache === null || cache === void 0 ? void 0 : cache.stylesWithHoverClass.set(cssText, result);\n return result;\n}\nfunction createCache() {\n var stylesWithHoverClass = new Map();\n return {\n stylesWithHoverClass: stylesWithHoverClass\n };\n}\nfunction buildNode(n, options) {\n var doc = options.doc, hackCss = options.hackCss, cache = options.cache;\n switch (n.type) {\n case NodeType.Document:\n return doc.implementation.createDocument(null, '', null);\n case NodeType.DocumentType:\n return doc.implementation.createDocumentType(n.name || 'html', n.publicId, n.systemId);\n case NodeType.Element:\n var tagName = getTagName(n);\n var node_1;\n if (n.isSVG) {\n node_1 = doc.createElementNS('http://www.w3.org/2000/svg', tagName);\n }\n else {\n node_1 = doc.createElement(tagName);\n }\n var _loop_1 = function (name_1) {\n if (!n.attributes.hasOwnProperty(name_1)) {\n return \"continue\";\n }\n var value = n.attributes[name_1];\n if (tagName === 'option' && name_1 === 'selected' && value === false) {\n return \"continue\";\n }\n value =\n typeof value === 'boolean' || typeof value === 'number' ? '' : value;\n if (!name_1.startsWith('rr_')) {\n var isTextarea = tagName === 'textarea' && name_1 === 'value';\n var isRemoteOrDynamicCss = tagName === 'style' && name_1 === '_cssText';\n if (isRemoteOrDynamicCss && hackCss) {\n value = addHoverClass(value, cache);\n }\n if (isTextarea || isRemoteOrDynamicCss) {\n var child = doc.createTextNode(value);\n for (var _i = 0, _a = Array.from(node_1.childNodes); _i < _a.length; _i++) {\n var c = _a[_i];\n if (c.nodeType === node_1.TEXT_NODE) {\n node_1.removeChild(c);\n }\n }\n node_1.appendChild(child);\n return \"continue\";\n }\n try {\n if (n.isSVG && name_1 === 'xlink:href') {\n node_1.setAttributeNS('http://www.w3.org/1999/xlink', name_1, value);\n }\n else if (name_1 === 'onload' ||\n name_1 === 'onclick' ||\n name_1.substring(0, 7) === 'onmouse') {\n node_1.setAttribute('_' + name_1, value);\n }\n else if (tagName === 'meta' &&\n n.attributes['http-equiv'] === 'Content-Security-Policy' &&\n name_1 === 'content') {\n node_1.setAttribute('csp-content', value);\n return \"continue\";\n }\n else if (tagName === 'link' &&\n n.attributes.rel === 'preload' &&\n n.attributes.as === 'script') {\n }\n else if (tagName === 'link' &&\n n.attributes.rel === 'prefetch' &&\n typeof n.attributes.href === 'string' &&\n n.attributes.href.endsWith('.js')) {\n }\n else if (tagName === 'img' &&\n n.attributes.srcset &&\n n.attributes.rr_dataURL) {\n node_1.setAttribute('rrweb-original-srcset', n.attributes.srcset);\n }\n else {\n node_1.setAttribute(name_1, value);\n }\n }\n catch (error) {\n }\n }\n else {\n if (tagName === 'canvas' && name_1 === 'rr_dataURL') {\n var image_1 = document.createElement('img');\n image_1.src = value;\n image_1.onload = function () {\n var ctx = node_1.getContext('2d');\n if (ctx) {\n ctx.drawImage(image_1, 0, 0, image_1.width, image_1.height);\n }\n };\n }\n else if (tagName === 'img' && name_1 === 'rr_dataURL') {\n var image = node_1;\n if (!image.currentSrc.startsWith('data:')) {\n image.setAttribute('rrweb-original-src', n.attributes.src);\n image.src = value;\n }\n }\n if (name_1 === 'rr_width') {\n node_1.style.width = value;\n }\n else if (name_1 === 'rr_height') {\n node_1.style.height = value;\n }\n else if (name_1 === 'rr_mediaCurrentTime') {\n node_1.currentTime = n.attributes\n .rr_mediaCurrentTime;\n }\n else if (name_1 === 'rr_mediaState') {\n switch (value) {\n case 'played':\n node_1\n .play()[\"catch\"](function (e) { return console.warn('media playback error', e); });\n break;\n case 'paused':\n node_1.pause();\n break;\n }\n }\n }\n };\n for (var name_1 in n.attributes) {\n _loop_1(name_1);\n }\n if (n.isShadowHost) {\n if (!node_1.shadowRoot) {\n node_1.attachShadow({ mode: 'open' });\n }\n else {\n while (node_1.shadowRoot.firstChild) {\n node_1.shadowRoot.removeChild(node_1.shadowRoot.firstChild);\n }\n }\n }\n return node_1;\n case NodeType.Text:\n return doc.createTextNode(n.isStyle && hackCss\n ? addHoverClass(n.textContent, cache)\n : n.textContent);\n case NodeType.CDATA:\n return doc.createCDATASection(n.textContent);\n case NodeType.Comment:\n return doc.createComment(n.textContent);\n default:\n return null;\n }\n}\nfunction buildNodeWithSN(n, options) {\n var doc = options.doc, map = options.map, _a = options.skipChild, skipChild = _a === void 0 ? false : _a, _b = options.hackCss, hackCss = _b === void 0 ? true : _b, afterAppend = options.afterAppend, cache = options.cache;\n var node = buildNode(n, { doc: doc, hackCss: hackCss, cache: cache });\n if (!node) {\n return null;\n }\n if (n.rootId) {\n console.assert(map[n.rootId] === doc, 'Target document should has the same root id.');\n }\n if (n.type === NodeType.Document) {\n doc.close();\n doc.open();\n if (n.compatMode === 'BackCompat' &&\n n.childNodes &&\n n.childNodes[0].type !== NodeType.DocumentType) {\n if (n.childNodes[0].type === NodeType.Element &&\n 'xmlns' in n.childNodes[0].attributes &&\n n.childNodes[0].attributes.xmlns === 'http://www.w3.org/1999/xhtml') {\n doc.write('');\n }\n else {\n doc.write('');\n }\n }\n node = doc;\n }\n node.__sn = n;\n map[n.id] = node;\n if ((n.type === NodeType.Document || n.type === NodeType.Element) &&\n !skipChild) {\n for (var _i = 0, _c = n.childNodes; _i < _c.length; _i++) {\n var childN = _c[_i];\n var childNode = buildNodeWithSN(childN, {\n doc: doc,\n map: map,\n skipChild: false,\n hackCss: hackCss,\n afterAppend: afterAppend,\n cache: cache\n });\n if (!childNode) {\n console.warn('Failed to rebuild', childN);\n continue;\n }\n if (childN.isShadow && isElement(node) && node.shadowRoot) {\n node.shadowRoot.appendChild(childNode);\n }\n else {\n node.appendChild(childNode);\n }\n if (afterAppend) {\n afterAppend(childNode);\n }\n }\n }\n return node;\n}\nfunction visit(idNodeMap, onVisit) {\n function walk(node) {\n onVisit(node);\n }\n for (var key in idNodeMap) {\n if (idNodeMap[key]) {\n walk(idNodeMap[key]);\n }\n }\n}\nfunction handleScroll(node) {\n var n = node.__sn;\n if (n.type !== NodeType.Element) {\n return;\n }\n var el = node;\n for (var name_2 in n.attributes) {\n if (!(n.attributes.hasOwnProperty(name_2) && name_2.startsWith('rr_'))) {\n continue;\n }\n var value = n.attributes[name_2];\n if (name_2 === 'rr_scrollLeft') {\n el.scrollLeft = value;\n }\n if (name_2 === 'rr_scrollTop') {\n el.scrollTop = value;\n }\n }\n}\nfunction rebuild(n, options) {\n var doc = options.doc, onVisit = options.onVisit, _a = options.hackCss, hackCss = _a === void 0 ? true : _a, afterAppend = options.afterAppend, cache = options.cache;\n var idNodeMap = {};\n var node = buildNodeWithSN(n, {\n doc: doc,\n map: idNodeMap,\n skipChild: false,\n hackCss: hackCss,\n afterAppend: afterAppend,\n cache: cache\n });\n visit(idNodeMap, function (visitedNode) {\n if (onVisit) {\n onVisit(visitedNode);\n }\n handleScroll(visitedNode);\n });\n return [node, idNodeMap];\n}\n\nexport { IGNORED_NODE, NodeType, addHoverClass, buildNodeWithSN, cleanupSnapshot, createCache, is2DCanvasBlank, isElement, isShadowRoot, maskInputValue, needMaskingText, rebuild, serializeNodeWithId, snapshot, transformAttribute, visitSnapshot };\n","import {\n serializedNodeWithId,\n idNodeMap,\n INode,\n MaskInputOptions,\n SlimDOMOptions,\n MaskInputFn,\n MaskTextFn,\n} from 'rrweb-snapshot';\nimport { PackFn, UnpackFn } from './packer/base';\nimport { IframeManager } from './record/iframe-manager';\nimport { ShadowDomManager } from './record/shadow-dom-manager';\nimport type { Replayer } from './replay';\nimport { CanvasManager } from './record/observers/canvas/canvas-manager';\n\nexport enum EventType {\n DomContentLoaded,\n Load,\n FullSnapshot,\n IncrementalSnapshot,\n Meta,\n Custom,\n Plugin,\n}\n\nexport type domContentLoadedEvent = {\n type: EventType.DomContentLoaded;\n data: {};\n};\n\nexport type loadedEvent = {\n type: EventType.Load;\n data: {};\n};\n\nexport type fullSnapshotEvent = {\n type: EventType.FullSnapshot;\n data: {\n node: serializedNodeWithId;\n initialOffset: {\n top: number;\n left: number;\n };\n };\n};\n\nexport type incrementalSnapshotEvent = {\n type: EventType.IncrementalSnapshot;\n data: incrementalData;\n};\n\nexport type metaEvent = {\n type: EventType.Meta;\n data: {\n href: string;\n width: number;\n height: number;\n };\n};\n\nexport type customEvent = {\n type: EventType.Custom;\n data: {\n tag: string;\n payload: T;\n };\n};\n\nexport type pluginEvent = {\n type: EventType.Plugin;\n data: {\n plugin: string;\n payload: T;\n };\n};\n\nexport type styleSheetEvent = {};\n\nexport enum IncrementalSource {\n Mutation,\n MouseMove,\n MouseInteraction,\n Scroll,\n ViewportResize,\n Input,\n TouchMove,\n MediaInteraction,\n StyleSheetRule,\n CanvasMutation,\n Font,\n Log,\n Drag,\n StyleDeclaration,\n}\n\nexport type mutationData = {\n source: IncrementalSource.Mutation;\n} & mutationCallbackParam;\n\nexport type mousemoveData = {\n source:\n | IncrementalSource.MouseMove\n | IncrementalSource.TouchMove\n | IncrementalSource.Drag;\n positions: mousePosition[];\n};\n\nexport type mouseInteractionData = {\n source: IncrementalSource.MouseInteraction;\n} & mouseInteractionParam;\n\nexport type scrollData = {\n source: IncrementalSource.Scroll;\n} & scrollPosition;\n\nexport type viewportResizeData = {\n source: IncrementalSource.ViewportResize;\n} & viewportResizeDimension;\n\nexport type inputData = {\n source: IncrementalSource.Input;\n id: number;\n} & inputValue;\n\nexport type mediaInteractionData = {\n source: IncrementalSource.MediaInteraction;\n} & mediaInteractionParam;\n\nexport type styleSheetRuleData = {\n source: IncrementalSource.StyleSheetRule;\n} & styleSheetRuleParam;\n\nexport type styleDeclarationData = {\n source: IncrementalSource.StyleDeclaration;\n} & styleDeclarationParam;\n\nexport type canvasMutationData = {\n source: IncrementalSource.CanvasMutation;\n} & canvasMutationParam;\n\nexport type fontData = {\n source: IncrementalSource.Font;\n} & fontParam;\n\nexport type incrementalData =\n | mutationData\n | mousemoveData\n | mouseInteractionData\n | scrollData\n | viewportResizeData\n | inputData\n | mediaInteractionData\n | styleSheetRuleData\n | canvasMutationData\n | fontData\n | styleDeclarationData;\n\nexport type event =\n | domContentLoadedEvent\n | loadedEvent\n | fullSnapshotEvent\n | incrementalSnapshotEvent\n | metaEvent\n | customEvent\n | pluginEvent;\n\nexport type eventWithTime = event & {\n timestamp: number;\n delay?: number;\n};\n\nexport type blockClass = string | RegExp;\n\nexport type maskTextClass = string | RegExp;\n\nexport type SamplingStrategy = Partial<{\n /**\n * false means not to record mouse/touch move events\n * number is the throttle threshold of recording mouse/touch move\n */\n mousemove: boolean | number;\n /**\n * number is the throttle threshold of mouse/touch move callback\n */\n mousemoveCallback: number;\n /**\n * false means not to record mouse interaction events\n * can also specify record some kinds of mouse interactions\n */\n mouseInteraction: boolean | Record;\n /**\n * number is the throttle threshold of recording scroll\n */\n scroll: number;\n /**\n * number is the throttle threshold of recording media interactions\n */\n media: number;\n /**\n * 'all' will record all the input events\n * 'last' will only record the last input value while input a sequence of chars\n */\n input: 'all' | 'last';\n}>;\n\nexport type RecordPlugin = {\n name: string;\n observer?: (cb: Function, win: IWindow, options: TOptions) => listenerHandler;\n eventProcessor?: (event: eventWithTime) => eventWithTime & TExtend;\n options: TOptions;\n};\n\nexport type recordOptions = {\n emit?: (e: T, isCheckout?: boolean) => void;\n checkoutEveryNth?: number;\n checkoutEveryNms?: number;\n blockClass?: blockClass;\n blockSelector?: string;\n ignoreClass?: string;\n maskTextClass?: maskTextClass;\n maskTextSelector?: string;\n maskAllInputs?: boolean;\n maskInputOptions?: MaskInputOptions;\n maskInputFn?: MaskInputFn;\n maskTextFn?: MaskTextFn;\n slimDOMOptions?: SlimDOMOptions | 'all' | true;\n inlineStylesheet?: boolean;\n hooks?: hooksParam;\n packFn?: PackFn;\n sampling?: SamplingStrategy;\n recordCanvas?: boolean;\n userTriggeredOnInput?: boolean;\n collectFonts?: boolean;\n inlineImages?: boolean;\n plugins?: RecordPlugin[];\n // departed, please use sampling options\n mousemoveWait?: number;\n keepIframeSrcFn?: KeepIframeSrcFn;\n};\n\nexport type observerParam = {\n mutationCb: mutationCallBack;\n mousemoveCb: mousemoveCallBack;\n mouseInteractionCb: mouseInteractionCallBack;\n scrollCb: scrollCallback;\n viewportResizeCb: viewportResizeCallback;\n inputCb: inputCallback;\n mediaInteractionCb: mediaInteractionCallback;\n blockClass: blockClass;\n blockSelector: string | null;\n ignoreClass: string;\n maskTextClass: maskTextClass;\n maskTextSelector: string | null;\n maskInputOptions: MaskInputOptions;\n maskInputFn?: MaskInputFn;\n maskTextFn?: MaskTextFn;\n inlineStylesheet: boolean;\n styleSheetRuleCb: styleSheetRuleCallback;\n styleDeclarationCb: styleDeclarationCallback;\n canvasMutationCb: canvasMutationCallback;\n fontCb: fontCallback;\n sampling: SamplingStrategy;\n recordCanvas: boolean;\n inlineImages: boolean;\n userTriggeredOnInput: boolean;\n collectFonts: boolean;\n slimDOMOptions: SlimDOMOptions;\n doc: Document;\n mirror: Mirror;\n iframeManager: IframeManager;\n shadowDomManager: ShadowDomManager;\n canvasManager: CanvasManager;\n plugins: Array<{\n observer: Function;\n callback: Function;\n options: unknown;\n }>;\n};\n\nexport type MutationBufferParam = Pick<\n observerParam,\n | 'mutationCb'\n | 'blockClass'\n | 'blockSelector'\n | 'maskTextClass'\n | 'maskTextSelector'\n | 'inlineStylesheet'\n | 'maskInputOptions'\n | 'maskTextFn'\n | 'maskInputFn'\n | 'recordCanvas'\n | 'inlineImages'\n | 'slimDOMOptions'\n | 'doc'\n | 'mirror'\n | 'iframeManager'\n | 'shadowDomManager'\n | 'canvasManager'\n>;\n\nexport type hooksParam = {\n mutation?: mutationCallBack;\n mousemove?: mousemoveCallBack;\n mouseInteraction?: mouseInteractionCallBack;\n scroll?: scrollCallback;\n viewportResize?: viewportResizeCallback;\n input?: inputCallback;\n mediaInteaction?: mediaInteractionCallback;\n styleSheetRule?: styleSheetRuleCallback;\n styleDeclaration?: styleDeclarationCallback;\n canvasMutation?: canvasMutationCallback;\n font?: fontCallback;\n};\n\n// https://dom.spec.whatwg.org/#interface-mutationrecord\nexport type mutationRecord = {\n type: string;\n target: Node;\n oldValue: string | null;\n addedNodes: NodeList;\n removedNodes: NodeList;\n attributeName: string | null;\n};\n\nexport type textCursor = {\n node: Node;\n value: string | null;\n};\nexport type textMutation = {\n id: number;\n value: string | null;\n};\n\nexport type styleAttributeValue = {\n [key: string]: styleValueWithPriority | string | false;\n};\n\nexport type styleValueWithPriority = [string, string];\n\nexport type attributeCursor = {\n node: Node;\n attributes: {\n [key: string]: string | styleAttributeValue | null;\n };\n};\nexport type attributeMutation = {\n id: number;\n attributes: {\n [key: string]: string | styleAttributeValue | null;\n };\n};\n\nexport type removedNodeMutation = {\n parentId: number;\n id: number;\n isShadow?: boolean;\n};\n\nexport type addedNodeMutation = {\n parentId: number;\n // Newly recorded mutations will not have previousId any more, just for compatibility\n previousId?: number | null;\n nextId: number | null;\n node: serializedNodeWithId;\n};\n\nexport type mutationCallbackParam = {\n texts: textMutation[];\n attributes: attributeMutation[];\n removes: removedNodeMutation[];\n adds: addedNodeMutation[];\n isAttachIframe?: true;\n};\n\nexport type mutationCallBack = (m: mutationCallbackParam) => void;\n\nexport type mousemoveCallBack = (\n p: mousePosition[],\n source:\n | IncrementalSource.MouseMove\n | IncrementalSource.TouchMove\n | IncrementalSource.Drag,\n) => void;\n\nexport type mousePosition = {\n x: number;\n y: number;\n id: number;\n timeOffset: number;\n};\n\nexport type mouseMovePos = {\n x: number;\n y: number;\n id: number;\n debugData: incrementalData;\n};\n\nexport enum MouseInteractions {\n MouseUp,\n MouseDown,\n Click,\n ContextMenu,\n DblClick,\n Focus,\n Blur,\n TouchStart,\n TouchMove_Departed, // we will start a separate observer for touch move event\n TouchEnd,\n TouchCancel,\n}\n\nexport enum CanvasContext {\n '2D',\n WebGL,\n WebGL2,\n}\n\nexport type SerializedWebGlArg =\n | {\n rr_type: 'ArrayBuffer';\n base64: string; // base64\n }\n | {\n rr_type: string;\n src: string; // url of image\n }\n | {\n rr_type: string;\n args: SerializedWebGlArg[];\n }\n | {\n rr_type: string;\n index: number;\n }\n | string\n | number\n | boolean\n | null\n | SerializedWebGlArg[];\n\ntype mouseInteractionParam = {\n type: MouseInteractions;\n id: number;\n x: number;\n y: number;\n};\n\nexport type mouseInteractionCallBack = (d: mouseInteractionParam) => void;\n\nexport type scrollPosition = {\n id: number;\n x: number;\n y: number;\n};\n\nexport type scrollCallback = (p: scrollPosition) => void;\n\nexport type styleSheetAddRule = {\n rule: string;\n index?: number | number[];\n};\n\nexport type styleSheetDeleteRule = {\n index: number | number[];\n};\n\nexport type styleSheetRuleParam = {\n id: number;\n removes?: styleSheetDeleteRule[];\n adds?: styleSheetAddRule[];\n};\n\nexport type styleSheetRuleCallback = (s: styleSheetRuleParam) => void;\n\nexport type styleDeclarationParam = {\n id: number;\n index: number[];\n set?: {\n property: string;\n value: string | null;\n priority: string | undefined;\n };\n remove?: {\n property: string;\n };\n};\n\nexport type styleDeclarationCallback = (s: styleDeclarationParam) => void;\n\nexport type canvasMutationCommand = {\n property: string;\n args: Array;\n setter?: true;\n};\n\nexport type canvasMutationParam =\n | {\n id: number;\n type: CanvasContext;\n commands: canvasMutationCommand[];\n }\n | ({\n id: number;\n type: CanvasContext;\n } & canvasMutationCommand);\n\nexport type canvasMutationWithType = {\n type: CanvasContext;\n} & canvasMutationCommand;\n\nexport type canvasMutationCallback = (p: canvasMutationParam) => void;\n\nexport type canvasManagerMutationCallback = (\n target: HTMLCanvasElement,\n p: canvasMutationWithType,\n) => void;\n\nexport type fontParam = {\n family: string;\n fontSource: string;\n buffer: boolean;\n descriptors?: FontFaceDescriptors;\n};\n\nexport type fontCallback = (p: fontParam) => void;\n\nexport type viewportResizeDimension = {\n width: number;\n height: number;\n};\n\nexport type viewportResizeCallback = (d: viewportResizeDimension) => void;\n\nexport type inputValue = {\n text: string;\n isChecked: boolean;\n\n // `userTriggered` indicates if this event was triggered directly by user (userTriggered: true)\n // or was triggered indirectly (userTriggered: false)\n // Example of `userTriggered` in action:\n // User clicks on radio element (userTriggered: true) which triggers the other radio element to change (userTriggered: false)\n userTriggered?: boolean;\n};\n\nexport type inputCallback = (v: inputValue & { id: number }) => void;\n\nexport const enum MediaInteractions {\n Play,\n Pause,\n Seeked,\n VolumeChange,\n}\n\nexport type mediaInteractionParam = {\n type: MediaInteractions;\n id: number;\n currentTime?: number;\n volume?: number;\n muted?: boolean;\n};\n\nexport type mediaInteractionCallback = (p: mediaInteractionParam) => void;\n\nexport type DocumentDimension = {\n x: number;\n y: number;\n // scale value relative to its parent iframe\n relativeScale: number;\n // scale value relative to the root iframe\n absoluteScale: number;\n};\n\nexport type Mirror = {\n map: idNodeMap;\n getId: (n: INode) => number;\n getNode: (id: number) => INode | null;\n removeNodeFromMap: (n: INode) => void;\n has: (id: number) => boolean;\n reset: () => void;\n};\n\nexport type throttleOptions = {\n leading?: boolean;\n trailing?: boolean;\n};\n\nexport type listenerHandler = () => void;\nexport type hookResetter = () => void;\n\nexport type ReplayPlugin = {\n handler: (\n event: eventWithTime,\n isSync: boolean,\n context: { replayer: Replayer },\n ) => void;\n};\nexport type playerConfig = {\n speed: number;\n maxSpeed: number;\n root: Element;\n loadTimeout: number;\n skipInactive: boolean;\n showWarning: boolean;\n showDebug: boolean;\n blockClass: string;\n liveMode: boolean;\n insertStyleRules: string[];\n triggerFocus: boolean;\n UNSAFE_replayCanvas: boolean;\n pauseAnimation?: boolean;\n mouseTail:\n | boolean\n | {\n duration?: number;\n lineCap?: string;\n lineWidth?: number;\n strokeStyle?: string;\n };\n unpackFn?: UnpackFn;\n plugins?: ReplayPlugin[];\n};\n\nexport type playerMetaData = {\n startTime: number;\n endTime: number;\n totalTime: number;\n};\n\nexport type missingNode = {\n node: Node;\n mutation: addedNodeMutation;\n};\nexport type missingNodeMap = {\n [id: number]: missingNode;\n};\n\nexport type actionWithDelay = {\n doAction: () => void;\n delay: number;\n};\n\nexport type Handler = (event?: unknown) => void;\n\nexport type Emitter = {\n on(type: string, handler: Handler): void;\n emit(type: string, event?: unknown): void;\n off(type: string, handler: Handler): void;\n};\n\nexport type Arguments = T extends (...payload: infer U) => unknown\n ? U\n : unknown;\n\nexport enum ReplayerEvents {\n Start = 'start',\n Pause = 'pause',\n Resume = 'resume',\n Resize = 'resize',\n Finish = 'finish',\n FullsnapshotRebuilded = 'fullsnapshot-rebuilded',\n LoadStylesheetStart = 'load-stylesheet-start',\n LoadStylesheetEnd = 'load-stylesheet-end',\n SkipStart = 'skip-start',\n SkipEnd = 'skip-end',\n MouseInteraction = 'mouse-interaction',\n EventCast = 'event-cast',\n CustomEvent = 'custom-event',\n Flush = 'flush',\n StateChange = 'state-change',\n PlayBack = 'play-back',\n}\n\n// store the state that would be changed during the process(unmount from dom and mount again)\nexport type ElementState = {\n // [scrollLeft,scrollTop]\n scroll?: [number, number];\n};\n\nexport type KeepIframeSrcFn = (src: string) => boolean;\n\ndeclare global {\n interface Window {\n FontFace: typeof FontFace;\n }\n}\n\nexport type IWindow = Window & typeof globalThis;\n\nexport type Optional = Pick, K> & Omit;\n","import {\n Mirror,\n throttleOptions,\n listenerHandler,\n hookResetter,\n blockClass,\n IncrementalSource,\n addedNodeMutation,\n removedNodeMutation,\n textMutation,\n attributeMutation,\n mutationData,\n scrollData,\n inputData,\n DocumentDimension,\n IWindow,\n} from './types';\nimport {\n INode,\n IGNORED_NODE,\n serializedNodeWithId,\n NodeType,\n isShadowRoot,\n} from 'rrweb-snapshot';\n\nexport function on(\n type: string,\n fn: EventListenerOrEventListenerObject,\n target: Document | IWindow = document,\n): listenerHandler {\n const options = { capture: true, passive: true };\n target.addEventListener(type, fn, options);\n return () => target.removeEventListener(type, fn, options);\n}\n\nexport function createMirror(): Mirror {\n return {\n map: {},\n getId(n) {\n // if n is not a serialized INode, use -1 as its id.\n if (!n || !n.__sn) {\n return -1;\n }\n return n.__sn.id;\n },\n getNode(id) {\n return this.map[id] || null;\n },\n // TODO: use a weakmap to get rid of manually memory management\n removeNodeFromMap(n) {\n const id = n.__sn && n.__sn.id;\n delete this.map[id];\n if (n.childNodes) {\n n.childNodes.forEach((child) =>\n this.removeNodeFromMap((child as Node) as INode),\n );\n }\n },\n has(id) {\n return this.map.hasOwnProperty(id);\n },\n reset() {\n this.map = {};\n },\n };\n}\n\n// https://github.com/rrweb-io/rrweb/pull/407\nconst DEPARTED_MIRROR_ACCESS_WARNING =\n 'Please stop import mirror directly. Instead of that,' +\n '\\r\\n' +\n 'now you can use replayer.getMirror() to access the mirror instance of a replayer,' +\n '\\r\\n' +\n 'or you can use record.mirror to access the mirror instance during recording.';\nexport let _mirror: Mirror = {\n map: {},\n getId() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n return -1;\n },\n getNode() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n return null;\n },\n removeNodeFromMap() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n },\n has() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n return false;\n },\n reset() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n },\n};\nif (typeof window !== 'undefined' && window.Proxy && window.Reflect) {\n _mirror = new Proxy(_mirror, {\n get(target, prop, receiver) {\n if (prop === 'map') {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n }\n return Reflect.get(target, prop, receiver);\n },\n });\n}\n\n// copy from underscore and modified\nexport function throttle(\n func: (arg: T) => void,\n wait: number,\n options: throttleOptions = {},\n) {\n let timeout: ReturnType | null = null;\n let previous = 0;\n // tslint:disable-next-line: only-arrow-functions\n return function (arg: T) {\n let now = Date.now();\n if (!previous && options.leading === false) {\n previous = now;\n }\n let remaining = wait - (now - previous);\n let context = this;\n let args = arguments;\n if (remaining <= 0 || remaining > wait) {\n if (timeout) {\n clearTimeout(timeout);\n timeout = null;\n }\n previous = now;\n func.apply(context, args);\n } else if (!timeout && options.trailing !== false) {\n timeout = setTimeout(() => {\n previous = options.leading === false ? 0 : Date.now();\n timeout = null;\n func.apply(context, args);\n }, remaining);\n }\n };\n}\n\nexport function hookSetter(\n target: T,\n key: string | number | symbol,\n d: PropertyDescriptor,\n isRevoked?: boolean,\n win = window,\n): hookResetter {\n const original = win.Object.getOwnPropertyDescriptor(target, key);\n win.Object.defineProperty(\n target,\n key,\n isRevoked\n ? d\n : {\n set(value) {\n // put hooked setter into event loop to avoid of set latency\n setTimeout(() => {\n d.set!.call(this, value);\n }, 0);\n if (original && original.set) {\n original.set.call(this, value);\n }\n },\n },\n );\n return () => hookSetter(target, key, original || {}, true);\n}\n\n// copy from https://github.com/getsentry/sentry-javascript/blob/b2109071975af8bf0316d3b5b38f519bdaf5dc15/packages/utils/src/object.ts\nexport function patch(\n // tslint:disable-next-line:no-any\n source: { [key: string]: any },\n name: string,\n // tslint:disable-next-line:no-any\n replacement: (...args: any[]) => any,\n): () => void {\n try {\n if (!(name in source)) {\n return () => {};\n }\n\n const original = source[name] as () => unknown;\n const wrapped = replacement(original);\n\n // Make sure it's a function first, as we need to attach an empty prototype for `defineProperties` to work\n // otherwise it'll throw \"TypeError: Object.defineProperties called on non-object\"\n // tslint:disable-next-line:strict-type-predicates\n if (typeof wrapped === 'function') {\n wrapped.prototype = wrapped.prototype || {};\n Object.defineProperties(wrapped, {\n __rrweb_original__: {\n enumerable: false,\n value: original,\n },\n });\n }\n\n source[name] = wrapped;\n\n return () => {\n source[name] = original;\n };\n } catch {\n return () => {};\n // This can throw if multiple fill happens on a global object like XMLHttpRequest\n // Fixes https://github.com/getsentry/sentry-javascript/issues/2043\n }\n}\n\nexport function getWindowHeight(): number {\n return (\n window.innerHeight ||\n (document.documentElement && document.documentElement.clientHeight) ||\n (document.body && document.body.clientHeight)\n );\n}\n\nexport function getWindowWidth(): number {\n return (\n window.innerWidth ||\n (document.documentElement && document.documentElement.clientWidth) ||\n (document.body && document.body.clientWidth)\n );\n}\n\nexport function isBlocked(node: Node | null, blockClass: blockClass): boolean {\n if (!node) {\n return false;\n }\n if (node.nodeType === node.ELEMENT_NODE) {\n let needBlock = false;\n if (typeof blockClass === 'string') {\n if ((node as HTMLElement).closest !== undefined) {\n return (node as HTMLElement).closest('.' + blockClass) !== null;\n } else {\n needBlock = (node as HTMLElement).classList.contains(blockClass);\n }\n } else {\n (node as HTMLElement).classList.forEach((className) => {\n if (blockClass.test(className)) {\n needBlock = true;\n }\n });\n }\n return needBlock || isBlocked(node.parentNode, blockClass);\n }\n if (node.nodeType === node.TEXT_NODE) {\n // check parent node since text node do not have class name\n return isBlocked(node.parentNode, blockClass);\n }\n return isBlocked(node.parentNode, blockClass);\n}\n\nexport function isIgnored(n: Node | INode): boolean {\n if ('__sn' in n) {\n return (n as INode).__sn.id === IGNORED_NODE;\n }\n // The main part of the slimDOM check happens in\n // rrweb-snapshot::serializeNodeWithId\n return false;\n}\n\nexport function isAncestorRemoved(target: INode, mirror: Mirror): boolean {\n if (isShadowRoot(target)) {\n return false;\n }\n const id = mirror.getId(target);\n if (!mirror.has(id)) {\n return true;\n }\n if (\n target.parentNode &&\n target.parentNode.nodeType === target.DOCUMENT_NODE\n ) {\n return false;\n }\n // if the root is not document, it means the node is not in the DOM tree anymore\n if (!target.parentNode) {\n return true;\n }\n return isAncestorRemoved((target.parentNode as unknown) as INode, mirror);\n}\n\nexport function isTouchEvent(\n event: MouseEvent | TouchEvent,\n): event is TouchEvent {\n return Boolean((event as TouchEvent).changedTouches);\n}\n\nexport function polyfill(win = window) {\n if ('NodeList' in win && !win.NodeList.prototype.forEach) {\n win.NodeList.prototype.forEach = (Array.prototype\n .forEach as unknown) as NodeList['forEach'];\n }\n\n if ('DOMTokenList' in win && !win.DOMTokenList.prototype.forEach) {\n win.DOMTokenList.prototype.forEach = (Array.prototype\n .forEach as unknown) as DOMTokenList['forEach'];\n }\n\n // https://github.com/Financial-Times/polyfill-service/pull/183\n if (!Node.prototype.contains) {\n Node.prototype.contains = function contains(node) {\n if (!(0 in arguments)) {\n throw new TypeError('1 argument is required');\n }\n\n do {\n if (this === node) {\n return true;\n }\n // tslint:disable-next-line: no-conditional-assignment\n } while ((node = node && node.parentNode));\n\n return false;\n };\n }\n}\n\nexport type TreeNode = {\n id: number;\n mutation: addedNodeMutation;\n parent?: TreeNode;\n children: Record;\n texts: textMutation[];\n attributes: attributeMutation[];\n};\nexport class TreeIndex {\n public tree!: Record;\n\n private removeNodeMutations!: removedNodeMutation[];\n private textMutations!: textMutation[];\n private attributeMutations!: attributeMutation[];\n private indexes!: Map;\n private removeIdSet!: Set;\n private scrollMap!: Map;\n private inputMap!: Map;\n\n constructor() {\n this.reset();\n }\n\n public add(mutation: addedNodeMutation) {\n const parentTreeNode = this.indexes.get(mutation.parentId);\n const treeNode: TreeNode = {\n id: mutation.node.id,\n mutation,\n children: [],\n texts: [],\n attributes: [],\n };\n if (!parentTreeNode) {\n this.tree[treeNode.id] = treeNode;\n } else {\n treeNode.parent = parentTreeNode;\n parentTreeNode.children[treeNode.id] = treeNode;\n }\n this.indexes.set(treeNode.id, treeNode);\n }\n\n public remove(mutation: removedNodeMutation, mirror: Mirror) {\n const parentTreeNode = this.indexes.get(mutation.parentId);\n const treeNode = this.indexes.get(mutation.id);\n\n const deepRemoveFromMirror = (id: number) => {\n this.removeIdSet.add(id);\n const node = mirror.getNode(id);\n node?.childNodes.forEach((childNode) => {\n if ('__sn' in childNode) {\n deepRemoveFromMirror(((childNode as unknown) as INode).__sn.id);\n }\n });\n };\n const deepRemoveFromTreeIndex = (node: TreeNode) => {\n this.removeIdSet.add(node.id);\n Object.values(node.children).forEach((n) => deepRemoveFromTreeIndex(n));\n const _treeNode = this.indexes.get(node.id);\n if (_treeNode) {\n const _parentTreeNode = _treeNode.parent;\n if (_parentTreeNode) {\n delete _treeNode.parent;\n delete _parentTreeNode.children[_treeNode.id];\n this.indexes.delete(mutation.id);\n }\n }\n };\n\n if (!treeNode) {\n this.removeNodeMutations.push(mutation);\n deepRemoveFromMirror(mutation.id);\n } else if (!parentTreeNode) {\n delete this.tree[treeNode.id];\n this.indexes.delete(treeNode.id);\n deepRemoveFromTreeIndex(treeNode);\n } else {\n delete treeNode.parent;\n delete parentTreeNode.children[treeNode.id];\n this.indexes.delete(mutation.id);\n deepRemoveFromTreeIndex(treeNode);\n }\n }\n\n public text(mutation: textMutation) {\n const treeNode = this.indexes.get(mutation.id);\n if (treeNode) {\n treeNode.texts.push(mutation);\n } else {\n this.textMutations.push(mutation);\n }\n }\n\n public attribute(mutation: attributeMutation) {\n const treeNode = this.indexes.get(mutation.id);\n if (treeNode) {\n treeNode.attributes.push(mutation);\n } else {\n this.attributeMutations.push(mutation);\n }\n }\n\n public scroll(d: scrollData) {\n this.scrollMap.set(d.id, d);\n }\n\n public input(d: inputData) {\n this.inputMap.set(d.id, d);\n }\n\n public flush(): {\n mutationData: mutationData;\n scrollMap: TreeIndex['scrollMap'];\n inputMap: TreeIndex['inputMap'];\n } {\n const {\n tree,\n removeNodeMutations,\n textMutations,\n attributeMutations,\n } = this;\n\n const batchMutationData: mutationData = {\n source: IncrementalSource.Mutation,\n removes: removeNodeMutations,\n texts: textMutations,\n attributes: attributeMutations,\n adds: [],\n };\n\n const walk = (treeNode: TreeNode, removed: boolean) => {\n if (removed) {\n this.removeIdSet.add(treeNode.id);\n }\n batchMutationData.texts = batchMutationData.texts\n .concat(removed ? [] : treeNode.texts)\n .filter((m) => !this.removeIdSet.has(m.id));\n batchMutationData.attributes = batchMutationData.attributes\n .concat(removed ? [] : treeNode.attributes)\n .filter((m) => !this.removeIdSet.has(m.id));\n if (\n !this.removeIdSet.has(treeNode.id) &&\n !this.removeIdSet.has(treeNode.mutation.parentId) &&\n !removed\n ) {\n batchMutationData.adds.push(treeNode.mutation);\n if (treeNode.children) {\n Object.values(treeNode.children).forEach((n) => walk(n, false));\n }\n } else {\n Object.values(treeNode.children).forEach((n) => walk(n, true));\n }\n };\n\n Object.values(tree).forEach((n) => walk(n, false));\n\n for (const id of this.scrollMap.keys()) {\n if (this.removeIdSet.has(id)) {\n this.scrollMap.delete(id);\n }\n }\n for (const id of this.inputMap.keys()) {\n if (this.removeIdSet.has(id)) {\n this.inputMap.delete(id);\n }\n }\n\n const scrollMap = new Map(this.scrollMap);\n const inputMap = new Map(this.inputMap);\n\n this.reset();\n\n return {\n mutationData: batchMutationData,\n scrollMap,\n inputMap,\n };\n }\n\n private reset() {\n this.tree = [];\n this.indexes = new Map();\n this.removeNodeMutations = [];\n this.textMutations = [];\n this.attributeMutations = [];\n this.removeIdSet = new Set();\n this.scrollMap = new Map();\n this.inputMap = new Map();\n }\n\n public idRemoved(id: number): boolean {\n return this.removeIdSet.has(id);\n }\n}\n\ntype ResolveTree = {\n value: addedNodeMutation;\n children: ResolveTree[];\n parent: ResolveTree | null;\n};\n\nexport function queueToResolveTrees(queue: addedNodeMutation[]): ResolveTree[] {\n const queueNodeMap: Record = {};\n const putIntoMap = (\n m: addedNodeMutation,\n parent: ResolveTree | null,\n ): ResolveTree => {\n const nodeInTree: ResolveTree = {\n value: m,\n parent,\n children: [],\n };\n queueNodeMap[m.node.id] = nodeInTree;\n return nodeInTree;\n };\n\n const queueNodeTrees: ResolveTree[] = [];\n for (const mutation of queue) {\n const { nextId, parentId } = mutation;\n if (nextId && nextId in queueNodeMap) {\n const nextInTree = queueNodeMap[nextId];\n if (nextInTree.parent) {\n const idx = nextInTree.parent.children.indexOf(nextInTree);\n nextInTree.parent.children.splice(\n idx,\n 0,\n putIntoMap(mutation, nextInTree.parent),\n );\n } else {\n const idx = queueNodeTrees.indexOf(nextInTree);\n queueNodeTrees.splice(idx, 0, putIntoMap(mutation, null));\n }\n continue;\n }\n if (parentId in queueNodeMap) {\n const parentInTree = queueNodeMap[parentId];\n parentInTree.children.push(putIntoMap(mutation, parentInTree));\n continue;\n }\n queueNodeTrees.push(putIntoMap(mutation, null));\n }\n\n return queueNodeTrees;\n}\n\nexport function iterateResolveTree(\n tree: ResolveTree,\n cb: (mutation: addedNodeMutation) => unknown,\n) {\n cb(tree.value);\n /**\n * The resolve tree was designed to reflect the DOM layout,\n * but we need append next sibling first, so we do a reverse\n * loop here.\n */\n for (let i = tree.children.length - 1; i >= 0; i--) {\n iterateResolveTree(tree.children[i], cb);\n }\n}\n\ntype HTMLIFrameINode = HTMLIFrameElement & {\n __sn: serializedNodeWithId;\n};\nexport type AppendedIframe = {\n mutationInQueue: addedNodeMutation;\n builtNode: HTMLIFrameINode;\n};\n\nexport function isIframeINode(\n node: INode | ShadowRoot,\n): node is HTMLIFrameINode {\n if ('__sn' in node) {\n return (\n node.__sn.type === NodeType.Element && node.__sn.tagName === 'iframe'\n );\n }\n // node can be document fragment when using the virtual parent feature\n return false;\n}\n\nexport function getBaseDimension(\n node: Node,\n rootIframe: Node,\n): DocumentDimension {\n const frameElement = node.ownerDocument?.defaultView?.frameElement;\n if (!frameElement || frameElement === rootIframe) {\n return {\n x: 0,\n y: 0,\n relativeScale: 1,\n absoluteScale: 1,\n };\n }\n\n const frameDimension = frameElement.getBoundingClientRect();\n const frameBaseDimension = getBaseDimension(frameElement, rootIframe);\n // the iframe element may have a scale transform\n const relativeScale = frameDimension.height / frameElement.clientHeight;\n return {\n x:\n frameDimension.x * frameBaseDimension.relativeScale +\n frameBaseDimension.x,\n y:\n frameDimension.y * frameBaseDimension.relativeScale +\n frameBaseDimension.y,\n relativeScale,\n absoluteScale: frameBaseDimension.absoluteScale * relativeScale,\n };\n}\n\nexport function hasShadowRoot(\n n: T,\n): n is T & { shadowRoot: ShadowRoot } {\n return Boolean(((n as unknown) as Element)?.shadowRoot);\n}\n","import {\n INode,\n serializeNodeWithId,\n transformAttribute,\n IGNORED_NODE,\n isShadowRoot,\n needMaskingText,\n maskInputValue,\n} from 'rrweb-snapshot';\nimport {\n mutationRecord,\n textCursor,\n attributeCursor,\n removedNodeMutation,\n addedNodeMutation,\n Mirror,\n styleAttributeValue,\n observerParam,\n MutationBufferParam,\n Optional,\n} from '../types';\nimport {\n isBlocked,\n isAncestorRemoved,\n isIgnored,\n isIframeINode,\n hasShadowRoot,\n} from '../utils';\n\ntype DoubleLinkedListNode = {\n previous: DoubleLinkedListNode | null;\n next: DoubleLinkedListNode | null;\n value: NodeInLinkedList;\n};\ntype NodeInLinkedList = Node & {\n __ln: DoubleLinkedListNode;\n};\n\nfunction isNodeInLinkedList(n: Node | NodeInLinkedList): n is NodeInLinkedList {\n return '__ln' in n;\n}\nclass DoubleLinkedList {\n public length = 0;\n public head: DoubleLinkedListNode | null = null;\n\n public get(position: number) {\n if (position >= this.length) {\n throw new Error('Position outside of list range');\n }\n\n let current = this.head;\n for (let index = 0; index < position; index++) {\n current = current?.next || null;\n }\n return current;\n }\n\n public addNode(n: Node) {\n const node: DoubleLinkedListNode = {\n value: n as NodeInLinkedList,\n previous: null,\n next: null,\n };\n (n as NodeInLinkedList).__ln = node;\n if (n.previousSibling && isNodeInLinkedList(n.previousSibling)) {\n const current = n.previousSibling.__ln.next;\n node.next = current;\n node.previous = n.previousSibling.__ln;\n n.previousSibling.__ln.next = node;\n if (current) {\n current.previous = node;\n }\n } else if (\n n.nextSibling &&\n isNodeInLinkedList(n.nextSibling) &&\n n.nextSibling.__ln.previous\n ) {\n const current = n.nextSibling.__ln.previous;\n node.previous = current;\n node.next = n.nextSibling.__ln;\n n.nextSibling.__ln.previous = node;\n if (current) {\n current.next = node;\n }\n } else {\n if (this.head) {\n this.head.previous = node;\n }\n node.next = this.head;\n this.head = node;\n }\n this.length++;\n }\n\n public removeNode(n: NodeInLinkedList) {\n const current = n.__ln;\n if (!this.head) {\n return;\n }\n\n if (!current.previous) {\n this.head = current.next;\n if (this.head) {\n this.head.previous = null;\n }\n } else {\n current.previous.next = current.next;\n if (current.next) {\n current.next.previous = current.previous;\n }\n }\n if (n.__ln) {\n delete (n as Optional).__ln;\n }\n this.length--;\n }\n}\n\nconst moveKey = (id: number, parentId: number) => `${id}@${parentId}`;\nfunction isINode(n: Node | INode): n is INode {\n return '__sn' in n;\n}\n\n/**\n * controls behaviour of a MutationObserver\n */\nexport default class MutationBuffer {\n private frozen: boolean = false;\n private locked: boolean = false;\n\n private texts: textCursor[] = [];\n private attributes: attributeCursor[] = [];\n private removes: removedNodeMutation[] = [];\n private mapRemoves: Node[] = [];\n\n private movedMap: Record = {};\n\n /**\n * the browser MutationObserver emits multiple mutations after\n * a delay for performance reasons, making tracing added nodes hard\n * in our `processMutations` callback function.\n * For example, if we append an element el_1 into body, and then append\n * another element el_2 into el_1, these two mutations may be passed to the\n * callback function together when the two operations were done.\n * Generally we need to trace child nodes of newly added nodes, but in this\n * case if we count el_2 as el_1's child node in the first mutation record,\n * then we will count el_2 again in the second mutation record which was\n * duplicated.\n * To avoid of duplicate counting added nodes, we use a Set to store\n * added nodes and its child nodes during iterate mutation records. Then\n * collect added nodes from the Set which have no duplicate copy. But\n * this also causes newly added nodes will not be serialized with id ASAP,\n * which means all the id related calculation should be lazy too.\n */\n private addedSet = new Set();\n private movedSet = new Set();\n private droppedSet = new Set();\n\n private mutationCb: observerParam['mutationCb'];\n private blockClass: observerParam['blockClass'];\n private blockSelector: observerParam['blockSelector'];\n private maskTextClass: observerParam['maskTextClass'];\n private maskTextSelector: observerParam['maskTextSelector'];\n private inlineStylesheet: observerParam['inlineStylesheet'];\n private maskInputOptions: observerParam['maskInputOptions'];\n private maskTextFn: observerParam['maskTextFn'];\n private maskInputFn: observerParam['maskInputFn'];\n private recordCanvas: observerParam['recordCanvas'];\n private inlineImages: observerParam['inlineImages'];\n private slimDOMOptions: observerParam['slimDOMOptions'];\n private doc: observerParam['doc'];\n private mirror: observerParam['mirror'];\n private iframeManager: observerParam['iframeManager'];\n private shadowDomManager: observerParam['shadowDomManager'];\n private canvasManager: observerParam['canvasManager'];\n\n public init(options: MutationBufferParam) {\n ([\n 'mutationCb',\n 'blockClass',\n 'blockSelector',\n 'maskTextClass',\n 'maskTextSelector',\n 'inlineStylesheet',\n 'maskInputOptions',\n 'maskTextFn',\n 'maskInputFn',\n 'recordCanvas',\n 'inlineImages',\n 'slimDOMOptions',\n 'doc',\n 'mirror',\n 'iframeManager',\n 'shadowDomManager',\n 'canvasManager',\n ] as const).forEach((key) => {\n // just a type trick, the runtime result is correct\n this[key] = options[key] as never;\n });\n }\n\n public freeze() {\n this.frozen = true;\n this.canvasManager.freeze();\n }\n\n public unfreeze() {\n this.frozen = false;\n this.canvasManager.unfreeze();\n this.emit();\n }\n\n public isFrozen() {\n return this.frozen;\n }\n\n public lock() {\n this.locked = true;\n this.canvasManager.lock();\n }\n\n public unlock() {\n this.locked = false;\n this.canvasManager.unlock();\n this.emit();\n }\n\n public reset() {\n this.shadowDomManager.reset();\n this.canvasManager.reset();\n }\n\n public processMutations = (mutations: mutationRecord[]) => {\n mutations.forEach(this.processMutation); // adds mutations to the buffer\n this.emit(); // clears buffer if not locked/frozen\n };\n\n public emit = () => {\n if (this.frozen || this.locked) {\n return;\n }\n\n // delay any modification of the mirror until this function\n // so that the mirror for takeFullSnapshot doesn't get mutated while it's event is being processed\n\n const adds: addedNodeMutation[] = [];\n\n /**\n * Sometimes child node may be pushed before its newly added\n * parent, so we init a queue to store these nodes.\n */\n const addList = new DoubleLinkedList();\n const getNextId = (n: Node): number | null => {\n let ns: Node | null = n;\n let nextId: number | null = IGNORED_NODE; // slimDOM: ignored\n while (nextId === IGNORED_NODE) {\n ns = ns && ns.nextSibling;\n nextId = ns && this.mirror.getId((ns as unknown) as INode);\n }\n return nextId;\n };\n const pushAdd = (n: Node) => {\n const shadowHost: Element | null = n.getRootNode\n ? (n.getRootNode() as ShadowRoot)?.host\n : null;\n // If n is in a nested shadow dom.\n let rootShadowHost = shadowHost;\n while ((rootShadowHost?.getRootNode?.() as ShadowRoot | undefined)?.host)\n rootShadowHost =\n (rootShadowHost?.getRootNode?.() as ShadowRoot | undefined)?.host ||\n null;\n // ensure shadowHost is a Node, or doc.contains will throw an error\n const notInDoc =\n !this.doc.contains(n) &&\n (rootShadowHost === null || !this.doc.contains(rootShadowHost));\n if (!n.parentNode || notInDoc) {\n return;\n }\n const parentId = isShadowRoot(n.parentNode)\n ? this.mirror.getId((shadowHost as unknown) as INode)\n : this.mirror.getId((n.parentNode as Node) as INode);\n const nextId = getNextId(n);\n if (parentId === -1 || nextId === -1) {\n return addList.addNode(n);\n }\n let sn = serializeNodeWithId(n, {\n doc: this.doc,\n map: this.mirror.map,\n blockClass: this.blockClass,\n blockSelector: this.blockSelector,\n maskTextClass: this.maskTextClass,\n maskTextSelector: this.maskTextSelector,\n skipChild: true,\n inlineStylesheet: this.inlineStylesheet,\n maskInputOptions: this.maskInputOptions,\n maskTextFn: this.maskTextFn,\n maskInputFn: this.maskInputFn,\n slimDOMOptions: this.slimDOMOptions,\n recordCanvas: this.recordCanvas,\n inlineImages: this.inlineImages,\n onSerialize: (currentN) => {\n if (isIframeINode(currentN)) {\n this.iframeManager.addIframe(currentN);\n }\n if (hasShadowRoot(n)) {\n this.shadowDomManager.addShadowRoot(n.shadowRoot, document);\n }\n },\n onIframeLoad: (iframe, childSn) => {\n this.iframeManager.attachIframe(iframe, childSn);\n this.shadowDomManager.observeAttachShadow(\n (iframe as Node) as HTMLIFrameElement,\n );\n },\n });\n if (sn) {\n adds.push({\n parentId,\n nextId,\n node: sn,\n });\n }\n };\n\n while (this.mapRemoves.length) {\n this.mirror.removeNodeFromMap(this.mapRemoves.shift() as INode);\n }\n\n for (const n of this.movedSet) {\n if (\n isParentRemoved(this.removes, n, this.mirror) &&\n !this.movedSet.has(n.parentNode!)\n ) {\n continue;\n }\n pushAdd(n);\n }\n\n for (const n of this.addedSet) {\n if (\n !isAncestorInSet(this.droppedSet, n) &&\n !isParentRemoved(this.removes, n, this.mirror)\n ) {\n pushAdd(n);\n } else if (isAncestorInSet(this.movedSet, n)) {\n pushAdd(n);\n } else {\n this.droppedSet.add(n);\n }\n }\n\n let candidate: DoubleLinkedListNode | null = null;\n while (addList.length) {\n let node: DoubleLinkedListNode | null = null;\n if (candidate) {\n const parentId = this.mirror.getId(\n (candidate.value.parentNode as Node) as INode,\n );\n const nextId = getNextId(candidate.value);\n if (parentId !== -1 && nextId !== -1) {\n node = candidate;\n }\n }\n if (!node) {\n for (let index = addList.length - 1; index >= 0; index--) {\n const _node = addList.get(index)!;\n // ensure _node is defined before attempting to find value\n if (_node) {\n const parentId = this.mirror.getId(\n (_node.value.parentNode as Node) as INode,\n );\n const nextId = getNextId(_node.value);\n if (parentId !== -1 && nextId !== -1) {\n node = _node;\n break;\n }\n }\n }\n }\n if (!node) {\n /**\n * If all nodes in queue could not find a serialized parent,\n * it may be a bug or corner case. We need to escape the\n * dead while loop at once.\n */\n while (addList.head) {\n addList.removeNode(addList.head.value);\n }\n break;\n }\n candidate = node.previous;\n addList.removeNode(node.value);\n pushAdd(node.value);\n }\n\n const payload = {\n texts: this.texts\n .map((text) => ({\n id: this.mirror.getId(text.node as INode),\n value: text.value,\n }))\n // text mutation's id was not in the mirror map means the target node has been removed\n .filter((text) => this.mirror.has(text.id)),\n attributes: this.attributes\n .map((attribute) => ({\n id: this.mirror.getId(attribute.node as INode),\n attributes: attribute.attributes,\n }))\n // attribute mutation's id was not in the mirror map means the target node has been removed\n .filter((attribute) => this.mirror.has(attribute.id)),\n removes: this.removes,\n adds,\n };\n // payload may be empty if the mutations happened in some blocked elements\n if (\n !payload.texts.length &&\n !payload.attributes.length &&\n !payload.removes.length &&\n !payload.adds.length\n ) {\n return;\n }\n\n // reset\n this.texts = [];\n this.attributes = [];\n this.removes = [];\n this.addedSet = new Set();\n this.movedSet = new Set();\n this.droppedSet = new Set();\n this.movedMap = {};\n\n this.mutationCb(payload);\n };\n\n private processMutation = (m: mutationRecord) => {\n if (isIgnored(m.target)) {\n return;\n }\n switch (m.type) {\n case 'characterData': {\n const value = m.target.textContent;\n if (!isBlocked(m.target, this.blockClass) && value !== m.oldValue) {\n this.texts.push({\n value:\n needMaskingText(\n m.target,\n this.maskTextClass,\n this.maskTextSelector,\n ) && value\n ? this.maskTextFn\n ? this.maskTextFn(value)\n : value.replace(/[\\S]/g, '*')\n : value,\n node: m.target,\n });\n }\n break;\n }\n case 'attributes': {\n const target = m.target as HTMLElement;\n let value = (m.target as HTMLElement).getAttribute(m.attributeName!);\n if (m.attributeName === 'value') {\n value = maskInputValue({\n maskInputOptions: this.maskInputOptions,\n tagName: (m.target as HTMLElement).tagName,\n type: (m.target as HTMLElement).getAttribute('type'),\n value,\n maskInputFn: this.maskInputFn,\n });\n }\n if (isBlocked(m.target, this.blockClass) || value === m.oldValue) {\n return;\n }\n let item: attributeCursor | undefined = this.attributes.find(\n (a) => a.node === m.target,\n );\n if (!item) {\n item = {\n node: m.target,\n attributes: {},\n };\n this.attributes.push(item);\n }\n if (m.attributeName === 'style') {\n const old = this.doc.createElement('span');\n if (m.oldValue) {\n old.setAttribute('style', m.oldValue);\n }\n if (\n item.attributes.style === undefined ||\n item.attributes.style === null\n ) {\n item.attributes.style = {};\n }\n const styleObj = item.attributes.style as styleAttributeValue;\n for (const pname of Array.from(target.style)) {\n const newValue = target.style.getPropertyValue(pname);\n const newPriority = target.style.getPropertyPriority(pname);\n if (\n newValue !== old.style.getPropertyValue(pname) ||\n newPriority !== old.style.getPropertyPriority(pname)\n ) {\n if (newPriority === '') {\n styleObj[pname] = newValue;\n } else {\n styleObj[pname] = [newValue, newPriority];\n }\n }\n }\n for (const pname of Array.from(old.style)) {\n if (target.style.getPropertyValue(pname) === '') {\n // \"if not set, returns the empty string\"\n styleObj[pname] = false; // delete\n }\n }\n } else {\n // overwrite attribute if the mutations was triggered in same time\n item.attributes[m.attributeName!] = transformAttribute(\n this.doc,\n (m.target as HTMLElement).tagName,\n m.attributeName!,\n value!,\n );\n }\n break;\n }\n case 'childList': {\n m.addedNodes.forEach((n) => this.genAdds(n, m.target));\n m.removedNodes.forEach((n) => {\n const nodeId = this.mirror.getId(n as INode);\n const parentId = isShadowRoot(m.target)\n ? this.mirror.getId((m.target.host as unknown) as INode)\n : this.mirror.getId(m.target as INode);\n if (isBlocked(m.target, this.blockClass) || isIgnored(n)) {\n return;\n }\n // removed node has not been serialized yet, just remove it from the Set\n if (this.addedSet.has(n)) {\n deepDelete(this.addedSet, n);\n this.droppedSet.add(n);\n } else if (this.addedSet.has(m.target) && nodeId === -1) {\n /**\n * If target was newly added and removed child node was\n * not serialized, it means the child node has been removed\n * before callback fired, so we can ignore it because\n * newly added node will be serialized without child nodes.\n * TODO: verify this\n */\n } else if (isAncestorRemoved(m.target as INode, this.mirror)) {\n /**\n * If parent id was not in the mirror map any more, it\n * means the parent node has already been removed. So\n * the node is also removed which we do not need to track\n * and replay.\n */\n } else if (\n this.movedSet.has(n) &&\n this.movedMap[moveKey(nodeId, parentId)]\n ) {\n deepDelete(this.movedSet, n);\n } else {\n this.removes.push({\n parentId,\n id: nodeId,\n isShadow: isShadowRoot(m.target) ? true : undefined,\n });\n }\n this.mapRemoves.push(n);\n });\n break;\n }\n default:\n break;\n }\n };\n\n private genAdds = (n: Node | INode, target?: Node | INode) => {\n // parent was blocked, so we can ignore this node\n if (target && isBlocked(target, this.blockClass)) {\n return;\n }\n if (isINode(n)) {\n if (isIgnored(n)) {\n return;\n }\n this.movedSet.add(n);\n let targetId: number | null = null;\n if (target && isINode(target)) {\n targetId = target.__sn.id;\n }\n if (targetId) {\n this.movedMap[moveKey(n.__sn.id, targetId)] = true;\n }\n } else {\n this.addedSet.add(n);\n this.droppedSet.delete(n);\n }\n\n // if this node is blocked `serializeNode` will turn it into a placeholder element\n // but we have to remove it's children otherwise they will be added as placeholders too\n if (!isBlocked(n, this.blockClass))\n n.childNodes.forEach((childN) => this.genAdds(childN));\n };\n}\n\n/**\n * Some utils to handle the mutation observer DOM records.\n * It should be more clear to extend the native data structure\n * like Set and Map, but currently Typescript does not support\n * that.\n */\nfunction deepDelete(addsSet: Set, n: Node) {\n addsSet.delete(n);\n n.childNodes.forEach((childN) => deepDelete(addsSet, childN));\n}\n\nfunction isParentRemoved(\n removes: removedNodeMutation[],\n n: Node,\n mirror: Mirror,\n): boolean {\n const { parentNode } = n;\n if (!parentNode) {\n return false;\n }\n const parentId = mirror.getId((parentNode as Node) as INode);\n if (removes.some((r) => r.id === parentId)) {\n return true;\n }\n return isParentRemoved(removes, parentNode, mirror);\n}\n\nfunction isAncestorInSet(set: Set, n: Node): boolean {\n const { parentNode } = n;\n if (!parentNode) {\n return false;\n }\n if (set.has(parentNode)) {\n return true;\n }\n return isAncestorInSet(set, parentNode);\n}\n","import { INode, MaskInputOptions, maskInputValue } from 'rrweb-snapshot';\nimport { FontFaceSet } from 'css-font-loading-module';\nimport {\n throttle,\n on,\n hookSetter,\n getWindowHeight,\n getWindowWidth,\n isBlocked,\n isTouchEvent,\n patch,\n} from '../utils';\nimport {\n mutationCallBack,\n observerParam,\n mousemoveCallBack,\n mousePosition,\n mouseInteractionCallBack,\n MouseInteractions,\n listenerHandler,\n scrollCallback,\n styleSheetRuleCallback,\n viewportResizeCallback,\n inputValue,\n inputCallback,\n hookResetter,\n IncrementalSource,\n hooksParam,\n Arguments,\n mediaInteractionCallback,\n MediaInteractions,\n canvasMutationCallback,\n fontCallback,\n fontParam,\n styleDeclarationCallback,\n IWindow,\n MutationBufferParam,\n} from '../types';\nimport MutationBuffer from './mutation';\n\ntype WindowWithStoredMutationObserver = IWindow & {\n __rrMutationObserver?: MutationObserver;\n};\ntype WindowWithAngularZone = IWindow & {\n Zone?: {\n __symbol__?: (key: string) => string;\n };\n};\n\nexport const mutationBuffers: MutationBuffer[] = [];\n\nconst isCSSGroupingRuleSupported = typeof CSSGroupingRule !== 'undefined';\nconst isCSSMediaRuleSupported = typeof CSSMediaRule !== 'undefined';\nconst isCSSSupportsRuleSupported = typeof CSSSupportsRule !== 'undefined';\nconst isCSSConditionRuleSupported = typeof CSSConditionRule !== 'undefined';\n\n// Event.path is non-standard and used in some older browsers\ntype NonStandardEvent = Omit & {\n path: EventTarget[];\n};\n\nfunction getEventTarget(event: Event | NonStandardEvent): EventTarget | null {\n try {\n if ('composedPath' in event) {\n const path = event.composedPath();\n if (path.length) {\n return path[0];\n }\n } else if ('path' in event && event.path.length) {\n return event.path[0];\n }\n return event.target;\n } catch {\n return event.target;\n }\n}\n\nexport function initMutationObserver(\n options: MutationBufferParam,\n rootEl: Node,\n): MutationObserver {\n const mutationBuffer = new MutationBuffer();\n mutationBuffers.push(mutationBuffer);\n // see mutation.ts for details\n mutationBuffer.init(options);\n let mutationObserverCtor =\n window.MutationObserver ||\n /**\n * Some websites may disable MutationObserver by removing it from the window object.\n * If someone is using rrweb to build a browser extention or things like it, they\n * could not change the website's code but can have an opportunity to inject some\n * code before the website executing its JS logic.\n * Then they can do this to store the native MutationObserver:\n * window.__rrMutationObserver = MutationObserver\n */\n (window as WindowWithStoredMutationObserver).__rrMutationObserver;\n const angularZoneSymbol = (window as WindowWithAngularZone)?.Zone?.__symbol__?.(\n 'MutationObserver',\n );\n if (\n angularZoneSymbol &&\n ((window as unknown) as Record)[\n angularZoneSymbol\n ]\n ) {\n mutationObserverCtor = ((window as unknown) as Record<\n string,\n typeof MutationObserver\n >)[angularZoneSymbol];\n }\n const observer = new mutationObserverCtor(\n mutationBuffer.processMutations.bind(mutationBuffer),\n );\n observer.observe(rootEl, {\n attributes: true,\n attributeOldValue: true,\n characterData: true,\n characterDataOldValue: true,\n childList: true,\n subtree: true,\n });\n return observer;\n}\n\nfunction initMoveObserver({\n mousemoveCb,\n sampling,\n doc,\n mirror,\n}: observerParam): listenerHandler {\n if (sampling.mousemove === false) {\n return () => {};\n }\n\n const threshold =\n typeof sampling.mousemove === 'number' ? sampling.mousemove : 50;\n const callbackThreshold =\n typeof sampling.mousemoveCallback === 'number'\n ? sampling.mousemoveCallback\n : 500;\n\n let positions: mousePosition[] = [];\n let timeBaseline: number | null;\n const wrappedCb = throttle(\n (\n source:\n | IncrementalSource.MouseMove\n | IncrementalSource.TouchMove\n | IncrementalSource.Drag,\n ) => {\n const totalOffset = Date.now() - timeBaseline!;\n mousemoveCb(\n positions.map((p) => {\n p.timeOffset -= totalOffset;\n return p;\n }),\n source,\n );\n positions = [];\n timeBaseline = null;\n },\n callbackThreshold,\n );\n const updatePosition = throttle(\n (evt) => {\n const target = getEventTarget(evt);\n const { clientX, clientY } = isTouchEvent(evt)\n ? evt.changedTouches[0]\n : evt;\n if (!timeBaseline) {\n timeBaseline = Date.now();\n }\n positions.push({\n x: clientX,\n y: clientY,\n id: mirror.getId(target as INode),\n timeOffset: Date.now() - timeBaseline,\n });\n // it is possible DragEvent is undefined even on devices\n // that support event 'drag'\n wrappedCb(\n typeof DragEvent !== 'undefined' && evt instanceof DragEvent\n ? IncrementalSource.Drag\n : evt instanceof MouseEvent\n ? IncrementalSource.MouseMove\n : IncrementalSource.TouchMove,\n );\n },\n threshold,\n {\n trailing: false,\n },\n );\n const handlers = [\n on('mousemove', updatePosition, doc),\n on('touchmove', updatePosition, doc),\n on('drag', updatePosition, doc),\n ];\n return () => {\n handlers.forEach((h) => h());\n };\n}\n\nfunction initMouseInteractionObserver({\n mouseInteractionCb,\n doc,\n mirror,\n blockClass,\n sampling,\n}: observerParam): listenerHandler {\n if (sampling.mouseInteraction === false) {\n return () => {};\n }\n const disableMap: Record =\n sampling.mouseInteraction === true ||\n sampling.mouseInteraction === undefined\n ? {}\n : sampling.mouseInteraction;\n\n const handlers: listenerHandler[] = [];\n const getHandler = (eventKey: keyof typeof MouseInteractions) => {\n return (event: MouseEvent | TouchEvent) => {\n const target = getEventTarget(event) as Node;\n if (isBlocked(target as Node, blockClass)) {\n return;\n }\n const e = isTouchEvent(event) ? event.changedTouches[0] : event;\n if (!e) {\n return;\n }\n const id = mirror.getId(target as INode);\n const { clientX, clientY } = e;\n mouseInteractionCb({\n type: MouseInteractions[eventKey],\n id,\n x: clientX,\n y: clientY,\n });\n };\n };\n Object.keys(MouseInteractions)\n .filter(\n (key) =>\n Number.isNaN(Number(key)) &&\n !key.endsWith('_Departed') &&\n disableMap[key] !== false,\n )\n .forEach((eventKey: keyof typeof MouseInteractions) => {\n const eventName = eventKey.toLowerCase();\n const handler = getHandler(eventKey);\n handlers.push(on(eventName, handler, doc));\n });\n return () => {\n handlers.forEach((h) => h());\n };\n}\n\nexport function initScrollObserver({\n scrollCb,\n doc,\n mirror,\n blockClass,\n sampling,\n}: Pick<\n observerParam,\n 'scrollCb' | 'doc' | 'mirror' | 'blockClass' | 'sampling'\n>): listenerHandler {\n const updatePosition = throttle((evt) => {\n const target = getEventTarget(evt);\n if (!target || isBlocked(target as Node, blockClass)) {\n return;\n }\n const id = mirror.getId(target as INode);\n if (target === doc) {\n const scrollEl = (doc.scrollingElement || doc.documentElement)!;\n scrollCb({\n id,\n x: scrollEl.scrollLeft,\n y: scrollEl.scrollTop,\n });\n } else {\n scrollCb({\n id,\n x: (target as HTMLElement).scrollLeft,\n y: (target as HTMLElement).scrollTop,\n });\n }\n }, sampling.scroll || 100);\n return on('scroll', updatePosition, doc);\n}\n\nfunction initViewportResizeObserver({\n viewportResizeCb,\n}: observerParam): listenerHandler {\n let lastH = -1;\n let lastW = -1;\n const updateDimension = throttle(() => {\n const height = getWindowHeight();\n const width = getWindowWidth();\n if (lastH !== height || lastW !== width) {\n viewportResizeCb({\n width: Number(width),\n height: Number(height),\n });\n lastH = height;\n lastW = width;\n }\n }, 200);\n return on('resize', updateDimension, window);\n}\n\nfunction wrapEventWithUserTriggeredFlag(\n v: inputValue,\n enable: boolean,\n): inputValue {\n const value = { ...v };\n if (!enable) delete value.userTriggered;\n return value;\n}\n\nexport const INPUT_TAGS = ['INPUT', 'TEXTAREA', 'SELECT'];\nconst lastInputValueMap: WeakMap = new WeakMap();\nfunction initInputObserver({\n inputCb,\n doc,\n mirror,\n blockClass,\n ignoreClass,\n maskInputOptions,\n maskInputFn,\n sampling,\n userTriggeredOnInput,\n}: observerParam): listenerHandler {\n function eventHandler(event: Event) {\n let target = getEventTarget(event);\n const userTriggered = event.isTrusted;\n /**\n * If a site changes the value 'selected' of an option element, the value of its parent element, usually a select element, will be changed as well.\n * We can treat this change as a value change of the select element the current target belongs to.\n */\n if (target && (target as Element).tagName === 'OPTION')\n target = (target as Element).parentElement;\n if (\n !target ||\n !(target as Element).tagName ||\n INPUT_TAGS.indexOf((target as Element).tagName) < 0 ||\n isBlocked(target as Node, blockClass)\n ) {\n return;\n }\n const type: string | undefined = (target as HTMLInputElement).type;\n if ((target as HTMLElement).classList.contains(ignoreClass)) {\n return;\n }\n let text = (target as HTMLInputElement).value;\n let isChecked = false;\n if (type === 'radio' || type === 'checkbox') {\n isChecked = (target as HTMLInputElement).checked;\n } else if (\n maskInputOptions[\n (target as Element).tagName.toLowerCase() as keyof MaskInputOptions\n ] ||\n maskInputOptions[type as keyof MaskInputOptions]\n ) {\n text = maskInputValue({\n maskInputOptions,\n tagName: (target as HTMLElement).tagName,\n type,\n value: text,\n maskInputFn,\n });\n }\n cbWithDedup(\n target,\n wrapEventWithUserTriggeredFlag(\n { text, isChecked, userTriggered },\n userTriggeredOnInput,\n ),\n );\n // if a radio was checked\n // the other radios with the same name attribute will be unchecked.\n const name: string | undefined = (target as HTMLInputElement).name;\n if (type === 'radio' && name && isChecked) {\n doc\n .querySelectorAll(`input[type=\"radio\"][name=\"${name}\"]`)\n .forEach((el) => {\n if (el !== target) {\n cbWithDedup(\n el,\n wrapEventWithUserTriggeredFlag(\n {\n text: (el as HTMLInputElement).value,\n isChecked: !isChecked,\n userTriggered: false,\n },\n userTriggeredOnInput,\n ),\n );\n }\n });\n }\n }\n function cbWithDedup(target: EventTarget, v: inputValue) {\n const lastInputValue = lastInputValueMap.get(target);\n if (\n !lastInputValue ||\n lastInputValue.text !== v.text ||\n lastInputValue.isChecked !== v.isChecked\n ) {\n lastInputValueMap.set(target, v);\n const id = mirror.getId(target as INode);\n inputCb({\n ...v,\n id,\n });\n }\n }\n const events = sampling.input === 'last' ? ['change'] : ['input', 'change'];\n const handlers: Array<\n listenerHandler | hookResetter\n > = events.map((eventName) => on(eventName, eventHandler, doc));\n const propertyDescriptor = Object.getOwnPropertyDescriptor(\n HTMLInputElement.prototype,\n 'value',\n );\n const hookProperties: Array<[HTMLElement, string]> = [\n [HTMLInputElement.prototype, 'value'],\n [HTMLInputElement.prototype, 'checked'],\n [HTMLSelectElement.prototype, 'value'],\n [HTMLTextAreaElement.prototype, 'value'],\n // Some UI library use selectedIndex to set select value\n [HTMLSelectElement.prototype, 'selectedIndex'],\n [HTMLOptionElement.prototype, 'selected'],\n ];\n if (propertyDescriptor && propertyDescriptor.set) {\n handlers.push(\n ...hookProperties.map((p) =>\n hookSetter(p[0], p[1], {\n set() {\n // mock to a normal event\n eventHandler({ target: this } as Event);\n },\n }),\n ),\n );\n }\n return () => {\n handlers.forEach((h) => h());\n };\n}\n\ntype GroupingCSSRule =\n | CSSGroupingRule\n | CSSMediaRule\n | CSSSupportsRule\n | CSSConditionRule;\ntype GroupingCSSRuleTypes =\n | typeof CSSGroupingRule\n | typeof CSSMediaRule\n | typeof CSSSupportsRule\n | typeof CSSConditionRule;\n\nfunction getNestedCSSRulePositions(rule: CSSRule): number[] {\n const positions: number[] = [];\n function recurse(childRule: CSSRule, pos: number[]) {\n if (\n (isCSSGroupingRuleSupported &&\n childRule.parentRule instanceof CSSGroupingRule) ||\n (isCSSMediaRuleSupported &&\n childRule.parentRule instanceof CSSMediaRule) ||\n (isCSSSupportsRuleSupported &&\n childRule.parentRule instanceof CSSSupportsRule) ||\n (isCSSConditionRuleSupported &&\n childRule.parentRule instanceof CSSConditionRule)\n ) {\n const rules = Array.from(\n (childRule.parentRule as GroupingCSSRule).cssRules,\n );\n const index = rules.indexOf(childRule);\n pos.unshift(index);\n } else {\n const rules = Array.from(childRule.parentStyleSheet!.cssRules);\n const index = rules.indexOf(childRule);\n pos.unshift(index);\n }\n return pos;\n }\n return recurse(rule, positions);\n}\n\nfunction initStyleSheetObserver(\n { styleSheetRuleCb, mirror }: observerParam,\n { win }: { win: IWindow },\n): listenerHandler {\n const insertRule = win.CSSStyleSheet.prototype.insertRule;\n win.CSSStyleSheet.prototype.insertRule = function (\n rule: string,\n index?: number,\n ) {\n const id = mirror.getId(this.ownerNode as INode);\n if (id !== -1) {\n styleSheetRuleCb({\n id,\n adds: [{ rule, index }],\n });\n }\n return insertRule.apply(this, arguments);\n };\n\n const deleteRule = win.CSSStyleSheet.prototype.deleteRule;\n win.CSSStyleSheet.prototype.deleteRule = function (index: number) {\n const id = mirror.getId(this.ownerNode as INode);\n if (id !== -1) {\n styleSheetRuleCb({\n id,\n removes: [{ index }],\n });\n }\n return deleteRule.apply(this, arguments);\n };\n\n const supportedNestedCSSRuleTypes: {\n [key: string]: GroupingCSSRuleTypes;\n } = {};\n if (isCSSGroupingRuleSupported) {\n supportedNestedCSSRuleTypes.CSSGroupingRule = win.CSSGroupingRule;\n } else {\n // Some browsers (Safari) don't support CSSGroupingRule\n // https://caniuse.com/?search=cssgroupingrule\n // fall back to monkey patching classes that would have inherited from CSSGroupingRule\n\n if (isCSSMediaRuleSupported) {\n supportedNestedCSSRuleTypes.CSSMediaRule = win.CSSMediaRule;\n }\n if (isCSSConditionRuleSupported) {\n supportedNestedCSSRuleTypes.CSSConditionRule = win.CSSConditionRule;\n }\n if (isCSSSupportsRuleSupported) {\n supportedNestedCSSRuleTypes.CSSSupportsRule = win.CSSSupportsRule;\n }\n }\n\n const unmodifiedFunctions: {\n [key: string]: {\n insertRule: (rule: string, index?: number) => number;\n deleteRule: (index: number) => void;\n };\n } = {};\n\n Object.entries(supportedNestedCSSRuleTypes).forEach(([typeKey, type]) => {\n unmodifiedFunctions[typeKey] = {\n insertRule: (type as GroupingCSSRuleTypes).prototype.insertRule,\n deleteRule: (type as GroupingCSSRuleTypes).prototype.deleteRule,\n };\n\n type.prototype.insertRule = function (rule: string, index?: number) {\n const id = mirror.getId(this.parentStyleSheet.ownerNode as INode);\n if (id !== -1) {\n styleSheetRuleCb({\n id,\n adds: [\n {\n rule,\n index: [\n ...getNestedCSSRulePositions(this),\n index || 0, // defaults to 0\n ],\n },\n ],\n });\n }\n return unmodifiedFunctions[typeKey].insertRule.apply(this, arguments);\n };\n\n type.prototype.deleteRule = function (index: number) {\n const id = mirror.getId(this.parentStyleSheet.ownerNode as INode);\n if (id !== -1) {\n styleSheetRuleCb({\n id,\n removes: [{ index: [...getNestedCSSRulePositions(this), index] }],\n });\n }\n return unmodifiedFunctions[typeKey].deleteRule.apply(this, arguments);\n };\n });\n\n return () => {\n win.CSSStyleSheet.prototype.insertRule = insertRule;\n win.CSSStyleSheet.prototype.deleteRule = deleteRule;\n Object.entries(supportedNestedCSSRuleTypes).forEach(([typeKey, type]) => {\n type.prototype.insertRule = unmodifiedFunctions[typeKey].insertRule;\n type.prototype.deleteRule = unmodifiedFunctions[typeKey].deleteRule;\n });\n };\n}\n\nfunction initStyleDeclarationObserver(\n { styleDeclarationCb, mirror }: observerParam,\n { win }: { win: IWindow },\n): listenerHandler {\n const setProperty = win.CSSStyleDeclaration.prototype.setProperty;\n win.CSSStyleDeclaration.prototype.setProperty = function (\n this: CSSStyleDeclaration,\n property: string,\n value: string,\n priority: string,\n ) {\n const id = mirror.getId(\n (this.parentRule?.parentStyleSheet?.ownerNode as unknown) as INode,\n );\n if (id !== -1) {\n styleDeclarationCb({\n id,\n set: {\n property,\n value,\n priority,\n },\n index: getNestedCSSRulePositions(this.parentRule!),\n });\n }\n return setProperty.apply(this, arguments);\n };\n\n const removeProperty = win.CSSStyleDeclaration.prototype.removeProperty;\n win.CSSStyleDeclaration.prototype.removeProperty = function (\n this: CSSStyleDeclaration,\n property: string,\n ) {\n const id = mirror.getId(\n (this.parentRule?.parentStyleSheet?.ownerNode as unknown) as INode,\n );\n if (id !== -1) {\n styleDeclarationCb({\n id,\n remove: {\n property,\n },\n index: getNestedCSSRulePositions(this.parentRule!),\n });\n }\n return removeProperty.apply(this, arguments);\n };\n\n return () => {\n win.CSSStyleDeclaration.prototype.setProperty = setProperty;\n win.CSSStyleDeclaration.prototype.removeProperty = removeProperty;\n };\n}\n\nfunction initMediaInteractionObserver({\n mediaInteractionCb,\n blockClass,\n mirror,\n sampling,\n}: observerParam): listenerHandler {\n const handler = (type: MediaInteractions) =>\n throttle((event: Event) => {\n const target = getEventTarget(event);\n if (!target || isBlocked(target as Node, blockClass)) {\n return;\n }\n const { currentTime, volume, muted } = target as HTMLMediaElement;\n mediaInteractionCb({\n type,\n id: mirror.getId(target as INode),\n currentTime,\n volume,\n muted,\n });\n }, sampling.media || 500);\n const handlers = [\n on('play', handler(MediaInteractions.Play)),\n on('pause', handler(MediaInteractions.Pause)),\n on('seeked', handler(MediaInteractions.Seeked)),\n on('volumechange', handler(MediaInteractions.VolumeChange)),\n ];\n return () => {\n handlers.forEach((h) => h());\n };\n}\n\nfunction initFontObserver({ fontCb, doc }: observerParam): listenerHandler {\n const win = doc.defaultView as IWindow;\n if (!win) {\n return () => {};\n }\n\n const handlers: listenerHandler[] = [];\n\n const fontMap = new WeakMap();\n\n const originalFontFace = win.FontFace;\n win.FontFace = (function FontFace(\n family: string,\n source: string | ArrayBufferView,\n descriptors?: FontFaceDescriptors,\n ) {\n const fontFace = new originalFontFace(family, source, descriptors);\n fontMap.set(fontFace, {\n family,\n buffer: typeof source !== 'string',\n descriptors,\n fontSource:\n typeof source === 'string'\n ? source\n : // tslint:disable-next-line: no-any\n JSON.stringify(Array.from(new Uint8Array(source as any))),\n });\n return fontFace;\n } as unknown) as typeof FontFace;\n\n const restoreHandler = patch(doc.fonts, 'add', function (original) {\n return function (this: FontFaceSet, fontFace: FontFace) {\n setTimeout(() => {\n const p = fontMap.get(fontFace);\n if (p) {\n fontCb(p);\n fontMap.delete(fontFace);\n }\n }, 0);\n return original.apply(this, [fontFace]);\n };\n });\n\n handlers.push(() => {\n win.FontFace = originalFontFace;\n });\n handlers.push(restoreHandler);\n\n return () => {\n handlers.forEach((h) => h());\n };\n}\n\nfunction mergeHooks(o: observerParam, hooks: hooksParam) {\n const {\n mutationCb,\n mousemoveCb,\n mouseInteractionCb,\n scrollCb,\n viewportResizeCb,\n inputCb,\n mediaInteractionCb,\n styleSheetRuleCb,\n styleDeclarationCb,\n canvasMutationCb,\n fontCb,\n } = o;\n o.mutationCb = (...p: Arguments) => {\n if (hooks.mutation) {\n hooks.mutation(...p);\n }\n mutationCb(...p);\n };\n o.mousemoveCb = (...p: Arguments) => {\n if (hooks.mousemove) {\n hooks.mousemove(...p);\n }\n mousemoveCb(...p);\n };\n o.mouseInteractionCb = (...p: Arguments) => {\n if (hooks.mouseInteraction) {\n hooks.mouseInteraction(...p);\n }\n mouseInteractionCb(...p);\n };\n o.scrollCb = (...p: Arguments) => {\n if (hooks.scroll) {\n hooks.scroll(...p);\n }\n scrollCb(...p);\n };\n o.viewportResizeCb = (...p: Arguments) => {\n if (hooks.viewportResize) {\n hooks.viewportResize(...p);\n }\n viewportResizeCb(...p);\n };\n o.inputCb = (...p: Arguments) => {\n if (hooks.input) {\n hooks.input(...p);\n }\n inputCb(...p);\n };\n o.mediaInteractionCb = (...p: Arguments) => {\n if (hooks.mediaInteaction) {\n hooks.mediaInteaction(...p);\n }\n mediaInteractionCb(...p);\n };\n o.styleSheetRuleCb = (...p: Arguments) => {\n if (hooks.styleSheetRule) {\n hooks.styleSheetRule(...p);\n }\n styleSheetRuleCb(...p);\n };\n o.styleDeclarationCb = (...p: Arguments) => {\n if (hooks.styleDeclaration) {\n hooks.styleDeclaration(...p);\n }\n styleDeclarationCb(...p);\n };\n o.canvasMutationCb = (...p: Arguments) => {\n if (hooks.canvasMutation) {\n hooks.canvasMutation(...p);\n }\n canvasMutationCb(...p);\n };\n o.fontCb = (...p: Arguments) => {\n if (hooks.font) {\n hooks.font(...p);\n }\n fontCb(...p);\n };\n}\n\nexport function initObservers(\n o: observerParam,\n hooks: hooksParam = {},\n): listenerHandler {\n const currentWindow = o.doc.defaultView; // basically document.window\n if (!currentWindow) {\n return () => {};\n }\n\n mergeHooks(o, hooks);\n const mutationObserver = initMutationObserver(o, o.doc);\n const mousemoveHandler = initMoveObserver(o);\n const mouseInteractionHandler = initMouseInteractionObserver(o);\n const scrollHandler = initScrollObserver(o);\n const viewportResizeHandler = initViewportResizeObserver(o);\n const inputHandler = initInputObserver(o);\n const mediaInteractionHandler = initMediaInteractionObserver(o);\n\n const styleSheetObserver = initStyleSheetObserver(o, { win: currentWindow });\n const styleDeclarationObserver = initStyleDeclarationObserver(o, {\n win: currentWindow,\n });\n const fontObserver = o.collectFonts ? initFontObserver(o) : () => {};\n // plugins\n const pluginHandlers: listenerHandler[] = [];\n for (const plugin of o.plugins) {\n pluginHandlers.push(\n plugin.observer(plugin.callback, currentWindow, plugin.options),\n );\n }\n\n return () => {\n mutationBuffers.forEach((b) => b.reset());\n mutationObserver.disconnect();\n mousemoveHandler();\n mouseInteractionHandler();\n scrollHandler();\n viewportResizeHandler();\n inputHandler();\n mediaInteractionHandler();\n styleSheetObserver();\n styleDeclarationObserver();\n fontObserver();\n pluginHandlers.forEach((h) => h());\n };\n}\n","import { serializedNodeWithId, INode } from 'rrweb-snapshot';\nimport { mutationCallBack } from '../types';\n\nexport class IframeManager {\n private iframes: WeakMap = new WeakMap();\n private mutationCb: mutationCallBack;\n private loadListener?: (iframeEl: HTMLIFrameElement) => unknown;\n\n constructor(options: { mutationCb: mutationCallBack }) {\n this.mutationCb = options.mutationCb;\n }\n\n public addIframe(iframeEl: HTMLIFrameElement) {\n this.iframes.set(iframeEl, true);\n }\n\n public addLoadListener(cb: (iframeEl: HTMLIFrameElement) => unknown) {\n this.loadListener = cb;\n }\n\n public attachIframe(iframeEl: INode, childSn: serializedNodeWithId) {\n this.mutationCb({\n adds: [\n {\n parentId: iframeEl.__sn.id,\n nextId: null,\n node: childSn,\n },\n ],\n removes: [],\n texts: [],\n attributes: [],\n isAttachIframe: true,\n });\n this.loadListener?.((iframeEl as unknown) as HTMLIFrameElement);\n }\n}\n","import {\n mutationCallBack,\n Mirror,\n scrollCallback,\n MutationBufferParam,\n SamplingStrategy,\n} from '../types';\nimport { initMutationObserver, initScrollObserver } from './observer';\nimport { patch } from '../utils';\n\ntype BypassOptions = Omit<\n MutationBufferParam,\n 'doc' | 'mutationCb' | 'mirror' | 'shadowDomManager'\n> & {\n sampling: SamplingStrategy;\n};\n\nexport class ShadowDomManager {\n private mutationCb: mutationCallBack;\n private scrollCb: scrollCallback;\n private bypassOptions: BypassOptions;\n private mirror: Mirror;\n private restorePatches: (() => void)[] = [];\n\n constructor(options: {\n mutationCb: mutationCallBack;\n scrollCb: scrollCallback;\n bypassOptions: BypassOptions;\n mirror: Mirror;\n }) {\n this.mutationCb = options.mutationCb;\n this.scrollCb = options.scrollCb;\n this.bypassOptions = options.bypassOptions;\n this.mirror = options.mirror;\n\n // Patch 'attachShadow' to observe newly added shadow doms.\n const manager = this;\n this.restorePatches.push(\n patch(HTMLElement.prototype, 'attachShadow', function (original) {\n return function () {\n const shadowRoot = original.apply(this, arguments);\n if (this.shadowRoot)\n manager.addShadowRoot(this.shadowRoot, this.ownerDocument);\n return shadowRoot;\n };\n }),\n );\n }\n\n public addShadowRoot(shadowRoot: ShadowRoot, doc: Document) {\n initMutationObserver(\n {\n ...this.bypassOptions,\n doc,\n mutationCb: this.mutationCb,\n mirror: this.mirror,\n shadowDomManager: this,\n },\n shadowRoot,\n );\n initScrollObserver({\n ...this.bypassOptions,\n scrollCb: this.scrollCb,\n // https://gist.github.com/praveenpuglia/0832da687ed5a5d7a0907046c9ef1813\n // scroll is not allowed to pass the boundary, so we need to listen the shadow document\n doc: (shadowRoot as unknown) as Document,\n mirror: this.mirror,\n });\n }\n\n /**\n * Monkey patch 'attachShadow' of an IFrameElement to observe newly added shadow doms.\n */\n public observeAttachShadow(iframeElement: HTMLIFrameElement) {\n if (iframeElement.contentWindow) {\n const manager = this;\n this.restorePatches.push(\n patch(\n (iframeElement.contentWindow as Window & {\n HTMLElement: { prototype: HTMLElement };\n }).HTMLElement.prototype,\n 'attachShadow',\n function (original) {\n return function () {\n const shadowRoot = original.apply(this, arguments);\n if (this.shadowRoot)\n manager.addShadowRoot(\n this.shadowRoot,\n iframeElement.contentDocument as Document,\n );\n return shadowRoot;\n };\n },\n ),\n );\n }\n }\n\n public reset() {\n this.restorePatches.forEach((restorePatch) => restorePatch());\n }\n}\n","/*\n * base64-arraybuffer 1.0.1 \n * Copyright (c) 2021 Niklas von Hertzen \n * Released under MIT License\n */\nvar chars = 'ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/';\n// Use a lookup table to find the index.\nvar lookup = typeof Uint8Array === 'undefined' ? [] : new Uint8Array(256);\nfor (var i = 0; i < chars.length; i++) {\n lookup[chars.charCodeAt(i)] = i;\n}\nvar encode = function (arraybuffer) {\n var bytes = new Uint8Array(arraybuffer), i, len = bytes.length, base64 = '';\n for (i = 0; i < len; i += 3) {\n base64 += chars[bytes[i] >> 2];\n base64 += chars[((bytes[i] & 3) << 4) | (bytes[i + 1] >> 4)];\n base64 += chars[((bytes[i + 1] & 15) << 2) | (bytes[i + 2] >> 6)];\n base64 += chars[bytes[i + 2] & 63];\n }\n if (len % 3 === 2) {\n base64 = base64.substring(0, base64.length - 1) + '=';\n }\n else if (len % 3 === 1) {\n base64 = base64.substring(0, base64.length - 2) + '==';\n }\n return base64;\n};\nvar decode = function (base64) {\n var bufferLength = base64.length * 0.75, len = base64.length, i, p = 0, encoded1, encoded2, encoded3, encoded4;\n if (base64[base64.length - 1] === '=') {\n bufferLength--;\n if (base64[base64.length - 2] === '=') {\n bufferLength--;\n }\n }\n var arraybuffer = new ArrayBuffer(bufferLength), bytes = new Uint8Array(arraybuffer);\n for (i = 0; i < len; i += 4) {\n encoded1 = lookup[base64.charCodeAt(i)];\n encoded2 = lookup[base64.charCodeAt(i + 1)];\n encoded3 = lookup[base64.charCodeAt(i + 2)];\n encoded4 = lookup[base64.charCodeAt(i + 3)];\n bytes[p++] = (encoded1 << 2) | (encoded2 >> 4);\n bytes[p++] = ((encoded2 & 15) << 4) | (encoded3 >> 2);\n bytes[p++] = ((encoded3 & 3) << 6) | (encoded4 & 63);\n }\n return arraybuffer;\n};\n\nexport { decode, encode };\n//# sourceMappingURL=base64-arraybuffer.es5.js.map\n","import { encode } from 'base64-arraybuffer';\nimport { IWindow, SerializedWebGlArg } from '../../../types';\n\n// TODO: unify with `replay/webgl.ts`\ntype GLVarMap = Map;\nconst webGLVarMap: Map<\n WebGLRenderingContext | WebGL2RenderingContext,\n GLVarMap\n> = new Map();\nexport function variableListFor(\n ctx: WebGLRenderingContext | WebGL2RenderingContext,\n ctor: string,\n) {\n let contextMap = webGLVarMap.get(ctx);\n if (!contextMap) {\n contextMap = new Map();\n webGLVarMap.set(ctx, contextMap);\n }\n if (!contextMap.has(ctor)) {\n contextMap.set(ctor, []);\n }\n return contextMap.get(ctor) as any[];\n}\n\nexport const saveWebGLVar = (\n value: any,\n win: IWindow,\n ctx: WebGL2RenderingContext | WebGLRenderingContext,\n): number | void => {\n if (\n !value ||\n !(isInstanceOfWebGLObject(value, win) || typeof value === 'object')\n )\n return;\n\n const name = value.constructor.name;\n const list = variableListFor(ctx, name);\n let index = list.indexOf(value);\n\n if (index === -1) {\n index = list.length;\n list.push(value);\n }\n return index;\n};\n\n// from webgl-recorder: https://github.com/evanw/webgl-recorder/blob/bef0e65596e981ee382126587e2dcbe0fc7748e2/webgl-recorder.js#L50-L77\nexport function serializeArg(\n value: any,\n win: IWindow,\n ctx: WebGL2RenderingContext | WebGLRenderingContext,\n): SerializedWebGlArg {\n if (value instanceof Array) {\n return value.map((arg) => serializeArg(arg, win, ctx));\n } else if (value === null) {\n return value;\n } else if (\n value instanceof Float32Array ||\n value instanceof Float64Array ||\n value instanceof Int32Array ||\n value instanceof Uint32Array ||\n value instanceof Uint8Array ||\n value instanceof Uint16Array ||\n value instanceof Int16Array ||\n value instanceof Int8Array ||\n value instanceof Uint8ClampedArray\n ) {\n const name = value.constructor.name;\n return {\n rr_type: name,\n args: [Object.values(value)],\n };\n } else if (\n // SharedArrayBuffer disabled on most browsers due to spectre.\n // More info: https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/SharedArrayBuffer/SharedArrayBuffer\n // value instanceof SharedArrayBuffer ||\n value instanceof ArrayBuffer\n ) {\n const name = value.constructor.name as 'ArrayBuffer';\n const base64 = encode(value);\n\n return {\n rr_type: name,\n base64,\n };\n } else if (value instanceof DataView) {\n const name = value.constructor.name;\n return {\n rr_type: name,\n args: [\n serializeArg(value.buffer, win, ctx),\n value.byteOffset,\n value.byteLength,\n ],\n };\n } else if (value instanceof HTMLImageElement) {\n const name = value.constructor.name;\n const { src } = value;\n return {\n rr_type: name,\n src,\n };\n } else if (value instanceof ImageData) {\n const name = value.constructor.name;\n return {\n rr_type: name,\n args: [serializeArg(value.data, win, ctx), value.width, value.height],\n };\n } else if (isInstanceOfWebGLObject(value, win) || typeof value === 'object') {\n const name = value.constructor.name;\n const index = saveWebGLVar(value, win, ctx) as number;\n\n return {\n rr_type: name,\n index: index,\n };\n }\n\n return value;\n}\n\nexport const serializeArgs = (\n args: Array,\n win: IWindow,\n ctx: WebGLRenderingContext | WebGL2RenderingContext,\n) => {\n return [...args].map((arg) => serializeArg(arg, win, ctx));\n};\n\nexport const isInstanceOfWebGLObject = (\n value: any,\n win: IWindow,\n): value is\n | WebGLActiveInfo\n | WebGLBuffer\n | WebGLFramebuffer\n | WebGLProgram\n | WebGLRenderbuffer\n | WebGLShader\n | WebGLShaderPrecisionFormat\n | WebGLTexture\n | WebGLUniformLocation\n | WebGLVertexArrayObject => {\n const webGLConstructorNames: string[] = [\n 'WebGLActiveInfo',\n 'WebGLBuffer',\n 'WebGLFramebuffer',\n 'WebGLProgram',\n 'WebGLRenderbuffer',\n 'WebGLShader',\n 'WebGLShaderPrecisionFormat',\n 'WebGLTexture',\n 'WebGLUniformLocation',\n 'WebGLVertexArrayObject',\n // In old Chrome versions, value won't be an instanceof WebGLVertexArrayObject.\n 'WebGLVertexArrayObjectOES',\n ];\n const supportedWebGLConstructorNames = webGLConstructorNames.filter(\n (name: string) => typeof win[name as keyof Window] === 'function',\n );\n return Boolean(\n supportedWebGLConstructorNames.find(\n (name: string) => value instanceof win[name as keyof Window],\n ),\n );\n};\n","import { INode } from 'rrweb-snapshot';\nimport {\n blockClass,\n CanvasContext,\n canvasManagerMutationCallback,\n canvasMutationWithType,\n IWindow,\n listenerHandler,\n Mirror,\n} from '../../../types';\nimport { hookSetter, isBlocked, patch } from '../../../utils';\nimport { saveWebGLVar, serializeArgs } from './serialize-args';\n\nfunction patchGLPrototype(\n prototype: WebGLRenderingContext | WebGL2RenderingContext,\n type: CanvasContext,\n cb: canvasManagerMutationCallback,\n blockClass: blockClass,\n mirror: Mirror,\n win: IWindow,\n): listenerHandler[] {\n const handlers: listenerHandler[] = [];\n\n const props = Object.getOwnPropertyNames(prototype);\n\n for (const prop of props) {\n try {\n if (typeof prototype[prop as keyof typeof prototype] !== 'function') {\n continue;\n }\n const restoreHandler = patch(prototype, prop, function (original) {\n return function (this: typeof prototype, ...args: Array) {\n const result = original.apply(this, args);\n saveWebGLVar(result, win, prototype);\n if (!isBlocked((this.canvas as unknown) as INode, blockClass)) {\n const id = mirror.getId((this.canvas as unknown) as INode);\n\n const recordArgs = serializeArgs([...args], win, prototype);\n const mutation: canvasMutationWithType = {\n type,\n property: prop,\n args: recordArgs,\n };\n // TODO: this could potentially also be an OffscreenCanvas as well as HTMLCanvasElement\n cb(this.canvas as HTMLCanvasElement, mutation);\n }\n\n return result;\n };\n });\n handlers.push(restoreHandler);\n } catch {\n const hookHandler = hookSetter(prototype, prop, {\n set(v) {\n // TODO: this could potentially also be an OffscreenCanvas as well as HTMLCanvasElement\n cb(this.canvas as HTMLCanvasElement, {\n type,\n property: prop,\n args: [v],\n setter: true,\n });\n },\n });\n handlers.push(hookHandler);\n }\n }\n\n return handlers;\n}\n\nexport default function initCanvasWebGLMutationObserver(\n cb: canvasManagerMutationCallback,\n win: IWindow,\n blockClass: blockClass,\n mirror: Mirror,\n): listenerHandler {\n const handlers: listenerHandler[] = [];\n\n handlers.push(\n ...patchGLPrototype(\n win.WebGLRenderingContext.prototype,\n CanvasContext.WebGL,\n cb,\n blockClass,\n mirror,\n win,\n ),\n );\n\n if (typeof win.WebGL2RenderingContext !== 'undefined') {\n handlers.push(\n ...patchGLPrototype(\n win.WebGL2RenderingContext.prototype,\n CanvasContext.WebGL2,\n cb,\n blockClass,\n mirror,\n win,\n ),\n );\n }\n\n return () => {\n handlers.forEach((h) => h());\n };\n}\n","import { INode } from 'rrweb-snapshot';\nimport {\n blockClass,\n canvasManagerMutationCallback,\n canvasMutationCallback,\n canvasMutationCommand,\n canvasMutationWithType,\n IWindow,\n listenerHandler,\n Mirror,\n} from '../../../types';\nimport initCanvas2DMutationObserver from './2d';\nimport initCanvasContextObserver from './canvas';\nimport initCanvasWebGLMutationObserver from './webgl';\n\nexport type RafStamps = { latestId: number; invokeId: number | null };\n\ntype pendingCanvasMutationsMap = Map<\n HTMLCanvasElement,\n canvasMutationWithType[]\n>;\n\nexport class CanvasManager {\n private pendingCanvasMutations: pendingCanvasMutationsMap = new Map();\n private rafStamps: RafStamps = { latestId: 0, invokeId: null };\n private mirror: Mirror;\n\n private mutationCb: canvasMutationCallback;\n private resetObservers?: listenerHandler;\n private frozen: boolean = false;\n private locked: boolean = false;\n\n public reset() {\n this.pendingCanvasMutations.clear();\n this.resetObservers && this.resetObservers();\n }\n\n public freeze() {\n this.frozen = true;\n }\n\n public unfreeze() {\n this.frozen = false;\n }\n\n public lock() {\n this.locked = true;\n }\n\n public unlock() {\n this.locked = false;\n }\n\n constructor(options: {\n recordCanvas: boolean | number;\n mutationCb: canvasMutationCallback;\n win: IWindow;\n blockClass: blockClass;\n mirror: Mirror;\n }) {\n this.mutationCb = options.mutationCb;\n this.mirror = options.mirror;\n\n if (options.recordCanvas === true)\n this.initCanvasMutationObserver(options.win, options.blockClass);\n }\n\n private processMutation: canvasManagerMutationCallback = function (\n target,\n mutation,\n ) {\n const newFrame =\n this.rafStamps.invokeId &&\n this.rafStamps.latestId !== this.rafStamps.invokeId;\n if (newFrame || !this.rafStamps.invokeId)\n this.rafStamps.invokeId = this.rafStamps.latestId;\n\n if (!this.pendingCanvasMutations.has(target)) {\n this.pendingCanvasMutations.set(target, []);\n }\n\n this.pendingCanvasMutations.get(target)!.push(mutation);\n };\n\n private initCanvasMutationObserver(\n win: IWindow,\n blockClass: blockClass,\n ): void {\n this.startRAFTimestamping();\n this.startPendingCanvasMutationFlusher();\n\n const canvasContextReset = initCanvasContextObserver(win, blockClass);\n const canvas2DReset = initCanvas2DMutationObserver(\n this.processMutation.bind(this),\n win,\n blockClass,\n this.mirror,\n );\n\n const canvasWebGL1and2Reset = initCanvasWebGLMutationObserver(\n this.processMutation.bind(this),\n win,\n blockClass,\n this.mirror,\n );\n\n this.resetObservers = () => {\n canvasContextReset();\n canvas2DReset();\n canvasWebGL1and2Reset();\n };\n }\n\n private startPendingCanvasMutationFlusher() {\n requestAnimationFrame(() => this.flushPendingCanvasMutations());\n }\n\n private startRAFTimestamping() {\n const setLatestRAFTimestamp = (timestamp: DOMHighResTimeStamp) => {\n this.rafStamps.latestId = timestamp;\n requestAnimationFrame(setLatestRAFTimestamp);\n };\n requestAnimationFrame(setLatestRAFTimestamp);\n }\n\n flushPendingCanvasMutations() {\n this.pendingCanvasMutations.forEach(\n (values: canvasMutationCommand[], canvas: HTMLCanvasElement) => {\n const id = this.mirror.getId((canvas as unknown) as INode);\n this.flushPendingCanvasMutationFor(canvas, id);\n },\n );\n requestAnimationFrame(() => this.flushPendingCanvasMutations());\n }\n\n flushPendingCanvasMutationFor(canvas: HTMLCanvasElement, id: number) {\n if (this.frozen || this.locked) {\n return;\n }\n\n const valuesWithType = this.pendingCanvasMutations.get(canvas);\n if (!valuesWithType || id === -1) return;\n\n const values = valuesWithType.map((value) => {\n const { type, ...rest } = value;\n return rest;\n });\n const { type } = valuesWithType[0];\n\n this.mutationCb({ id, type, commands: values });\n\n this.pendingCanvasMutations.delete(canvas);\n }\n}\n","import { snapshot, MaskInputOptions, SlimDOMOptions } from 'rrweb-snapshot';\nimport { initObservers, mutationBuffers } from './observer';\nimport {\n on,\n getWindowWidth,\n getWindowHeight,\n polyfill,\n isIframeINode,\n hasShadowRoot,\n createMirror,\n} from '../utils';\nimport {\n EventType,\n event,\n eventWithTime,\n recordOptions,\n IncrementalSource,\n listenerHandler,\n mutationCallbackParam,\n scrollCallback,\n canvasMutationParam,\n} from '../types';\nimport { IframeManager } from './iframe-manager';\nimport { ShadowDomManager } from './shadow-dom-manager';\nimport { CanvasManager } from './observers/canvas/canvas-manager';\n\nfunction wrapEvent(e: event): eventWithTime {\n return {\n ...e,\n timestamp: Date.now(),\n };\n}\n\nlet wrappedEmit!: (e: eventWithTime, isCheckout?: boolean) => void;\n\nlet takeFullSnapshot!: (isCheckout?: boolean) => void;\n\nconst mirror = createMirror();\nfunction record(\n options: recordOptions = {},\n): listenerHandler | undefined {\n const {\n emit,\n checkoutEveryNms,\n checkoutEveryNth,\n blockClass = 'rr-block',\n blockSelector = null,\n ignoreClass = 'rr-ignore',\n maskTextClass = 'rr-mask',\n maskTextSelector = null,\n inlineStylesheet = true,\n maskAllInputs,\n maskInputOptions: _maskInputOptions,\n slimDOMOptions: _slimDOMOptions,\n maskInputFn,\n maskTextFn,\n hooks,\n packFn,\n sampling = {},\n mousemoveWait,\n recordCanvas = false,\n userTriggeredOnInput = false,\n collectFonts = false,\n inlineImages = false,\n plugins,\n keepIframeSrcFn = () => false,\n } = options;\n // runtime checks for user options\n if (!emit) {\n throw new Error('emit function is required');\n }\n // move departed options to new options\n if (mousemoveWait !== undefined && sampling.mousemove === undefined) {\n sampling.mousemove = mousemoveWait;\n }\n\n const maskInputOptions: MaskInputOptions =\n maskAllInputs === true\n ? {\n color: true,\n date: true,\n 'datetime-local': true,\n email: true,\n month: true,\n number: true,\n range: true,\n search: true,\n tel: true,\n text: true,\n time: true,\n url: true,\n week: true,\n textarea: true,\n select: true,\n password: true,\n }\n : _maskInputOptions !== undefined\n ? _maskInputOptions\n : { password: true };\n\n const slimDOMOptions: SlimDOMOptions =\n _slimDOMOptions === true || _slimDOMOptions === 'all'\n ? {\n script: true,\n comment: true,\n headFavicon: true,\n headWhitespace: true,\n headMetaSocial: true,\n headMetaRobots: true,\n headMetaHttpEquiv: true,\n headMetaVerification: true,\n // the following are off for slimDOMOptions === true,\n // as they destroy some (hidden) info:\n headMetaAuthorship: _slimDOMOptions === 'all',\n headMetaDescKeywords: _slimDOMOptions === 'all',\n }\n : _slimDOMOptions\n ? _slimDOMOptions\n : {};\n\n polyfill();\n\n let lastFullSnapshotEvent: eventWithTime;\n let incrementalSnapshotCount = 0;\n const eventProcessor = (e: eventWithTime): T => {\n for (const plugin of plugins || []) {\n if (plugin.eventProcessor) {\n e = plugin.eventProcessor(e);\n }\n }\n if (packFn) {\n e = (packFn(e) as unknown) as eventWithTime;\n }\n return (e as unknown) as T;\n };\n wrappedEmit = (e: eventWithTime, isCheckout?: boolean) => {\n if (\n mutationBuffers[0]?.isFrozen() &&\n e.type !== EventType.FullSnapshot &&\n !(\n e.type === EventType.IncrementalSnapshot &&\n e.data.source === IncrementalSource.Mutation\n )\n ) {\n // we've got a user initiated event so first we need to apply\n // all DOM changes that have been buffering during paused state\n mutationBuffers.forEach((buf) => buf.unfreeze());\n }\n\n emit(eventProcessor(e), isCheckout);\n if (e.type === EventType.FullSnapshot) {\n lastFullSnapshotEvent = e;\n incrementalSnapshotCount = 0;\n } else if (e.type === EventType.IncrementalSnapshot) {\n // attach iframe should be considered as full snapshot\n if (\n e.data.source === IncrementalSource.Mutation &&\n e.data.isAttachIframe\n ) {\n return;\n }\n\n incrementalSnapshotCount++;\n const exceedCount =\n checkoutEveryNth && incrementalSnapshotCount >= checkoutEveryNth;\n const exceedTime =\n checkoutEveryNms &&\n e.timestamp - lastFullSnapshotEvent.timestamp > checkoutEveryNms;\n if (exceedCount || exceedTime) {\n takeFullSnapshot(true);\n }\n }\n };\n\n const wrappedMutationEmit = (m: mutationCallbackParam) => {\n wrappedEmit(\n wrapEvent({\n type: EventType.IncrementalSnapshot,\n data: {\n source: IncrementalSource.Mutation,\n ...m,\n },\n }),\n );\n };\n const wrappedScrollEmit: scrollCallback = (p) =>\n wrappedEmit(\n wrapEvent({\n type: EventType.IncrementalSnapshot,\n data: {\n source: IncrementalSource.Scroll,\n ...p,\n },\n }),\n );\n const wrappedCanvasMutationEmit = (p: canvasMutationParam) =>\n wrappedEmit(\n wrapEvent({\n type: EventType.IncrementalSnapshot,\n data: {\n source: IncrementalSource.CanvasMutation,\n ...p,\n },\n }),\n );\n\n const iframeManager = new IframeManager({\n mutationCb: wrappedMutationEmit,\n });\n\n const canvasManager = new CanvasManager({\n recordCanvas,\n mutationCb: wrappedCanvasMutationEmit,\n win: window,\n blockClass,\n mirror,\n });\n\n const shadowDomManager = new ShadowDomManager({\n mutationCb: wrappedMutationEmit,\n scrollCb: wrappedScrollEmit,\n bypassOptions: {\n blockClass,\n blockSelector,\n maskTextClass,\n maskTextSelector,\n inlineStylesheet,\n maskInputOptions,\n maskTextFn,\n maskInputFn,\n recordCanvas,\n inlineImages,\n sampling,\n slimDOMOptions,\n iframeManager,\n canvasManager,\n },\n mirror,\n });\n\n takeFullSnapshot = (isCheckout = false) => {\n wrappedEmit(\n wrapEvent({\n type: EventType.Meta,\n data: {\n href: window.location.href,\n width: getWindowWidth(),\n height: getWindowHeight(),\n },\n }),\n isCheckout,\n );\n\n mutationBuffers.forEach((buf) => buf.lock()); // don't allow any mirror modifications during snapshotting\n const [node, idNodeMap] = snapshot(document, {\n blockClass,\n blockSelector,\n maskTextClass,\n maskTextSelector,\n inlineStylesheet,\n maskAllInputs: maskInputOptions,\n maskTextFn,\n slimDOM: slimDOMOptions,\n recordCanvas,\n inlineImages,\n onSerialize: (n) => {\n if (isIframeINode(n)) {\n iframeManager.addIframe(n);\n }\n if (hasShadowRoot(n)) {\n shadowDomManager.addShadowRoot(n.shadowRoot, document);\n }\n },\n onIframeLoad: (iframe, childSn) => {\n iframeManager.attachIframe(iframe, childSn);\n shadowDomManager.observeAttachShadow(\n (iframe as Node) as HTMLIFrameElement,\n );\n },\n keepIframeSrcFn,\n });\n\n if (!node) {\n return console.warn('Failed to snapshot the document');\n }\n\n mirror.map = idNodeMap;\n wrappedEmit(\n wrapEvent({\n type: EventType.FullSnapshot,\n data: {\n node,\n initialOffset: {\n left:\n window.pageXOffset !== undefined\n ? window.pageXOffset\n : document?.documentElement.scrollLeft ||\n document?.body?.parentElement?.scrollLeft ||\n document?.body.scrollLeft ||\n 0,\n top:\n window.pageYOffset !== undefined\n ? window.pageYOffset\n : document?.documentElement.scrollTop ||\n document?.body?.parentElement?.scrollTop ||\n document?.body.scrollTop ||\n 0,\n },\n },\n }),\n );\n mutationBuffers.forEach((buf) => buf.unlock()); // generate & emit any mutations that happened during snapshotting, as can now apply against the newly built mirror\n };\n\n try {\n const handlers: listenerHandler[] = [];\n handlers.push(\n on('DOMContentLoaded', () => {\n wrappedEmit(\n wrapEvent({\n type: EventType.DomContentLoaded,\n data: {},\n }),\n );\n }),\n );\n\n const observe = (doc: Document) => {\n return initObservers(\n {\n mutationCb: wrappedMutationEmit,\n mousemoveCb: (positions, source) =>\n wrappedEmit(\n wrapEvent({\n type: EventType.IncrementalSnapshot,\n data: {\n source,\n positions,\n },\n }),\n ),\n mouseInteractionCb: (d) =>\n wrappedEmit(\n wrapEvent({\n type: EventType.IncrementalSnapshot,\n data: {\n source: IncrementalSource.MouseInteraction,\n ...d,\n },\n }),\n ),\n scrollCb: wrappedScrollEmit,\n viewportResizeCb: (d) =>\n wrappedEmit(\n wrapEvent({\n type: EventType.IncrementalSnapshot,\n data: {\n source: IncrementalSource.ViewportResize,\n ...d,\n },\n }),\n ),\n inputCb: (v) =>\n wrappedEmit(\n wrapEvent({\n type: EventType.IncrementalSnapshot,\n data: {\n source: IncrementalSource.Input,\n ...v,\n },\n }),\n ),\n mediaInteractionCb: (p) =>\n wrappedEmit(\n wrapEvent({\n type: EventType.IncrementalSnapshot,\n data: {\n source: IncrementalSource.MediaInteraction,\n ...p,\n },\n }),\n ),\n styleSheetRuleCb: (r) =>\n wrappedEmit(\n wrapEvent({\n type: EventType.IncrementalSnapshot,\n data: {\n source: IncrementalSource.StyleSheetRule,\n ...r,\n },\n }),\n ),\n styleDeclarationCb: (r) =>\n wrappedEmit(\n wrapEvent({\n type: EventType.IncrementalSnapshot,\n data: {\n source: IncrementalSource.StyleDeclaration,\n ...r,\n },\n }),\n ),\n canvasMutationCb: wrappedCanvasMutationEmit,\n fontCb: (p) =>\n wrappedEmit(\n wrapEvent({\n type: EventType.IncrementalSnapshot,\n data: {\n source: IncrementalSource.Font,\n ...p,\n },\n }),\n ),\n blockClass,\n ignoreClass,\n maskTextClass,\n maskTextSelector,\n maskInputOptions,\n inlineStylesheet,\n sampling,\n recordCanvas,\n inlineImages,\n userTriggeredOnInput,\n collectFonts,\n doc,\n maskInputFn,\n maskTextFn,\n blockSelector,\n slimDOMOptions,\n mirror,\n iframeManager,\n shadowDomManager,\n canvasManager,\n plugins:\n plugins\n ?.filter((p) => p.observer)\n ?.map((p) => ({\n observer: p.observer!,\n options: p.options,\n callback: (payload: object) =>\n wrappedEmit(\n wrapEvent({\n type: EventType.Plugin,\n data: {\n plugin: p.name,\n payload,\n },\n }),\n ),\n })) || [],\n },\n hooks,\n );\n };\n\n iframeManager.addLoadListener((iframeEl) => {\n handlers.push(observe(iframeEl.contentDocument!));\n });\n\n const init = () => {\n takeFullSnapshot();\n handlers.push(observe(document));\n };\n if (\n document.readyState === 'interactive' ||\n document.readyState === 'complete'\n ) {\n init();\n } else {\n handlers.push(\n on(\n 'load',\n () => {\n wrappedEmit(\n wrapEvent({\n type: EventType.Load,\n data: {},\n }),\n );\n init();\n },\n window,\n ),\n );\n }\n return () => {\n handlers.forEach((h) => h());\n };\n } catch (error) {\n // TODO: handle internal error\n console.warn(error);\n }\n}\n\nrecord.addCustomEvent = (tag: string, payload: T) => {\n if (!wrappedEmit) {\n throw new Error('please add custom event after start recording');\n }\n wrappedEmit(\n wrapEvent({\n type: EventType.Custom,\n data: {\n tag,\n payload,\n },\n }),\n );\n};\n\nrecord.freezePage = () => {\n mutationBuffers.forEach((buf) => buf.freeze());\n};\n\nrecord.takeFullSnapshot = (isCheckout?: boolean) => {\n if (!takeFullSnapshot) {\n throw new Error('please take full snapshot after start recording');\n }\n takeFullSnapshot(isCheckout);\n};\n\nrecord.mirror = mirror;\n\nexport default record;\n","import { INode, ICanvas } from 'rrweb-snapshot';\nimport { blockClass, IWindow, listenerHandler } from '../../../types';\nimport { isBlocked, patch } from '../../../utils';\n\nexport default function initCanvasContextObserver(\n win: IWindow,\n blockClass: blockClass,\n): listenerHandler {\n const handlers: listenerHandler[] = [];\n try {\n const restoreHandler = patch(\n win.HTMLCanvasElement.prototype,\n 'getContext',\n function (original) {\n return function (\n this: ICanvas,\n contextType: string,\n ...args: Array\n ) {\n if (!isBlocked((this as unknown) as INode, blockClass)) {\n if (!('__context' in this))\n (this as ICanvas).__context = contextType;\n }\n return original.apply(this, [contextType, ...args]);\n };\n },\n );\n handlers.push(restoreHandler);\n } catch {\n console.error('failed to patch HTMLCanvasElement.prototype.getContext');\n }\n return () => {\n handlers.forEach((h) => h());\n };\n}\n","import { INode } from 'rrweb-snapshot';\nimport {\n blockClass,\n CanvasContext,\n canvasManagerMutationCallback,\n IWindow,\n listenerHandler,\n Mirror,\n} from '../../../types';\nimport { hookSetter, isBlocked, patch } from '../../../utils';\n\nexport default function initCanvas2DMutationObserver(\n cb: canvasManagerMutationCallback,\n win: IWindow,\n blockClass: blockClass,\n mirror: Mirror,\n): listenerHandler {\n const handlers: listenerHandler[] = [];\n const props2D = Object.getOwnPropertyNames(\n win.CanvasRenderingContext2D.prototype,\n );\n for (const prop of props2D) {\n try {\n if (\n typeof win.CanvasRenderingContext2D.prototype[\n prop as keyof CanvasRenderingContext2D\n ] !== 'function'\n ) {\n continue;\n }\n const restoreHandler = patch(\n win.CanvasRenderingContext2D.prototype,\n prop,\n function (original) {\n return function (\n this: CanvasRenderingContext2D,\n ...args: Array\n ) {\n if (!isBlocked((this.canvas as unknown) as INode, blockClass)) {\n // Using setTimeout as getImageData + JSON.stringify can be heavy\n // and we'd rather not block the main thread\n setTimeout(() => {\n const recordArgs = [...args];\n if (prop === 'drawImage') {\n if (\n recordArgs[0] &&\n recordArgs[0] instanceof HTMLCanvasElement\n ) {\n const canvas = recordArgs[0];\n const ctx = canvas.getContext('2d');\n let imgd = ctx?.getImageData(\n 0,\n 0,\n canvas.width,\n canvas.height,\n );\n let pix = imgd?.data;\n recordArgs[0] = JSON.stringify(pix);\n }\n }\n cb(this.canvas, {\n type: CanvasContext['2D'],\n property: prop,\n args: recordArgs,\n });\n }, 0);\n }\n return original.apply(this, args);\n };\n },\n );\n handlers.push(restoreHandler);\n } catch {\n const hookHandler = hookSetter(\n win.CanvasRenderingContext2D.prototype,\n prop,\n {\n set(v) {\n cb(this.canvas, {\n type: CanvasContext['2D'],\n property: prop,\n args: [v],\n setter: true,\n });\n },\n },\n );\n handlers.push(hookHandler);\n }\n }\n return () => {\n handlers.forEach((h) => h());\n };\n}\n"],"names":["NodeType","__assign","Object","assign","t","s","i","n","arguments","length","p","prototype","hasOwnProperty","call","apply","this","__values","o","Symbol","iterator","m","next","value","done","TypeError","__read","r","e","ar","push","error","__spreadArray","to","from","pack","l","Array","slice","concat","isShadowRoot","_a","host","Boolean","shadowRoot","maskInputValue","maskInputOptions","tagName","type","maskInputFn","text","toLowerCase","repeat","ORIGINAL_ATTRIBUTE_NAME","canvasService","canvasCtx","_id","tagNameRegex","RegExp","getCssRulesString","rules","cssRules","map","getCssRuleString","join","rule","cssStringified","cssText","isCSSImportRule","styleSheet","URL_IN_CSS_REF","RELATIVE_PATH","DATA_URI","absoluteToStylesheet","href","replace","origin","quote1","path1","quote2","path2","path3","url","filePath","maybeQuote","test","indexOf","split","stack","parts","pop","_i","parts_1","part","EventType","IncrementalSource","MouseInteractions","CanvasContext","MediaInteractions","ReplayerEvents","SRCSET_NOT_SPACES","SRCSET_COMMAS_OR_SPACES","absoluteToDoc","doc","attributeValue","trim","a","createElement","getHref","document","transformAttribute","name","pos","collectCharacters","regEx","chars","match","exec","substring","output","descriptorsStr","inParens","c","charAt","getAbsoluteSrcsetString","needMaskingText","node","maskTextClass","maskTextSelector","nodeType","ELEMENT_NODE","classList","contains","eIndex","className","matches","parentNode","TEXT_NODE","serializeNode","options","rootId","sheet","el","blockClass","blockSelector","inlineStylesheet","_b","maskTextFn","_c","dataURLOptions","inlineImages","recordCanvas","keepIframeSrcFn","__sn","docId","id","undefined","DOCUMENT_NODE","compatMode","Document","childNodes","DOCUMENT_TYPE_NODE","DocumentType","publicId","systemId","needBlock","element","_isBlockedElement","HTMLFormElement","processedTagName","getValidTagName","attributes_1","_d","attributes","_e","name_1","stylesheet","styleSheets","find","rel","_cssText","innerText","textContent","checked","selected","__context","canvas","ctx","getContext","x","width","y","height","getImageData","originalGetImageData","Uint32Array","Math","min","data","buffer","some","pixel","is2DCanvasBlank","rr_dataURL","toDataURL","quality","canvasDataURL","blankCanvas","image_1","oldValue_1","crossOrigin","recordInlineImage","naturalWidth","naturalHeight","drawImage","err","console","warn","currentSrc","complete","onload","rr_mediaState","paused","rr_mediaCurrentTime","currentTime","scrollLeft","rr_scrollLeft","scrollTop","rr_scrollTop","_f","getBoundingClientRect","class","rr_width","rr_height","src","contentDocument","rr_src","Element","isSVG","ownerSVGElement","parentTagName","isStyle","isScript","nextSibling","previousSibling","Text","CDATA_SECTION_NODE","CDATA","COMMENT_NODE","Comment","lowerIfExists","maybeAttr","serializeNodeWithId","skipChild","slimDOMOptions","onSerialize","onIframeLoad","_g","iframeLoadTimeout","_h","_j","preserveWhiteSpace","_serializedNode","sn","comment","script","as","endsWith","headFavicon","headMetaDescKeywords","headMetaSocial","property","headMetaRobots","headMetaHttpEquiv","headMetaAuthorship","headMetaVerification","slimDOMExcluded","serializedNode","recordChild","isShadowHost","headWhitespace","bypassOptions","_k","serializedChildNode","isElement","_l","_m","isShadow","iframeEl","listener","win","contentWindow","readyState","fired","blankUrl","location","addEventListener","setTimeout","timer_1","clearTimeout","onceIframeLoaded","iframeDoc","serializedIframeNode","on","fn","target","capture","passive","removeEventListener","DEPARTED_MIRROR_ACCESS_WARNING","_mirror","getId","getNode","removeNodeFromMap","has","reset","throttle","func","wait","timeout","previous","arg","now","Date","leading","remaining","context","args","trailing","hookSetter","key","d","isRevoked","original","getOwnPropertyDescriptor","defineProperty","set","_this","patch","source","replacement","original_1","wrapped","defineProperties","__rrweb_original__","enumerable","getWindowHeight","window","innerHeight","documentElement","clientHeight","body","getWindowWidth","innerWidth","clientWidth","isBlocked","needBlock_1","closest","forEach","isIgnored","isAncestorRemoved","mirror","isTouchEvent","event","changedTouches","isIframeINode","hasShadowRoot","isNodeInLinkedList","Proxy","Reflect","get","prop","receiver","DoubleLinkedList","position","Error","current","head","index","__ln","moveKey","parentId","isINode","Set","mutations","processMutation","emit","frozen","locked","adds","addList","getNextId","ns","nextId","pushAdd","shadowHost","getRootNode","rootShadowHost","notInDoc","addNode","currentN","iframeManager","addIframe","shadowDomManager","addShadowRoot","iframe","childSn","attachIframe","observeAttachShadow","mapRemoves","shift","movedSet","isParentRemoved","removes","addedSet","isAncestorInSet","droppedSet","add","candidate","_node","removeNode","payload","texts","filter","attribute","movedMap","mutationCb","oldValue","getAttribute","attributeName","item","old","setAttribute","style","styleObj","pname","newValue","getPropertyValue","newPriority","getPropertyPriority","addedNodes","genAdds","removedNodes","nodeId","deepDelete","targetId","delete","childN","MutationBuffer","canvasManager","freeze","unfreeze","lock","unlock","addsSet","mutationBuffers","isCSSGroupingRuleSupported","CSSGroupingRule","isCSSMediaRuleSupported","CSSMediaRule","isCSSSupportsRuleSupported","CSSSupportsRule","isCSSConditionRuleSupported","CSSConditionRule","getEventTarget","path","composedPath","initMutationObserver","rootEl","mutationBuffer","init","mutationObserverCtor","MutationObserver","__rrMutationObserver","angularZoneSymbol","Zone","__symbol__","observer","processMutations","bind","observe","attributeOldValue","characterData","characterDataOldValue","childList","subtree","initMouseInteractionObserver","mouseInteractionCb","sampling","mouseInteraction","disableMap","handlers","keys","Number","isNaN","eventKey","eventName","handler","clientX","clientY","getHandler","h","initScrollObserver","scrollCb","evt","scrollEl","scrollingElement","scroll","wrapEventWithUserTriggeredFlag","v","enable","userTriggered","INPUT_TAGS","lastInputValueMap","WeakMap","getNestedCSSRulePositions","childRule","parentRule","unshift","parentStyleSheet","recurse","initObservers","hooks","currentWindow","defaultView","mousemoveCb","viewportResizeCb","inputCb","mediaInteractionCb","styleSheetRuleCb","styleDeclarationCb","canvasMutationCb","fontCb","mutation","mousemove","viewportResize","input","mediaInteaction","styleSheetRule","styleDeclaration","canvasMutation","font","mergeHooks","mutationObserver","mousemoveHandler","timeBaseline","threshold","callbackThreshold","mousemoveCallback","positions","wrappedCb","totalOffset","timeOffset","updatePosition","DragEvent","Drag","MouseEvent","MouseMove","TouchMove","initMoveObserver","mouseInteractionHandler","scrollHandler","viewportResizeHandler","lastH","lastW","initViewportResizeObserver","inputHandler","ignoreClass","userTriggeredOnInput","eventHandler","isTrusted","parentElement","isChecked","cbWithDedup","querySelectorAll","lastInputValue","propertyDescriptor","HTMLInputElement","hookProperties","HTMLSelectElement","HTMLTextAreaElement","HTMLOptionElement","initInputObserver","mediaInteractionHandler","volume","muted","media","initMediaInteractionObserver","styleSheetObserver","insertRule","CSSStyleSheet","ownerNode","deleteRule","supportedNestedCSSRuleTypes","unmodifiedFunctions","entries","typeKey","initStyleSheetObserver","styleDeclarationObserver","setProperty","CSSStyleDeclaration","priority","removeProperty","remove","initStyleDeclarationObserver","fontObserver","collectFonts","fontMap","originalFontFace","FontFace","family","descriptors","fontFace","fontSource","JSON","stringify","Uint8Array","restoreHandler","fonts","initFontObserver","pluginHandlers","plugins","plugin","callback","b","disconnect","IframeManager","iframes","cb","loadListener","isAttachIframe","manager","restorePatches","HTMLElement","ownerDocument","ShadowDomManager","iframeElement","manager_1","restorePatch","lookup","charCodeAt","webGLVarMap","Map","saveWebGLVar","isInstanceOfWebGLObject","list","ctor","contextMap","variableListFor","constructor","serializeArg","Float32Array","Float64Array","Int32Array","Uint16Array","Int16Array","Int8Array","Uint8ClampedArray","rr_type","values","ArrayBuffer","base64","arraybuffer","bytes","len","encode","DataView","byteOffset","byteLength","HTMLImageElement","ImageData","serializeArgs","supportedWebGLConstructorNames","patchGLPrototype","props","getOwnPropertyNames","result","recordArgs","hookHandler","setter","props_1","wrappedEmit","takeFullSnapshot","latestId","invokeId","rafStamps","pendingCanvasMutations","initCanvasMutationObserver","CanvasManager","clear","resetObservers","startRAFTimestamping","startPendingCanvasMutationFlusher","canvasContextReset","HTMLCanvasElement","contextType","initCanvasContextObserver","canvas2DReset","props2D","CanvasRenderingContext2D","imgd","pix","props2D_1","initCanvas2DMutationObserver","canvasWebGL1and2Reset","WebGLRenderingContext","WebGL","WebGL2RenderingContext","WebGL2","initCanvasWebGLMutationObserver","requestAnimationFrame","flushPendingCanvasMutations","setLatestRAFTimestamp","timestamp","flushPendingCanvasMutationFor","valuesWithType","getOwnPropertySymbols","propertyIsEnumerable","commands","wrapEvent","child","record","checkoutEveryNms","checkoutEveryNth","maskAllInputs","_maskInputOptions","_slimDOMOptions","packFn","mousemoveWait","lastFullSnapshotEvent","color","date","email","month","number","range","search","tel","time","week","textarea","select","password","NodeList","DOMTokenList","Node","incrementalSnapshotCount","isCheckout","isFrozen","FullSnapshot","IncrementalSnapshot","Mutation","buf","eventProcessor","exceedCount","exceedTime","wrappedMutationEmit","wrappedScrollEmit","Scroll","wrappedCanvasMutationEmit","CanvasMutation","Meta","slimDOM","idNodeMap","snapshot","initialOffset","left","pageXOffset","top","pageYOffset","handlers_1","DomContentLoaded","observe_1","MouseInteraction","ViewportResize","Input","MediaInteraction","StyleSheetRule","StyleDeclaration","Font","Plugin","addLoadListener","init_1","Load","addCustomEvent","tag","Custom","freezePage"],"mappings":";;;;;;;;;;;;;;oFA+BO,IC/BHA,ED+BOC,EAAW,WAQlB,OAPAA,EAAWC,OAAOC,QAAU,SAAkBC,GAC1C,IAAK,IAAIC,EAAGC,EAAI,EAAGC,EAAIC,UAAUC,OAAQH,EAAIC,EAAGD,IAE5C,IAAK,IAAII,KADTL,EAAIG,UAAUF,GACOJ,OAAOS,UAAUC,eAAeC,KAAKR,EAAGK,KAAIN,EAAEM,GAAKL,EAAEK,IAE9E,OAAON,IAEKU,MAAMC,KAAMP,YAgFzB,SAASQ,EAASC,GACrB,IAAIZ,EAAsB,mBAAXa,QAAyBA,OAAOC,SAAUC,EAAIf,GAAKY,EAAEZ,GAAIC,EAAI,EAC5E,GAAIc,EAAG,OAAOA,EAAEP,KAAKI,GACrB,GAAIA,GAAyB,iBAAbA,EAAER,OAAqB,MAAO,CAC1CY,KAAM,WAEF,OADIJ,GAAKX,GAAKW,EAAER,SAAQQ,OAAI,GACrB,CAAEK,MAAOL,GAAKA,EAAEX,KAAMiB,MAAON,KAG5C,MAAM,IAAIO,UAAUnB,EAAI,0BAA4B,mCAGjD,SAASoB,EAAOR,EAAGV,GACtB,IAAIa,EAAsB,mBAAXF,QAAyBD,EAAEC,OAAOC,UACjD,IAAKC,EAAG,OAAOH,EACf,IAAmBS,EAAYC,EAA3BrB,EAAIc,EAAEP,KAAKI,GAAOW,EAAK,GAC3B,IACI,WAAc,IAANrB,GAAgBA,KAAM,MAAQmB,EAAIpB,EAAEe,QAAQE,MAAMK,EAAGC,KAAKH,EAAEJ,OAExE,MAAOQ,GAASH,EAAI,CAAEG,MAAOA,WAEzB,IACQJ,IAAMA,EAAEH,OAASH,EAAId,EAAU,SAAIc,EAAEP,KAAKP,WAExC,GAAIqB,EAAG,MAAMA,EAAEG,OAE7B,OAAOF,EAmBJ,SAASG,EAAcC,EAAIC,EAAMC,GACpC,GAAIA,GAA6B,IAArB1B,UAAUC,OAAc,IAAK,IAA4BmB,EAAxBtB,EAAI,EAAG6B,EAAIF,EAAKxB,OAAYH,EAAI6B,EAAG7B,KACxEsB,GAAQtB,KAAK2B,IACRL,IAAIA,EAAKQ,MAAMzB,UAAU0B,MAAMxB,KAAKoB,EAAM,EAAG3B,IAClDsB,EAAGtB,GAAK2B,EAAK3B,IAGrB,OAAO0B,EAAGM,OAAOV,GAAMQ,MAAMzB,UAAU0B,MAAMxB,KAAKoB,IC9JtD,SAASM,EAAahC,GAClB,IAAIiC,EACAC,EAAoB,QAAZD,EAAKjC,SAAsB,IAAPiC,OAAgB,EAASA,EAAGC,KAC5D,OAAOC,QAAQD,GAAQA,EAAKE,YAAcF,EAAKE,aAAepC,GAElE,SAASqC,EAAeJ,GACpB,IAAIK,EAAmBL,EAAGK,iBAAkBC,EAAUN,EAAGM,QAASC,EAAOP,EAAGO,KAAMzB,EAAQkB,EAAGlB,MAAO0B,EAAcR,EAAGQ,YACjHC,EAAO3B,GAAS,GAUpB,OATIuB,EAAiBC,EAAQI,gBACzBL,EAAiBE,MAEbE,EADAD,EACOA,EAAYC,GAGZ,IAAIE,OAAOF,EAAKxC,SAGxBwC,GA7BX,SAAWjD,GACPA,EAASA,EAAmB,SAAI,GAAK,WACrCA,EAASA,EAAuB,aAAI,GAAK,eACzCA,EAASA,EAAkB,QAAI,GAAK,UACpCA,EAASA,EAAe,KAAI,GAAK,OACjCA,EAASA,EAAgB,MAAI,GAAK,QAClCA,EAASA,EAAkB,QAAI,GAAK,UANxC,CAOGA,IAAaA,EAAW,KAwB3B,IAAIoD,EAA0B,qBAoB9B,IAyDIC,EACAC,EA1DAC,EAAM,EACNC,EAAe,IAAIC,OAAO,gBAe9B,SAASC,EAAkBrD,GACvB,IACI,IAAIsD,EAAQtD,EAAEsD,OAAStD,EAAEuD,SACzB,OAAOD,EAAQvB,MAAMH,KAAK0B,GAAOE,IAAIC,GAAkBC,KAAK,IAAM,KAEtE,MAAOjC,GACH,OAAO,MAGf,SAASgC,EAAiBE,GACtB,IAAIC,EAAiBD,EAAKE,QAC1B,GASJ,SAAyBF,GACrB,MAAO,eAAgBA,EAVnBG,CAAgBH,GAChB,IACIC,EAAiBP,EAAkBM,EAAKI,aAAeH,EAE3D,MAAOzB,IAGX,OAAOyB,EAyBX,IAAII,EAAiB,6CACjBC,EAAgB,sDAChBC,EAAW,wBACf,SAASC,EAAqBN,EAASO,GACnC,OAAQP,GAAW,IAAIQ,QAAQL,GAAgB,SAAUM,EAAQC,EAAQC,EAAOC,EAAQC,EAAOC,GAC3F,IAlBeC,EAkBXC,EAAWL,GAASE,GAASC,EAC7BG,EAAaP,GAAUE,GAAU,GACrC,IAAKI,EACD,OAAOP,EAEX,IAAKL,EAAcc,KAAKF,GACpB,MAAO,OAASC,EAAaD,EAAWC,EAAa,IAEzD,GAAIZ,EAASa,KAAKF,GACd,MAAO,OAASC,EAAaD,EAAWC,EAAa,IAEzD,GAAoB,MAAhBD,EAAS,GACT,MAAO,OAASC,KA9BLF,EA8BiCR,GA5B5CY,QAAQ,OAAS,EACZJ,EAAIK,MAAM,KAAKjD,MAAM,EAAG,GAAG0B,KAAK,KAGhCkB,EAAIK,MAAM,KAAK,IAEZA,MAAM,KAAK,GAsBiCJ,GAAYC,EAAa,IAEjF,IAAII,EAAQd,EAAKa,MAAM,KACnBE,EAAQN,EAASI,MAAM,KAC3BC,EAAME,MACN,IAAK,IAAIC,EAAK,EAAGC,EAAUH,EAAOE,EAAKC,EAAQlF,OAAQiF,IAAM,CACzD,IAAIE,EAAOD,EAAQD,GACN,MAATE,IAGc,OAATA,EACLL,EAAME,MAGNF,EAAM1D,KAAK+D,IAGnB,MAAO,OAAST,EAAaI,EAAMxB,KAAK,KAAOoB,EAAa,OAGpE,ICrIYU,EA+DAC,EAgUAC,EAcAC,EAuIMC,EA2GNC,ED1fRC,EAAoB,qBACpBC,EAA0B,qBA2D9B,SAASC,EAAcC,EAAKC,GACxB,IAAKA,GAA4C,KAA1BA,EAAeC,OAClC,OAAOD,EAEX,IAAIE,EAAIH,EAAII,cAAc,KAE1B,OADAD,EAAEhC,KAAO8B,EACFE,EAAEhC,KAKb,SAASkC,IACL,IAAIF,EAAIG,SAASF,cAAc,KAE/B,OADAD,EAAEhC,KAAO,GACFgC,EAAEhC,KAEb,SAASoC,EAAmBP,EAAKxD,EAASgE,EAAMxF,GAC5C,MAAa,QAATwF,GAA4B,SAATA,GAAmBxF,GAGxB,eAATwF,GAAyBxF,GAAsB,MAAbA,EAAM,GAFtC+E,EAAcC,EAAKhF,GAKZ,eAATwF,IACLxF,GACa,UAAZwB,GAAmC,OAAZA,GAAgC,OAAZA,EAG9B,WAATgE,GAAqBxF,EAtFlC,SAAiCgF,EAAKC,GAClC,GAA8B,KAA1BA,EAAeC,OACf,OAAOD,EAEX,IAAIQ,EAAM,EACV,SAASC,EAAkBC,GACvB,IAAIC,EACAC,EAAQF,EAAMG,KAAKb,EAAec,UAAUN,IAChD,OAAII,GACAD,EAAQC,EAAM,GACdJ,GAAOG,EAAMzG,OACNyG,GAEJ,GAGX,IADA,IAAII,EAAS,GAETN,EAAkBZ,KACdW,GAAOR,EAAe9F,SAFjB,CAKT,IAAIwE,EAAM+B,EAAkBb,GAC5B,GAAsB,MAAlBlB,EAAI5C,OAAO,GACX4C,EAAMoB,EAAcC,EAAKrB,EAAIoC,UAAU,EAAGpC,EAAIxE,OAAS,IACvD6G,EAAOzF,KAAKoD,OAEX,CACD,IAAIsC,EAAiB,GACrBtC,EAAMoB,EAAcC,EAAKrB,GAEzB,IADA,IAAIuC,GAAW,IACF,CACT,IAAIC,EAAIlB,EAAemB,OAAOX,GAC9B,GAAU,KAANU,EAAU,CACVH,EAAOzF,MAAMoD,EAAMsC,GAAgBf,QACnC,MAEC,GAAKgB,EAWI,MAANC,IACAD,GAAW,OAZC,CAChB,GAAU,MAANC,EAAW,CACXV,GAAO,EACPO,EAAOzF,MAAMoD,EAAMsC,GAAgBf,QACnC,MAEW,MAANiB,IACLD,GAAW,GAQnBD,GAAkBE,EAClBV,GAAO,IAInB,OAAOO,EAAOvD,KAAK,MA+BR4D,CAAwBrB,EAAKhF,GAEtB,UAATwF,GAAoBxF,EAClBkD,EAAqBlD,EAAOqF,KAElB,WAAZ7D,GAAiC,SAATgE,GAAmBxF,EACzC+E,EAAcC,EAAKhF,GAGnBA,EAZA+E,EAAcC,EAAKhF,GAkClC,SAASsG,EAAgBC,EAAMC,EAAeC,GAC1C,IAAKF,EACD,OAAO,EAEX,GAAIA,EAAKG,WAAaH,EAAKI,aAAc,CACrC,GAA6B,iBAAlBH,GACP,GAAID,EAAKK,UAAUC,SAASL,GACxB,OAAO,OAIX,IAAK,IAAIM,EAAS,EAAGA,EAASP,EAAKK,UAAUzH,OAAQ2H,IAAU,CAC3D,IAAIC,EAAYR,EAAKK,UAAUE,GAC/B,GAAIN,EAAc1C,KAAKiD,GACnB,OAAO,EAInB,SAAIN,IACIF,EAAKS,QAAQP,KAIdH,EAAgBC,EAAKU,WAAYT,EAAeC,GAE3D,OAAIF,EAAKG,SAAaH,EAAKW,UAChBZ,EAAgBC,EAAKU,WAAYT,EAAeC,GAwC/D,SAASU,EAAclI,EAAGmI,GACtB,IAAIlG,EAEAmG,EAtPqBC,EA6HPC,EAwHdvC,EAAMoC,EAAQpC,IAAKwC,EAAaJ,EAAQI,WAAYC,EAAgBL,EAAQK,cAAejB,EAAgBY,EAAQZ,cAAeC,EAAmBW,EAAQX,iBAAkBiB,EAAmBN,EAAQM,iBAAkBC,EAAKP,EAAQ7F,iBAAkBA,OAA0B,IAAPoG,EAAgB,GAAKA,EAAIC,EAAaR,EAAQQ,WAAYlG,EAAc0F,EAAQ1F,YAAamG,EAAKT,EAAQU,eAAgBA,OAAwB,IAAPD,EAAgB,GAAKA,EAAIE,EAAeX,EAAQW,aAAcC,EAAeZ,EAAQY,aAAcC,EAAkBb,EAAQa,gBAE1hB,GAAIjD,EAAIkD,KAAM,CACV,IAAIC,EAAQnD,EAAIkD,KAAKE,GACrBf,EAAmB,IAAVc,OAAcE,EAAYF,EAEvC,OAAQlJ,EAAEyH,UACN,KAAKzH,EAAEqJ,cACH,MAAqB,eAAjBrJ,EAAEsJ,WACK,CACH9G,KAAM/C,EAAS8J,SACfC,WAAY,GACZF,WAAYtJ,EAAEsJ,WACdlB,OAAQA,GAIL,CACH5F,KAAM/C,EAAS8J,SACfC,WAAY,GACZpB,OAAQA,GAGpB,KAAKpI,EAAEyJ,mBACH,MAAO,CACHjH,KAAM/C,EAASiK,aACfnD,KAAMvG,EAAEuG,KACRoD,SAAU3J,EAAE2J,SACZC,SAAU5J,EAAE4J,SACZxB,OAAQA,GAEhB,KAAKpI,EAAE0H,aAIH,IAHA,IAAImC,EAvHhB,SAA2BC,EAASvB,EAAYC,GAC5C,GAA0B,iBAAfD,GACP,GAAIuB,EAAQnC,UAAUC,SAASW,GAC3B,OAAO,OAIX,IAAK,IAAIV,EAAS,EAAGA,EAASiC,EAAQnC,UAAUzH,OAAQ2H,IAAU,CAC9D,IAAIC,EAAYgC,EAAQnC,UAAUE,GAClC,GAAIU,EAAW1D,KAAKiD,GAChB,OAAO,EAInB,QAAIU,GACOsB,EAAQ/B,QAAQS,GAwGHuB,CAAkB/J,EAAGuI,EAAYC,GAC7CjG,EAvThB,SAAyBuH,GACrB,GAAIA,aAAmBE,gBACnB,MAAO,OAEX,IAAIC,EAAmBH,EAAQvH,QAAQI,cAAcsD,OACrD,OAAIhD,EAAa4B,KAAKoF,GACX,MAEJA,EA+SeC,CAAgBlK,GAC1BmK,EAAe,GACVhF,EAAK,EAAGiF,EAAKvI,MAAMH,KAAK1B,EAAEqK,YAAalF,EAAKiF,EAAGlK,OAAQiF,IAAM,CAClE,IAAImF,EAAKF,EAAGjF,GAAKoF,EAASD,EAAG/D,KAAMxF,EAAQuJ,EAAGvJ,MAC9CoJ,EAAaI,GAAUjE,EAAmBP,EAAKxD,EAASgI,EAAQxJ,GAEpE,GAAgB,SAAZwB,GAAsBkG,EAAkB,CACxC,IAAI+B,EAAa3I,MAAMH,KAAKqE,EAAI0E,aAAaC,MAAK,SAAU5K,GACxD,OAAOA,EAAEoE,OAASlE,EAAEkE,QAEpBP,EAAU,KACV6G,IACA7G,EAAUR,EAAkBqH,IAE5B7G,WACOwG,EAAaQ,WACbR,EAAajG,KACpBiG,EAAaS,SAAW3G,EAAqBN,EAAS6G,EAAWtG,OAGzE,GAAgB,UAAZ3B,GACAvC,EAAEqI,SACArI,EAAE6K,WACA7K,EAAE8K,aACF,IAAI7E,OAAO/F,QACXyD,EAAUR,EAAkBnD,EAAEqI,UAE9B8B,EAAaS,SAAW3G,EAAqBN,EAASyC,MAG9D,GAAgB,UAAZ7D,GACY,aAAZA,GACY,WAAZA,EAAsB,CAClBxB,EAAQf,EAAEe,MACY,UAAtBoJ,EAAa3H,MACS,aAAtB2H,EAAa3H,MACS,WAAtB2H,EAAa3H,MACS,WAAtB2H,EAAa3H,MACbzB,EACAoJ,EAAapJ,MAAQsB,EAAe,CAChCG,KAAM2H,EAAa3H,KACnBD,QAASA,EACTxB,MAAOA,EACPuB,iBAAkBA,EAClBG,YAAaA,IAGZzC,EAAE+K,UACPZ,EAAaY,QAAU/K,EAAE+K,SAWjC,GARgB,WAAZxI,IACIvC,EAAEgL,WAAa1I,EAAyB,OACxC6H,EAAaa,UAAW,SAGjBb,EAAaa,UAGZ,WAAZzI,GAAwBwG,EACxB,GAAoB,OAAhB/I,EAAEiL,WA5YtB,SAAyBC,GACrB,IAAIC,EAAMD,EAAOE,WAAW,MAC5B,IAAKD,EACD,OAAO,EAEX,IADA,IACSE,EAAI,EAAGA,EAAIH,EAAOI,MAAOD,GADlB,GAEZ,IAAK,IAAIE,EAAI,EAAGA,EAAIL,EAAOM,OAAQD,GAFvB,GAEuC,CAC/C,IAAIE,EAAeN,EAAIM,aACnBC,EAAuB7I,KAA2B4I,EAChDA,EAAoC,mBACpCA,EAEN,GADkB,IAAIE,YAAYD,EAAqBpL,KAAK6K,EAAKE,EAAGE,EAAGK,KAAKC,IAPpE,GAOmFX,EAAOI,MAAQD,GAAIO,KAAKC,IAP3G,GAO0HX,EAAOM,OAASD,IAAIO,KAAKC,QAC3IC,MAAK,SAAUC,GAAS,OAAiB,IAAVA,KAC3C,OAAO,EAGnB,OAAO,GA6XcC,CAAgBlM,KACjBmK,EAAagC,WAAanM,EAAEoM,UAAUvD,EAAerG,KAAMqG,EAAewD,eAG7E,KAAM,cAAerM,GAAI,CAC1B,IAAIsM,EAAgBtM,EAAEoM,UAAUvD,EAAerG,KAAMqG,EAAewD,SAChEE,EAAclG,SAASF,cAAc,UACzCoG,EAAYjB,MAAQtL,EAAEsL,MACtBiB,EAAYf,OAASxL,EAAEwL,OAEnBc,IADqBC,EAAYH,UAAUvD,EAAerG,KAAMqG,EAAewD,WAE/ElC,EAAagC,WAAaG,GAItC,GAAgB,QAAZ/J,GAAqBuG,EAAc,CAC9BhG,IACDA,EAAgBiD,EAAII,cAAc,UAClCpD,EAAYD,EAAcsI,WAAW,OAEzC,IAAIoB,EAAUxM,EACVyM,EAAaD,EAAQE,YACzBF,EAAQE,YAAc,YACtB,IAAIC,EAAoB,WACpB,IACI7J,EAAcwI,MAAQkB,EAAQI,aAC9B9J,EAAc0I,OAASgB,EAAQK,cAC/B9J,EAAU+J,UAAUN,EAAS,EAAG,GAChCrC,EAAagC,WAAarJ,EAAcsJ,UAAUvD,EAAerG,KAAMqG,EAAewD,SAE1F,MAAOU,GACHC,QAAQC,KAAK,yBAA2BT,EAAQU,WAAa,YAAcH,GAE/EN,EACOtC,EAAauC,YAAcD,SACrBtC,EAAauC,aAE1BF,EAAQW,UAAqC,IAAzBX,EAAQI,aAC5BD,IAEAH,EAAQY,OAAST,EAczB,GAZgB,UAAZpK,GAAmC,UAAZA,IACvB4H,EAAakD,cAAgBrN,EAAEsN,OACzB,SACA,SACNnD,EAAaoD,oBAAsBvN,EAAEwN,aAErCxN,EAAEyN,aACFtD,EAAauD,cAAgB1N,EAAEyN,YAE/BzN,EAAE2N,YACFxD,EAAayD,aAAe5N,EAAE2N,WAE9B9D,EAAW,CACX,IAAIgE,EAAK7N,EAAE8N,wBAAyBxC,EAAQuC,EAAGvC,MAAOE,EAASqC,EAAGrC,OAClErB,EAAe,CACX4D,MAAS5D,EAAoB,MAC7B6D,SAAU1C,EAAQ,KAClB2C,UAAWzC,EAAS,MAS5B,MANgB,WAAZjJ,GAAyByG,EAAgBmB,EAAa+D,OACjDlO,EAAEmO,kBACHhE,EAAaiE,OAASjE,EAAa+D,YAEhC/D,EAAa+D,KAEjB,CACH1L,KAAM/C,EAAS4O,QACf9L,QAASA,EACT8H,WAAYF,EACZX,WAAY,GACZ8E,OA/RMhG,EA+RctI,EA9RzBmC,QAAuB,QAAfmG,EAAG/F,SAAqB+F,EAAGiG,uBA8RJnF,GAC1BS,UAAWA,EACXzB,OAAQA,GAEhB,KAAKpI,EAAEiI,UACH,IAAIuG,EAAgBxO,EAAEgI,YAAchI,EAAEgI,WAAWzF,QAC7CuI,EAAc9K,EAAE8K,YAChB2D,EAA4B,UAAlBD,QAAmCpF,EAC7CsF,GAA6B,WAAlBF,QAAoCpF,EACnD,GAAIqF,GAAW3D,EAAa,CACxB,IACQ9K,EAAE2O,aAAe3O,EAAE4O,kBAEgB,QAA7B3M,EAAKjC,EAAEgI,WAAWK,aAA0B,IAAPpG,OAAgB,EAASA,EAAGoB,YACvEyH,GA1aKzC,EA0a6BrI,EAAEgI,WAAWK,OAzatDhF,SACPxB,MAAMH,KAAK2G,EAAMhF,UACdC,KAAI,SAAUG,GAAQ,OAAOA,EAAKE,SAAW,MAC7CH,KAAK,IACR,IAwaM,MAAOuJ,GACHC,QAAQC,KAAK,wDAA0DF,EAAK/M,GAEhF8K,EAAc7G,EAAqB6G,EAAa1E,KAapD,OAXIsI,KACA5D,EAAc,uBAEb2D,IACAC,IACDrH,EAAgBrH,EAAGuH,EAAeC,IAClCsD,IACAA,EAAcnC,EACRA,EAAWmC,GACXA,EAAY3G,QAAQ,QAAS,MAEhC,CACH3B,KAAM/C,EAASoP,KACf/D,YAAaA,GAAe,GAC5B2D,QAASA,EACTrG,OAAQA,GAEhB,KAAKpI,EAAE8O,mBACH,MAAO,CACHtM,KAAM/C,EAASsP,MACfjE,YAAa,GACb1C,OAAQA,GAEhB,KAAKpI,EAAEgP,aACH,MAAO,CACHxM,KAAM/C,EAASwP,QACfnE,YAAa9K,EAAE8K,aAAe,GAC9B1C,OAAQA,GAEhB,QACI,OAAO,GAGnB,SAAS8G,EAAcC,GACnB,YAAkB/F,IAAd+F,EACO,GAGAA,EAAUxM,cA0EzB,SAASyM,EAAoBpP,EAAGmI,GAC5B,IAqBIgB,EArBApD,EAAMoC,EAAQpC,IAAKzC,EAAM6E,EAAQ7E,IAAKiF,EAAaJ,EAAQI,WAAYC,EAAgBL,EAAQK,cAAejB,EAAgBY,EAAQZ,cAAeC,EAAmBW,EAAQX,iBAAkBvF,EAAKkG,EAAQkH,UAAWA,OAAmB,IAAPpN,GAAwBA,EAAIyG,EAAKP,EAAQM,iBAAkBA,OAA0B,IAAPC,GAAuBA,EAAIE,EAAKT,EAAQ7F,iBAAkBA,OAA0B,IAAPsG,EAAgB,GAAKA,EAAID,EAAaR,EAAQQ,WAAYlG,EAAc0F,EAAQ1F,YAAa6M,EAAiBnH,EAAQmH,eAAgBlF,EAAKjC,EAAQU,eAAgBA,OAAwB,IAAPuB,EAAgB,GAAKA,EAAIE,EAAKnC,EAAQW,aAAcA,OAAsB,IAAPwB,GAAwBA,EAAIuD,EAAK1F,EAAQY,aAAcA,OAAsB,IAAP8E,GAAwBA,EAAI0B,EAAcpH,EAAQoH,YAAaC,EAAerH,EAAQqH,aAAcC,EAAKtH,EAAQuH,kBAAmBA,OAA2B,IAAPD,EAAgB,IAAOA,EAAIE,EAAKxH,EAAQa,gBAAiBA,OAAyB,IAAP2G,EAAgB,WAAc,OAAO,GAAWA,EACj9BC,EAAKzH,EAAQ0H,mBAAoBA,OAA4B,IAAPD,GAAuBA,EAC7EE,EAAkB5H,EAAclI,EAAG,CACnC+F,IAAKA,EACLwC,WAAYA,EACZC,cAAeA,EACfjB,cAAeA,EACfC,iBAAkBA,EAClBiB,iBAAkBA,EAClBnG,iBAAkBA,EAClBqG,WAAYA,EACZlG,YAAaA,EACboG,eAAgBA,EAChBC,aAAcA,EACdC,aAAcA,EACdC,gBAAiBA,IAErB,IAAK8G,EAED,OADA9C,QAAQC,KAAKjN,EAAG,kBACT,KAIPmJ,EADA,SAAUnJ,EACLA,EAAEiJ,KAAKE,IA/FpB,SAAyB4G,EAAIT,GACzB,GAAIA,EAAeU,SAAWD,EAAGvN,OAAS/C,EAASwP,QAC/C,OAAO,EAEN,GAAIc,EAAGvN,OAAS/C,EAAS4O,QAAS,CACnC,GAAIiB,EAAeW,SACC,WAAfF,EAAGxN,SACgB,SAAfwN,EAAGxN,SACsB,YAAtBwN,EAAG1F,WAAWM,KACO,WAArBoF,EAAG1F,WAAW6F,IACF,SAAfH,EAAGxN,SACsB,aAAtBwN,EAAG1F,WAAWM,KACgB,iBAAvBoF,EAAG1F,WAAWnG,MACrB6L,EAAG1F,WAAWnG,KAAKiM,SAAS,QACpC,OAAO,EAEN,GAAIb,EAAec,cACH,SAAfL,EAAGxN,SAA4C,kBAAtBwN,EAAG1F,WAAWM,KACrB,SAAfoF,EAAGxN,UACC2M,EAAca,EAAG1F,WAAW9D,MAAMK,MAAM,sCACC,qBAAtCsI,EAAca,EAAG1F,WAAW9D,OACS,SAArC2I,EAAca,EAAG1F,WAAWM,MACS,qBAArCuE,EAAca,EAAG1F,WAAWM,MACS,kBAArCuE,EAAca,EAAG1F,WAAWM,OACxC,OAAO,EAEN,GAAmB,SAAfoF,EAAGxN,QAAoB,CAC5B,GAAI+M,EAAee,sBACfnB,EAAca,EAAG1F,WAAW9D,MAAMK,MAAM,0BACxC,OAAO,EAEN,GAAI0I,EAAegB,iBACnBpB,EAAca,EAAG1F,WAAWkG,UAAU3J,MAAM,sBACzCsI,EAAca,EAAG1F,WAAW9D,MAAMK,MAAM,mBACF,cAAtCsI,EAAca,EAAG1F,WAAW9D,OAChC,OAAO,EAEN,GAAI+I,EAAekB,iBACmB,WAAtCtB,EAAca,EAAG1F,WAAW9D,OACa,cAAtC2I,EAAca,EAAG1F,WAAW9D,OACU,YAAtC2I,EAAca,EAAG1F,WAAW9D,OAChC,OAAO,EAEN,GAAI+I,EAAemB,wBACYrH,IAAhC2G,EAAG1F,WAAW,cACd,OAAO,EAEN,GAAIiF,EAAeoB,qBACmB,WAAtCxB,EAAca,EAAG1F,WAAW9D,OACa,cAAtC2I,EAAca,EAAG1F,WAAW9D,OACU,cAAtC2I,EAAca,EAAG1F,WAAW9D,OACU,cAAtC2I,EAAca,EAAG1F,WAAW9D,OACU,WAAtC2I,EAAca,EAAG1F,WAAW9D,OAC5B2I,EAAca,EAAG1F,WAAWkG,UAAU3J,MAAM,cAC5CsI,EAAca,EAAG1F,WAAWkG,UAAU3J,MAAM,cAChD,OAAO,EAEN,GAAI0I,EAAeqB,uBACmB,6BAAtCzB,EAAca,EAAG1F,WAAW9D,OACa,wBAAtC2I,EAAca,EAAG1F,WAAW9D,OACU,eAAtC2I,EAAca,EAAG1F,WAAW9D,OACU,oBAAtC2I,EAAca,EAAG1F,WAAW9D,OACU,cAAtC2I,EAAca,EAAG1F,WAAW9D,OACU,iBAAtC2I,EAAca,EAAG1F,WAAW9D,OACU,+BAAtC2I,EAAca,EAAG1F,WAAW9D,OAChC,OAAO,GAInB,OAAO,EA4BEqK,CAAgBd,EAAiBR,KACpCO,GACEC,EAAgBtN,OAAS/C,EAASoP,MACjCiB,EAAgBrB,SAChBqB,EAAgBhF,YAAY3G,QAAQ,cAAe,IAAIjE,QAnmBzD8C,KAFQ,EA2mBf,IAAI6N,EAAiBlR,OAAOC,OAAOkQ,EAAiB,CAAE3G,GAAIA,IAE1D,GADAnJ,EAAEiJ,KAAO4H,GA5mBM,IA6mBX1H,EACA,OAAO,KAEX7F,EAAI6F,GAAMnJ,EACNuP,GACAA,EAAYvP,GAEhB,IAAI8Q,GAAezB,EAOnB,GANIwB,EAAerO,OAAS/C,EAAS4O,UACjCyC,EAAcA,IAAgBD,EAAehH,iBACtCgH,EAAehH,UAClB7J,EAAEoC,aACFyO,EAAeE,cAAe,KAEjCF,EAAerO,OAAS/C,EAAS8J,UAClCsH,EAAerO,OAAS/C,EAAS4O,UACjCyC,EAAa,CACTxB,EAAe0B,gBACflB,EAAgBtN,OAAS/C,EAAS4O,SACN,SAA5ByB,EAAgBvN,UAChBsN,GAAqB,GAwBzB,IAtBA,IAAIoB,EAAgB,CAChBlL,IAAKA,EACLzC,IAAKA,EACLiF,WAAYA,EACZC,cAAeA,EACfjB,cAAeA,EACfC,iBAAkBA,EAClB6H,UAAWA,EACX5G,iBAAkBA,EAClBnG,iBAAkBA,EAClBqG,WAAYA,EACZlG,YAAaA,EACb6M,eAAgBA,EAChBzG,eAAgBA,EAChBC,aAAcA,EACdC,aAAcA,EACd8G,mBAAoBA,EACpBN,YAAaA,EACbC,aAAcA,EACdE,kBAAmBA,EACnB1G,gBAAiBA,GAEZ7D,EAAK,EAAG+L,EAAKrP,MAAMH,KAAK1B,EAAEwJ,YAAarE,EAAK+L,EAAGhR,OAAQiF,IAAM,EAE9DgM,EAAsB/B,EADb8B,EAAG/L,GACsC8L,KAElDJ,EAAerH,WAAWlI,KAAK6P,GAGvC,GA5sBR,SAAmBnR,GACf,OAAOA,EAAEyH,WAAazH,EAAE0H,aA2sBhB0J,CAAUpR,IAAMA,EAAEoC,WAClB,IAAK,IAAIiP,EAAK,EAAGC,EAAKzP,MAAMH,KAAK1B,EAAEoC,WAAWoH,YAAa6H,EAAKC,EAAGpR,OAAQmR,IAAM,CAC7E,IACIF,GAAAA,EAAsB/B,EADbkC,EAAGD,GACsCJ,MAElDE,EAAoBI,UAAW,EAC/BV,EAAerH,WAAWlI,KAAK6P,KAyC/C,OApCInR,EAAEgI,YAAchG,EAAahC,EAAEgI,cAC/B6I,EAAeU,UAAW,GAE1BV,EAAerO,OAAS/C,EAAS4O,SACN,WAA3BwC,EAAetO,SA3bvB,SAA0BiP,EAAUC,EAAU/B,GAC1C,IAAIgC,EAAMF,EAASG,cACnB,GAAKD,EAAL,CAGA,IACIE,EADAC,GAAQ,EAEZ,IACID,EAAaF,EAAIrL,SAASuL,WAE9B,MAAOrQ,GACH,OAEJ,GAAmB,aAAfqQ,EAAJ,CAcA,IAAIE,EAAW,cACXJ,EAAIK,SAAS7N,OAAS4N,GACtBN,EAAStD,MAAQ4D,GACA,KAAjBN,EAAStD,IAIbsD,EAASQ,iBAAiB,OAAQP,GAH9BQ,WAAWR,EAAU,OAlBzB,CACI,IAAIS,EAAUD,YAAW,WAChBJ,IACDJ,IACAI,GAAQ,KAEbnC,GACH8B,EAASQ,iBAAiB,QAAQ,WAC9BG,aAAaD,GACbL,GAAQ,EACRJ,SAqaJW,CAAiBpS,GAAG,WAChB,IAAIqS,EAAYrS,EAAEmO,gBAClB,GAAIkE,GAAa7C,EAAc,CAC3B,IAAI8C,EAAuBlD,EAAoBiD,EAAW,CACtDtM,IAAKsM,EACL/O,IAAKA,EACLiF,WAAYA,EACZC,cAAeA,EACfjB,cAAeA,EACfC,iBAAkBA,EAClB6H,WAAW,EACX5G,iBAAkBA,EAClBnG,iBAAkBA,EAClBqG,WAAYA,EACZlG,YAAaA,EACb6M,eAAgBA,EAChBzG,eAAgBA,EAChBC,aAAcA,EACdC,aAAcA,EACd8G,mBAAoBA,EACpBN,YAAaA,EACbC,aAAcA,EACdE,kBAAmBA,EACnB1G,gBAAiBA,IAEjBsJ,GACA9C,EAAaxP,EAAGsS,MAGzB5C,GAEAmB,WE5uBK0B,EACd/P,EACAgQ,EACAC,gBAAAA,YAEA,IAAMtK,EAAU,CAAEuK,SAAS,EAAMC,SAAS,GAE1C,OADAF,EAAOT,iBAAiBxP,EAAMgQ,EAAIrK,GAC3B,WAAM,OAAAsK,EAAOG,oBAAoBpQ,EAAMgQ,EAAIrK,KDjBpD,SAAY7C,GACVA,2CACAA,mBACAA,mCACAA,iDACAA,mBACAA,uBACAA,uBAPF,CAAYA,IAAAA,OA+DZ,SAAYC,GACVA,2BACAA,6BACAA,2CACAA,uBACAA,uCACAA,qBACAA,6BACAA,2CACAA,uCACAA,uCACAA,oBACAA,kBACAA,oBACAA,4CAdF,CAAYA,IAAAA,OAgUZ,SAAYC,GACVA,yBACAA,6BACAA,qBACAA,iCACAA,2BACAA,qBACAA,mBACAA,+BACAA,+CACAA,2BACAA,kCAXF,CAAYA,IAAAA,OAcZ,SAAYC,GACVA,kBACAA,qBACAA,uBAHF,CAAYA,IAAAA,OAuIZ,SAAkBC,GAChBA,mBACAA,qBACAA,uBACAA,mCAJF,CAAkBA,IAAAA,OA2GlB,SAAYC,GACVA,gBACAA,gBACAA,kBACAA,kBACAA,kBACAA,iDACAA,8CACAA,0CACAA,yBACAA,qBACAA,uCACAA,yBACAA,6BACAA,gBACAA,6BACAA,uBAhBF,CAAYA,IAAAA,OC1kBZ,IAAMkN,EACJ,4NAKSC,EAAkB,CAC3BxP,IAAK,GACLyP,iBAEE,OADA/F,QAAQzL,MAAMsR,IACN,GAEVG,mBAEE,OADAhG,QAAQzL,MAAMsR,GACP,MAETI,6BACEjG,QAAQzL,MAAMsR,IAEhBK,eAEE,OADAlG,QAAQzL,MAAMsR,IACP,GAETM,iBACEnG,QAAQzL,MAAMsR,cAeFO,EACdC,EACAC,EACAnL,gBAAAA,MAEA,IAAIoL,EAAgD,KAChDC,EAAW,EAEf,OAAO,SAAUC,GACf,IAAIC,EAAMC,KAAKD,MACVF,IAAgC,IAApBrL,EAAQyL,UACvBJ,EAAWE,GAEb,IAAIG,EAAYP,GAAQI,EAAMF,GAC1BM,EAAUtT,KACVuT,EAAO9T,UACP4T,GAAa,GAAKA,EAAYP,GAC5BC,IACFpB,aAAaoB,GACbA,EAAU,MAEZC,EAAWE,EACXL,EAAK9S,MAAMuT,EAASC,IACVR,IAAgC,IAArBpL,EAAQ6L,WAC7BT,EAAUtB,YAAW,WACnBuB,GAA+B,IAApBrL,EAAQyL,QAAoB,EAAID,KAAKD,MAChDH,EAAU,KACVF,EAAK9S,MAAMuT,EAASC,KACnBF,cAKOI,EACdxB,EACAyB,EACAC,EACAC,EACA1C,gBAAAA,UAEA,IAAM2C,EAAW3C,EAAI/R,OAAO2U,yBAAyB7B,EAAQyB,GAkB7D,OAjBAxC,EAAI/R,OAAO4U,eACT9B,EACAyB,EACAE,EACID,EACA,CACEK,IAAA,SAAIzT,GAAJ,WAEEkR,YAAW,WACTkC,EAAEK,IAAKlU,KAAKmU,EAAM1T,KACjB,GACCsT,GAAYA,EAASG,KACvBH,EAASG,IAAIlU,KAAKE,KAAMO,MAK7B,WAAM,OAAAkT,EAAWxB,EAAQyB,EAAKG,GAAY,IAAI,aAIvCK,EAEdC,EACApO,EAEAqO,GAEA,IACE,KAAMrO,KAAQoO,GACZ,OAAO,aAGT,IAAME,EAAWF,EAAOpO,GAClBuO,EAAUF,EAAYC,GAiB5B,MAZuB,mBAAZC,IACTA,EAAQ1U,UAAY0U,EAAQ1U,WAAa,GACzCT,OAAOoV,iBAAiBD,EAAS,CAC/BE,mBAAoB,CAClBC,YAAY,EACZlU,MAAO8T,MAKbF,EAAOpO,GAAQuO,EAER,WACLH,EAAOpO,GAAQsO,GAEjB,SACA,OAAO,uBAMKK,IACd,OACEC,OAAOC,aACN/O,SAASgP,iBAAmBhP,SAASgP,gBAAgBC,cACrDjP,SAASkP,MAAQlP,SAASkP,KAAKD,sBAIpBE,IACd,OACEL,OAAOM,YACNpP,SAASgP,iBAAmBhP,SAASgP,gBAAgBK,aACrDrP,SAASkP,MAAQlP,SAASkP,KAAKG,qBAIpBC,EAAUrO,EAAmBiB,GAC3C,IAAKjB,EACH,OAAO,EAET,GAAIA,EAAKG,WAAaH,EAAKI,aAAc,CACvC,IAAIkO,GAAY,EAChB,GAA0B,iBAAfrN,EAAyB,CAClC,QAAsCa,IAAjC9B,EAAqBuO,QACxB,OAA2D,OAAnDvO,EAAqBuO,QAAQ,IAAMtN,GAE3CqN,EAAatO,EAAqBK,UAAUC,SAASW,QAGtDjB,EAAqBK,UAAUmO,SAAQ,SAAChO,GACnCS,EAAW1D,KAAKiD,KAClB8N,GAAY,MAIlB,OAAOA,GAAaD,EAAUrO,EAAKU,WAAYO,GAEjD,OAAIjB,EAAKG,SAAaH,EAAKW,UAElB0N,EAAUrO,EAAKU,WAAYO,YAKtBwN,EAAU/V,GACxB,MAAI,SAAUA,IFxMG,IEyMPA,EAAYiJ,KAAKE,YAOb6M,EAAkBvD,EAAewD,GAC/C,GAAIjU,EAAayQ,GACf,OAAO,EAET,IAAMtJ,EAAK8M,EAAOlD,MAAMN,GACxB,OAAKwD,EAAO/C,IAAI/J,MAIdsJ,EAAOzK,YACPyK,EAAOzK,WAAWP,WAAagL,EAAOpJ,kBAKnCoJ,EAAOzK,YAGLgO,EAAmBvD,EAAOzK,WAAiCiO,aAGpDC,EACdC,GAEA,OAAOhU,QAASgU,EAAqBC,yBA4SvBC,EACd/O,GAEA,MAAI,SAAUA,IAEVA,EAAK2B,KAAKzG,OAAS/C,EAAS4O,SAAiC,WAAtB/G,EAAK2B,KAAK1G,kBAqCvC+T,EACdtW,GAEA,OAAOmC,QAAUnC,MAAAA,SAAAA,EAA2BoC,YCjlB9C,SAASmU,EAAmBvW,GAC1B,MAAO,SAAUA,EDwDG,oBAAXmV,QAA0BA,OAAOqB,OAASrB,OAAOsB,UAC1D3D,EAAU,IAAI0D,MAAM1D,EAAS,CAC3B4D,aAAIjE,EAAQkE,EAAMC,GAIhB,MAHa,QAATD,GACF3J,QAAQzL,MAAMsR,GAET4D,QAAQC,IAAIjE,EAAQkE,EAAMC,OC5DvC,iBAAA,aACSpW,YAAS,EACTA,UAAoC,KAyE7C,OAvESqW,gBAAP,SAAWC,GACT,GAAIA,GAAYtW,KAAKN,OACnB,MAAM,IAAI6W,MAAM,kCAIlB,IADA,IAAIC,EAAUxW,KAAKyW,KACVC,EAAQ,EAAGA,EAAQJ,EAAUI,IACpCF,GAAUA,MAAAA,SAAAA,EAASlW,OAAQ,KAE7B,OAAOkW,GAGFH,oBAAP,SAAe7W,GACb,IAAMsH,EAA6B,CACjCvG,MAAOf,EACPwT,SAAU,KACV1S,KAAM,MAGR,GADCd,EAAuBmX,KAAO7P,EAC3BtH,EAAE4O,iBAAmB2H,EAAmBvW,EAAE4O,iBAAkB,CAC9D,IAAMoI,EAAUhX,EAAE4O,gBAAgBuI,KAAKrW,KACvCwG,EAAKxG,KAAOkW,EACZ1P,EAAKkM,SAAWxT,EAAE4O,gBAAgBuI,KAClCnX,EAAE4O,gBAAgBuI,KAAKrW,KAAOwG,EAC1B0P,IACFA,EAAQxD,SAAWlM,QAEhB,GACLtH,EAAE2O,aACF4H,EAAmBvW,EAAE2O,cACrB3O,EAAE2O,YAAYwI,KAAK3D,SACnB,CACMwD,EAAUhX,EAAE2O,YAAYwI,KAAK3D,SACnClM,EAAKkM,SAAWwD,EAChB1P,EAAKxG,KAAOd,EAAE2O,YAAYwI,KAC1BnX,EAAE2O,YAAYwI,KAAK3D,SAAWlM,EAC1B0P,IACFA,EAAQlW,KAAOwG,QAGb9G,KAAKyW,OACPzW,KAAKyW,KAAKzD,SAAWlM,GAEvBA,EAAKxG,KAAON,KAAKyW,KACjBzW,KAAKyW,KAAO3P,EAEd9G,KAAKN,UAGA2W,uBAAP,SAAkB7W,GAChB,IAAMgX,EAAUhX,EAAEmX,KACb3W,KAAKyW,OAILD,EAAQxD,UAMXwD,EAAQxD,SAAS1S,KAAOkW,EAAQlW,KAC5BkW,EAAQlW,OACVkW,EAAQlW,KAAK0S,SAAWwD,EAAQxD,YAPlChT,KAAKyW,KAAOD,EAAQlW,KAChBN,KAAKyW,OACPzW,KAAKyW,KAAKzD,SAAW,OAQrBxT,EAAEmX,aACInX,EAAyCmX,KAEnD3W,KAAKN,gBAIHkX,EAAU,SAACjO,EAAYkO,GAAqB,MAAA,UAAGlO,cAAMkO,IAC3D,SAASC,EAAQtX,GACf,MAAO,SAAUA,EAMnB,iBAAA,aAAA,WACUQ,aAAkB,EAClBA,aAAkB,EAElBA,WAAsB,GACtBA,gBAAgC,GAChCA,aAAiC,GACjCA,gBAAqB,GAErBA,cAAiC,GAmBjCA,cAAW,IAAI+W,IACf/W,cAAW,IAAI+W,IACf/W,gBAAa,IAAI+W,IA4ElB/W,sBAAmB,SAACgX,GACzBA,EAAU1B,QAAQrB,EAAKgD,iBACvBhD,EAAKiD,QAGAlX,UAAO,uBACZ,IAAIiU,EAAKkD,SAAUlD,EAAKmD,OAAxB,CAsFA,IA/EA,IAAMC,EAA4B,GAM5BC,EAAU,IAAIjB,EACdkB,EAAY,SAAC/X,GAGjB,IAFA,IAAIgY,EAAkBhY,EAClBiY,GHxMS,GAAA,IGyMNA,GAELA,GADAD,EAAKA,GAAMA,EAAGrJ,cACC8F,EAAKwB,OAAOlD,MAAOiF,GAEpC,OAAOC,GAEHC,EAAU,SAAClY,GAMf,kBALMmY,EAA6BnY,EAAEoY,sBAChCpY,EAAEoY,oCAA8BlW,KACjC,KAEAmW,EAAiBF,sBACbE,MAAAA,SAAAA,EAAgBD,gEAA4ClW,MAClEmW,uBACGA,MAAAA,SAAAA,EAAgBD,gEAA4ClW,OAC7D,KAEJ,IAAMoW,IACH7D,EAAK1O,IAAI6B,SAAS5H,IACC,OAAnBqY,GAA4B5D,EAAK1O,IAAI6B,SAASyQ,IACjD,GAAKrY,EAAEgI,aAAcsQ,EAArB,CAGA,IAAMjB,EAAWrV,EAAahC,EAAEgI,YAC5ByM,EAAKwB,OAAOlD,MAAOoF,GACnB1D,EAAKwB,OAAOlD,MAAO/S,EAAEgI,YACnBiQ,EAASF,EAAU/X,GACzB,IAAkB,IAAdqX,IAA+B,IAAZY,EACrB,OAAOH,EAAQS,QAAQvY,GAEzB,IAAI+P,EAAKX,EAAoBpP,EAAG,CAC9B+F,IAAK0O,EAAK1O,IACVzC,IAAKmR,EAAKwB,OAAO3S,IACjBiF,WAAYkM,EAAKlM,WACjBC,cAAeiM,EAAKjM,cACpBjB,cAAekN,EAAKlN,cACpBC,iBAAkBiN,EAAKjN,iBACvB6H,WAAW,EACX5G,iBAAkBgM,EAAKhM,iBACvBnG,iBAAkBmS,EAAKnS,iBACvBqG,WAAY8L,EAAK9L,WACjBlG,YAAagS,EAAKhS,YAClB6M,eAAgBmF,EAAKnF,eACrBvG,aAAc0L,EAAK1L,aACnBD,aAAc2L,EAAK3L,aACnByG,YAAa,SAACiJ,GACRnC,EAAcmC,IAChB/D,EAAKgE,cAAcC,UAAUF,GAE3BlC,EAActW,IAChByU,EAAKkE,iBAAiBC,cAAc5Y,EAAEoC,WAAYiE,WAGtDmJ,aAAc,SAACqJ,EAAQC,GACrBrE,EAAKgE,cAAcM,aAAaF,EAAQC,GACxCrE,EAAKkE,iBAAiBK,oBACnBH,MAIH9I,GACF8H,EAAKvW,KAAK,CACR+V,WACAY,SACA3Q,KAAMyI,MAKL0E,EAAKwE,WAAW/Y,QACrBuU,EAAKwB,OAAOhD,kBAAkBwB,EAAKwE,WAAWC,aAGhD,IAAgB,IAAAtQ,EAAAnI,EAAAgU,EAAK0E,wCAAU,CAA1B,IAAMnZ,UAEPoZ,EAAgB3E,EAAK4E,QAASrZ,EAAGyU,EAAKwB,UACrCxB,EAAK0E,SAASjG,IAAIlT,EAAEgI,aAIvBkQ,EAAQlY,yGAGV,IAAgB,IAAAsK,EAAA7J,EAAAgU,EAAK6E,wCAAU,CAApBtZ,UAENuZ,GAAgB9E,EAAK+E,WAAYxZ,IACjCoZ,EAAgB3E,EAAK4E,QAASrZ,EAAGyU,EAAKwB,QAG9BsD,GAAgB9E,EAAK0E,SAAUnZ,GACxCkY,EAAQlY,GAERyU,EAAK+E,WAAWC,IAAIzZ,GAJpBkY,EAAQlY,qGASZ,IADA,IAAI0Z,EAAyC,KACtC5B,EAAQ5X,QAAQ,CACrB,IAAIoH,EAAoC,KACxC,GAAIoS,EAAW,CACb,IAAMrC,EAAW5C,EAAKwB,OAAOlD,MAC1B2G,EAAU3Y,MAAMiH,YAEbiQ,EAASF,EAAU2B,EAAU3Y,QACjB,IAAdsW,IAA+B,IAAZY,IACrB3Q,EAAOoS,GAGX,IAAKpS,EACH,IAAK,IAAI4P,EAAQY,EAAQ5X,OAAS,EAAGgX,GAAS,EAAGA,IAAS,CACxD,IAAMyC,EAAQ7B,EAAQpB,IAAIQ,GAE1B,GAAIyC,EAAO,CACHtC,EAAW5C,EAAKwB,OAAOlD,MAC1B4G,EAAM5Y,MAAMiH,YAETiQ,EAASF,EAAU4B,EAAM5Y,OAC/B,IAAkB,IAAdsW,IAA+B,IAAZY,EAAe,CACpC3Q,EAAOqS,EACP,QAKR,IAAKrS,EAAM,CAMT,KAAOwQ,EAAQb,MACba,EAAQ8B,WAAW9B,EAAQb,KAAKlW,OAElC,MAEF2Y,EAAYpS,EAAKkM,SACjBsE,EAAQ8B,WAAWtS,EAAKvG,OACxBmX,EAAQ5Q,EAAKvG,OAGf,IAAM8Y,EAAU,CACdC,MAAOrF,EAAKqF,MACTxW,KAAI,SAACZ,GAAS,OACbyG,GAAIsL,EAAKwB,OAAOlD,MAAMrQ,EAAK4E,MAC3BvG,MAAO2B,EAAK3B,UAGbgZ,QAAO,SAACrX,GAAS,OAAA+R,EAAKwB,OAAO/C,IAAIxQ,EAAKyG,OACzCkB,WAAYoK,EAAKpK,WACd/G,KAAI,SAAC0W,GAAc,OAClB7Q,GAAIsL,EAAKwB,OAAOlD,MAAMiH,EAAU1S,MAChC+C,WAAY2P,EAAU3P,eAGvB0P,QAAO,SAACC,GAAc,OAAAvF,EAAKwB,OAAO/C,IAAI8G,EAAU7Q,OACnDkQ,QAAS5E,EAAK4E,QACdxB,SAICgC,EAAQC,MAAM5Z,QACd2Z,EAAQxP,WAAWnK,QACnB2Z,EAAQR,QAAQnZ,QAChB2Z,EAAQhC,KAAK3X,UAMhBuU,EAAKqF,MAAQ,GACbrF,EAAKpK,WAAa,GAClBoK,EAAK4E,QAAU,GACf5E,EAAK6E,SAAW,IAAI/B,IACpB9C,EAAK0E,SAAW,IAAI5B,IACpB9C,EAAK+E,WAAa,IAAIjC,IACtB9C,EAAKwF,SAAW,GAEhBxF,EAAKyF,WAAWL,MAGVrZ,qBAAkB,SAACK,eACzB,IAAIkV,EAAUlV,EAAE4R,QAGhB,OAAQ5R,EAAE2B,MACR,IAAK,gBACH,IAAMzB,EAAQF,EAAE4R,OAAO3H,YAClB6K,EAAU9U,EAAE4R,OAAQgC,EAAKlM,aAAexH,IAAUF,EAAEsZ,UACvD1F,EAAKqF,MAAMxY,KAAK,CACdP,MACEsG,EACExG,EAAE4R,OACFgC,EAAKlN,cACLkN,EAAKjN,mBACFzG,EACD0T,EAAK9L,WACH8L,EAAK9L,WAAW5H,GAChBA,EAAMoD,QAAQ,QAAS,KACzBpD,EACNuG,KAAMzG,EAAE4R,SAGZ,MAEF,IAAK,aACH,IAAMA,EAAS5R,EAAE4R,OACb1R,EAASF,EAAE4R,OAAuB2H,aAAavZ,EAAEwZ,eAUrD,GATwB,UAApBxZ,EAAEwZ,gBACJtZ,EAAQsB,EAAe,CACrBC,iBAAkBmS,EAAKnS,iBACvBC,QAAU1B,EAAE4R,OAAuBlQ,QACnCC,KAAO3B,EAAE4R,OAAuB2H,aAAa,QAC7CrZ,QACA0B,YAAagS,EAAKhS,eAGlBkT,EAAU9U,EAAE4R,OAAQgC,EAAKlM,aAAexH,IAAUF,EAAEsZ,SACtD,OAEF,IAAIG,EAAoC7F,EAAKpK,WAAWK,MACtD,SAACxE,GAAM,OAAAA,EAAEoB,OAASzG,EAAE4R,UAStB,GAPK6H,IACHA,EAAO,CACLhT,KAAMzG,EAAE4R,OACRpI,WAAY,IAEdoK,EAAKpK,WAAW/I,KAAKgZ,IAEC,UAApBzZ,EAAEwZ,cAA2B,CAC/B,IAAME,EAAM9F,EAAK1O,IAAII,cAAc,QAC/BtF,EAAEsZ,UACJI,EAAIC,aAAa,QAAS3Z,EAAEsZ,eAGF/Q,IAA1BkR,EAAKjQ,WAAWoQ,OACU,OAA1BH,EAAKjQ,WAAWoQ,QAEhBH,EAAKjQ,WAAWoQ,MAAQ,IAE1B,IAAMC,EAAWJ,EAAKjQ,WAAWoQ,UACjC,IAAoB,IAAA7R,EAAAnI,EAAAoB,MAAMH,KAAK+Q,EAAOgI,sCAAQ,CAAzC,IAAME,UACHC,EAAWnI,EAAOgI,MAAMI,iBAAiBF,GACzCG,EAAcrI,EAAOgI,MAAMM,oBAAoBJ,GAEnDC,IAAaL,EAAIE,MAAMI,iBAAiBF,IACxCG,IAAgBP,EAAIE,MAAMM,oBAAoBJ,KAG5CD,EAASC,GADS,KAAhBG,EACgBF,EAEA,CAACA,EAAUE,0GAInC,IAAoB,IAAAxQ,EAAA7J,EAAAoB,MAAMH,KAAK6Y,EAAIE,sCAAQ,CAAhCE,UACoC,KAAzClI,EAAOgI,MAAMI,iBAAiBF,KAEhCD,EAASC,IAAS,2GAKtBL,EAAKjQ,WAAWxJ,EAAEwZ,eAAkB/T,EAClCmO,EAAK1O,IACJlF,EAAE4R,OAAuBlQ,QAC1B1B,EAAEwZ,cACFtZ,GAGJ,MAEF,IAAK,YACHF,EAAEma,WAAWlF,SAAQ,SAAC9V,GAAM,OAAAyU,EAAKwG,QAAQjb,EAAGa,EAAE4R,WAC9C5R,EAAEqa,aAAapF,SAAQ,SAAC9V,GACtB,IAAMmb,EAAS1G,EAAKwB,OAAOlD,MAAM/S,GAC3BqX,EAAWrV,EAAanB,EAAE4R,QAC5BgC,EAAKwB,OAAOlD,MAAOlS,EAAE4R,OAAOvQ,MAC5BuS,EAAKwB,OAAOlD,MAAMlS,EAAE4R,QACpBkD,EAAU9U,EAAE4R,OAAQgC,EAAKlM,aAAewN,EAAU/V,KAIlDyU,EAAK6E,SAASpG,IAAIlT,IACpBob,EAAW3G,EAAK6E,SAAUtZ,GAC1ByU,EAAK+E,WAAWC,IAAIzZ,IACXyU,EAAK6E,SAASpG,IAAIrS,EAAE4R,UAAuB,IAAZ0I,GAQ/BnF,EAAkBnV,EAAE4R,OAAiBgC,EAAKwB,UAQnDxB,EAAK0E,SAASjG,IAAIlT,IAClByU,EAAKwF,SAAS7C,EAAQ+D,EAAQ9D,IAE9B+D,EAAW3G,EAAK0E,SAAUnZ,GAE1ByU,EAAK4E,QAAQ/X,KAAK,CAChB+V,WACAlO,GAAIgS,EACJ5J,WAAUvP,EAAanB,EAAE4R,cAAiBrJ,KAG9CqL,EAAKwE,WAAW3X,KAAKtB,SASrBQ,aAAU,SAACR,EAAiByS,GAElC,IAAIA,IAAUkD,EAAUlD,EAAQgC,EAAKlM,YAArC,CAGA,GAAI+O,EAAQtX,GAAI,CACd,GAAI+V,EAAU/V,GACZ,OAEFyU,EAAK0E,SAASM,IAAIzZ,GAClB,IAAIqb,EAA0B,KAC1B5I,GAAU6E,EAAQ7E,KACpB4I,EAAW5I,EAAOxJ,KAAKE,IAErBkS,IACF5G,EAAKwF,SAAS7C,EAAQpX,EAAEiJ,KAAKE,GAAIkS,KAAa,QAGhD5G,EAAK6E,SAASG,IAAIzZ,GAClByU,EAAK+E,WAAW8B,OAAOtb,GAKpB2V,EAAU3V,EAAGyU,EAAKlM,aACrBvI,EAAEwJ,WAAWsM,SAAQ,SAACyF,GAAW,OAAA9G,EAAKwG,QAAQM,QAEpD,OA5aSC,iBAAP,SAAYrT,GAAZ,WACG,CACC,aACA,aACA,gBACA,gBACA,mBACA,mBACA,mBACA,aACA,cACA,eACA,eACA,iBACA,MACA,SACA,gBACA,mBACA,iBACU2N,SAAQ,SAAC5B,GAEnBO,EAAKP,GAAO/L,EAAQ+L,OAIjBsH,mBAAP,WACEhb,KAAKmX,QAAS,EACdnX,KAAKib,cAAcC,UAGdF,qBAAP,WACEhb,KAAKmX,QAAS,EACdnX,KAAKib,cAAcE,WACnBnb,KAAKkX,QAGA8D,qBAAP,WACE,OAAOhb,KAAKmX,QAGP6D,iBAAP,WACEhb,KAAKoX,QAAS,EACdpX,KAAKib,cAAcG,QAGdJ,mBAAP,WACEhb,KAAKoX,QAAS,EACdpX,KAAKib,cAAcI,SACnBrb,KAAKkX,QAGA8D,kBAAP,WACEhb,KAAKmY,iBAAiBxF,QACtB3S,KAAKib,cAActI,cA+XvB,SAASiI,EAAWU,EAAoB9b,GACtC8b,EAAQR,OAAOtb,GACfA,EAAEwJ,WAAWsM,SAAQ,SAACyF,GAAW,OAAAH,EAAWU,EAASP,MAGvD,SAASnC,EACPC,EACArZ,EACAiW,GAEQ,IAAAjO,EAAehI,aACvB,IAAKgI,EACH,OAAO,EAET,IAAMqP,EAAWpB,EAAOlD,MAAO/K,GAC/B,QAAIqR,EAAQrN,MAAK,SAAC7K,GAAM,OAAAA,EAAEgI,KAAOkO,MAG1B+B,EAAgBC,EAASrR,EAAYiO,GAG9C,SAASsD,GAAgB/E,EAAgBxU,GAC/B,IAAAgI,EAAehI,aACvB,QAAKgI,MAGDwM,EAAItB,IAAIlL,IAGLuR,GAAgB/E,EAAKxM,IChlBvB,IAAM+T,GAAoC,GAE3CC,GAAwD,oBAApBC,gBACpCC,GAAkD,oBAAjBC,aACjCC,GAAwD,oBAApBC,gBACpCC,GAA0D,oBAArBC,iBAO3C,SAASC,GAAerG,GACtB,IACE,GAAI,iBAAkBA,EAAO,CAC3B,IAAMsG,EAAOtG,EAAMuG,eACnB,GAAID,EAAKvc,OACP,OAAOuc,EAAK,QAET,GAAI,SAAUtG,GAASA,EAAMsG,KAAKvc,OACvC,OAAOiW,EAAMsG,KAAK,GAEpB,OAAOtG,EAAM1D,OACb,SACA,OAAO0D,EAAM1D,iBAIDkK,GACdxU,EACAyU,WAEMC,EAAiB,IAAIrB,EAC3BO,GAAgBza,KAAKub,GAErBA,EAAeC,KAAK3U,GACpB,IAAI4U,EACF5H,OAAO6H,kBASN7H,OAA4C8H,qBACzCC,6BAAqB/H,iBAAAA,cAAAA,OAAkCgI,2BAAMC,wCACjE,oBAGAF,GACE/H,OACA+H,KAGFH,EAAyB5H,OAGtB+H,IAEL,IAAMG,EAAW,IAAIN,EACnBF,EAAeS,iBAAiBC,KAAKV,IAUvC,OARAQ,EAASG,QAAQZ,EAAQ,CACvBvS,YAAY,EACZoT,mBAAmB,EACnBC,eAAe,EACfC,uBAAuB,EACvBC,WAAW,EACXC,SAAS,IAEJR,EAkFT,SAASS,GAA6B7b,OACpC8b,uBACAhY,QACAkQ,WACA1N,eACAyV,aAEA,IAAkC,IAA9BA,EAASC,iBACX,OAAO,aAET,IAAMC,GAC0B,IAA9BF,EAASC,uBACqB7U,IAA9B4U,EAASC,iBACL,GACAD,EAASC,iBAETE,EAA8B,GAiCpC,OAZAxe,OAAOye,KAAK5Y,GACTuU,QACC,SAAC7F,GACC,OAAAmK,OAAOC,MAAMD,OAAOnK,MACnBA,EAAI/D,SAAS,eACM,IAApB+N,EAAWhK,MAEd4B,SAAQ,SAACyI,GACR,IAAMC,EAAYD,EAAS5b,cACrB8b,EA7BS,SAACF,GAClB,OAAO,SAACpI,GACN,IAAM1D,EAAS+J,GAAerG,GAC9B,IAAIR,EAAUlD,EAAgBlK,GAA9B,CAGA,IAAMnH,EAAI8U,EAAaC,GAASA,EAAMC,eAAe,GAAKD,EAC1D,GAAK/U,EAAL,CAGA,IAAM+H,EAAK8M,EAAOlD,MAAMN,GAChBiM,EAAqBtd,UAAZud,EAAYvd,UAC7B2c,EAAmB,CACjBvb,KAAMgD,EAAkB+Y,GACxBpV,KACAkC,EAAGqT,EACHnT,EAAGoT,OAaWC,CAAWL,GAC3BJ,EAAS7c,KAAKiR,EAAGiM,EAAWC,EAAS1Y,OAElC,WACLoY,EAASrI,SAAQ,SAAC+I,GAAM,OAAAA,iBAIZC,GAAmB7c,OACjC8c,aACAhZ,QACAkQ,WACA1N,eA2BA,OAAOgK,EAAG,SArBaa,GAAkB,SAAC4L,GACxC,IAAMvM,EAAS+J,GAAewC,GAC9B,GAAKvM,IAAUkD,EAAUlD,EAAgBlK,GAAzC,CAGA,IAAMY,EAAK8M,EAAOlD,MAAMN,GACxB,GAAIA,IAAW1M,EAAK,CAClB,IAAMkZ,EAAYlZ,EAAImZ,kBAAoBnZ,EAAIsP,gBAC9C0J,EAAS,CACP5V,KACAkC,EAAG4T,EAASxR,WACZlC,EAAG0T,EAAStR,iBAGdoR,EAAS,CACP5V,KACAkC,EAAIoH,EAAuBhF,WAC3BlC,EAAIkH,EAAuB9E,0BAGrBwR,QAAU,KACcpZ,GAuBtC,SAASqZ,GACPC,EACAC,GAEA,IAAMve,OAAase,GAEnB,OADKC,UAAeve,EAAMwe,cACnBxe,EAGF,IAAMye,GAAa,CAAC,QAAS,WAAY,UAC1CC,GAAsD,IAAIC,QA6IhE,SAASC,GAA0Blc,GAyBjC,OAvBA,SAAiBmc,EAAoBpZ,GACnC,GACGwV,IACC4D,EAAUC,sBAAsB5D,iBACjCC,IACC0D,EAAUC,sBAAsB1D,cACjCC,IACCwD,EAAUC,sBAAsBxD,iBACjCC,IACCsD,EAAUC,sBAAsBtD,iBAClC,CACA,IAGMrF,EAHQrV,MAAMH,KACjBke,EAAUC,WAA+Bxc,UAExByB,QAAQ8a,GAC5BpZ,EAAIsZ,QAAQ5I,OACP,CAECA,EADQrV,MAAMH,KAAKke,EAAUG,iBAAkB1c,UACjCyB,QAAQ8a,GAC5BpZ,EAAIsZ,QAAQ5I,GAEd,OAAO1Q,EAEFwZ,CAAQvc,EAxBa,aAkWdwc,GACdvf,EACAwf,wBAAAA,MAEA,IAAMC,EAAgBzf,EAAEqF,IAAIqa,YAC5B,IAAKD,EACH,OAAO,cAxFX,SAAoBzf,EAAkBwf,GAElC,IAAAhG,EAWExZ,aAVF2f,EAUE3f,cATFqd,EASErd,qBARFqe,EAQEre,WAPF4f,EAOE5f,mBANF6f,EAME7f,UALF8f,EAKE9f,qBAJF+f,EAIE/f,mBAHFggB,EAGEhgB,qBAFFigB,EAEEjgB,mBADFkgB,EACElgB,SACJA,EAAEwZ,WAAa,eAAC,aAAA/U,mBAAAA,IAAAhF,kBACV+f,EAAMW,UACRX,EAAMW,eAANX,SAAkB/f,QAEpB+Z,sBAAc/Z,SAEhBO,EAAE2f,YAAc,eAAC,aAAAlb,mBAAAA,IAAAhF,kBACX+f,EAAMY,WACRZ,EAAMY,gBAANZ,SAAmB/f,QAErBkgB,sBAAelgB,SAEjBO,EAAEqd,mBAAqB,eAAC,aAAA5Y,mBAAAA,IAAAhF,kBAClB+f,EAAMjC,kBACRiC,EAAMjC,uBAANiC,SAA0B/f,QAE5B4d,sBAAsB5d,SAExBO,EAAEqe,SAAW,eAAC,aAAA5Z,mBAAAA,IAAAhF,kBACR+f,EAAMf,QACRe,EAAMf,aAANe,SAAgB/f,QAElB4e,sBAAY5e,SAEdO,EAAE4f,iBAAmB,eAAC,aAAAnb,mBAAAA,IAAAhF,kBAChB+f,EAAMa,gBACRb,EAAMa,qBAANb,SAAwB/f,QAE1BmgB,sBAAoBngB,SAEtBO,EAAE6f,QAAU,eAAC,aAAApb,mBAAAA,IAAAhF,kBACP+f,EAAMc,OACRd,EAAMc,YAANd,SAAe/f,QAEjBogB,sBAAWpgB,SAEbO,EAAE8f,mBAAqB,eAAC,aAAArb,mBAAAA,IAAAhF,kBAClB+f,EAAMe,iBACRf,EAAMe,sBAANf,SAAyB/f,QAE3BqgB,sBAAsBrgB,SAExBO,EAAE+f,iBAAmB,eAAC,aAAAtb,mBAAAA,IAAAhF,kBAChB+f,EAAMgB,gBACRhB,EAAMgB,qBAANhB,SAAwB/f,QAE1BsgB,sBAAoBtgB,SAEtBO,EAAEggB,mBAAqB,eAAC,aAAAvb,mBAAAA,IAAAhF,kBAClB+f,EAAMiB,kBACRjB,EAAMiB,uBAANjB,SAA0B/f,QAE5BugB,sBAAsBvgB,SAExBO,EAAEigB,iBAAmB,eAAC,aAAAxb,mBAAAA,IAAAhF,kBAChB+f,EAAMkB,gBACRlB,EAAMkB,qBAANlB,SAAwB/f,QAE1BwgB,sBAAoBxgB,SAEtBO,EAAEkgB,OAAS,eAAC,aAAAzb,mBAAAA,IAAAhF,kBACN+f,EAAMmB,MACRnB,EAAMmB,WAANnB,SAAc/f,QAEhBygB,sBAAUzgB,SAaZmhB,CAAW5gB,EAAGwf,GACd,IAAMqB,EAAmB5E,GAAqBjc,EAAGA,EAAEqF,KAC7Cyb,EAhsBR,SAA0Bvf,OACxBoe,gBACArC,aACAjY,QACAkQ,WAEA,IAA2B,IAAvB+H,EAAS8C,UACX,OAAO,aAGT,IAQIW,EAREC,EAC0B,iBAAvB1D,EAAS8C,UAAyB9C,EAAS8C,UAAY,GAC1Da,EACkC,iBAA/B3D,EAAS4D,kBACZ5D,EAAS4D,kBACT,IAEFC,EAA6B,GAE3BC,EAAY1O,GAChB,SACEuB,GAKA,IAAMoN,EAAcpO,KAAKD,MAAQ+N,EACjCpB,EACEwB,EAAUve,KAAI,SAACnD,GAEb,OADAA,EAAE6hB,YAAcD,EACT5hB,KAETwU,GAEFkN,EAAY,GACZJ,EAAe,OAEjBE,GAEIM,EAAiB7O,GACrB,SAAC4L,GACC,IAAMvM,EAAS+J,GAAewC,GACxB/c,EAAuBiU,EAAa8I,GACtCA,EAAI5I,eAAe,GACnB4I,EAFIN,YAASC,YAGZ8C,IACHA,EAAe9N,KAAKD,OAEtBmO,EAAUvgB,KAAK,CACb+J,EAAGqT,EACHnT,EAAGoT,EACHxV,GAAI8M,EAAOlD,MAAMN,GACjBuP,WAAYrO,KAAKD,MAAQ+N,IAI3BK,EACuB,oBAAdI,WAA6BlD,aAAekD,UAC/C3c,EAAkB4c,KAClBnD,aAAeoD,WACf7c,EAAkB8c,UAClB9c,EAAkB+c,aAG1BZ,EACA,CACE1N,UAAU,IAGRmK,EAAW,CACf5L,EAAG,YAAa0P,EAAgBlc,GAChCwM,EAAG,YAAa0P,EAAgBlc,GAChCwM,EAAG,OAAQ0P,EAAgBlc,IAE7B,OAAO,WACLoY,EAASrI,SAAQ,SAAC+I,GAAM,OAAAA,QAqnBD0D,CAAiB7hB,GACpC8hB,EAA0B1E,GAA6Bpd,GACvD+hB,EAAgB3D,GAAmBpe,GACnCgiB,EA5hBR,SAAoCzgB,OAClCqe,qBAEIqC,GAAS,EACTC,GAAS,EAab,OAAOrQ,EAAG,SAZca,GAAS,WAC/B,IAAM5H,EAAS0J,IACT5J,EAAQkK,IACVmN,IAAUnX,GAAUoX,IAAUtX,IAChCgV,EAAiB,CACfhV,MAAO+S,OAAO/S,GACdE,OAAQ6S,OAAO7S,KAEjBmX,EAAQnX,EACRoX,EAAQtX,KAET,KACkC6J,QA2gBP0N,CAA2BniB,GACnDoiB,EA9fR,SAA2B7gB,OACzBse,YACAxa,QACAkQ,WACA1N,eACAwa,gBACAzgB,qBACAG,gBACAub,aACAgF,yBAEA,SAASC,EAAa9M,GACpB,IAAI1D,EAAS+J,GAAerG,GACtBoJ,EAAgBpJ,EAAM+M,UAO5B,GAFIzQ,GAA0C,WAA/BA,EAAmBlQ,UAChCkQ,EAAUA,EAAmB0Q,eAE5B1Q,GACCA,EAAmBlQ,WACrBid,GAAW1a,QAAS2N,EAAmBlQ,SAAW,KAClDoT,EAAUlD,EAAgBlK,GAJ5B,CAQA,IAAM/F,EAA4BiQ,EAA4BjQ,KAC9D,IAAKiQ,EAAuB9K,UAAUC,SAASmb,GAA/C,CAGA,IAAIrgB,EAAQ+P,EAA4B1R,MACpCqiB,GAAY,EACH,UAAT5gB,GAA6B,aAATA,EACtB4gB,EAAa3Q,EAA4B1H,SAEzCzI,EACGmQ,EAAmBlQ,QAAQI,gBAE9BL,EAAiBE,MAEjBE,EAAOL,EAAe,CACpBC,mBACAC,QAAUkQ,EAAuBlQ,QACjCC,OACAzB,MAAO2B,EACPD,iBAGJ4gB,EACE5Q,EACA2M,GACE,CAAE1c,OAAM0gB,YAAW7D,iBACnByD,IAKJ,IAAMzc,EAA4BkM,EAA4BlM,KACjD,UAAT/D,GAAoB+D,GAAQ6c,GAC9Brd,EACGud,iBAAiB,oCAA6B/c,SAC9CuP,SAAQ,SAACxN,GACJA,IAAOmK,GACT4Q,EACE/a,EACA8W,GACE,CACE1c,KAAO4F,EAAwBvH,MAC/BqiB,WAAYA,EACZ7D,eAAe,GAEjByD,SAOd,SAASK,EAAY5Q,EAAqB4M,GACxC,IAAMkE,EAAiB9D,GAAkB/I,IAAIjE,GAC7C,IACG8Q,GACDA,EAAe7gB,OAAS2c,EAAE3c,MAC1B6gB,EAAeH,YAAc/D,EAAE+D,UAC/B,CACA3D,GAAkBjL,IAAI/B,EAAQ4M,GAC9B,IAAMlW,EAAK8M,EAAOlD,MAAMN,GACxB8N,SACKlB,IACHlW,SAIN,IACMgV,GAD4B,SAAnBH,EAASgD,MAAmB,CAAC,UAAY,CAAC,QAAS,WAGvD1d,KAAI,SAACkb,GAAc,OAAAjM,EAAGiM,EAAWyE,EAAcld,MACpDyd,EAAqB7jB,OAAO2U,yBAChCmP,iBAAiBrjB,UACjB,SAEIsjB,EAA+C,CACnD,CAACD,iBAAiBrjB,UAAW,SAC7B,CAACqjB,iBAAiBrjB,UAAW,WAC7B,CAACujB,kBAAkBvjB,UAAW,SAC9B,CAACwjB,oBAAoBxjB,UAAW,SAEhC,CAACujB,kBAAkBvjB,UAAW,iBAC9B,CAACyjB,kBAAkBzjB,UAAW,aAchC,OAZIojB,GAAsBA,EAAmBhP,KAC3C2J,EAAS7c,WAAT6c,SACKuF,EAAepgB,KAAI,SAACnD,GACrB,OAAA8T,EAAwB9T,EAAE,GAAIA,EAAE,GAAI,CAClCqU,IAAA,WAEEyO,EAAa,CAAExQ,OAAQjS,mBAM1B,WACL2d,EAASrI,SAAQ,SAAC+I,GAAM,OAAAA,QAiYLiF,CAAkBpjB,GACjCqjB,EAvLR,SAAsC9hB,OACpCue,uBACAjY,eACA0N,WACA+H,aAEMS,EAAU,SAACjc,GACf,OAAA4Q,GAAS,SAAC+C,GACR,IAAM1D,EAAS+J,GAAerG,GAC9B,GAAK1D,IAAUkD,EAAUlD,EAAgBlK,GAAzC,CAGM,IAAAtG,EAAiCwQ,EAA/BjF,gBAAawW,WAAQC,UAC7BzD,EAAmB,CACjBhe,OACA2G,GAAI8M,EAAOlD,MAAMN,GACjBjF,cACAwW,SACAC,aAEDjG,EAASkG,OAAS,MACjB/F,EAAW,CACf5L,EAAG,OAAQkM,MACXlM,EAAG,QAASkM,MACZlM,EAAG,SAAUkM,MACblM,EAAG,eAAgBkM,OAErB,OAAO,WACLN,EAASrI,SAAQ,SAAC+I,GAAM,OAAAA,QA2JMsF,CAA6BzjB,GAEvD0jB,EAzVR,SACEniB,EACAyG,OADE+X,qBAAkBxK,WAClBvE,QAEI2S,EAAa3S,EAAI4S,cAAclkB,UAAUikB,WAC/C3S,EAAI4S,cAAclkB,UAAUikB,WAAa,SACvC5gB,EACAyT,GAEA,IAAM/N,EAAK8M,EAAOlD,MAAMvS,KAAK+jB,WAO7B,OANY,IAARpb,GACFsX,EAAiB,CACftX,KACA0O,KAAM,CAAC,CAAEpU,OAAMyT,YAGZmN,EAAW9jB,MAAMC,KAAMP,YAGhC,IAAMukB,EAAa9S,EAAI4S,cAAclkB,UAAUokB,WAC/C9S,EAAI4S,cAAclkB,UAAUokB,WAAa,SAAUtN,GACjD,IAAM/N,EAAK8M,EAAOlD,MAAMvS,KAAK+jB,WAO7B,OANY,IAARpb,GACFsX,EAAiB,CACftX,KACAkQ,QAAS,CAAC,CAAEnC,YAGTsN,EAAWjkB,MAAMC,KAAMP,YAGhC,IAAMwkB,EAEF,GACAzI,GACFyI,EAA4BxI,gBAAkBvK,EAAIuK,iBAM9CC,KACFuI,EAA4BtI,aAAezK,EAAIyK,cAE7CG,KACFmI,EAA4BlI,iBAAmB7K,EAAI6K,kBAEjDH,KACFqI,EAA4BpI,gBAAkB3K,EAAI2K,kBAItD,IAAMqI,EAKF,GAuCJ,OArCA/kB,OAAOglB,QAAQF,GAA6B3O,SAAQ,SAAC7T,OAAAyG,EAAAxH,OAAC0jB,OAASpiB,OAC7DkiB,EAAoBE,GAAW,CAC7BP,WAAa7hB,EAA8BpC,UAAUikB,WACrDG,WAAahiB,EAA8BpC,UAAUokB,YAGvDhiB,EAAKpC,UAAUikB,WAAa,SAAU5gB,EAAcyT,GAClD,IAAM/N,EAAK8M,EAAOlD,MAAMvS,KAAKuf,iBAAiBwE,WAe9C,OAdY,IAARpb,GACFsX,EAAiB,CACftX,KACA0O,KAAM,CACJ,CACEpU,OACAyT,eACKyI,GAA0Bnf,YAC7B0W,GAAS,WAMZwN,EAAoBE,GAASP,WAAW9jB,MAAMC,KAAMP,YAG7DuC,EAAKpC,UAAUokB,WAAa,SAAUtN,GACpC,IAAM/N,EAAK8M,EAAOlD,MAAMvS,KAAKuf,iBAAiBwE,WAO9C,OANY,IAARpb,GACFsX,EAAiB,CACftX,KACAkQ,QAAS,CAAC,CAAEnC,eAAWyI,GAA0Bnf,YAAO0W,WAGrDwN,EAAoBE,GAASJ,WAAWjkB,MAAMC,KAAMP,eAIxD,WACLyR,EAAI4S,cAAclkB,UAAUikB,WAAaA,EACzC3S,EAAI4S,cAAclkB,UAAUokB,WAAaA,EACzC7kB,OAAOglB,QAAQF,GAA6B3O,SAAQ,SAAC7T,OAAAyG,EAAAxH,OAAC0jB,OAASpiB,OAC7DA,EAAKpC,UAAUikB,WAAaK,EAAoBE,GAASP,WACzD7hB,EAAKpC,UAAUokB,WAAaE,EAAoBE,GAASJ,eAoPlCK,CAAuBnkB,EAAG,CAAEgR,IAAKyO,IACtD2E,EAhPR,SACE7iB,EACAyG,OADEgY,uBAAoBzK,WACpBvE,QAEIqT,EAAcrT,EAAIsT,oBAAoB5kB,UAAU2kB,YACtDrT,EAAIsT,oBAAoB5kB,UAAU2kB,YAAc,SAE9CxU,EACAxP,EACAkkB,WAEM9b,EAAK8M,EAAOlD,0BACfvS,KAAKqf,iCAAYE,uCAAkBwE,WAatC,OAXY,IAARpb,GACFuX,EAAmB,CACjBvX,KACAqL,IAAK,CACHjE,WACAxP,QACAkkB,YAEF/N,MAAOyI,GAA0Bnf,KAAKqf,cAGnCkF,EAAYxkB,MAAMC,KAAMP,YAGjC,IAAMilB,EAAiBxT,EAAIsT,oBAAoB5kB,UAAU8kB,eAoBzD,OAnBAxT,EAAIsT,oBAAoB5kB,UAAU8kB,eAAiB,SAEjD3U,WAEMpH,EAAK8M,EAAOlD,0BACfvS,KAAKqf,iCAAYE,uCAAkBwE,WAWtC,OATY,IAARpb,GACFuX,EAAmB,CACjBvX,KACAgc,OAAQ,CACN5U,YAEF2G,MAAOyI,GAA0Bnf,KAAKqf,cAGnCqF,EAAe3kB,MAAMC,KAAMP,YAG7B,WACLyR,EAAIsT,oBAAoB5kB,UAAU2kB,YAAcA,EAChDrT,EAAIsT,oBAAoB5kB,UAAU8kB,eAAiBA,GA8LpBE,CAA6B1kB,EAAG,CAC/DgR,IAAKyO,IAEDkF,EAAe3kB,EAAE4kB,aA7JzB,SAA0BrjB,OAAE2e,WAAQ7a,QAC5B2L,EAAM3L,EAAIqa,YAChB,IAAK1O,EACH,OAAO,aAGT,IAAMyM,EAA8B,GAE9BoH,EAAU,IAAI7F,QAEd8F,EAAmB9T,EAAI+T,SAC7B/T,EAAI+T,SAAY,SACdC,EACA/Q,EACAgR,GAEA,IAAMC,EAAW,IAAIJ,EAAiBE,EAAQ/Q,EAAQgR,GAWtD,OAVAJ,EAAQ/Q,IAAIoR,EAAU,CACpBF,SACA3Z,OAA0B,iBAAX4I,EACfgR,cACAE,WACoB,iBAAXlR,EACHA,EAEAmR,KAAKC,UAAUlkB,MAAMH,KAAK,IAAIskB,WAAWrR,OAE1CiR,GAGT,IAAMK,EAAiBvR,EAAM3O,EAAImgB,MAAO,OAAO,SAAU7R,GACvD,OAAO,SAA6BuR,GAQlC,OAPA3T,YAAW,WACT,IAAM9R,EAAIolB,EAAQ7O,IAAIkP,GAClBzlB,IACFygB,EAAOzgB,GACPolB,EAAQjK,OAAOsK,MAEhB,GACIvR,EAAS9T,MAAMC,KAAM,CAAColB,QASjC,OALAzH,EAAS7c,MAAK,WACZoQ,EAAI+T,SAAWD,KAEjBrH,EAAS7c,KAAK2kB,GAEP,WACL9H,EAASrI,SAAQ,SAAC+I,GAAM,OAAAA,QA4GYsH,CAAiBzlB,GAAK,aAEtD0lB,EAAoC,OAC1C,IAAqB,IAAA1d,EAAAjI,EAAAC,EAAE2lB,uCAAS,CAA3B,IAAMC,UACTF,EAAe9kB,KACbglB,EAAOjJ,SAASiJ,EAAOC,SAAUpG,EAAemG,EAAOne,4GAI3D,OAAO,WACL4T,GAAgBjG,SAAQ,SAAC0Q,GAAM,OAAAA,EAAErT,WACjCoO,EAAiBkF,aACjBjF,IACAgB,IACAC,IACAC,IACAI,IACAiB,IACAK,IACAU,IACAO,IACAe,EAAetQ,SAAQ,SAAC+I,GAAM,OAAAA,QCz1BlC,kBAKE,WAAY1W,GAJJ3H,aAA4C,IAAIkf,QAKtDlf,KAAK0Z,WAAa/R,EAAQ+R,WA2B9B,OAxBSwM,sBAAP,SAAiBlV,GACfhR,KAAKmmB,QAAQnS,IAAIhD,GAAU,IAGtBkV,4BAAP,SAAuBE,GACrBpmB,KAAKqmB,aAAeD,GAGfF,yBAAP,SAAoBlV,EAAiBsH,SACnCtY,KAAK0Z,WAAW,CACdrC,KAAM,CACJ,CACER,SAAU7F,EAASvI,KAAKE,GACxB8O,OAAQ,KACR3Q,KAAMwR,IAGVO,QAAS,GACTS,MAAO,GACPzP,WAAY,GACZyc,gBAAgB,cAElBtmB,KAAKqmB,uCAAgBrV,uBCVvB,WAAYrJ,GAFJ3H,oBAAiC,GAQvCA,KAAK0Z,WAAa/R,EAAQ+R,WAC1B1Z,KAAKue,SAAW5W,EAAQ4W,SACxBve,KAAKyQ,cAAgB9I,EAAQ8I,cAC7BzQ,KAAKyV,OAAS9N,EAAQ8N,OAGtB,IAAM8Q,EAAUvmB,KAChBA,KAAKwmB,eAAe1lB,KAClBoT,EAAMuS,YAAY7mB,UAAW,gBAAgB,SAAUiU,GACrD,OAAO,WACL,IAAMjS,EAAaiS,EAAS9T,MAAMC,KAAMP,WAGxC,OAFIO,KAAK4B,YACP2kB,EAAQnO,cAAcpY,KAAK4B,WAAY5B,KAAK0mB,eACvC9kB,OA0DjB,OApDS+kB,0BAAP,SAAqB/kB,EAAwB2D,GAC3C4W,UAEOnc,KAAKyQ,gBACRlL,MACAmU,WAAY1Z,KAAK0Z,WACjBjE,OAAQzV,KAAKyV,OACb0C,iBAAkBnY,OAEpB4B,GAEF0c,UACKte,KAAKyQ,gBACR8N,SAAUve,KAAKue,SAGfhZ,IAAM3D,EACN6T,OAAQzV,KAAKyV,WAOVkR,gCAAP,SAA2BC,GACzB,GAAIA,EAAczV,cAAe,CAC/B,IAAM0V,EAAU7mB,KAChBA,KAAKwmB,eAAe1lB,KAClBoT,EACG0S,EAAczV,cAEZsV,YAAY7mB,UACf,gBACA,SAAUiU,GACR,OAAO,WACL,IAAMjS,EAAaiS,EAAS9T,MAAMC,KAAMP,WAMxC,OALIO,KAAK4B,YACPilB,EAAQzO,cACNpY,KAAK4B,WACLglB,EAAcjZ,iBAEX/L,SAQZ+kB,kBAAP,WACE3mB,KAAKwmB,eAAelR,SAAQ,SAACwR,GAAiB,OAAAA,aC3FlD,IAHA,IAAI3gB,GAAQ,mEAER4gB,GAA+B,oBAAfvB,WAA6B,GAAK,IAAIA,WAAW,KAC5DjmB,GAAI,EAAGA,GAAI4G,GAAMzG,OAAQH,KAC9BwnB,GAAO5gB,GAAM6gB,WAAWznB,KAAMA,GAElC,ICNM0nB,GAGF,IAAIC,IAgBD,IAAMC,GAAe,SAC1B5mB,EACA2Q,EACAvG,GAEA,GACGpK,IACC6mB,GAAwB7mB,EAAO2Q,IAAyB,iBAAV3Q,GAFlD,CAMA,IACM8mB,WA1BN1c,EACA2c,GAEA,IAAIC,EAAaN,GAAY/Q,IAAIvL,GAQjC,OAPK4c,IACHA,EAAa,IAAIL,IACjBD,GAAYjT,IAAIrJ,EAAK4c,IAElBA,EAAW7U,IAAI4U,IAClBC,EAAWvT,IAAIsT,EAAM,IAEhBC,EAAWrR,IAAIoR,GAeTE,CAAgB7c,EADhBpK,EAAMknB,YAAY1hB,MAE3B2Q,EAAQ2Q,EAAK/iB,QAAQ/D,GAMzB,OAJe,IAAXmW,IACFA,EAAQ2Q,EAAK3nB,OACb2nB,EAAKvmB,KAAKP,IAELmW,aAIOgR,GACdnnB,EACA2Q,EACAvG,GAEA,OAAIpK,aAAiBc,MACZd,EAAMuC,KAAI,SAACmQ,GAAQ,OAAAyU,GAAazU,EAAK/B,EAAKvG,MAC9B,OAAVpK,EACFA,EAEPA,aAAiBonB,cACjBpnB,aAAiBqnB,cACjBrnB,aAAiBsnB,YACjBtnB,aAAiB4K,aACjB5K,aAAiBilB,YACjBjlB,aAAiBunB,aACjBvnB,aAAiBwnB,YACjBxnB,aAAiBynB,WACjBznB,aAAiB0nB,kBAGV,CACLC,QAFW3nB,EAAMknB,YAAY1hB,KAG7BwN,KAAM,CAACpU,OAAOgpB,OAAO5nB,KAMvBA,aAAiB6nB,YAKV,CACLF,QAJW3nB,EAAMknB,YAAY1hB,KAK7BsiB,ODxEO,SAAUC,GACnB,IAAyC/oB,EAArCgpB,EAAQ,IAAI/C,WAAW8C,GAAiBE,EAAMD,EAAM7oB,OAAQ2oB,EAAS,GACzE,IAAK9oB,EAAI,EAAGA,EAAIipB,EAAKjpB,GAAK,EACtB8oB,GAAUliB,GAAMoiB,EAAMhpB,IAAM,GAC5B8oB,GAAUliB,IAAmB,EAAXoiB,EAAMhpB,KAAW,EAAMgpB,EAAMhpB,EAAI,IAAM,GACzD8oB,GAAUliB,IAAuB,GAAfoiB,EAAMhpB,EAAI,KAAY,EAAMgpB,EAAMhpB,EAAI,IAAM,GAC9D8oB,GAAUliB,GAAqB,GAAfoiB,EAAMhpB,EAAI,IAQ9B,OANIipB,EAAM,GAAM,EACZH,EAASA,EAAO/hB,UAAU,EAAG+hB,EAAO3oB,OAAS,GAAK,IAE7C8oB,EAAM,GAAM,IACjBH,EAASA,EAAO/hB,UAAU,EAAG+hB,EAAO3oB,OAAS,GAAK,MAE/C2oB,ECsDQI,CAAOloB,IAMbA,aAAiBmoB,SAEnB,CACLR,QAFW3nB,EAAMknB,YAAY1hB,KAG7BwN,KAAM,CACJmU,GAAannB,EAAMgL,OAAQ2F,EAAKvG,GAChCpK,EAAMooB,WACNpoB,EAAMqoB,aAGDroB,aAAiBsoB,iBAGnB,CACLX,QAHW3nB,EAAMknB,YAAY1hB,KAI7B2H,IAHcnN,OAKPA,aAAiBuoB,UAEnB,CACLZ,QAFW3nB,EAAMknB,YAAY1hB,KAG7BwN,KAAM,CAACmU,GAAannB,EAAM+K,KAAM4F,EAAKvG,GAAMpK,EAAMuK,MAAOvK,EAAMyK,SAEvDoc,GAAwB7mB,EAAO2Q,IAAyB,iBAAV3Q,EAIhD,CACL2nB,QAJW3nB,EAAMknB,YAAY1hB,KAK7B2Q,MAJYyQ,GAAa5mB,EAAO2Q,EAAKvG,IAQlCpK,EAGF,IAAMwoB,GAAgB,SAC3BxV,EACArC,EACAvG,GAEA,OAAO3J,OAAIuS,OAAMzQ,KAAI,SAACmQ,GAAQ,OAAAyU,GAAazU,EAAK/B,EAAKvG,OAG1Cyc,GAA0B,SACrC7mB,EACA2Q,GAYA,IAcM8X,EAdkC,CACtC,kBACA,cACA,mBACA,eACA,oBACA,cACA,6BACA,eACA,uBACA,yBAEA,6BAE2DzP,QAC3D,SAACxT,GAAiB,MAAqC,mBAA9BmL,EAAInL,MAE/B,OAAOpE,QACLqnB,EAA+B9e,MAC7B,SAACnE,GAAiB,OAAAxF,aAAiB2Q,EAAInL,QCrJ7C,SAASkjB,GACPrpB,EACAoC,EACAokB,EACAre,EACA0N,EACAvE,WAEMyM,EAA8B,GAE9BuL,EAAQ/pB,OAAOgqB,oBAAoBvpB,cAE9BuW,GACT,IACE,GAAyD,mBAA9CvW,EAAUuW,oBAGrB,IAAMsP,EAAiBvR,EAAMtU,EAAWuW,GAAM,SAAUtC,GACtD,OAAO,eAAkC,aAAAlP,mBAAAA,IAAA4O,kBACvC,IAAM6V,EAASvV,EAAS9T,MAAMC,KAAMuT,GAEpC,GADA4T,GAAaiC,EAAQlY,EAAKtR,IACrBuV,EAAWnV,KAAK0K,OAA6B3C,GAAa,CAClD0N,EAAOlD,MAAOvS,KAAK0K,QAA9B,IAEM2e,EAAaN,UAAkBxV,OAAOrC,EAAKtR,GAC3CygB,EAAmC,CACvCre,OACA+N,SAAUoG,EACV5C,KAAM8V,GAGRjD,EAAGpmB,KAAK0K,OAA6B2V,GAGvC,OAAO+I,MAGXzL,EAAS7c,KAAK2kB,GACd,SACA,IAAM6D,EAAc7V,EAA6B7T,EAAWuW,EAAM,CAChEnC,IAAA,SAAI6K,GAEFuH,EAAGpmB,KAAK0K,OAA6B,CACnC1I,OACA+N,SAAUoG,EACV5C,KAAM,CAACsL,GACP0K,QAAQ,OAId5L,EAAS7c,KAAKwoB,SAtClB,IAAmB,IAAAE,EAAAvpB,EAAAipB,+IA0CnB,OAAOvL,EC7CT,ICWI8L,GAEAC,iBDkBF,WAAY/hB,GA9BJ3H,4BAAoD,IAAIknB,IACxDlnB,eAAuB,CAAE2pB,SAAU,EAAGC,SAAU,MAKhD5pB,aAAkB,EAClBA,aAAkB,EAqClBA,qBAAiD,SACvDiS,EACAoO,KAGErgB,KAAK6pB,UAAUD,UACf5pB,KAAK6pB,UAAUF,WAAa3pB,KAAK6pB,UAAUD,WAC5B5pB,KAAK6pB,UAAUD,WAC9B5pB,KAAK6pB,UAAUD,SAAW5pB,KAAK6pB,UAAUF,UAEtC3pB,KAAK8pB,uBAAuBpX,IAAIT,IACnCjS,KAAK8pB,uBAAuB9V,IAAI/B,EAAQ,IAG1CjS,KAAK8pB,uBAAuB5T,IAAIjE,GAASnR,KAAKuf,IArB9CrgB,KAAK0Z,WAAa/R,EAAQ+R,WAC1B1Z,KAAKyV,OAAS9N,EAAQ8N,QAEO,IAAzB9N,EAAQY,cACVvI,KAAK+pB,2BAA2BpiB,EAAQuJ,IAAKvJ,EAAQI,YAyF3D,OAzHSiiB,kBAAP,WACEhqB,KAAK8pB,uBAAuBG,QAC5BjqB,KAAKkqB,gBAAkBlqB,KAAKkqB,kBAGvBF,mBAAP,WACEhqB,KAAKmX,QAAS,GAGT6S,qBAAP,WACEhqB,KAAKmX,QAAS,GAGT6S,iBAAP,WACEhqB,KAAKoX,QAAS,GAGT4S,mBAAP,WACEhqB,KAAKoX,QAAS,GAkCR4S,uCAAR,SACE9Y,EACAnJ,GAEA/H,KAAKmqB,uBACLnqB,KAAKoqB,oCAEL,IAAMC,WEtFRnZ,EACAnJ,GAEA,IAAM4V,EAA8B,GACpC,IACE,IAAM8H,EAAiBvR,EACrBhD,EAAIoZ,kBAAkB1qB,UACtB,cACA,SAAUiU,GACR,OAAO,SAEL0W,OACA,aAAA5lB,mBAAAA,IAAA4O,oBAMA,OAJK4B,EAAWnV,KAA2B+H,IACnC,cAAe/H,OAClBA,KAAiByK,UAAY8f,GAE3B1W,EAAS9T,MAAMC,QAAOuqB,KAAgBhX,YAInDoK,EAAS7c,KAAK2kB,GACd,SACAjZ,QAAQzL,MAAM,0DAEhB,OAAO,WACL4c,EAASrI,SAAQ,SAAC+I,GAAM,OAAAA,QF2DGmM,CAA0BtZ,EAAKnJ,GACpD0iB,WGhFRrE,EACAlV,EACAnJ,EACA0N,WAEMkI,EAA8B,GAC9B+M,EAAUvrB,OAAOgqB,oBACrBjY,EAAIyZ,yBAAyB/qB,sBAEpBuW,GACT,IACE,GAGQ,mBAFCjF,EAAIyZ,yBAAyB/qB,UAClCuW,oBAKJ,IAAMsP,EAAiBvR,EACrBhD,EAAIyZ,yBAAyB/qB,UAC7BuW,GACA,SAAUtC,GACR,OAAO,eAAA,oBAELlP,mBAAAA,IAAA4O,kBA+BA,OA7BK4B,EAAWnV,KAAK0K,OAA6B3C,IAGhD0J,YAAW,WACT,IAAM4X,SAAiB9V,OACvB,GAAa,cAAT4C,GAEAkT,EAAW,IACXA,EAAW,aAAciB,kBACzB,CACA,IAAM5f,EAAS2e,EAAW,GACpB1e,EAAMD,EAAOE,WAAW,MAC1BggB,EAAOjgB,MAAAA,SAAAA,EAAKM,aACd,EACA,EACAP,EAAOI,MACPJ,EAAOM,QAEL6f,EAAMD,MAAAA,SAAAA,EAAMtf,KAChB+d,EAAW,GAAK/D,KAAKC,UAAUsF,GAGnCzE,EAAGnS,EAAKvJ,OAAQ,CACd1I,KAAMiD,EAAc,MACpB8K,SAAUoG,EACV5C,KAAM8V,MAEP,GAEExV,EAAS9T,MAAMC,KAAMuT,OAIlCoK,EAAS7c,KAAK2kB,GACd,SACA,IAAM6D,EAAc7V,EAClBvC,EAAIyZ,yBAAyB/qB,UAC7BuW,EACA,CACEnC,aAAI6K,GACFuH,EAAGpmB,KAAK0K,OAAQ,CACd1I,KAAMiD,EAAc,MACpB8K,SAAUoG,EACV5C,KAAM,CAACsL,GACP0K,QAAQ,OAKhB5L,EAAS7c,KAAKwoB,SAlElB,IAAmB,IAAAwB,EAAA7qB,EAAAyqB,6IAqEnB,OAAO,WACL/M,EAASrI,SAAQ,SAAC+I,GAAM,OAAAA,QHCF0M,CACpB/qB,KAAKiX,gBAAgB8F,KAAK/c,MAC1BkR,EACAnJ,EACA/H,KAAKyV,QAGDuV,WD5BR5E,EACAlV,EACAnJ,EACA0N,GAEA,IAAMkI,EAA8B,GA0BpC,OAxBAA,EAAS7c,WAAT6c,SACKsL,GACD/X,EAAI+Z,sBAAsBrrB,UAC1BqF,EAAcimB,MACd9E,EACAre,EACA0N,EACAvE,cAIsC,IAA/BA,EAAIia,wBACbxN,EAAS7c,WAAT6c,SACKsL,GACD/X,EAAIia,uBAAuBvrB,UAC3BqF,EAAcmmB,OACdhF,EACAre,EACA0N,EACAvE,SAKC,WACLyM,EAASrI,SAAQ,SAAC+I,GAAM,OAAAA,QCJMgN,CAC5BrrB,KAAKiX,gBAAgB8F,KAAK/c,MAC1BkR,EACAnJ,EACA/H,KAAKyV,QAGPzV,KAAKkqB,eAAiB,WACpBG,IACAI,IACAO,MAIIhB,8CAAR,WAAA,WACEsB,uBAAsB,WAAM,OAAArX,EAAKsX,kCAG3BvB,iCAAR,WAAA,WACQwB,EAAwB,SAACC,GAC7BxX,EAAK4V,UAAUF,SAAW8B,EAC1BH,sBAAsBE,IAExBF,sBAAsBE,IAGxBxB,wCAAA,WAAA,WACEhqB,KAAK8pB,uBAAuBxU,SAC1B,SAAC6S,EAAiCzd,GAChC,IAAM/B,EAAKsL,EAAKwB,OAAOlD,MAAO7H,GAC9BuJ,EAAKyX,8BAA8BhhB,EAAQ/B,MAG/C2iB,uBAAsB,WAAM,OAAArX,EAAKsX,kCAGnCvB,0CAAA,SAA8Btf,EAA2B/B,GACvD,IAAI3I,KAAKmX,SAAUnX,KAAKoX,OAAxB,CAIA,IAAMuU,EAAiB3rB,KAAK8pB,uBAAuB5T,IAAIxL,GACvD,GAAKihB,IAA0B,IAARhjB,EAAvB,CAEA,IAAMwf,EAASwD,EAAe7oB,KAAI,SAACvC,GAEjC,OAD0BA,OXtGzB,SAAgBjB,EAAGsB,GACtB,IAAIvB,EAAI,GACR,IAAK,IAAIM,KAAKL,EAAOH,OAAOS,UAAUC,eAAeC,KAAKR,EAAGK,IAAMiB,EAAE0D,QAAQ3E,GAAK,IAC9EN,EAAEM,GAAKL,EAAEK,IACb,GAAS,MAALL,GAAqD,mBAAjCH,OAAOysB,sBACtB,CAAA,IAAIrsB,EAAI,EAAb,IAAgBI,EAAIR,OAAOysB,sBAAsBtsB,GAAIC,EAAII,EAAED,OAAQH,IAC3DqB,EAAE0D,QAAQ3E,EAAEJ,IAAM,GAAKJ,OAAOS,UAAUisB,qBAAqB/rB,KAAKR,EAAGK,EAAEJ,MACvEF,EAAEM,EAAEJ,IAAMD,EAAEK,EAAEJ,KAE1B,OAAOF,GW6FqBkB,EAApB,aAGAyB,EAAS2pB,EAAe,QAEhC3rB,KAAK0Z,WAAW,CAAE/Q,KAAI3G,OAAM8pB,SAAU3D,IAEtCnoB,KAAK8pB,uBAAuBhP,OAAOpQ,WC7HvC,SAASqhB,GAAUnrB,GACjB,cACKA,IACH6qB,UAAWtY,KAAKD,QAQpB,IAAMuC,GTDG,CACL3S,IAAK,GACLyP,eAAM/S,GAEJ,OAAKA,GAAMA,EAAEiJ,KAGNjJ,EAAEiJ,KAAKE,IAFJ,GAIZ6J,iBAAQ7J,GACN,OAAO3I,KAAK8C,IAAI6F,IAAO,MAGzB8J,kBAAA,SAAkBjT,GAAlB,WACQmJ,EAAKnJ,EAAEiJ,MAAQjJ,EAAEiJ,KAAKE,UACrB3I,KAAK8C,IAAI6F,GACZnJ,EAAEwJ,YACJxJ,EAAEwJ,WAAWsM,SAAQ,SAAC0W,GACpB,OAAA/X,EAAKxB,kBAAmBuZ,OAI9BtZ,aAAI/J,GACF,OAAO3I,KAAK8C,IAAIjD,eAAe8I,IAEjCgK,iBACE3S,KAAK8C,IAAM,KSxBjB,SAASmpB,GACPtkB,gBAAAA,MAGE,IAAAuP,EAwBEvP,OAvBFukB,EAuBEvkB,mBAtBFwkB,EAsBExkB,mBArBFlG,EAqBEkG,aArBFI,aAAa,aACbG,EAoBEP,gBApBFK,aAAgB,OAChBI,EAmBET,cAnBF4a,aAAc,cACd3Y,EAkBEjC,gBAlBFZ,aAAgB,YAChB+C,EAiBEnC,mBAjBFX,aAAmB,OACnBqG,EAgBE1F,mBAhBFM,gBACAmkB,EAeEzkB,gBAdgB0kB,EAchB1kB,mBAbc2kB,EAad3kB,iBAZF1F,EAYE0F,cAXFQ,EAWER,aAVF+X,EAUE/X,QATF4kB,EASE5kB,SARFsH,EAQEtH,WARF6V,aAAW,KACXgP,EAOE7kB,gBANFwH,EAMExH,eANFY,gBACA6G,EAKEzH,uBALF6a,gBACA9R,EAIE/I,eAJFmd,gBACAjU,EAGElJ,eAHFW,gBACAud,EAEEle,UADFmJ,EACEnJ,kBADFa,aAAkB,WAAM,OAAA,KAG1B,IAAK0O,EACH,MAAM,IAAIX,MAAM,kCAGI3N,IAAlB4jB,QAAsD5jB,IAAvB4U,EAAS8C,YAC1C9C,EAAS8C,UAAYkM,GAGvB,ITqNuBtb,ESvKnBub,EA9CE3qB,GACc,IAAlBsqB,EACI,CACEM,OAAO,EACPC,MAAM,EACN,kBAAkB,EAClBC,OAAO,EACPC,OAAO,EACPC,QAAQ,EACRC,OAAO,EACPC,QAAQ,EACRC,KAAK,EACL/qB,MAAM,EACNgrB,MAAM,EACNhpB,KAAK,EACLipB,MAAM,EACNC,UAAU,EACVC,QAAQ,EACRC,UAAU,QAEU1kB,IAAtByjB,EACAA,EACA,CAAEiB,UAAU,GAEZxe,GACgB,IAApBwd,GAAgD,QAApBA,EACxB,CACE7c,QAAQ,EACRD,SAAS,EACTI,aAAa,EACbY,gBAAgB,EAChBV,gBAAgB,EAChBE,gBAAgB,EAChBC,mBAAmB,EACnBE,sBAAsB,EAGtBD,mBAAwC,QAApBoc,EACpBzc,qBAA0C,QAApByc,GAExBA,GAEA,gBT2KiBpb,UACnB,aAAcA,IAAQA,EAAIqc,SAAS3tB,UAAU0V,UAC/CpE,EAAIqc,SAAS3tB,UAAU0V,QAAWjU,MAAMzB,UACrC0V,SAGD,iBAAkBpE,IAAQA,EAAIsc,aAAa5tB,UAAU0V,UACvDpE,EAAIsc,aAAa5tB,UAAU0V,QAAWjU,MAAMzB,UACzC0V,SAIAmY,KAAK7tB,UAAUwH,WAClBqmB,KAAK7tB,UAAUwH,SAAW,SAAkBN,GAC1C,KAAM,KAAKrH,WACT,MAAM,IAAIgB,UAAU,0BAGtB,GACE,GAAIT,OAAS8G,EACX,OAAO,QAGDA,EAAOA,GAAQA,EAAKU,YAE9B,OAAO,IS/LX,IAAIkmB,EAA2B,EAY/BjE,GAAc,SAAC7oB,EAAkB+sB,SAe/B,eAbEpS,GAAgB,yBAAIqS,aACpBhtB,EAAEoB,OAAS8C,EAAU+oB,cAEnBjtB,EAAEoB,OAAS8C,EAAUgpB,qBACrBltB,EAAE0K,KAAK6I,SAAWpP,EAAkBgpB,UAKtCxS,GAAgBjG,SAAQ,SAAC0Y,GAAQ,OAAAA,EAAI7S,cAGvCjE,EAzBqB,SAACtW,eACtB,IAAqB,IAAAsH,EAAAjI,EAAA4lB,GAAW,kCAAI,CAA/B,IAAMC,UACLA,EAAOmI,iBACTrtB,EAAIklB,EAAOmI,eAAertB,sGAM9B,OAHI2rB,IACF3rB,EAAK2rB,EAAO3rB,IAENA,EAgBHqtB,CAAertB,GAAI+sB,GACpB/sB,EAAEoB,OAAS8C,EAAU+oB,aACvBpB,EAAwB7rB,EACxB8sB,EAA2B,OACtB,GAAI9sB,EAAEoB,OAAS8C,EAAUgpB,oBAAqB,CAEnD,GACEltB,EAAE0K,KAAK6I,SAAWpP,EAAkBgpB,UACpCntB,EAAE0K,KAAKgb,eAEP,OAGFoH,IACA,IAAMQ,EACJ/B,GAAoBuB,GAA4BvB,EAC5CgC,EACJjC,GACAtrB,EAAE6qB,UAAYgB,EAAsBhB,UAAYS,GAC9CgC,GAAeC,IACjBzE,IAAiB,KAKvB,IAAM0E,EAAsB,SAAC/tB,GAC3BopB,GACEsC,GAAU,CACR/pB,KAAM8C,EAAUgpB,oBAChBxiB,QACE6I,OAAQpP,EAAkBgpB,UACvB1tB,OAKLguB,GAAoC,SAAC1uB,GACzC,OAAA8pB,GACEsC,GAAU,CACR/pB,KAAM8C,EAAUgpB,oBAChBxiB,QACE6I,OAAQpP,EAAkBupB,QACvB3uB,OAIL4uB,GAA4B,SAAC5uB,GACjC,OAAA8pB,GACEsC,GAAU,CACR/pB,KAAM8C,EAAUgpB,oBAChBxiB,QACE6I,OAAQpP,EAAkBypB,gBACvB7uB,OAKLsY,GAAgB,IAAIiO,GAAc,CACtCxM,WAAY0U,IAGRnT,GAAgB,IAAI+O,GAAc,CACtCzhB,eACAmR,WAAY6U,GACZrd,IAAKyD,OACL5M,aACA0N,YAGI0C,GAAmB,IAAIwO,GAAiB,CAC5CjN,WAAY0U,EACZ7P,SAAU8P,GACV5d,cAAe,CACb1I,aACAC,gBACAjB,gBACAC,mBACAiB,mBACAnG,mBACAqG,aACAlG,cACAsG,eACAD,eACAkV,WACA1O,iBACAmJ,iBACAgD,kBAEFxF,YAGFiU,GAAmB,SAACiE,4BAAAA,MAClBlE,GACEsC,GAAU,CACR/pB,KAAM8C,EAAU2pB,KAChBnjB,KAAM,CACJ5H,KAAMiR,OAAOpD,SAAS7N,KACtBoH,MAAOkK,IACPhK,OAAQ0J,OAGZiZ,GAGFpS,GAAgBjG,SAAQ,SAAC0Y,GAAQ,OAAAA,EAAI5S,UAC/B,IAAAtR,EAAApJ,EXygBV,SAAkBlB,EAAGmI,GACjB,IAAIlG,EAAKkG,GAAW,GAAIO,EAAKzG,EAAGsG,WAAYA,OAAoB,IAAPG,EAAgB,WAAaA,EAAIE,EAAK3G,EAAGuG,cAAeA,OAAuB,IAAPI,EAAgB,KAAOA,EAAIwB,EAAKnI,EAAGsF,cAAeA,OAAuB,IAAP6C,EAAgB,UAAYA,EAAIE,EAAKrI,EAAGuF,iBAAkBA,OAA0B,IAAP8C,EAAgB,KAAOA,EAAIuD,EAAK5L,EAAGwG,iBAAkBA,OAA0B,IAAPoF,GAAuBA,EAAI4B,EAAKxN,EAAG6G,aAAcA,OAAsB,IAAP2G,GAAwBA,EAAIE,EAAK1N,EAAG8G,aAAcA,OAAsB,IAAP4G,GAAwBA,EAAIC,EAAK3N,EAAG2qB,cAAeA,OAAuB,IAAPhd,GAAwBA,EAAIjH,EAAa1G,EAAG0G,WAAYlG,EAAcR,EAAGQ,YAAayO,EAAKjP,EAAGitB,QAASA,OAAiB,IAAPhe,GAAwBA,EAAIrI,EAAiB5G,EAAG4G,eAAgBgH,EAAqB5N,EAAG4N,mBAAoBN,EAActN,EAAGsN,YAAaC,EAAevN,EAAGuN,aAAcE,EAAoBzN,EAAGyN,kBAAmB2B,EAAKpP,EAAG+G,gBACr2BmmB,EAAY,GA0ChB,MAAO,CACH/f,EAAoBpP,EAAG,CACnB+F,IAAK/F,EACLsD,IAAK6rB,EACL5mB,WAAYA,EACZC,cAAeA,EACfjB,cAAeA,EACfC,iBAAkBA,EAClB6H,WAAW,EACX5G,iBAAkBA,EAClBnG,kBAnDiC,IAAlBsqB,EACjB,CACEM,OAAO,EACPC,MAAM,EACN,kBAAkB,EAClBC,OAAO,EACPC,OAAO,EACPC,QAAQ,EACRC,OAAO,EACPC,QAAQ,EACRC,KAAK,EACL/qB,MAAM,EACNgrB,MAAM,EACNhpB,KAAK,EACLipB,MAAM,EACNC,UAAU,EACVC,QAAQ,EACRC,UAAU,IAEM,IAAlBlB,EACI,CACEkB,UAAU,GAEZlB,EA6BFjkB,WAAYA,EACZlG,YAAaA,EACb6M,gBA9ByB,IAAZ4f,GAAgC,QAAZA,EAEjC,CACIjf,QAAQ,EACRD,SAAS,EACTI,aAAa,EACbY,gBAAgB,EAChBX,qBAAkC,QAAZ6e,EACtB5e,gBAAgB,EAChBE,gBAAgB,EAChBC,mBAAmB,EACnBC,oBAAoB,EACpBC,sBAAsB,IAEhB,IAAZue,EACI,GACAA,EAeFrmB,eAAgBA,EAChBC,aAAcA,EACdC,aAAcA,EACd8G,mBAAoBA,EACpBN,YAAaA,EACbC,aAAcA,EACdE,kBAAmBA,EACnB1G,qBAhE24B,IAAPqI,EAAgB,WAAc,OAAO,GAAWA,IAkEx7B8d,GW5kBsBC,CAAS/oB,SAAU,CAC3CkC,aACAC,gBACAjB,gBACAC,mBACAiB,mBACAmkB,cAAetqB,EACfqG,aACAumB,QAAS5f,EACTvG,eACAD,eACAyG,YAAa,SAACvP,GACRqW,EAAcrW,IAChByY,GAAcC,UAAU1Y,GAEtBsW,EAActW,IAChB2Y,GAAiBC,cAAc5Y,EAAEoC,WAAYiE,WAGjDmJ,aAAc,SAACqJ,EAAQC,GACrBL,GAAcM,aAAaF,EAAQC,GACnCH,GAAiBK,oBACdH,IAGL7P,uBAzBK1B,OAAM6nB,OA4Bb,IAAK7nB,EACH,OAAO0F,QAAQC,KAAK,mCAGtBgJ,GAAO3S,IAAM6rB,EACblF,GACEsC,GAAU,CACR/pB,KAAM8C,EAAU+oB,aAChBviB,KAAM,CACJxE,OACA+nB,cAAe,CACbC,UACyBlmB,IAAvB+L,OAAOoa,YACHpa,OAAOoa,oBACPlpB,mBAAAA,gBAAAA,SAAUgP,gBAAgB5H,yCAC1BpH,mBAAAA,gBAAAA,SAAUkP,2BAAM4N,oCAAe1V,qBAC/BpH,mBAAAA,gBAAAA,SAAUkP,KAAK9H,aACf,EACN+hB,SACyBpmB,IAAvB+L,OAAOsa,YACHta,OAAOsa,oBACPppB,mBAAAA,gBAAAA,SAAUgP,gBAAgB1H,wCAC1BtH,mBAAAA,gBAAAA,SAAUkP,2BAAM4N,oCAAexV,oBAC/BtH,mBAAAA,gBAAAA,SAAUkP,KAAK5H,YACf,OAKdoO,GAAgBjG,SAAQ,SAAC0Y,GAAQ,OAAAA,EAAI3S,aAGvC,IACE,IAAM6T,GAA8B,GACpCA,GAASpuB,KACPiR,EAAG,oBAAoB,WACrB0X,GACEsC,GAAU,CACR/pB,KAAM8C,EAAUqqB,iBAChB7jB,KAAM,UAMd,IAAM8jB,GAAU,SAAC7pB,SACf,OAAOka,GACL,CACE/F,WAAY0U,EACZvO,YAAa,SAACwB,EAAWlN,GACvB,OAAAsV,GACEsC,GAAU,CACR/pB,KAAM8C,EAAUgpB,oBAChBxiB,KAAM,CACJ6I,SACAkN,iBAIR9D,mBAAoB,SAAC5J,GACnB,OAAA8V,GACEsC,GAAU,CACR/pB,KAAM8C,EAAUgpB,oBAChBxiB,QACE6I,OAAQpP,EAAkBsqB,kBACvB1b,OAIX4K,SAAU8P,GACVvO,iBAAkB,SAACnM,GACjB,OAAA8V,GACEsC,GAAU,CACR/pB,KAAM8C,EAAUgpB,oBAChBxiB,QACE6I,OAAQpP,EAAkBuqB,gBACvB3b,OAIXoM,QAAS,SAAClB,GACR,OAAA4K,GACEsC,GAAU,CACR/pB,KAAM8C,EAAUgpB,oBAChBxiB,QACE6I,OAAQpP,EAAkBwqB,OACvB1Q,OAIXmB,mBAAoB,SAACrgB,GACnB,OAAA8pB,GACEsC,GAAU,CACR/pB,KAAM8C,EAAUgpB,oBAChBxiB,QACE6I,OAAQpP,EAAkByqB,kBACvB7vB,OAIXsgB,iBAAkB,SAACtf,GACjB,OAAA8oB,GACEsC,GAAU,CACR/pB,KAAM8C,EAAUgpB,oBAChBxiB,QACE6I,OAAQpP,EAAkB0qB,gBACvB9uB,OAIXuf,mBAAoB,SAACvf,GACnB,OAAA8oB,GACEsC,GAAU,CACR/pB,KAAM8C,EAAUgpB,oBAChBxiB,QACE6I,OAAQpP,EAAkB2qB,kBACvB/uB,OAIXwf,iBAAkBoO,GAClBnO,OAAQ,SAACzgB,GACP,OAAA8pB,GACEsC,GAAU,CACR/pB,KAAM8C,EAAUgpB,oBAChBxiB,QACE6I,OAAQpP,EAAkB4qB,MACvBhwB,OAIXoI,aACAwa,cACAxb,gBACAC,mBACAlF,mBACAmG,mBACAuV,WACAjV,eACAD,eACAka,uBACAsC,eACAvf,MACAtD,cACAkG,aACAH,gBACA8G,iBACA2G,UACAwC,iBACAE,oBACA8C,iBACA4K,mBACEA,MAAAA,SAAAA,EACItM,QAAO,SAAC5Z,GAAM,OAAAA,EAAEkd,kCAChB/Z,KAAI,SAACnD,GAAM,OACXkd,SAAUld,EAAEkd,SACZlV,QAAShI,EAAEgI,QACXoe,SAAU,SAAC1M,GACT,OAAAoQ,GACEsC,GAAU,CACR/pB,KAAM8C,EAAU8qB,OAChBtkB,KAAM,CACJwa,OAAQnmB,EAAEoG,KACVsT,qBAIH,IAEbqG,IAIJzH,GAAc4X,iBAAgB,SAAC7e,GAC7Bke,GAASpuB,KAAKsuB,GAAQpe,EAASrD,qBAGjC,IAAMmiB,GAAO,WACXpG,KACAwF,GAASpuB,KAAKsuB,GAAQvpB,YAwBxB,MArB0B,gBAAxBA,SAASuL,YACe,aAAxBvL,SAASuL,WAET0e,KAEAZ,GAASpuB,KACPiR,EACE,QACA,WACE0X,GACEsC,GAAU,CACR/pB,KAAM8C,EAAUirB,KAChBzkB,KAAM,MAGVwkB,OAEFnb,SAIC,WACLua,GAAS5Z,SAAQ,SAAC+I,GAAM,OAAAA,QAE1B,MAAOtd,GAEPyL,QAAQC,KAAK1L,WAIjBkrB,GAAO+D,eAAiB,SAAIC,EAAa5W,GACvC,IAAKoQ,GACH,MAAM,IAAIlT,MAAM,iDAElBkT,GACEsC,GAAU,CACR/pB,KAAM8C,EAAUorB,OAChB5kB,KAAM,CACJ2kB,MACA5W,eAMR4S,GAAOkE,WAAa,WAClB5U,GAAgBjG,SAAQ,SAAC0Y,GAAQ,OAAAA,EAAI9S,aAGvC+Q,GAAOvC,iBAAmB,SAACiE,GACzB,IAAKjE,GACH,MAAM,IAAInT,MAAM,mDAElBmT,GAAiBiE,IAGnB1B,GAAOxW,OAASA"} +\ No newline at end of file ++{"version":3,"file":"rrweb-record.min.js","sources":["../../node_modules/tslib/tslib.es6.js","../../../rrweb-snapshot/es/rrweb-snapshot.js","../../../src/types.ts","../../../src/utils.ts","../../../src/record/mutation.ts","../../../src/record/observer.ts","../../../src/record/iframe-manager.ts","../../../src/record/shadow-dom-manager.ts","../../../../node_modules/base64-arraybuffer/dist/base64-arraybuffer.es5.js","../../../src/record/observers/canvas/serialize-args.ts","../../../src/record/observers/canvas/webgl.ts","../../../src/record/observers/canvas/canvas-manager.ts","../../../src/record/index.ts","../../../src/record/observers/canvas/canvas.ts","../../../src/record/observers/canvas/2d.ts"],"sourcesContent":["/*! *****************************************************************************\r\nCopyright (c) Microsoft Corporation.\r\n\r\nPermission to use, copy, modify, and/or distribute this software for any\r\npurpose with or without fee is hereby granted.\r\n\r\nTHE SOFTWARE IS PROVIDED \"AS IS\" AND THE AUTHOR DISCLAIMS ALL WARRANTIES WITH\r\nREGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF MERCHANTABILITY\r\nAND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR ANY SPECIAL, DIRECT,\r\nINDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES WHATSOEVER RESULTING FROM\r\nLOSS OF USE, DATA OR PROFITS, WHETHER IN AN ACTION OF CONTRACT, NEGLIGENCE OR\r\nOTHER TORTIOUS ACTION, ARISING OUT OF OR IN CONNECTION WITH THE USE OR\r\nPERFORMANCE OF THIS SOFTWARE.\r\n***************************************************************************** */\r\n/* global Reflect, Promise */\r\n\r\nvar extendStatics = function(d, b) {\r\n extendStatics = Object.setPrototypeOf ||\r\n ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) ||\r\n function (d, b) { for (var p in b) if (Object.prototype.hasOwnProperty.call(b, p)) d[p] = b[p]; };\r\n return extendStatics(d, b);\r\n};\r\n\r\nexport function __extends(d, b) {\r\n if (typeof b !== \"function\" && b !== null)\r\n throw new TypeError(\"Class extends value \" + String(b) + \" is not a constructor or null\");\r\n extendStatics(d, b);\r\n function __() { this.constructor = d; }\r\n d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __());\r\n}\r\n\r\nexport var __assign = function() {\r\n __assign = Object.assign || function __assign(t) {\r\n for (var s, i = 1, n = arguments.length; i < n; i++) {\r\n s = arguments[i];\r\n for (var p in s) if (Object.prototype.hasOwnProperty.call(s, p)) t[p] = s[p];\r\n }\r\n return t;\r\n }\r\n return __assign.apply(this, arguments);\r\n}\r\n\r\nexport function __rest(s, e) {\r\n var t = {};\r\n for (var p in s) if (Object.prototype.hasOwnProperty.call(s, p) && e.indexOf(p) < 0)\r\n t[p] = s[p];\r\n if (s != null && typeof Object.getOwnPropertySymbols === \"function\")\r\n for (var i = 0, p = Object.getOwnPropertySymbols(s); i < p.length; i++) {\r\n if (e.indexOf(p[i]) < 0 && Object.prototype.propertyIsEnumerable.call(s, p[i]))\r\n t[p[i]] = s[p[i]];\r\n }\r\n return t;\r\n}\r\n\r\nexport function __decorate(decorators, target, key, desc) {\r\n var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d;\r\n if (typeof Reflect === \"object\" && typeof Reflect.decorate === \"function\") r = Reflect.decorate(decorators, target, key, desc);\r\n else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r;\r\n return c > 3 && r && Object.defineProperty(target, key, r), r;\r\n}\r\n\r\nexport function __param(paramIndex, decorator) {\r\n return function (target, key) { decorator(target, key, paramIndex); }\r\n}\r\n\r\nexport function __metadata(metadataKey, metadataValue) {\r\n if (typeof Reflect === \"object\" && typeof Reflect.metadata === \"function\") return Reflect.metadata(metadataKey, metadataValue);\r\n}\r\n\r\nexport function __awaiter(thisArg, _arguments, P, generator) {\r\n function adopt(value) { return value instanceof P ? value : new P(function (resolve) { resolve(value); }); }\r\n return new (P || (P = Promise))(function (resolve, reject) {\r\n function fulfilled(value) { try { step(generator.next(value)); } catch (e) { reject(e); } }\r\n function rejected(value) { try { step(generator[\"throw\"](value)); } catch (e) { reject(e); } }\r\n function step(result) { result.done ? resolve(result.value) : adopt(result.value).then(fulfilled, rejected); }\r\n step((generator = generator.apply(thisArg, _arguments || [])).next());\r\n });\r\n}\r\n\r\nexport function __generator(thisArg, body) {\r\n var _ = { label: 0, sent: function() { if (t[0] & 1) throw t[1]; return t[1]; }, trys: [], ops: [] }, f, y, t, g;\r\n return g = { next: verb(0), \"throw\": verb(1), \"return\": verb(2) }, typeof Symbol === \"function\" && (g[Symbol.iterator] = function() { return this; }), g;\r\n function verb(n) { return function (v) { return step([n, v]); }; }\r\n function step(op) {\r\n if (f) throw new TypeError(\"Generator is already executing.\");\r\n while (_) try {\r\n if (f = 1, y && (t = op[0] & 2 ? y[\"return\"] : op[0] ? y[\"throw\"] || ((t = y[\"return\"]) && t.call(y), 0) : y.next) && !(t = t.call(y, op[1])).done) return t;\r\n if (y = 0, t) op = [op[0] & 2, t.value];\r\n switch (op[0]) {\r\n case 0: case 1: t = op; break;\r\n case 4: _.label++; return { value: op[1], done: false };\r\n case 5: _.label++; y = op[1]; op = [0]; continue;\r\n case 7: op = _.ops.pop(); _.trys.pop(); continue;\r\n default:\r\n if (!(t = _.trys, t = t.length > 0 && t[t.length - 1]) && (op[0] === 6 || op[0] === 2)) { _ = 0; continue; }\r\n if (op[0] === 3 && (!t || (op[1] > t[0] && op[1] < t[3]))) { _.label = op[1]; break; }\r\n if (op[0] === 6 && _.label < t[1]) { _.label = t[1]; t = op; break; }\r\n if (t && _.label < t[2]) { _.label = t[2]; _.ops.push(op); break; }\r\n if (t[2]) _.ops.pop();\r\n _.trys.pop(); continue;\r\n }\r\n op = body.call(thisArg, _);\r\n } catch (e) { op = [6, e]; y = 0; } finally { f = t = 0; }\r\n if (op[0] & 5) throw op[1]; return { value: op[0] ? op[1] : void 0, done: true };\r\n }\r\n}\r\n\r\nexport var __createBinding = Object.create ? (function(o, m, k, k2) {\r\n if (k2 === undefined) k2 = k;\r\n Object.defineProperty(o, k2, { enumerable: true, get: function() { return m[k]; } });\r\n}) : (function(o, m, k, k2) {\r\n if (k2 === undefined) k2 = k;\r\n o[k2] = m[k];\r\n});\r\n\r\nexport function __exportStar(m, o) {\r\n for (var p in m) if (p !== \"default\" && !Object.prototype.hasOwnProperty.call(o, p)) __createBinding(o, m, p);\r\n}\r\n\r\nexport function __values(o) {\r\n var s = typeof Symbol === \"function\" && Symbol.iterator, m = s && o[s], i = 0;\r\n if (m) return m.call(o);\r\n if (o && typeof o.length === \"number\") return {\r\n next: function () {\r\n if (o && i >= o.length) o = void 0;\r\n return { value: o && o[i++], done: !o };\r\n }\r\n };\r\n throw new TypeError(s ? \"Object is not iterable.\" : \"Symbol.iterator is not defined.\");\r\n}\r\n\r\nexport function __read(o, n) {\r\n var m = typeof Symbol === \"function\" && o[Symbol.iterator];\r\n if (!m) return o;\r\n var i = m.call(o), r, ar = [], e;\r\n try {\r\n while ((n === void 0 || n-- > 0) && !(r = i.next()).done) ar.push(r.value);\r\n }\r\n catch (error) { e = { error: error }; }\r\n finally {\r\n try {\r\n if (r && !r.done && (m = i[\"return\"])) m.call(i);\r\n }\r\n finally { if (e) throw e.error; }\r\n }\r\n return ar;\r\n}\r\n\r\n/** @deprecated */\r\nexport function __spread() {\r\n for (var ar = [], i = 0; i < arguments.length; i++)\r\n ar = ar.concat(__read(arguments[i]));\r\n return ar;\r\n}\r\n\r\n/** @deprecated */\r\nexport function __spreadArrays() {\r\n for (var s = 0, i = 0, il = arguments.length; i < il; i++) s += arguments[i].length;\r\n for (var r = Array(s), k = 0, i = 0; i < il; i++)\r\n for (var a = arguments[i], j = 0, jl = a.length; j < jl; j++, k++)\r\n r[k] = a[j];\r\n return r;\r\n}\r\n\r\nexport function __spreadArray(to, from, pack) {\r\n if (pack || arguments.length === 2) for (var i = 0, l = from.length, ar; i < l; i++) {\r\n if (ar || !(i in from)) {\r\n if (!ar) ar = Array.prototype.slice.call(from, 0, i);\r\n ar[i] = from[i];\r\n }\r\n }\r\n return to.concat(ar || Array.prototype.slice.call(from));\r\n}\r\n\r\nexport function __await(v) {\r\n return this instanceof __await ? (this.v = v, this) : new __await(v);\r\n}\r\n\r\nexport function __asyncGenerator(thisArg, _arguments, generator) {\r\n if (!Symbol.asyncIterator) throw new TypeError(\"Symbol.asyncIterator is not defined.\");\r\n var g = generator.apply(thisArg, _arguments || []), i, q = [];\r\n return i = {}, verb(\"next\"), verb(\"throw\"), verb(\"return\"), i[Symbol.asyncIterator] = function () { return this; }, i;\r\n function verb(n) { if (g[n]) i[n] = function (v) { return new Promise(function (a, b) { q.push([n, v, a, b]) > 1 || resume(n, v); }); }; }\r\n function resume(n, v) { try { step(g[n](v)); } catch (e) { settle(q[0][3], e); } }\r\n function step(r) { r.value instanceof __await ? Promise.resolve(r.value.v).then(fulfill, reject) : settle(q[0][2], r); }\r\n function fulfill(value) { resume(\"next\", value); }\r\n function reject(value) { resume(\"throw\", value); }\r\n function settle(f, v) { if (f(v), q.shift(), q.length) resume(q[0][0], q[0][1]); }\r\n}\r\n\r\nexport function __asyncDelegator(o) {\r\n var i, p;\r\n return i = {}, verb(\"next\"), verb(\"throw\", function (e) { throw e; }), verb(\"return\"), i[Symbol.iterator] = function () { return this; }, i;\r\n function verb(n, f) { i[n] = o[n] ? function (v) { return (p = !p) ? { value: __await(o[n](v)), done: n === \"return\" } : f ? f(v) : v; } : f; }\r\n}\r\n\r\nexport function __asyncValues(o) {\r\n if (!Symbol.asyncIterator) throw new TypeError(\"Symbol.asyncIterator is not defined.\");\r\n var m = o[Symbol.asyncIterator], i;\r\n return m ? m.call(o) : (o = typeof __values === \"function\" ? __values(o) : o[Symbol.iterator](), i = {}, verb(\"next\"), verb(\"throw\"), verb(\"return\"), i[Symbol.asyncIterator] = function () { return this; }, i);\r\n function verb(n) { i[n] = o[n] && function (v) { return new Promise(function (resolve, reject) { v = o[n](v), settle(resolve, reject, v.done, v.value); }); }; }\r\n function settle(resolve, reject, d, v) { Promise.resolve(v).then(function(v) { resolve({ value: v, done: d }); }, reject); }\r\n}\r\n\r\nexport function __makeTemplateObject(cooked, raw) {\r\n if (Object.defineProperty) { Object.defineProperty(cooked, \"raw\", { value: raw }); } else { cooked.raw = raw; }\r\n return cooked;\r\n};\r\n\r\nvar __setModuleDefault = Object.create ? (function(o, v) {\r\n Object.defineProperty(o, \"default\", { enumerable: true, value: v });\r\n}) : function(o, v) {\r\n o[\"default\"] = v;\r\n};\r\n\r\nexport function __importStar(mod) {\r\n if (mod && mod.__esModule) return mod;\r\n var result = {};\r\n if (mod != null) for (var k in mod) if (k !== \"default\" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding(result, mod, k);\r\n __setModuleDefault(result, mod);\r\n return result;\r\n}\r\n\r\nexport function __importDefault(mod) {\r\n return (mod && mod.__esModule) ? mod : { default: mod };\r\n}\r\n\r\nexport function __classPrivateFieldGet(receiver, state, kind, f) {\r\n if (kind === \"a\" && !f) throw new TypeError(\"Private accessor was defined without a getter\");\r\n if (typeof state === \"function\" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError(\"Cannot read private member from an object whose class did not declare it\");\r\n return kind === \"m\" ? f : kind === \"a\" ? f.call(receiver) : f ? f.value : state.get(receiver);\r\n}\r\n\r\nexport function __classPrivateFieldSet(receiver, state, value, kind, f) {\r\n if (kind === \"m\") throw new TypeError(\"Private method is not writable\");\r\n if (kind === \"a\" && !f) throw new TypeError(\"Private accessor was defined without a setter\");\r\n if (typeof state === \"function\" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError(\"Cannot write private member to an object whose class did not declare it\");\r\n return (kind === \"a\" ? f.call(receiver, value) : f ? f.value = value : state.set(receiver, value)), value;\r\n}\r\n","var NodeType;\n(function (NodeType) {\n NodeType[NodeType[\"Document\"] = 0] = \"Document\";\n NodeType[NodeType[\"DocumentType\"] = 1] = \"DocumentType\";\n NodeType[NodeType[\"Element\"] = 2] = \"Element\";\n NodeType[NodeType[\"Text\"] = 3] = \"Text\";\n NodeType[NodeType[\"CDATA\"] = 4] = \"CDATA\";\n NodeType[NodeType[\"Comment\"] = 5] = \"Comment\";\n})(NodeType || (NodeType = {}));\n\nfunction isElement(n) {\n return n.nodeType === n.ELEMENT_NODE;\n}\nfunction isShadowRoot(n) {\n var _a;\n var host = (_a = n) === null || _a === void 0 ? void 0 : _a.host;\n return Boolean(host && host.shadowRoot && host.shadowRoot === n);\n}\nfunction maskInputValue(_a) {\n var input = _a.input, maskInputSelector = _a.maskInputSelector, unmaskInputSelector = _a.unmaskInputSelector, maskInputOptions = _a.maskInputOptions, tagName = _a.tagName, type = _a.type, value = _a.value, maskInputFn = _a.maskInputFn;\n var text = value || '';\n if (unmaskInputSelector && input.matches(unmaskInputSelector)) {\n return text;\n }\n if (maskInputOptions[tagName.toLowerCase()] ||\n maskInputOptions[type] ||\n (maskInputSelector && input.matches(maskInputSelector))) {\n if (maskInputFn) {\n text = maskInputFn(text);\n }\n else {\n text = '*'.repeat(text.length);\n }\n }\n return text;\n}\nvar ORIGINAL_ATTRIBUTE_NAME = '__rrweb_original__';\nfunction is2DCanvasBlank(canvas) {\n var ctx = canvas.getContext('2d');\n if (!ctx)\n return true;\n var chunkSize = 50;\n for (var x = 0; x < canvas.width; x += chunkSize) {\n for (var y = 0; y < canvas.height; y += chunkSize) {\n var getImageData = ctx.getImageData;\n var originalGetImageData = ORIGINAL_ATTRIBUTE_NAME in getImageData\n ? getImageData[ORIGINAL_ATTRIBUTE_NAME]\n : getImageData;\n var pixelBuffer = new Uint32Array(originalGetImageData.call(ctx, x, y, Math.min(chunkSize, canvas.width - x), Math.min(chunkSize, canvas.height - y)).data.buffer);\n if (pixelBuffer.some(function (pixel) { return pixel !== 0; }))\n return false;\n }\n }\n return true;\n}\n\nvar _id = 1;\nvar tagNameRegex = new RegExp('[^a-z0-9-_:]');\nvar IGNORED_NODE = -2;\nfunction genId() {\n return _id++;\n}\nfunction getValidTagName(element) {\n if (element instanceof HTMLFormElement) {\n return 'form';\n }\n var processedTagName = element.tagName.toLowerCase().trim();\n if (tagNameRegex.test(processedTagName)) {\n return 'div';\n }\n return processedTagName;\n}\nfunction getCssRulesString(s) {\n try {\n var rules = s.rules || s.cssRules;\n return rules ? Array.from(rules).map(getCssRuleString).join('') : null;\n }\n catch (error) {\n return null;\n }\n}\nfunction getCssRuleString(rule) {\n var cssStringified = rule.cssText;\n if (isCSSImportRule(rule)) {\n try {\n cssStringified = getCssRulesString(rule.styleSheet) || cssStringified;\n }\n catch (_a) {\n }\n }\n return cssStringified;\n}\nfunction isCSSImportRule(rule) {\n return 'styleSheet' in rule;\n}\nfunction stringifyStyleSheet(sheet) {\n return sheet.cssRules\n ? Array.from(sheet.cssRules)\n .map(function (rule) { return rule.cssText || ''; })\n .join('')\n : '';\n}\nfunction extractOrigin(url) {\n var origin = '';\n if (url.indexOf('//') > -1) {\n origin = url.split('/').slice(0, 3).join('/');\n }\n else {\n origin = url.split('/')[0];\n }\n origin = origin.split('?')[0];\n return origin;\n}\nvar canvasService;\nvar canvasCtx;\nvar URL_IN_CSS_REF = /url\\((?:(')([^']*)'|(\")(.*?)\"|([^)]*))\\)/gm;\nvar RELATIVE_PATH = /^(?!www\\.|(?:http|ftp)s?:\\/\\/|[A-Za-z]:\\\\|\\/\\/|#).*/;\nvar DATA_URI = /^(data:)([^,]*),(.*)/i;\nfunction absoluteToStylesheet(cssText, href) {\n return (cssText || '').replace(URL_IN_CSS_REF, function (origin, quote1, path1, quote2, path2, path3) {\n var filePath = path1 || path2 || path3;\n var maybeQuote = quote1 || quote2 || '';\n if (!filePath) {\n return origin;\n }\n if (!RELATIVE_PATH.test(filePath)) {\n return \"url(\" + maybeQuote + filePath + maybeQuote + \")\";\n }\n if (DATA_URI.test(filePath)) {\n return \"url(\" + maybeQuote + filePath + maybeQuote + \")\";\n }\n if (filePath[0] === '/') {\n return \"url(\" + maybeQuote + (extractOrigin(href) + filePath) + maybeQuote + \")\";\n }\n var stack = href.split('/');\n var parts = filePath.split('/');\n stack.pop();\n for (var _i = 0, parts_1 = parts; _i < parts_1.length; _i++) {\n var part = parts_1[_i];\n if (part === '.') {\n continue;\n }\n else if (part === '..') {\n stack.pop();\n }\n else {\n stack.push(part);\n }\n }\n return \"url(\" + maybeQuote + stack.join('/') + maybeQuote + \")\";\n });\n}\nvar SRCSET_NOT_SPACES = /^[^ \\t\\n\\r\\u000c]+/;\nvar SRCSET_COMMAS_OR_SPACES = /^[, \\t\\n\\r\\u000c]+/;\nfunction getAbsoluteSrcsetString(doc, attributeValue) {\n if (attributeValue.trim() === '') {\n return attributeValue;\n }\n var pos = 0;\n function collectCharacters(regEx) {\n var chars;\n var match = regEx.exec(attributeValue.substring(pos));\n if (match) {\n chars = match[0];\n pos += chars.length;\n return chars;\n }\n return '';\n }\n var output = [];\n while (true) {\n collectCharacters(SRCSET_COMMAS_OR_SPACES);\n if (pos >= attributeValue.length) {\n break;\n }\n var url = collectCharacters(SRCSET_NOT_SPACES);\n if (url.slice(-1) === ',') {\n url = absoluteToDoc(doc, url.substring(0, url.length - 1));\n output.push(url);\n }\n else {\n var descriptorsStr = '';\n url = absoluteToDoc(doc, url);\n var inParens = false;\n while (true) {\n var c = attributeValue.charAt(pos);\n if (c === '') {\n output.push((url + descriptorsStr).trim());\n break;\n }\n else if (!inParens) {\n if (c === ',') {\n pos += 1;\n output.push((url + descriptorsStr).trim());\n break;\n }\n else if (c === '(') {\n inParens = true;\n }\n }\n else {\n if (c === ')') {\n inParens = false;\n }\n }\n descriptorsStr += c;\n pos += 1;\n }\n }\n }\n return output.join(', ');\n}\nfunction absoluteToDoc(doc, attributeValue) {\n if (!attributeValue || attributeValue.trim() === '') {\n return attributeValue;\n }\n var a = doc.createElement('a');\n a.href = attributeValue;\n return a.href;\n}\nfunction isSVGElement(el) {\n return Boolean(el.tagName === 'svg' || el.ownerSVGElement);\n}\nfunction getHref() {\n var a = document.createElement('a');\n a.href = '';\n return a.href;\n}\nfunction transformAttribute(doc, tagName, name, value) {\n if (name === 'src' || (name === 'href' && value)) {\n return absoluteToDoc(doc, value);\n }\n else if (name === 'xlink:href' && value && value[0] !== '#') {\n return absoluteToDoc(doc, value);\n }\n else if (name === 'background' &&\n value &&\n (tagName === 'table' || tagName === 'td' || tagName === 'th')) {\n return absoluteToDoc(doc, value);\n }\n else if (name === 'srcset' && value) {\n return getAbsoluteSrcsetString(doc, value);\n }\n else if (name === 'style' && value) {\n return absoluteToStylesheet(value, getHref());\n }\n else if (tagName === 'object' && name === 'data' && value) {\n return absoluteToDoc(doc, value);\n }\n else {\n return value;\n }\n}\nfunction _isBlockedElement(element, blockClass, blockSelector, unblockSelector) {\n if (unblockSelector && element.matches(unblockSelector)) {\n return false;\n }\n if (typeof blockClass === 'string') {\n if (element.classList.contains(blockClass)) {\n return true;\n }\n }\n else {\n for (var eIndex = 0; eIndex < element.classList.length; eIndex++) {\n var className = element.classList[eIndex];\n if (blockClass.test(className)) {\n return true;\n }\n }\n }\n if (blockSelector) {\n return element.matches(blockSelector);\n }\n return false;\n}\nfunction needMaskingText(node, maskTextClass, maskTextSelector, unmaskTextSelector) {\n if (!node) {\n return false;\n }\n if (node.nodeType === node.ELEMENT_NODE) {\n if (unmaskTextSelector) {\n if (node.matches(unmaskTextSelector) || node.closest(unmaskTextSelector)) {\n return false;\n }\n }\n if (typeof maskTextClass === 'string') {\n if (node.classList.contains(maskTextClass)) {\n return true;\n }\n }\n else {\n for (var eIndex = 0; eIndex < node.classList.length; eIndex++) {\n var className = node.classList[eIndex];\n if (maskTextClass.test(className)) {\n return true;\n }\n }\n }\n if (maskTextSelector) {\n if (node.matches(maskTextSelector)) {\n return true;\n }\n }\n return needMaskingText(node.parentNode, maskTextClass, maskTextSelector, unmaskTextSelector);\n }\n if (node.nodeType === node.TEXT_NODE) {\n return needMaskingText(node.parentNode, maskTextClass, maskTextSelector, unmaskTextSelector);\n }\n return needMaskingText(node.parentNode, maskTextClass, maskTextSelector, unmaskTextSelector);\n}\nfunction onceIframeLoaded(iframeEl, listener, iframeLoadTimeout) {\n var win = iframeEl.contentWindow;\n if (!win) {\n return;\n }\n var fired = false;\n var readyState;\n try {\n readyState = win.document.readyState;\n }\n catch (error) {\n return;\n }\n if (readyState !== 'complete') {\n var timer_1 = setTimeout(function () {\n if (!fired) {\n listener();\n fired = true;\n }\n }, iframeLoadTimeout);\n iframeEl.addEventListener('load', function () {\n clearTimeout(timer_1);\n fired = true;\n listener();\n });\n return;\n }\n var blankUrl = 'about:blank';\n if (win.location.href !== blankUrl ||\n iframeEl.src === blankUrl ||\n iframeEl.src === '') {\n setTimeout(listener, 0);\n return;\n }\n iframeEl.addEventListener('load', listener);\n}\nfunction serializeNode(n, options) {\n var _a;\n var doc = options.doc, blockClass = options.blockClass, blockSelector = options.blockSelector, unblockSelector = options.unblockSelector, maskTextClass = options.maskTextClass, maskTextSelector = options.maskTextSelector, unmaskTextSelector = options.unmaskTextSelector, inlineStylesheet = options.inlineStylesheet, maskInputSelector = options.maskInputSelector, unmaskInputSelector = options.unmaskInputSelector, _b = options.maskInputOptions, maskInputOptions = _b === void 0 ? {} : _b, maskTextFn = options.maskTextFn, maskInputFn = options.maskInputFn, _c = options.dataURLOptions, dataURLOptions = _c === void 0 ? {} : _c, inlineImages = options.inlineImages, recordCanvas = options.recordCanvas, keepIframeSrcFn = options.keepIframeSrcFn;\n var rootId;\n if (doc.__sn) {\n var docId = doc.__sn.id;\n rootId = docId === 1 ? undefined : docId;\n }\n switch (n.nodeType) {\n case n.DOCUMENT_NODE:\n if (n.compatMode !== 'CSS1Compat') {\n return {\n type: NodeType.Document,\n childNodes: [],\n compatMode: n.compatMode,\n rootId: rootId\n };\n }\n else {\n return {\n type: NodeType.Document,\n childNodes: [],\n rootId: rootId\n };\n }\n case n.DOCUMENT_TYPE_NODE:\n return {\n type: NodeType.DocumentType,\n name: n.name,\n publicId: n.publicId,\n systemId: n.systemId,\n rootId: rootId\n };\n case n.ELEMENT_NODE:\n var needBlock = _isBlockedElement(n, blockClass, blockSelector, unblockSelector);\n var tagName = getValidTagName(n);\n var attributes_1 = {};\n for (var _i = 0, _d = Array.from(n.attributes); _i < _d.length; _i++) {\n var _e = _d[_i], name_1 = _e.name, value = _e.value;\n attributes_1[name_1] = transformAttribute(doc, tagName, name_1, value);\n }\n if (tagName === 'link' && inlineStylesheet) {\n var stylesheet = Array.from(doc.styleSheets).find(function (s) {\n return s.href === n.href;\n });\n var cssText = null;\n if (stylesheet) {\n cssText = getCssRulesString(stylesheet);\n }\n if (cssText) {\n delete attributes_1.rel;\n delete attributes_1.href;\n attributes_1._cssText = absoluteToStylesheet(cssText, stylesheet.href);\n }\n }\n if (tagName === 'style' &&\n n.sheet &&\n !(n.innerText ||\n n.textContent ||\n '').trim().length) {\n var cssText = getCssRulesString(n.sheet);\n if (cssText) {\n attributes_1._cssText = absoluteToStylesheet(cssText, getHref());\n }\n }\n if (tagName === 'input' ||\n tagName === 'textarea' ||\n tagName === 'select') {\n var value = n.value;\n if (attributes_1.type !== 'radio' &&\n attributes_1.type !== 'checkbox' &&\n attributes_1.type !== 'submit' &&\n attributes_1.type !== 'button' &&\n value) {\n attributes_1.value = maskInputValue({\n input: n,\n type: attributes_1.type,\n tagName: tagName,\n value: value,\n maskInputSelector: maskInputSelector,\n unmaskInputSelector: unmaskInputSelector,\n maskInputOptions: maskInputOptions,\n maskInputFn: maskInputFn\n });\n }\n else if (n.checked) {\n attributes_1.checked = n.checked;\n }\n }\n if (tagName === 'option') {\n if (n.selected && !maskInputOptions['select']) {\n attributes_1.selected = true;\n }\n else {\n delete attributes_1.selected;\n }\n }\n if (tagName === 'canvas' && recordCanvas) {\n if (n.__context === '2d') {\n if (!is2DCanvasBlank(n)) {\n attributes_1.rr_dataURL = n.toDataURL(dataURLOptions.type, dataURLOptions.quality);\n }\n }\n else if (!('__context' in n)) {\n var canvasDataURL = n.toDataURL(dataURLOptions.type, dataURLOptions.quality);\n var blankCanvas = document.createElement('canvas');\n blankCanvas.width = n.width;\n blankCanvas.height = n.height;\n var blankCanvasDataURL = blankCanvas.toDataURL(dataURLOptions.type, dataURLOptions.quality);\n if (canvasDataURL !== blankCanvasDataURL) {\n attributes_1.rr_dataURL = canvasDataURL;\n }\n }\n }\n if (tagName === 'img' && inlineImages) {\n if (!canvasService) {\n canvasService = doc.createElement('canvas');\n canvasCtx = canvasService.getContext('2d');\n }\n var image_1 = n;\n var oldValue_1 = image_1.crossOrigin;\n image_1.crossOrigin = 'anonymous';\n var recordInlineImage = function () {\n try {\n canvasService.width = image_1.naturalWidth;\n canvasService.height = image_1.naturalHeight;\n canvasCtx.drawImage(image_1, 0, 0);\n attributes_1.rr_dataURL = canvasService.toDataURL(dataURLOptions.type, dataURLOptions.quality);\n }\n catch (err) {\n console.warn(\"Cannot inline img src=\" + image_1.currentSrc + \"! Error: \" + err);\n }\n oldValue_1\n ? (attributes_1.crossOrigin = oldValue_1)\n : delete attributes_1.crossOrigin;\n };\n if (image_1.complete && image_1.naturalWidth !== 0)\n recordInlineImage();\n else\n image_1.onload = recordInlineImage;\n }\n if (tagName === 'audio' || tagName === 'video') {\n attributes_1.rr_mediaState = n.paused\n ? 'paused'\n : 'played';\n attributes_1.rr_mediaCurrentTime = n.currentTime;\n }\n if (n.scrollLeft) {\n attributes_1.rr_scrollLeft = n.scrollLeft;\n }\n if (n.scrollTop) {\n attributes_1.rr_scrollTop = n.scrollTop;\n }\n if (needBlock) {\n var _f = n.getBoundingClientRect(), width = _f.width, height = _f.height;\n attributes_1 = {\n \"class\": attributes_1[\"class\"],\n rr_width: width + \"px\",\n rr_height: height + \"px\"\n };\n }\n if (tagName === 'iframe' && !keepIframeSrcFn(attributes_1.src)) {\n if (!n.contentDocument) {\n attributes_1.rr_src = attributes_1.src;\n }\n delete attributes_1.src;\n }\n return {\n type: NodeType.Element,\n tagName: tagName,\n attributes: attributes_1,\n childNodes: [],\n isSVG: isSVGElement(n) || undefined,\n needBlock: needBlock,\n rootId: rootId\n };\n case n.TEXT_NODE:\n var parentTagName = n.parentNode && n.parentNode.tagName;\n var textContent = n.textContent;\n var isStyle = parentTagName === 'STYLE' ? true : undefined;\n var isScript = parentTagName === 'SCRIPT' ? true : undefined;\n if (isStyle && textContent) {\n try {\n if (n.nextSibling || n.previousSibling) {\n }\n else if ((_a = n.parentNode.sheet) === null || _a === void 0 ? void 0 : _a.cssRules) {\n textContent = stringifyStyleSheet(n.parentNode.sheet);\n }\n }\n catch (err) {\n console.warn(\"Cannot get CSS styles from text's parentNode. Error: \" + err, n);\n }\n textContent = absoluteToStylesheet(textContent, getHref());\n }\n if (isScript) {\n textContent = 'SCRIPT_PLACEHOLDER';\n }\n if (!isStyle &&\n !isScript &&\n needMaskingText(n, maskTextClass, maskTextSelector, unmaskTextSelector) &&\n textContent) {\n textContent = maskTextFn\n ? maskTextFn(textContent)\n : textContent.replace(/[\\S]/g, '*');\n }\n return {\n type: NodeType.Text,\n textContent: textContent || '',\n isStyle: isStyle,\n rootId: rootId\n };\n case n.CDATA_SECTION_NODE:\n return {\n type: NodeType.CDATA,\n textContent: '',\n rootId: rootId\n };\n case n.COMMENT_NODE:\n return {\n type: NodeType.Comment,\n textContent: n.textContent || '',\n rootId: rootId\n };\n default:\n return false;\n }\n}\nfunction lowerIfExists(maybeAttr) {\n if (maybeAttr === undefined) {\n return '';\n }\n else {\n return maybeAttr.toLowerCase();\n }\n}\nfunction slimDOMExcluded(sn, slimDOMOptions) {\n if (slimDOMOptions.comment && sn.type === NodeType.Comment) {\n return true;\n }\n else if (sn.type === NodeType.Element) {\n if (slimDOMOptions.script &&\n (sn.tagName === 'script' ||\n (sn.tagName === 'link' &&\n sn.attributes.rel === 'preload' &&\n sn.attributes.as === 'script') ||\n (sn.tagName === 'link' &&\n sn.attributes.rel === 'prefetch' &&\n typeof sn.attributes.href === 'string' &&\n sn.attributes.href.endsWith('.js')))) {\n return true;\n }\n else if (slimDOMOptions.headFavicon &&\n ((sn.tagName === 'link' && sn.attributes.rel === 'shortcut icon') ||\n (sn.tagName === 'meta' &&\n (lowerIfExists(sn.attributes.name).match(/^msapplication-tile(image|color)$/) ||\n lowerIfExists(sn.attributes.name) === 'application-name' ||\n lowerIfExists(sn.attributes.rel) === 'icon' ||\n lowerIfExists(sn.attributes.rel) === 'apple-touch-icon' ||\n lowerIfExists(sn.attributes.rel) === 'shortcut icon')))) {\n return true;\n }\n else if (sn.tagName === 'meta') {\n if (slimDOMOptions.headMetaDescKeywords &&\n lowerIfExists(sn.attributes.name).match(/^description|keywords$/)) {\n return true;\n }\n else if (slimDOMOptions.headMetaSocial &&\n (lowerIfExists(sn.attributes.property).match(/^(og|twitter|fb):/) ||\n lowerIfExists(sn.attributes.name).match(/^(og|twitter):/) ||\n lowerIfExists(sn.attributes.name) === 'pinterest')) {\n return true;\n }\n else if (slimDOMOptions.headMetaRobots &&\n (lowerIfExists(sn.attributes.name) === 'robots' ||\n lowerIfExists(sn.attributes.name) === 'googlebot' ||\n lowerIfExists(sn.attributes.name) === 'bingbot')) {\n return true;\n }\n else if (slimDOMOptions.headMetaHttpEquiv &&\n sn.attributes['http-equiv'] !== undefined) {\n return true;\n }\n else if (slimDOMOptions.headMetaAuthorship &&\n (lowerIfExists(sn.attributes.name) === 'author' ||\n lowerIfExists(sn.attributes.name) === 'generator' ||\n lowerIfExists(sn.attributes.name) === 'framework' ||\n lowerIfExists(sn.attributes.name) === 'publisher' ||\n lowerIfExists(sn.attributes.name) === 'progid' ||\n lowerIfExists(sn.attributes.property).match(/^article:/) ||\n lowerIfExists(sn.attributes.property).match(/^product:/))) {\n return true;\n }\n else if (slimDOMOptions.headMetaVerification &&\n (lowerIfExists(sn.attributes.name) === 'google-site-verification' ||\n lowerIfExists(sn.attributes.name) === 'yandex-verification' ||\n lowerIfExists(sn.attributes.name) === 'csrf-token' ||\n lowerIfExists(sn.attributes.name) === 'p:domain_verify' ||\n lowerIfExists(sn.attributes.name) === 'verify-v1' ||\n lowerIfExists(sn.attributes.name) === 'verification' ||\n lowerIfExists(sn.attributes.name) === 'shopify-checkout-api-token')) {\n return true;\n }\n }\n }\n return false;\n}\nfunction serializeNodeWithId(n, options) {\n var doc = options.doc, map = options.map, blockClass = options.blockClass, blockSelector = options.blockSelector, unblockSelector = options.unblockSelector, maskTextClass = options.maskTextClass, maskTextSelector = options.maskTextSelector, unmaskTextSelector = options.unmaskTextSelector, _a = options.skipChild, skipChild = _a === void 0 ? false : _a, _b = options.inlineStylesheet, inlineStylesheet = _b === void 0 ? true : _b, maskInputSelector = options.maskInputSelector, unmaskInputSelector = options.unmaskInputSelector, _c = options.maskInputOptions, maskInputOptions = _c === void 0 ? {} : _c, maskTextFn = options.maskTextFn, maskInputFn = options.maskInputFn, slimDOMOptions = options.slimDOMOptions, _d = options.dataURLOptions, dataURLOptions = _d === void 0 ? {} : _d, _e = options.inlineImages, inlineImages = _e === void 0 ? false : _e, _f = options.recordCanvas, recordCanvas = _f === void 0 ? false : _f, onSerialize = options.onSerialize, onIframeLoad = options.onIframeLoad, _g = options.iframeLoadTimeout, iframeLoadTimeout = _g === void 0 ? 5000 : _g, _h = options.keepIframeSrcFn, keepIframeSrcFn = _h === void 0 ? function () { return false; } : _h;\n var _j = options.preserveWhiteSpace, preserveWhiteSpace = _j === void 0 ? true : _j;\n var _serializedNode = serializeNode(n, {\n doc: doc,\n blockClass: blockClass,\n blockSelector: blockSelector,\n unblockSelector: unblockSelector,\n maskTextClass: maskTextClass,\n maskTextSelector: maskTextSelector,\n unmaskTextSelector: unmaskTextSelector,\n inlineStylesheet: inlineStylesheet,\n maskInputSelector: maskInputSelector,\n unmaskInputSelector: unmaskInputSelector,\n maskInputOptions: maskInputOptions,\n maskTextFn: maskTextFn,\n maskInputFn: maskInputFn,\n dataURLOptions: dataURLOptions,\n inlineImages: inlineImages,\n recordCanvas: recordCanvas,\n keepIframeSrcFn: keepIframeSrcFn\n });\n if (!_serializedNode) {\n console.warn(n, 'not serialized');\n return null;\n }\n var id;\n if ('__sn' in n) {\n id = n.__sn.id;\n }\n else if (slimDOMExcluded(_serializedNode, slimDOMOptions) ||\n (!preserveWhiteSpace &&\n _serializedNode.type === NodeType.Text &&\n !_serializedNode.isStyle &&\n !_serializedNode.textContent.replace(/^\\s+|\\s+$/gm, '').length)) {\n id = IGNORED_NODE;\n }\n else {\n id = genId();\n }\n var serializedNode = Object.assign(_serializedNode, { id: id });\n n.__sn = serializedNode;\n if (id === IGNORED_NODE) {\n return null;\n }\n map[id] = n;\n if (onSerialize) {\n onSerialize(n);\n }\n var recordChild = !skipChild;\n if (serializedNode.type === NodeType.Element) {\n recordChild = recordChild && !serializedNode.needBlock;\n delete serializedNode.needBlock;\n if (n.shadowRoot)\n serializedNode.isShadowHost = true;\n }\n if ((serializedNode.type === NodeType.Document ||\n serializedNode.type === NodeType.Element) &&\n recordChild) {\n if (slimDOMOptions.headWhitespace &&\n _serializedNode.type === NodeType.Element &&\n _serializedNode.tagName === 'head') {\n preserveWhiteSpace = false;\n }\n var bypassOptions = {\n doc: doc,\n map: map,\n blockClass: blockClass,\n blockSelector: blockSelector,\n unblockSelector: unblockSelector,\n maskTextClass: maskTextClass,\n maskTextSelector: maskTextSelector,\n unmaskTextSelector: unmaskTextSelector,\n skipChild: skipChild,\n inlineStylesheet: inlineStylesheet,\n maskInputSelector: maskInputSelector,\n unmaskInputSelector: unmaskInputSelector,\n maskInputOptions: maskInputOptions,\n maskTextFn: maskTextFn,\n maskInputFn: maskInputFn,\n slimDOMOptions: slimDOMOptions,\n dataURLOptions: dataURLOptions,\n inlineImages: inlineImages,\n recordCanvas: recordCanvas,\n preserveWhiteSpace: preserveWhiteSpace,\n onSerialize: onSerialize,\n onIframeLoad: onIframeLoad,\n iframeLoadTimeout: iframeLoadTimeout,\n keepIframeSrcFn: keepIframeSrcFn\n };\n for (var _i = 0, _k = Array.from(n.childNodes); _i < _k.length; _i++) {\n var childN = _k[_i];\n var serializedChildNode = serializeNodeWithId(childN, bypassOptions);\n if (serializedChildNode) {\n serializedNode.childNodes.push(serializedChildNode);\n }\n }\n if (isElement(n) && n.shadowRoot) {\n for (var _l = 0, _m = Array.from(n.shadowRoot.childNodes); _l < _m.length; _l++) {\n var childN = _m[_l];\n var serializedChildNode = serializeNodeWithId(childN, bypassOptions);\n if (serializedChildNode) {\n serializedChildNode.isShadow = true;\n serializedNode.childNodes.push(serializedChildNode);\n }\n }\n }\n }\n if (n.parentNode && isShadowRoot(n.parentNode)) {\n serializedNode.isShadow = true;\n }\n if (serializedNode.type === NodeType.Element &&\n serializedNode.tagName === 'iframe') {\n onceIframeLoaded(n, function () {\n var iframeDoc = n.contentDocument;\n if (iframeDoc && onIframeLoad) {\n var serializedIframeNode = serializeNodeWithId(iframeDoc, {\n doc: iframeDoc,\n map: map,\n blockClass: blockClass,\n blockSelector: blockSelector,\n unblockSelector: unblockSelector,\n maskTextClass: maskTextClass,\n maskTextSelector: maskTextSelector,\n unmaskTextSelector: unmaskTextSelector,\n skipChild: false,\n inlineStylesheet: inlineStylesheet,\n maskInputSelector: maskInputSelector,\n unmaskInputSelector: unmaskInputSelector,\n maskInputOptions: maskInputOptions,\n maskTextFn: maskTextFn,\n maskInputFn: maskInputFn,\n slimDOMOptions: slimDOMOptions,\n dataURLOptions: dataURLOptions,\n inlineImages: inlineImages,\n recordCanvas: recordCanvas,\n preserveWhiteSpace: preserveWhiteSpace,\n onSerialize: onSerialize,\n onIframeLoad: onIframeLoad,\n iframeLoadTimeout: iframeLoadTimeout,\n keepIframeSrcFn: keepIframeSrcFn\n });\n if (serializedIframeNode) {\n onIframeLoad(n, serializedIframeNode);\n }\n }\n }, iframeLoadTimeout);\n }\n return serializedNode;\n}\nfunction snapshot(n, options) {\n var _a = options || {}, _b = _a.blockClass, blockClass = _b === void 0 ? 'rr-block' : _b, _c = _a.blockSelector, blockSelector = _c === void 0 ? null : _c, _d = _a.unblockSelector, unblockSelector = _d === void 0 ? null : _d, _e = _a.maskTextClass, maskTextClass = _e === void 0 ? 'rr-mask' : _e, _f = _a.maskTextSelector, maskTextSelector = _f === void 0 ? null : _f, _g = _a.unmaskTextSelector, unmaskTextSelector = _g === void 0 ? null : _g, _h = _a.inlineStylesheet, inlineStylesheet = _h === void 0 ? true : _h, _j = _a.inlineImages, inlineImages = _j === void 0 ? false : _j, _k = _a.recordCanvas, recordCanvas = _k === void 0 ? false : _k, _l = _a.maskInputSelector, maskInputSelector = _l === void 0 ? null : _l, _m = _a.unmaskInputSelector, unmaskInputSelector = _m === void 0 ? null : _m, _o = _a.maskAllInputs, maskAllInputs = _o === void 0 ? false : _o, maskTextFn = _a.maskTextFn, maskInputFn = _a.maskInputFn, _p = _a.slimDOM, slimDOM = _p === void 0 ? false : _p, dataURLOptions = _a.dataURLOptions, preserveWhiteSpace = _a.preserveWhiteSpace, onSerialize = _a.onSerialize, onIframeLoad = _a.onIframeLoad, iframeLoadTimeout = _a.iframeLoadTimeout, _q = _a.keepIframeSrcFn, keepIframeSrcFn = _q === void 0 ? function () { return false; } : _q;\n var idNodeMap = {};\n var maskInputOptions = maskAllInputs === true\n ? {\n color: true,\n date: true,\n 'datetime-local': true,\n email: true,\n month: true,\n number: true,\n range: true,\n search: true,\n tel: true,\n text: true,\n time: true,\n url: true,\n week: true,\n textarea: true,\n select: true,\n password: true\n }\n : maskAllInputs === false\n ? {\n password: true\n }\n : maskAllInputs;\n var slimDOMOptions = slimDOM === true || slimDOM === 'all'\n ?\n {\n script: true,\n comment: true,\n headFavicon: true,\n headWhitespace: true,\n headMetaDescKeywords: slimDOM === 'all',\n headMetaSocial: true,\n headMetaRobots: true,\n headMetaHttpEquiv: true,\n headMetaAuthorship: true,\n headMetaVerification: true\n }\n : slimDOM === false\n ? {}\n : slimDOM;\n return [\n serializeNodeWithId(n, {\n doc: n,\n map: idNodeMap,\n blockClass: blockClass,\n blockSelector: blockSelector,\n unblockSelector: unblockSelector,\n maskTextClass: maskTextClass,\n maskTextSelector: maskTextSelector,\n unmaskTextSelector: unmaskTextSelector,\n skipChild: false,\n inlineStylesheet: inlineStylesheet,\n maskInputSelector: maskInputSelector,\n unmaskInputSelector: unmaskInputSelector,\n maskInputOptions: maskInputOptions,\n maskTextFn: maskTextFn,\n maskInputFn: maskInputFn,\n slimDOMOptions: slimDOMOptions,\n dataURLOptions: dataURLOptions,\n inlineImages: inlineImages,\n recordCanvas: recordCanvas,\n preserveWhiteSpace: preserveWhiteSpace,\n onSerialize: onSerialize,\n onIframeLoad: onIframeLoad,\n iframeLoadTimeout: iframeLoadTimeout,\n keepIframeSrcFn: keepIframeSrcFn\n }),\n idNodeMap,\n ];\n}\nfunction visitSnapshot(node, onVisit) {\n function walk(current) {\n onVisit(current);\n if (current.type === NodeType.Document ||\n current.type === NodeType.Element) {\n current.childNodes.forEach(walk);\n }\n }\n walk(node);\n}\nfunction cleanupSnapshot() {\n _id = 1;\n}\n\nvar commentre = /\\/\\*[^*]*\\*+([^/*][^*]*\\*+)*\\//g;\nfunction parse(css, options) {\n if (options === void 0) { options = {}; }\n var lineno = 1;\n var column = 1;\n function updatePosition(str) {\n var lines = str.match(/\\n/g);\n if (lines) {\n lineno += lines.length;\n }\n var i = str.lastIndexOf('\\n');\n column = i === -1 ? column + str.length : str.length - i;\n }\n function position() {\n var start = { line: lineno, column: column };\n return function (node) {\n node.position = new Position(start);\n whitespace();\n return node;\n };\n }\n var Position = (function () {\n function Position(start) {\n this.start = start;\n this.end = { line: lineno, column: column };\n this.source = options.source;\n }\n return Position;\n }());\n Position.prototype.content = css;\n var errorsList = [];\n function error(msg) {\n var err = new Error(options.source + ':' + lineno + ':' + column + ': ' + msg);\n err.reason = msg;\n err.filename = options.source;\n err.line = lineno;\n err.column = column;\n err.source = css;\n if (options.silent) {\n errorsList.push(err);\n }\n else {\n throw err;\n }\n }\n function stylesheet() {\n var rulesList = rules();\n return {\n type: 'stylesheet',\n stylesheet: {\n source: options.source,\n rules: rulesList,\n parsingErrors: errorsList\n }\n };\n }\n function open() {\n return match(/^{\\s*/);\n }\n function close() {\n return match(/^}/);\n }\n function rules() {\n var node;\n var rules = [];\n whitespace();\n comments(rules);\n while (css.length && css.charAt(0) !== '}' && (node = atrule() || rule())) {\n if (node !== false) {\n rules.push(node);\n comments(rules);\n }\n }\n return rules;\n }\n function match(re) {\n var m = re.exec(css);\n if (!m) {\n return;\n }\n var str = m[0];\n updatePosition(str);\n css = css.slice(str.length);\n return m;\n }\n function whitespace() {\n match(/^\\s*/);\n }\n function comments(rules) {\n if (rules === void 0) { rules = []; }\n var c;\n while ((c = comment())) {\n if (c !== false) {\n rules.push(c);\n }\n c = comment();\n }\n return rules;\n }\n function comment() {\n var pos = position();\n if ('/' !== css.charAt(0) || '*' !== css.charAt(1)) {\n return;\n }\n var i = 2;\n while ('' !== css.charAt(i) &&\n ('*' !== css.charAt(i) || '/' !== css.charAt(i + 1))) {\n ++i;\n }\n i += 2;\n if ('' === css.charAt(i - 1)) {\n return error('End of comment missing');\n }\n var str = css.slice(2, i - 2);\n column += 2;\n updatePosition(str);\n css = css.slice(i);\n column += 2;\n return pos({\n type: 'comment',\n comment: str\n });\n }\n function selector() {\n var m = match(/^([^{]+)/);\n if (!m) {\n return;\n }\n return trim(m[0])\n .replace(/\\/\\*([^*]|[\\r\\n]|(\\*+([^*/]|[\\r\\n])))*\\*\\/+/g, '')\n .replace(/\"(?:\\\\\"|[^\"])*\"|'(?:\\\\'|[^'])*'/g, function (m) {\n return m.replace(/,/g, '\\u200C');\n })\n .split(/\\s*(?![^(]*\\)),\\s*/)\n .map(function (s) {\n return s.replace(/\\u200C/g, ',');\n });\n }\n function declaration() {\n var pos = position();\n var propMatch = match(/^(\\*?[-#\\/\\*\\\\\\w]+(\\[[0-9a-z_-]+\\])?)\\s*/);\n if (!propMatch) {\n return;\n }\n var prop = trim(propMatch[0]);\n if (!match(/^:\\s*/)) {\n return error(\"property missing ':'\");\n }\n var val = match(/^((?:'(?:\\\\'|.)*?'|\"(?:\\\\\"|.)*?\"|\\([^\\)]*?\\)|[^};])+)/);\n var ret = pos({\n type: 'declaration',\n property: prop.replace(commentre, ''),\n value: val ? trim(val[0]).replace(commentre, '') : ''\n });\n match(/^[;\\s]*/);\n return ret;\n }\n function declarations() {\n var decls = [];\n if (!open()) {\n return error(\"missing '{'\");\n }\n comments(decls);\n var decl;\n while ((decl = declaration())) {\n if (decl !== false) {\n decls.push(decl);\n comments(decls);\n }\n decl = declaration();\n }\n if (!close()) {\n return error(\"missing '}'\");\n }\n return decls;\n }\n function keyframe() {\n var m;\n var vals = [];\n var pos = position();\n while ((m = match(/^((\\d+\\.\\d+|\\.\\d+|\\d+)%?|[a-z]+)\\s*/))) {\n vals.push(m[1]);\n match(/^,\\s*/);\n }\n if (!vals.length) {\n return;\n }\n return pos({\n type: 'keyframe',\n values: vals,\n declarations: declarations()\n });\n }\n function atkeyframes() {\n var pos = position();\n var m = match(/^@([-\\w]+)?keyframes\\s*/);\n if (!m) {\n return;\n }\n var vendor = m[1];\n m = match(/^([-\\w]+)\\s*/);\n if (!m) {\n return error('@keyframes missing name');\n }\n var name = m[1];\n if (!open()) {\n return error(\"@keyframes missing '{'\");\n }\n var frame;\n var frames = comments();\n while ((frame = keyframe())) {\n frames.push(frame);\n frames = frames.concat(comments());\n }\n if (!close()) {\n return error(\"@keyframes missing '}'\");\n }\n return pos({\n type: 'keyframes',\n name: name,\n vendor: vendor,\n keyframes: frames\n });\n }\n function atsupports() {\n var pos = position();\n var m = match(/^@supports *([^{]+)/);\n if (!m) {\n return;\n }\n var supports = trim(m[1]);\n if (!open()) {\n return error(\"@supports missing '{'\");\n }\n var style = comments().concat(rules());\n if (!close()) {\n return error(\"@supports missing '}'\");\n }\n return pos({\n type: 'supports',\n supports: supports,\n rules: style\n });\n }\n function athost() {\n var pos = position();\n var m = match(/^@host\\s*/);\n if (!m) {\n return;\n }\n if (!open()) {\n return error(\"@host missing '{'\");\n }\n var style = comments().concat(rules());\n if (!close()) {\n return error(\"@host missing '}'\");\n }\n return pos({\n type: 'host',\n rules: style\n });\n }\n function atmedia() {\n var pos = position();\n var m = match(/^@media *([^{]+)/);\n if (!m) {\n return;\n }\n var media = trim(m[1]);\n if (!open()) {\n return error(\"@media missing '{'\");\n }\n var style = comments().concat(rules());\n if (!close()) {\n return error(\"@media missing '}'\");\n }\n return pos({\n type: 'media',\n media: media,\n rules: style\n });\n }\n function atcustommedia() {\n var pos = position();\n var m = match(/^@custom-media\\s+(--[^\\s]+)\\s*([^{;]+);/);\n if (!m) {\n return;\n }\n return pos({\n type: 'custom-media',\n name: trim(m[1]),\n media: trim(m[2])\n });\n }\n function atpage() {\n var pos = position();\n var m = match(/^@page */);\n if (!m) {\n return;\n }\n var sel = selector() || [];\n if (!open()) {\n return error(\"@page missing '{'\");\n }\n var decls = comments();\n var decl;\n while ((decl = declaration())) {\n decls.push(decl);\n decls = decls.concat(comments());\n }\n if (!close()) {\n return error(\"@page missing '}'\");\n }\n return pos({\n type: 'page',\n selectors: sel,\n declarations: decls\n });\n }\n function atdocument() {\n var pos = position();\n var m = match(/^@([-\\w]+)?document *([^{]+)/);\n if (!m) {\n return;\n }\n var vendor = trim(m[1]);\n var doc = trim(m[2]);\n if (!open()) {\n return error(\"@document missing '{'\");\n }\n var style = comments().concat(rules());\n if (!close()) {\n return error(\"@document missing '}'\");\n }\n return pos({\n type: 'document',\n document: doc,\n vendor: vendor,\n rules: style\n });\n }\n function atfontface() {\n var pos = position();\n var m = match(/^@font-face\\s*/);\n if (!m) {\n return;\n }\n if (!open()) {\n return error(\"@font-face missing '{'\");\n }\n var decls = comments();\n var decl;\n while ((decl = declaration())) {\n decls.push(decl);\n decls = decls.concat(comments());\n }\n if (!close()) {\n return error(\"@font-face missing '}'\");\n }\n return pos({\n type: 'font-face',\n declarations: decls\n });\n }\n var atimport = _compileAtrule('import');\n var atcharset = _compileAtrule('charset');\n var atnamespace = _compileAtrule('namespace');\n function _compileAtrule(name) {\n var re = new RegExp('^@' + name + '\\\\s*([^;]+);');\n return function () {\n var pos = position();\n var m = match(re);\n if (!m) {\n return;\n }\n var ret = { type: name };\n ret[name] = m[1].trim();\n return pos(ret);\n };\n }\n function atrule() {\n if (css[0] !== '@') {\n return;\n }\n return (atkeyframes() ||\n atmedia() ||\n atcustommedia() ||\n atsupports() ||\n atimport() ||\n atcharset() ||\n atnamespace() ||\n atdocument() ||\n atpage() ||\n athost() ||\n atfontface());\n }\n function rule() {\n var pos = position();\n var sel = selector();\n if (!sel) {\n return error('selector missing');\n }\n comments();\n return pos({\n type: 'rule',\n selectors: sel,\n declarations: declarations()\n });\n }\n return addParent(stylesheet());\n}\nfunction trim(str) {\n return str ? str.replace(/^\\s+|\\s+$/g, '') : '';\n}\nfunction addParent(obj, parent) {\n var isNode = obj && typeof obj.type === 'string';\n var childParent = isNode ? obj : parent;\n for (var _i = 0, _a = Object.keys(obj); _i < _a.length; _i++) {\n var k = _a[_i];\n var value = obj[k];\n if (Array.isArray(value)) {\n value.forEach(function (v) {\n addParent(v, childParent);\n });\n }\n else if (value && typeof value === 'object') {\n addParent(value, childParent);\n }\n }\n if (isNode) {\n Object.defineProperty(obj, 'parent', {\n configurable: true,\n writable: true,\n enumerable: false,\n value: parent || null\n });\n }\n return obj;\n}\n\nvar tagMap = {\n script: 'noscript',\n altglyph: 'altGlyph',\n altglyphdef: 'altGlyphDef',\n altglyphitem: 'altGlyphItem',\n animatecolor: 'animateColor',\n animatemotion: 'animateMotion',\n animatetransform: 'animateTransform',\n clippath: 'clipPath',\n feblend: 'feBlend',\n fecolormatrix: 'feColorMatrix',\n fecomponenttransfer: 'feComponentTransfer',\n fecomposite: 'feComposite',\n feconvolvematrix: 'feConvolveMatrix',\n fediffuselighting: 'feDiffuseLighting',\n fedisplacementmap: 'feDisplacementMap',\n fedistantlight: 'feDistantLight',\n fedropshadow: 'feDropShadow',\n feflood: 'feFlood',\n fefunca: 'feFuncA',\n fefuncb: 'feFuncB',\n fefuncg: 'feFuncG',\n fefuncr: 'feFuncR',\n fegaussianblur: 'feGaussianBlur',\n feimage: 'feImage',\n femerge: 'feMerge',\n femergenode: 'feMergeNode',\n femorphology: 'feMorphology',\n feoffset: 'feOffset',\n fepointlight: 'fePointLight',\n fespecularlighting: 'feSpecularLighting',\n fespotlight: 'feSpotLight',\n fetile: 'feTile',\n feturbulence: 'feTurbulence',\n foreignobject: 'foreignObject',\n glyphref: 'glyphRef',\n lineargradient: 'linearGradient',\n radialgradient: 'radialGradient'\n};\nfunction getTagName(n) {\n var tagName = tagMap[n.tagName] ? tagMap[n.tagName] : n.tagName;\n if (tagName === 'link' && n.attributes._cssText) {\n tagName = 'style';\n }\n return tagName;\n}\nfunction escapeRegExp(str) {\n return str.replace(/[.*+?^${}()|[\\]\\\\]/g, '\\\\$&');\n}\nvar HOVER_SELECTOR = /([^\\\\]):hover/;\nvar HOVER_SELECTOR_GLOBAL = new RegExp(HOVER_SELECTOR.source, 'g');\nfunction addHoverClass(cssText, cache) {\n var cachedStyle = cache === null || cache === void 0 ? void 0 : cache.stylesWithHoverClass.get(cssText);\n if (cachedStyle)\n return cachedStyle;\n var ast = parse(cssText, {\n silent: true\n });\n if (!ast.stylesheet) {\n return cssText;\n }\n var selectors = [];\n ast.stylesheet.rules.forEach(function (rule) {\n if ('selectors' in rule) {\n (rule.selectors || []).forEach(function (selector) {\n if (HOVER_SELECTOR.test(selector)) {\n selectors.push(selector);\n }\n });\n }\n });\n if (selectors.length === 0) {\n return cssText;\n }\n var selectorMatcher = new RegExp(selectors\n .filter(function (selector, index) { return selectors.indexOf(selector) === index; })\n .sort(function (a, b) { return b.length - a.length; })\n .map(function (selector) {\n return escapeRegExp(selector);\n })\n .join('|'), 'g');\n var result = cssText.replace(selectorMatcher, function (selector) {\n var newSelector = selector.replace(HOVER_SELECTOR_GLOBAL, '$1.\\\\:hover');\n return selector + \", \" + newSelector;\n });\n cache === null || cache === void 0 ? void 0 : cache.stylesWithHoverClass.set(cssText, result);\n return result;\n}\nfunction createCache() {\n var stylesWithHoverClass = new Map();\n return {\n stylesWithHoverClass: stylesWithHoverClass\n };\n}\nfunction buildNode(n, options) {\n var doc = options.doc, hackCss = options.hackCss, cache = options.cache;\n switch (n.type) {\n case NodeType.Document:\n return doc.implementation.createDocument(null, '', null);\n case NodeType.DocumentType:\n return doc.implementation.createDocumentType(n.name || 'html', n.publicId, n.systemId);\n case NodeType.Element:\n var tagName = getTagName(n);\n var node_1;\n if (n.isSVG) {\n node_1 = doc.createElementNS('http://www.w3.org/2000/svg', tagName);\n }\n else {\n node_1 = doc.createElement(tagName);\n }\n var _loop_1 = function (name_1) {\n if (!n.attributes.hasOwnProperty(name_1)) {\n return \"continue\";\n }\n var value = n.attributes[name_1];\n if (tagName === 'option' && name_1 === 'selected' && value === false) {\n return \"continue\";\n }\n value =\n typeof value === 'boolean' || typeof value === 'number' ? '' : value;\n if (!name_1.startsWith('rr_')) {\n var isTextarea = tagName === 'textarea' && name_1 === 'value';\n var isRemoteOrDynamicCss = tagName === 'style' && name_1 === '_cssText';\n if (isRemoteOrDynamicCss && hackCss) {\n value = addHoverClass(value, cache);\n }\n if (isTextarea || isRemoteOrDynamicCss) {\n var child = doc.createTextNode(value);\n for (var _i = 0, _a = Array.from(node_1.childNodes); _i < _a.length; _i++) {\n var c = _a[_i];\n if (c.nodeType === node_1.TEXT_NODE) {\n node_1.removeChild(c);\n }\n }\n node_1.appendChild(child);\n return \"continue\";\n }\n try {\n if (n.isSVG && name_1 === 'xlink:href') {\n node_1.setAttributeNS('http://www.w3.org/1999/xlink', name_1, value);\n }\n else if (name_1 === 'onload' ||\n name_1 === 'onclick' ||\n name_1.substring(0, 7) === 'onmouse') {\n node_1.setAttribute('_' + name_1, value);\n }\n else if (tagName === 'meta' &&\n n.attributes['http-equiv'] === 'Content-Security-Policy' &&\n name_1 === 'content') {\n node_1.setAttribute('csp-content', value);\n return \"continue\";\n }\n else if (tagName === 'link' &&\n n.attributes.rel === 'preload' &&\n n.attributes.as === 'script') {\n }\n else if (tagName === 'link' &&\n n.attributes.rel === 'prefetch' &&\n typeof n.attributes.href === 'string' &&\n n.attributes.href.endsWith('.js')) {\n }\n else if (tagName === 'img' &&\n n.attributes.srcset &&\n n.attributes.rr_dataURL) {\n node_1.setAttribute('rrweb-original-srcset', n.attributes.srcset);\n }\n else {\n node_1.setAttribute(name_1, value);\n }\n }\n catch (error) {\n }\n }\n else {\n if (tagName === 'canvas' && name_1 === 'rr_dataURL') {\n var image_1 = document.createElement('img');\n image_1.src = value;\n image_1.onload = function () {\n var ctx = node_1.getContext('2d');\n if (ctx) {\n ctx.drawImage(image_1, 0, 0, image_1.width, image_1.height);\n }\n };\n }\n else if (tagName === 'img' && name_1 === 'rr_dataURL') {\n var image = node_1;\n if (!image.currentSrc.startsWith('data:')) {\n image.setAttribute('rrweb-original-src', n.attributes.src);\n image.src = value;\n }\n }\n if (name_1 === 'rr_width') {\n node_1.style.width = value;\n }\n else if (name_1 === 'rr_height') {\n node_1.style.height = value;\n }\n else if (name_1 === 'rr_mediaCurrentTime') {\n node_1.currentTime = n.attributes\n .rr_mediaCurrentTime;\n }\n else if (name_1 === 'rr_mediaState') {\n switch (value) {\n case 'played':\n node_1\n .play()[\"catch\"](function (e) { return console.warn('media playback error', e); });\n break;\n case 'paused':\n node_1.pause();\n break;\n }\n }\n }\n };\n for (var name_1 in n.attributes) {\n _loop_1(name_1);\n }\n if (n.isShadowHost) {\n if (!node_1.shadowRoot) {\n node_1.attachShadow({ mode: 'open' });\n }\n else {\n while (node_1.shadowRoot.firstChild) {\n node_1.shadowRoot.removeChild(node_1.shadowRoot.firstChild);\n }\n }\n }\n return node_1;\n case NodeType.Text:\n return doc.createTextNode(n.isStyle && hackCss\n ? addHoverClass(n.textContent, cache)\n : n.textContent);\n case NodeType.CDATA:\n return doc.createCDATASection(n.textContent);\n case NodeType.Comment:\n return doc.createComment(n.textContent);\n default:\n return null;\n }\n}\nfunction buildNodeWithSN(n, options) {\n var doc = options.doc, map = options.map, _a = options.skipChild, skipChild = _a === void 0 ? false : _a, _b = options.hackCss, hackCss = _b === void 0 ? true : _b, afterAppend = options.afterAppend, cache = options.cache;\n var node = buildNode(n, { doc: doc, hackCss: hackCss, cache: cache });\n if (!node) {\n return null;\n }\n if (n.rootId) {\n console.assert(map[n.rootId] === doc, 'Target document should has the same root id.');\n }\n if (n.type === NodeType.Document) {\n doc.close();\n doc.open();\n if (n.compatMode === 'BackCompat' &&\n n.childNodes &&\n n.childNodes[0].type !== NodeType.DocumentType) {\n if (n.childNodes[0].type === NodeType.Element &&\n 'xmlns' in n.childNodes[0].attributes &&\n n.childNodes[0].attributes.xmlns === 'http://www.w3.org/1999/xhtml') {\n doc.write('');\n }\n else {\n doc.write('');\n }\n }\n node = doc;\n }\n node.__sn = n;\n map[n.id] = node;\n if ((n.type === NodeType.Document || n.type === NodeType.Element) &&\n !skipChild) {\n for (var _i = 0, _c = n.childNodes; _i < _c.length; _i++) {\n var childN = _c[_i];\n var childNode = buildNodeWithSN(childN, {\n doc: doc,\n map: map,\n skipChild: false,\n hackCss: hackCss,\n afterAppend: afterAppend,\n cache: cache\n });\n if (!childNode) {\n console.warn('Failed to rebuild', childN);\n continue;\n }\n if (childN.isShadow && isElement(node) && node.shadowRoot) {\n node.shadowRoot.appendChild(childNode);\n }\n else {\n node.appendChild(childNode);\n }\n if (afterAppend) {\n afterAppend(childNode);\n }\n }\n }\n return node;\n}\nfunction visit(idNodeMap, onVisit) {\n function walk(node) {\n onVisit(node);\n }\n for (var key in idNodeMap) {\n if (idNodeMap[key]) {\n walk(idNodeMap[key]);\n }\n }\n}\nfunction handleScroll(node) {\n var n = node.__sn;\n if (n.type !== NodeType.Element) {\n return;\n }\n var el = node;\n for (var name_2 in n.attributes) {\n if (!(n.attributes.hasOwnProperty(name_2) && name_2.startsWith('rr_'))) {\n continue;\n }\n var value = n.attributes[name_2];\n if (name_2 === 'rr_scrollLeft') {\n el.scrollLeft = value;\n }\n if (name_2 === 'rr_scrollTop') {\n el.scrollTop = value;\n }\n }\n}\nfunction rebuild(n, options) {\n var doc = options.doc, onVisit = options.onVisit, _a = options.hackCss, hackCss = _a === void 0 ? true : _a, afterAppend = options.afterAppend, cache = options.cache;\n var idNodeMap = {};\n var node = buildNodeWithSN(n, {\n doc: doc,\n map: idNodeMap,\n skipChild: false,\n hackCss: hackCss,\n afterAppend: afterAppend,\n cache: cache\n });\n visit(idNodeMap, function (visitedNode) {\n if (onVisit) {\n onVisit(visitedNode);\n }\n handleScroll(visitedNode);\n });\n return [node, idNodeMap];\n}\n\nexport { IGNORED_NODE, NodeType, addHoverClass, buildNodeWithSN, cleanupSnapshot, createCache, is2DCanvasBlank, isElement, isShadowRoot, maskInputValue, needMaskingText, rebuild, serializeNodeWithId, snapshot, transformAttribute, visitSnapshot };\n","import {\n serializedNodeWithId,\n idNodeMap,\n INode,\n MaskInputOptions,\n SlimDOMOptions,\n MaskInputFn,\n MaskTextFn,\n} from 'rrweb-snapshot';\nimport { PackFn, UnpackFn } from './packer/base';\nimport { IframeManager } from './record/iframe-manager';\nimport { ShadowDomManager } from './record/shadow-dom-manager';\nimport type { Replayer } from './replay';\nimport { CanvasManager } from './record/observers/canvas/canvas-manager';\n\nexport enum EventType {\n DomContentLoaded,\n Load,\n FullSnapshot,\n IncrementalSnapshot,\n Meta,\n Custom,\n Plugin,\n}\n\nexport type domContentLoadedEvent = {\n type: EventType.DomContentLoaded;\n data: {};\n};\n\nexport type loadedEvent = {\n type: EventType.Load;\n data: {};\n};\n\nexport type fullSnapshotEvent = {\n type: EventType.FullSnapshot;\n data: {\n node: serializedNodeWithId;\n initialOffset: {\n top: number;\n left: number;\n };\n };\n};\n\nexport type incrementalSnapshotEvent = {\n type: EventType.IncrementalSnapshot;\n data: incrementalData;\n};\n\nexport type metaEvent = {\n type: EventType.Meta;\n data: {\n href: string;\n width: number;\n height: number;\n };\n};\n\nexport type customEvent = {\n type: EventType.Custom;\n data: {\n tag: string;\n payload: T;\n };\n};\n\nexport type pluginEvent = {\n type: EventType.Plugin;\n data: {\n plugin: string;\n payload: T;\n };\n};\n\nexport type styleSheetEvent = {};\n\nexport enum IncrementalSource {\n Mutation,\n MouseMove,\n MouseInteraction,\n Scroll,\n ViewportResize,\n Input,\n TouchMove,\n MediaInteraction,\n StyleSheetRule,\n CanvasMutation,\n Font,\n Log,\n Drag,\n StyleDeclaration,\n}\n\nexport type mutationData = {\n source: IncrementalSource.Mutation;\n} & mutationCallbackParam;\n\nexport type mousemoveData = {\n source:\n | IncrementalSource.MouseMove\n | IncrementalSource.TouchMove\n | IncrementalSource.Drag;\n positions: mousePosition[];\n};\n\nexport type mouseInteractionData = {\n source: IncrementalSource.MouseInteraction;\n} & mouseInteractionParam;\n\nexport type scrollData = {\n source: IncrementalSource.Scroll;\n} & scrollPosition;\n\nexport type viewportResizeData = {\n source: IncrementalSource.ViewportResize;\n} & viewportResizeDimension;\n\nexport type inputData = {\n source: IncrementalSource.Input;\n id: number;\n} & inputValue;\n\nexport type mediaInteractionData = {\n source: IncrementalSource.MediaInteraction;\n} & mediaInteractionParam;\n\nexport type styleSheetRuleData = {\n source: IncrementalSource.StyleSheetRule;\n} & styleSheetRuleParam;\n\nexport type styleDeclarationData = {\n source: IncrementalSource.StyleDeclaration;\n} & styleDeclarationParam;\n\nexport type canvasMutationData = {\n source: IncrementalSource.CanvasMutation;\n} & canvasMutationParam;\n\nexport type fontData = {\n source: IncrementalSource.Font;\n} & fontParam;\n\nexport type incrementalData =\n | mutationData\n | mousemoveData\n | mouseInteractionData\n | scrollData\n | viewportResizeData\n | inputData\n | mediaInteractionData\n | styleSheetRuleData\n | canvasMutationData\n | fontData\n | styleDeclarationData;\n\nexport type event =\n | domContentLoadedEvent\n | loadedEvent\n | fullSnapshotEvent\n | incrementalSnapshotEvent\n | metaEvent\n | customEvent\n | pluginEvent;\n\nexport type eventWithTime = event & {\n timestamp: number;\n delay?: number;\n};\n\nexport type blockClass = string | RegExp;\n\nexport type maskTextClass = string | RegExp;\n\nexport type SamplingStrategy = Partial<{\n /**\n * false means not to record mouse/touch move events\n * number is the throttle threshold of recording mouse/touch move\n */\n mousemove: boolean | number;\n /**\n * number is the throttle threshold of mouse/touch move callback\n */\n mousemoveCallback: number;\n /**\n * false means not to record mouse interaction events\n * can also specify record some kinds of mouse interactions\n */\n mouseInteraction: boolean | Record;\n /**\n * number is the throttle threshold of recording scroll\n */\n scroll: number;\n /**\n * number is the throttle threshold of recording media interactions\n */\n media: number;\n /**\n * 'all' will record all the input events\n * 'last' will only record the last input value while input a sequence of chars\n */\n input: 'all' | 'last';\n}>;\n\nexport type RecordPlugin = {\n name: string;\n observer?: (cb: Function, win: IWindow, options: TOptions) => listenerHandler;\n eventProcessor?: (event: eventWithTime) => eventWithTime & TExtend;\n options: TOptions;\n};\n\nexport type recordOptions = {\n emit?: (e: T, isCheckout?: boolean) => void;\n checkoutEveryNth?: number;\n checkoutEveryNms?: number;\n blockClass?: blockClass;\n blockSelector?: string;\n unblockSelector?: string;\n ignoreClass?: string;\n ignoreSelector?: string;\n maskTextClass?: maskTextClass;\n maskTextSelector?: string;\n maskAllInputs?: boolean;\n maskInputSelector?: string;\n maskInputOptions?: MaskInputOptions;\n maskInputFn?: MaskInputFn;\n maskTextFn?: MaskTextFn;\n unmaskTextSelector?: string;\n unmaskInputSelector?: string;\n slimDOMOptions?: SlimDOMOptions | 'all' | true;\n inlineStylesheet?: boolean;\n hooks?: hooksParam;\n packFn?: PackFn;\n sampling?: SamplingStrategy;\n recordCanvas?: boolean;\n userTriggeredOnInput?: boolean;\n collectFonts?: boolean;\n inlineImages?: boolean;\n plugins?: RecordPlugin[];\n // departed, please use sampling options\n mousemoveWait?: number;\n keepIframeSrcFn?: KeepIframeSrcFn;\n};\n\nexport type observerParam = {\n mutationCb: mutationCallBack;\n mousemoveCb: mousemoveCallBack;\n mouseInteractionCb: mouseInteractionCallBack;\n scrollCb: scrollCallback;\n viewportResizeCb: viewportResizeCallback;\n inputCb: inputCallback;\n mediaInteractionCb: mediaInteractionCallback;\n blockClass: blockClass;\n blockSelector: string | null;\n unblockSelector: string | null;\n ignoreClass: string;\n ignoreSelector: string | null;\n maskTextClass: maskTextClass;\n maskTextSelector: string | null;\n unmaskTextSelector: string | null;\n maskInputSelector: string | null;\n unmaskInputSelector: string | null;\n maskInputOptions: MaskInputOptions;\n maskInputFn?: MaskInputFn;\n maskTextFn?: MaskTextFn;\n inlineStylesheet: boolean;\n styleSheetRuleCb: styleSheetRuleCallback;\n styleDeclarationCb: styleDeclarationCallback;\n canvasMutationCb: canvasMutationCallback;\n fontCb: fontCallback;\n sampling: SamplingStrategy;\n recordCanvas: boolean;\n inlineImages: boolean;\n userTriggeredOnInput: boolean;\n collectFonts: boolean;\n slimDOMOptions: SlimDOMOptions;\n doc: Document;\n mirror: Mirror;\n iframeManager: IframeManager;\n shadowDomManager: ShadowDomManager;\n canvasManager: CanvasManager;\n plugins: Array<{\n observer: Function;\n callback: Function;\n options: unknown;\n }>;\n};\n\nexport type MutationBufferParam = Pick<\n observerParam,\n | 'mutationCb'\n | 'blockClass'\n | 'blockSelector'\n | 'unblockSelector'\n | 'maskTextClass'\n | 'maskTextSelector'\n | 'unmaskTextSelector'\n | 'inlineStylesheet'\n | 'maskInputSelector'\n | 'unmaskInputSelector'\n | 'maskInputOptions'\n | 'maskTextFn'\n | 'maskInputFn'\n | 'recordCanvas'\n | 'inlineImages'\n | 'slimDOMOptions'\n | 'doc'\n | 'mirror'\n | 'iframeManager'\n | 'shadowDomManager'\n | 'canvasManager'\n>;\n\nexport type hooksParam = {\n mutation?: mutationCallBack;\n mousemove?: mousemoveCallBack;\n mouseInteraction?: mouseInteractionCallBack;\n scroll?: scrollCallback;\n viewportResize?: viewportResizeCallback;\n input?: inputCallback;\n mediaInteaction?: mediaInteractionCallback;\n styleSheetRule?: styleSheetRuleCallback;\n styleDeclaration?: styleDeclarationCallback;\n canvasMutation?: canvasMutationCallback;\n font?: fontCallback;\n};\n\n// https://dom.spec.whatwg.org/#interface-mutationrecord\nexport type mutationRecord = {\n type: string;\n target: Node;\n oldValue: string | null;\n addedNodes: NodeList;\n removedNodes: NodeList;\n attributeName: string | null;\n};\n\nexport type textCursor = {\n node: Node;\n value: string | null;\n};\nexport type textMutation = {\n id: number;\n value: string | null;\n};\n\nexport type styleAttributeValue = {\n [key: string]: styleValueWithPriority | string | false;\n};\n\nexport type styleValueWithPriority = [string, string];\n\nexport type attributeCursor = {\n node: Node;\n attributes: {\n [key: string]: string | styleAttributeValue | null;\n };\n};\nexport type attributeMutation = {\n id: number;\n attributes: {\n [key: string]: string | styleAttributeValue | null;\n };\n};\n\nexport type removedNodeMutation = {\n parentId: number;\n id: number;\n isShadow?: boolean;\n};\n\nexport type addedNodeMutation = {\n parentId: number;\n // Newly recorded mutations will not have previousId any more, just for compatibility\n previousId?: number | null;\n nextId: number | null;\n node: serializedNodeWithId;\n};\n\nexport type mutationCallbackParam = {\n texts: textMutation[];\n attributes: attributeMutation[];\n removes: removedNodeMutation[];\n adds: addedNodeMutation[];\n isAttachIframe?: true;\n};\n\nexport type mutationCallBack = (m: mutationCallbackParam) => void;\n\nexport type mousemoveCallBack = (\n p: mousePosition[],\n source:\n | IncrementalSource.MouseMove\n | IncrementalSource.TouchMove\n | IncrementalSource.Drag,\n) => void;\n\nexport type mousePosition = {\n x: number;\n y: number;\n id: number;\n timeOffset: number;\n};\n\nexport type mouseMovePos = {\n x: number;\n y: number;\n id: number;\n debugData: incrementalData;\n};\n\nexport enum MouseInteractions {\n MouseUp,\n MouseDown,\n Click,\n ContextMenu,\n DblClick,\n Focus,\n Blur,\n TouchStart,\n TouchMove_Departed, // we will start a separate observer for touch move event\n TouchEnd,\n TouchCancel,\n}\n\nexport enum CanvasContext {\n '2D',\n WebGL,\n WebGL2,\n}\n\nexport type SerializedWebGlArg =\n | {\n rr_type: 'ArrayBuffer';\n base64: string; // base64\n }\n | {\n rr_type: string;\n src: string; // url of image\n }\n | {\n rr_type: string;\n args: SerializedWebGlArg[];\n }\n | {\n rr_type: string;\n index: number;\n }\n | string\n | number\n | boolean\n | null\n | SerializedWebGlArg[];\n\ntype mouseInteractionParam = {\n type: MouseInteractions;\n id: number;\n x: number;\n y: number;\n};\n\nexport type mouseInteractionCallBack = (d: mouseInteractionParam) => void;\n\nexport type scrollPosition = {\n id: number;\n x: number;\n y: number;\n};\n\nexport type scrollCallback = (p: scrollPosition) => void;\n\nexport type styleSheetAddRule = {\n rule: string;\n index?: number | number[];\n};\n\nexport type styleSheetDeleteRule = {\n index: number | number[];\n};\n\nexport type styleSheetRuleParam = {\n id: number;\n removes?: styleSheetDeleteRule[];\n adds?: styleSheetAddRule[];\n};\n\nexport type styleSheetRuleCallback = (s: styleSheetRuleParam) => void;\n\nexport type styleDeclarationParam = {\n id: number;\n index: number[];\n set?: {\n property: string;\n value: string | null;\n priority: string | undefined;\n };\n remove?: {\n property: string;\n };\n};\n\nexport type styleDeclarationCallback = (s: styleDeclarationParam) => void;\n\nexport type canvasMutationCommand = {\n property: string;\n args: Array;\n setter?: true;\n};\n\nexport type canvasMutationParam =\n | {\n id: number;\n type: CanvasContext;\n commands: canvasMutationCommand[];\n }\n | ({\n id: number;\n type: CanvasContext;\n } & canvasMutationCommand);\n\nexport type canvasMutationWithType = {\n type: CanvasContext;\n} & canvasMutationCommand;\n\nexport type canvasMutationCallback = (p: canvasMutationParam) => void;\n\nexport type canvasManagerMutationCallback = (\n target: HTMLCanvasElement,\n p: canvasMutationWithType,\n) => void;\n\nexport type fontParam = {\n family: string;\n fontSource: string;\n buffer: boolean;\n descriptors?: FontFaceDescriptors;\n};\n\nexport type fontCallback = (p: fontParam) => void;\n\nexport type viewportResizeDimension = {\n width: number;\n height: number;\n};\n\nexport type viewportResizeCallback = (d: viewportResizeDimension) => void;\n\nexport type inputValue = {\n text: string;\n isChecked: boolean;\n\n // `userTriggered` indicates if this event was triggered directly by user (userTriggered: true)\n // or was triggered indirectly (userTriggered: false)\n // Example of `userTriggered` in action:\n // User clicks on radio element (userTriggered: true) which triggers the other radio element to change (userTriggered: false)\n userTriggered?: boolean;\n};\n\nexport type inputCallback = (v: inputValue & { id: number }) => void;\n\nexport const enum MediaInteractions {\n Play,\n Pause,\n Seeked,\n VolumeChange,\n}\n\nexport type mediaInteractionParam = {\n type: MediaInteractions;\n id: number;\n currentTime?: number;\n volume?: number;\n muted?: boolean;\n};\n\nexport type mediaInteractionCallback = (p: mediaInteractionParam) => void;\n\nexport type DocumentDimension = {\n x: number;\n y: number;\n // scale value relative to its parent iframe\n relativeScale: number;\n // scale value relative to the root iframe\n absoluteScale: number;\n};\n\nexport type Mirror = {\n map: idNodeMap;\n getId: (n: INode) => number;\n getNode: (id: number) => INode | null;\n removeNodeFromMap: (n: INode) => void;\n has: (id: number) => boolean;\n reset: () => void;\n};\n\nexport type throttleOptions = {\n leading?: boolean;\n trailing?: boolean;\n};\n\nexport type listenerHandler = () => void;\nexport type hookResetter = () => void;\n\nexport type ReplayPlugin = {\n handler: (\n event: eventWithTime,\n isSync: boolean,\n context: { replayer: Replayer },\n ) => void;\n};\nexport type playerConfig = {\n speed: number;\n maxSpeed: number;\n root: Element;\n loadTimeout: number;\n skipInactive: boolean;\n showWarning: boolean;\n showDebug: boolean;\n blockClass: string;\n liveMode: boolean;\n insertStyleRules: string[];\n triggerFocus: boolean;\n UNSAFE_replayCanvas: boolean;\n pauseAnimation?: boolean;\n mouseTail:\n | boolean\n | {\n duration?: number;\n lineCap?: string;\n lineWidth?: number;\n strokeStyle?: string;\n };\n unpackFn?: UnpackFn;\n plugins?: ReplayPlugin[];\n};\n\nexport type playerMetaData = {\n startTime: number;\n endTime: number;\n totalTime: number;\n};\n\nexport type missingNode = {\n node: Node;\n mutation: addedNodeMutation;\n};\nexport type missingNodeMap = {\n [id: number]: missingNode;\n};\n\nexport type actionWithDelay = {\n doAction: () => void;\n delay: number;\n};\n\nexport type Handler = (event?: unknown) => void;\n\nexport type Emitter = {\n on(type: string, handler: Handler): void;\n emit(type: string, event?: unknown): void;\n off(type: string, handler: Handler): void;\n};\n\nexport type Arguments = T extends (...payload: infer U) => unknown\n ? U\n : unknown;\n\nexport enum ReplayerEvents {\n Start = 'start',\n Pause = 'pause',\n Resume = 'resume',\n Resize = 'resize',\n Finish = 'finish',\n FullsnapshotRebuilded = 'fullsnapshot-rebuilded',\n LoadStylesheetStart = 'load-stylesheet-start',\n LoadStylesheetEnd = 'load-stylesheet-end',\n SkipStart = 'skip-start',\n SkipEnd = 'skip-end',\n MouseInteraction = 'mouse-interaction',\n EventCast = 'event-cast',\n CustomEvent = 'custom-event',\n Flush = 'flush',\n StateChange = 'state-change',\n PlayBack = 'play-back',\n}\n\n// store the state that would be changed during the process(unmount from dom and mount again)\nexport type ElementState = {\n // [scrollLeft,scrollTop]\n scroll?: [number, number];\n};\n\nexport type KeepIframeSrcFn = (src: string) => boolean;\n\ndeclare global {\n interface Window {\n FontFace: typeof FontFace;\n }\n}\n\nexport type IWindow = Window & typeof globalThis;\n\nexport type Optional = Pick, K> & Omit;\n","import {\n Mirror,\n throttleOptions,\n listenerHandler,\n hookResetter,\n blockClass,\n IncrementalSource,\n addedNodeMutation,\n removedNodeMutation,\n textMutation,\n attributeMutation,\n mutationData,\n scrollData,\n inputData,\n DocumentDimension,\n IWindow,\n} from './types';\nimport {\n INode,\n IGNORED_NODE,\n serializedNodeWithId,\n NodeType,\n isShadowRoot,\n} from 'rrweb-snapshot';\n\nexport function on(\n type: string,\n fn: EventListenerOrEventListenerObject,\n target: Document | IWindow = document,\n): listenerHandler {\n const options = { capture: true, passive: true };\n target.addEventListener(type, fn, options);\n return () => target.removeEventListener(type, fn, options);\n}\n\nexport function createMirror(): Mirror {\n return {\n map: {},\n getId(n) {\n // if n is not a serialized INode, use -1 as its id.\n if (!n || !n.__sn) {\n return -1;\n }\n return n.__sn.id;\n },\n getNode(id) {\n return this.map[id] || null;\n },\n // TODO: use a weakmap to get rid of manually memory management\n removeNodeFromMap(n) {\n const id = n.__sn && n.__sn.id;\n delete this.map[id];\n if (n.childNodes) {\n n.childNodes.forEach((child) =>\n this.removeNodeFromMap((child as Node) as INode),\n );\n }\n },\n has(id) {\n return this.map.hasOwnProperty(id);\n },\n reset() {\n this.map = {};\n },\n };\n}\n\n// https://github.com/rrweb-io/rrweb/pull/407\nconst DEPARTED_MIRROR_ACCESS_WARNING =\n 'Please stop import mirror directly. Instead of that,' +\n '\\r\\n' +\n 'now you can use replayer.getMirror() to access the mirror instance of a replayer,' +\n '\\r\\n' +\n 'or you can use record.mirror to access the mirror instance during recording.';\nexport let _mirror: Mirror = {\n map: {},\n getId() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n return -1;\n },\n getNode() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n return null;\n },\n removeNodeFromMap() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n },\n has() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n return false;\n },\n reset() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n },\n};\nif (typeof window !== 'undefined' && window.Proxy && window.Reflect) {\n _mirror = new Proxy(_mirror, {\n get(target, prop, receiver) {\n if (prop === 'map') {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n }\n return Reflect.get(target, prop, receiver);\n },\n });\n}\n\n// copy from underscore and modified\nexport function throttle(\n func: (arg: T) => void,\n wait: number,\n options: throttleOptions = {},\n) {\n let timeout: ReturnType | null = null;\n let previous = 0;\n // tslint:disable-next-line: only-arrow-functions\n return function (arg: T) {\n let now = Date.now();\n if (!previous && options.leading === false) {\n previous = now;\n }\n let remaining = wait - (now - previous);\n let context = this;\n let args = arguments;\n if (remaining <= 0 || remaining > wait) {\n if (timeout) {\n clearTimeout(timeout);\n timeout = null;\n }\n previous = now;\n func.apply(context, args);\n } else if (!timeout && options.trailing !== false) {\n timeout = setTimeout(() => {\n previous = options.leading === false ? 0 : Date.now();\n timeout = null;\n func.apply(context, args);\n }, remaining);\n }\n };\n}\n\nexport function hookSetter(\n target: T,\n key: string | number | symbol,\n d: PropertyDescriptor,\n isRevoked?: boolean,\n win = window,\n): hookResetter {\n const original = win.Object.getOwnPropertyDescriptor(target, key);\n win.Object.defineProperty(\n target,\n key,\n isRevoked\n ? d\n : {\n set(value) {\n // put hooked setter into event loop to avoid of set latency\n setTimeout(() => {\n d.set!.call(this, value);\n }, 0);\n if (original && original.set) {\n original.set.call(this, value);\n }\n },\n },\n );\n return () => hookSetter(target, key, original || {}, true);\n}\n\n// copy from https://github.com/getsentry/sentry-javascript/blob/b2109071975af8bf0316d3b5b38f519bdaf5dc15/packages/utils/src/object.ts\nexport function patch(\n // tslint:disable-next-line:no-any\n source: { [key: string]: any },\n name: string,\n // tslint:disable-next-line:no-any\n replacement: (...args: any[]) => any,\n): () => void {\n try {\n if (!(name in source)) {\n return () => {};\n }\n\n const original = source[name] as () => unknown;\n const wrapped = replacement(original);\n\n // Make sure it's a function first, as we need to attach an empty prototype for `defineProperties` to work\n // otherwise it'll throw \"TypeError: Object.defineProperties called on non-object\"\n // tslint:disable-next-line:strict-type-predicates\n if (typeof wrapped === 'function') {\n wrapped.prototype = wrapped.prototype || {};\n Object.defineProperties(wrapped, {\n __rrweb_original__: {\n enumerable: false,\n value: original,\n },\n });\n }\n\n source[name] = wrapped;\n\n return () => {\n source[name] = original;\n };\n } catch {\n return () => {};\n // This can throw if multiple fill happens on a global object like XMLHttpRequest\n // Fixes https://github.com/getsentry/sentry-javascript/issues/2043\n }\n}\n\nexport function getWindowHeight(): number {\n return (\n window.innerHeight ||\n (document.documentElement && document.documentElement.clientHeight) ||\n (document.body && document.body.clientHeight)\n );\n}\n\nexport function getWindowWidth(): number {\n return (\n window.innerWidth ||\n (document.documentElement && document.documentElement.clientWidth) ||\n (document.body && document.body.clientWidth)\n );\n}\n\nexport function isBlocked(node: Node | null, blockClass: blockClass): boolean {\n if (!node) {\n return false;\n }\n if (node.nodeType === node.ELEMENT_NODE) {\n let needBlock = false;\n if (typeof blockClass === 'string') {\n if ((node as HTMLElement).closest !== undefined) {\n return (node as HTMLElement).closest('.' + blockClass) !== null;\n } else {\n needBlock = (node as HTMLElement).classList.contains(blockClass);\n }\n } else {\n (node as HTMLElement).classList.forEach((className) => {\n if (blockClass.test(className)) {\n needBlock = true;\n }\n });\n }\n return needBlock || isBlocked(node.parentNode, blockClass);\n }\n if (node.nodeType === node.TEXT_NODE) {\n // check parent node since text node do not have class name\n return isBlocked(node.parentNode, blockClass);\n }\n return isBlocked(node.parentNode, blockClass);\n}\n\nexport function isIgnored(n: Node | INode): boolean {\n if ('__sn' in n) {\n return (n as INode).__sn.id === IGNORED_NODE;\n }\n // The main part of the slimDOM check happens in\n // rrweb-snapshot::serializeNodeWithId\n return false;\n}\n\nexport function isAncestorRemoved(target: INode, mirror: Mirror): boolean {\n if (isShadowRoot(target)) {\n return false;\n }\n const id = mirror.getId(target);\n if (!mirror.has(id)) {\n return true;\n }\n if (\n target.parentNode &&\n target.parentNode.nodeType === target.DOCUMENT_NODE\n ) {\n return false;\n }\n // if the root is not document, it means the node is not in the DOM tree anymore\n if (!target.parentNode) {\n return true;\n }\n return isAncestorRemoved((target.parentNode as unknown) as INode, mirror);\n}\n\nexport function isTouchEvent(\n event: MouseEvent | TouchEvent,\n): event is TouchEvent {\n return Boolean((event as TouchEvent).changedTouches);\n}\n\nexport function polyfill(win = window) {\n if ('NodeList' in win && !win.NodeList.prototype.forEach) {\n win.NodeList.prototype.forEach = (Array.prototype\n .forEach as unknown) as NodeList['forEach'];\n }\n\n if ('DOMTokenList' in win && !win.DOMTokenList.prototype.forEach) {\n win.DOMTokenList.prototype.forEach = (Array.prototype\n .forEach as unknown) as DOMTokenList['forEach'];\n }\n\n // https://github.com/Financial-Times/polyfill-service/pull/183\n if (!Node.prototype.contains) {\n Node.prototype.contains = function contains(node) {\n if (!(0 in arguments)) {\n throw new TypeError('1 argument is required');\n }\n\n do {\n if (this === node) {\n return true;\n }\n // tslint:disable-next-line: no-conditional-assignment\n } while ((node = node && node.parentNode));\n\n return false;\n };\n }\n}\n\nexport type TreeNode = {\n id: number;\n mutation: addedNodeMutation;\n parent?: TreeNode;\n children: Record;\n texts: textMutation[];\n attributes: attributeMutation[];\n};\nexport class TreeIndex {\n public tree!: Record;\n\n private removeNodeMutations!: removedNodeMutation[];\n private textMutations!: textMutation[];\n private attributeMutations!: attributeMutation[];\n private indexes!: Map;\n private removeIdSet!: Set;\n private scrollMap!: Map;\n private inputMap!: Map;\n\n constructor() {\n this.reset();\n }\n\n public add(mutation: addedNodeMutation) {\n const parentTreeNode = this.indexes.get(mutation.parentId);\n const treeNode: TreeNode = {\n id: mutation.node.id,\n mutation,\n children: [],\n texts: [],\n attributes: [],\n };\n if (!parentTreeNode) {\n this.tree[treeNode.id] = treeNode;\n } else {\n treeNode.parent = parentTreeNode;\n parentTreeNode.children[treeNode.id] = treeNode;\n }\n this.indexes.set(treeNode.id, treeNode);\n }\n\n public remove(mutation: removedNodeMutation, mirror: Mirror) {\n const parentTreeNode = this.indexes.get(mutation.parentId);\n const treeNode = this.indexes.get(mutation.id);\n\n const deepRemoveFromMirror = (id: number) => {\n this.removeIdSet.add(id);\n const node = mirror.getNode(id);\n node?.childNodes.forEach((childNode) => {\n if ('__sn' in childNode) {\n deepRemoveFromMirror(((childNode as unknown) as INode).__sn.id);\n }\n });\n };\n const deepRemoveFromTreeIndex = (node: TreeNode) => {\n this.removeIdSet.add(node.id);\n Object.values(node.children).forEach((n) => deepRemoveFromTreeIndex(n));\n const _treeNode = this.indexes.get(node.id);\n if (_treeNode) {\n const _parentTreeNode = _treeNode.parent;\n if (_parentTreeNode) {\n delete _treeNode.parent;\n delete _parentTreeNode.children[_treeNode.id];\n this.indexes.delete(mutation.id);\n }\n }\n };\n\n if (!treeNode) {\n this.removeNodeMutations.push(mutation);\n deepRemoveFromMirror(mutation.id);\n } else if (!parentTreeNode) {\n delete this.tree[treeNode.id];\n this.indexes.delete(treeNode.id);\n deepRemoveFromTreeIndex(treeNode);\n } else {\n delete treeNode.parent;\n delete parentTreeNode.children[treeNode.id];\n this.indexes.delete(mutation.id);\n deepRemoveFromTreeIndex(treeNode);\n }\n }\n\n public text(mutation: textMutation) {\n const treeNode = this.indexes.get(mutation.id);\n if (treeNode) {\n treeNode.texts.push(mutation);\n } else {\n this.textMutations.push(mutation);\n }\n }\n\n public attribute(mutation: attributeMutation) {\n const treeNode = this.indexes.get(mutation.id);\n if (treeNode) {\n treeNode.attributes.push(mutation);\n } else {\n this.attributeMutations.push(mutation);\n }\n }\n\n public scroll(d: scrollData) {\n this.scrollMap.set(d.id, d);\n }\n\n public input(d: inputData) {\n this.inputMap.set(d.id, d);\n }\n\n public flush(): {\n mutationData: mutationData;\n scrollMap: TreeIndex['scrollMap'];\n inputMap: TreeIndex['inputMap'];\n } {\n const {\n tree,\n removeNodeMutations,\n textMutations,\n attributeMutations,\n } = this;\n\n const batchMutationData: mutationData = {\n source: IncrementalSource.Mutation,\n removes: removeNodeMutations,\n texts: textMutations,\n attributes: attributeMutations,\n adds: [],\n };\n\n const walk = (treeNode: TreeNode, removed: boolean) => {\n if (removed) {\n this.removeIdSet.add(treeNode.id);\n }\n batchMutationData.texts = batchMutationData.texts\n .concat(removed ? [] : treeNode.texts)\n .filter((m) => !this.removeIdSet.has(m.id));\n batchMutationData.attributes = batchMutationData.attributes\n .concat(removed ? [] : treeNode.attributes)\n .filter((m) => !this.removeIdSet.has(m.id));\n if (\n !this.removeIdSet.has(treeNode.id) &&\n !this.removeIdSet.has(treeNode.mutation.parentId) &&\n !removed\n ) {\n batchMutationData.adds.push(treeNode.mutation);\n if (treeNode.children) {\n Object.values(treeNode.children).forEach((n) => walk(n, false));\n }\n } else {\n Object.values(treeNode.children).forEach((n) => walk(n, true));\n }\n };\n\n Object.values(tree).forEach((n) => walk(n, false));\n\n for (const id of this.scrollMap.keys()) {\n if (this.removeIdSet.has(id)) {\n this.scrollMap.delete(id);\n }\n }\n for (const id of this.inputMap.keys()) {\n if (this.removeIdSet.has(id)) {\n this.inputMap.delete(id);\n }\n }\n\n const scrollMap = new Map(this.scrollMap);\n const inputMap = new Map(this.inputMap);\n\n this.reset();\n\n return {\n mutationData: batchMutationData,\n scrollMap,\n inputMap,\n };\n }\n\n private reset() {\n this.tree = [];\n this.indexes = new Map();\n this.removeNodeMutations = [];\n this.textMutations = [];\n this.attributeMutations = [];\n this.removeIdSet = new Set();\n this.scrollMap = new Map();\n this.inputMap = new Map();\n }\n\n public idRemoved(id: number): boolean {\n return this.removeIdSet.has(id);\n }\n}\n\ntype ResolveTree = {\n value: addedNodeMutation;\n children: ResolveTree[];\n parent: ResolveTree | null;\n};\n\nexport function queueToResolveTrees(queue: addedNodeMutation[]): ResolveTree[] {\n const queueNodeMap: Record = {};\n const putIntoMap = (\n m: addedNodeMutation,\n parent: ResolveTree | null,\n ): ResolveTree => {\n const nodeInTree: ResolveTree = {\n value: m,\n parent,\n children: [],\n };\n queueNodeMap[m.node.id] = nodeInTree;\n return nodeInTree;\n };\n\n const queueNodeTrees: ResolveTree[] = [];\n for (const mutation of queue) {\n const { nextId, parentId } = mutation;\n if (nextId && nextId in queueNodeMap) {\n const nextInTree = queueNodeMap[nextId];\n if (nextInTree.parent) {\n const idx = nextInTree.parent.children.indexOf(nextInTree);\n nextInTree.parent.children.splice(\n idx,\n 0,\n putIntoMap(mutation, nextInTree.parent),\n );\n } else {\n const idx = queueNodeTrees.indexOf(nextInTree);\n queueNodeTrees.splice(idx, 0, putIntoMap(mutation, null));\n }\n continue;\n }\n if (parentId in queueNodeMap) {\n const parentInTree = queueNodeMap[parentId];\n parentInTree.children.push(putIntoMap(mutation, parentInTree));\n continue;\n }\n queueNodeTrees.push(putIntoMap(mutation, null));\n }\n\n return queueNodeTrees;\n}\n\nexport function iterateResolveTree(\n tree: ResolveTree,\n cb: (mutation: addedNodeMutation) => unknown,\n) {\n cb(tree.value);\n /**\n * The resolve tree was designed to reflect the DOM layout,\n * but we need append next sibling first, so we do a reverse\n * loop here.\n */\n for (let i = tree.children.length - 1; i >= 0; i--) {\n iterateResolveTree(tree.children[i], cb);\n }\n}\n\ntype HTMLIFrameINode = HTMLIFrameElement & {\n __sn: serializedNodeWithId;\n};\nexport type AppendedIframe = {\n mutationInQueue: addedNodeMutation;\n builtNode: HTMLIFrameINode;\n};\n\nexport function isIframeINode(\n node: INode | ShadowRoot,\n): node is HTMLIFrameINode {\n if ('__sn' in node) {\n return (\n node.__sn.type === NodeType.Element && node.__sn.tagName === 'iframe'\n );\n }\n // node can be document fragment when using the virtual parent feature\n return false;\n}\n\nexport function getBaseDimension(\n node: Node,\n rootIframe: Node,\n): DocumentDimension {\n const frameElement = node.ownerDocument?.defaultView?.frameElement;\n if (!frameElement || frameElement === rootIframe) {\n return {\n x: 0,\n y: 0,\n relativeScale: 1,\n absoluteScale: 1,\n };\n }\n\n const frameDimension = frameElement.getBoundingClientRect();\n const frameBaseDimension = getBaseDimension(frameElement, rootIframe);\n // the iframe element may have a scale transform\n const relativeScale = frameDimension.height / frameElement.clientHeight;\n return {\n x:\n frameDimension.x * frameBaseDimension.relativeScale +\n frameBaseDimension.x,\n y:\n frameDimension.y * frameBaseDimension.relativeScale +\n frameBaseDimension.y,\n relativeScale,\n absoluteScale: frameBaseDimension.absoluteScale * relativeScale,\n };\n}\n\nexport function hasShadowRoot(\n n: T,\n): n is T & { shadowRoot: ShadowRoot } {\n return Boolean(((n as unknown) as Element)?.shadowRoot);\n}\n","import {\n INode,\n serializeNodeWithId,\n transformAttribute,\n IGNORED_NODE,\n isShadowRoot,\n needMaskingText,\n maskInputValue,\n} from 'rrweb-snapshot';\nimport {\n mutationRecord,\n textCursor,\n attributeCursor,\n removedNodeMutation,\n addedNodeMutation,\n Mirror,\n styleAttributeValue,\n observerParam,\n MutationBufferParam,\n Optional,\n} from '../types';\nimport {\n isBlocked,\n isAncestorRemoved,\n isIgnored,\n isIframeINode,\n hasShadowRoot,\n} from '../utils';\n\ntype DoubleLinkedListNode = {\n previous: DoubleLinkedListNode | null;\n next: DoubleLinkedListNode | null;\n value: NodeInLinkedList;\n};\ntype NodeInLinkedList = Node & {\n __ln: DoubleLinkedListNode;\n};\n\nfunction isNodeInLinkedList(n: Node | NodeInLinkedList): n is NodeInLinkedList {\n return '__ln' in n;\n}\nclass DoubleLinkedList {\n public length = 0;\n public head: DoubleLinkedListNode | null = null;\n\n public get(position: number) {\n if (position >= this.length) {\n throw new Error('Position outside of list range');\n }\n\n let current = this.head;\n for (let index = 0; index < position; index++) {\n current = current?.next || null;\n }\n return current;\n }\n\n public addNode(n: Node) {\n const node: DoubleLinkedListNode = {\n value: n as NodeInLinkedList,\n previous: null,\n next: null,\n };\n (n as NodeInLinkedList).__ln = node;\n if (n.previousSibling && isNodeInLinkedList(n.previousSibling)) {\n const current = n.previousSibling.__ln.next;\n node.next = current;\n node.previous = n.previousSibling.__ln;\n n.previousSibling.__ln.next = node;\n if (current) {\n current.previous = node;\n }\n } else if (\n n.nextSibling &&\n isNodeInLinkedList(n.nextSibling) &&\n n.nextSibling.__ln.previous\n ) {\n const current = n.nextSibling.__ln.previous;\n node.previous = current;\n node.next = n.nextSibling.__ln;\n n.nextSibling.__ln.previous = node;\n if (current) {\n current.next = node;\n }\n } else {\n if (this.head) {\n this.head.previous = node;\n }\n node.next = this.head;\n this.head = node;\n }\n this.length++;\n }\n\n public removeNode(n: NodeInLinkedList) {\n const current = n.__ln;\n if (!this.head) {\n return;\n }\n\n if (!current.previous) {\n this.head = current.next;\n if (this.head) {\n this.head.previous = null;\n }\n } else {\n current.previous.next = current.next;\n if (current.next) {\n current.next.previous = current.previous;\n }\n }\n if (n.__ln) {\n delete (n as Optional).__ln;\n }\n this.length--;\n }\n}\n\nconst moveKey = (id: number, parentId: number) => `${id}@${parentId}`;\nfunction isINode(n: Node | INode): n is INode {\n return '__sn' in n;\n}\n\n/**\n * controls behaviour of a MutationObserver\n */\nexport default class MutationBuffer {\n private frozen: boolean = false;\n private locked: boolean = false;\n\n private texts: textCursor[] = [];\n private attributes: attributeCursor[] = [];\n private removes: removedNodeMutation[] = [];\n private mapRemoves: Node[] = [];\n\n private movedMap: Record = {};\n\n /**\n * the browser MutationObserver emits multiple mutations after\n * a delay for performance reasons, making tracing added nodes hard\n * in our `processMutations` callback function.\n * For example, if we append an element el_1 into body, and then append\n * another element el_2 into el_1, these two mutations may be passed to the\n * callback function together when the two operations were done.\n * Generally we need to trace child nodes of newly added nodes, but in this\n * case if we count el_2 as el_1's child node in the first mutation record,\n * then we will count el_2 again in the second mutation record which was\n * duplicated.\n * To avoid of duplicate counting added nodes, we use a Set to store\n * added nodes and its child nodes during iterate mutation records. Then\n * collect added nodes from the Set which have no duplicate copy. But\n * this also causes newly added nodes will not be serialized with id ASAP,\n * which means all the id related calculation should be lazy too.\n */\n private addedSet = new Set();\n private movedSet = new Set();\n private droppedSet = new Set();\n\n private mutationCb: observerParam['mutationCb'];\n private blockClass: observerParam['blockClass'];\n private blockSelector: observerParam['blockSelector'];\n private unblockSelector: observerParam['unblockSelector'];\n private maskTextClass: observerParam['maskTextClass'];\n private maskTextSelector: observerParam['maskTextSelector'];\n private unmaskTextSelector: observerParam['unmaskTextSelector'];\n private maskInputSelector: observerParam['maskInputSelector'];\n private unmaskInputSelector: observerParam['unmaskInputSelector'];\n private inlineStylesheet: observerParam['inlineStylesheet'];\n private maskInputOptions: observerParam['maskInputOptions'];\n private maskTextFn: observerParam['maskTextFn'];\n private maskInputFn: observerParam['maskInputFn'];\n private recordCanvas: observerParam['recordCanvas'];\n private inlineImages: observerParam['inlineImages'];\n private slimDOMOptions: observerParam['slimDOMOptions'];\n private doc: observerParam['doc'];\n private mirror: observerParam['mirror'];\n private iframeManager: observerParam['iframeManager'];\n private shadowDomManager: observerParam['shadowDomManager'];\n private canvasManager: observerParam['canvasManager'];\n\n public init(options: MutationBufferParam) {\n ([\n 'mutationCb',\n 'blockClass',\n 'blockSelector',\n 'unblockSelector',\n 'maskTextClass',\n 'maskTextSelector',\n 'unmaskTextSelector',\n 'maskInputSelector',\n 'unmaskInputSelector',\n 'inlineStylesheet',\n 'maskInputOptions',\n 'maskTextFn',\n 'maskInputFn',\n 'recordCanvas',\n 'inlineImages',\n 'slimDOMOptions',\n 'doc',\n 'mirror',\n 'iframeManager',\n 'shadowDomManager',\n 'canvasManager',\n ] as const).forEach((key) => {\n // just a type trick, the runtime result is correct\n this[key] = options[key] as never;\n });\n }\n\n public freeze() {\n this.frozen = true;\n this.canvasManager.freeze();\n }\n\n public unfreeze() {\n this.frozen = false;\n this.canvasManager.unfreeze();\n this.emit();\n }\n\n public isFrozen() {\n return this.frozen;\n }\n\n public lock() {\n this.locked = true;\n this.canvasManager.lock();\n }\n\n public unlock() {\n this.locked = false;\n this.canvasManager.unlock();\n this.emit();\n }\n\n public reset() {\n this.shadowDomManager.reset();\n this.canvasManager.reset();\n }\n\n public processMutations = (mutations: mutationRecord[]) => {\n mutations.forEach(this.processMutation); // adds mutations to the buffer\n this.emit(); // clears buffer if not locked/frozen\n };\n\n public emit = () => {\n if (this.frozen || this.locked) {\n return;\n }\n\n // delay any modification of the mirror until this function\n // so that the mirror for takeFullSnapshot doesn't get mutated while it's event is being processed\n\n const adds: addedNodeMutation[] = [];\n\n /**\n * Sometimes child node may be pushed before its newly added\n * parent, so we init a queue to store these nodes.\n */\n const addList = new DoubleLinkedList();\n const getNextId = (n: Node): number | null => {\n let ns: Node | null = n;\n let nextId: number | null = IGNORED_NODE; // slimDOM: ignored\n while (nextId === IGNORED_NODE) {\n ns = ns && ns.nextSibling;\n nextId = ns && this.mirror.getId((ns as unknown) as INode);\n }\n return nextId;\n };\n const pushAdd = (n: Node) => {\n const shadowHost: Element | null = n.getRootNode\n ? (n.getRootNode() as ShadowRoot)?.host\n : null;\n // If n is in a nested shadow dom.\n let rootShadowHost = shadowHost;\n while ((rootShadowHost?.getRootNode?.() as ShadowRoot | undefined)?.host)\n rootShadowHost =\n (rootShadowHost?.getRootNode?.() as ShadowRoot | undefined)?.host ||\n null;\n // ensure shadowHost is a Node, or doc.contains will throw an error\n const notInDoc =\n !this.doc.contains(n) &&\n (rootShadowHost === null || !this.doc.contains(rootShadowHost));\n if (!n.parentNode || notInDoc) {\n return;\n }\n const parentId = isShadowRoot(n.parentNode)\n ? this.mirror.getId((shadowHost as unknown) as INode)\n : this.mirror.getId((n.parentNode as Node) as INode);\n const nextId = getNextId(n);\n if (parentId === -1 || nextId === -1) {\n return addList.addNode(n);\n }\n let sn = serializeNodeWithId(n, {\n doc: this.doc,\n map: this.mirror.map,\n blockClass: this.blockClass,\n blockSelector: this.blockSelector,\n unblockSelector: this.unblockSelector,\n maskTextClass: this.maskTextClass,\n maskTextSelector: this.maskTextSelector,\n unmaskTextSelector: this.unmaskTextSelector,\n maskInputSelector: this.maskInputSelector,\n unmaskInputSelector: this.unmaskInputSelector,\n skipChild: true,\n inlineStylesheet: this.inlineStylesheet,\n maskInputOptions: this.maskInputOptions,\n maskTextFn: this.maskTextFn,\n maskInputFn: this.maskInputFn,\n slimDOMOptions: this.slimDOMOptions,\n recordCanvas: this.recordCanvas,\n inlineImages: this.inlineImages,\n onSerialize: (currentN) => {\n if (isIframeINode(currentN)) {\n this.iframeManager.addIframe(currentN);\n }\n if (hasShadowRoot(n)) {\n this.shadowDomManager.addShadowRoot(n.shadowRoot, document);\n }\n },\n onIframeLoad: (iframe, childSn) => {\n this.iframeManager.attachIframe(iframe, childSn);\n this.shadowDomManager.observeAttachShadow(\n (iframe as Node) as HTMLIFrameElement,\n );\n },\n });\n if (sn) {\n adds.push({\n parentId,\n nextId,\n node: sn,\n });\n }\n };\n\n while (this.mapRemoves.length) {\n this.mirror.removeNodeFromMap(this.mapRemoves.shift() as INode);\n }\n\n for (const n of this.movedSet) {\n if (\n isParentRemoved(this.removes, n, this.mirror) &&\n !this.movedSet.has(n.parentNode!)\n ) {\n continue;\n }\n pushAdd(n);\n }\n\n for (const n of this.addedSet) {\n if (\n !isAncestorInSet(this.droppedSet, n) &&\n !isParentRemoved(this.removes, n, this.mirror)\n ) {\n pushAdd(n);\n } else if (isAncestorInSet(this.movedSet, n)) {\n pushAdd(n);\n } else {\n this.droppedSet.add(n);\n }\n }\n\n let candidate: DoubleLinkedListNode | null = null;\n while (addList.length) {\n let node: DoubleLinkedListNode | null = null;\n if (candidate) {\n const parentId = this.mirror.getId(\n (candidate.value.parentNode as Node) as INode,\n );\n const nextId = getNextId(candidate.value);\n if (parentId !== -1 && nextId !== -1) {\n node = candidate;\n }\n }\n if (!node) {\n for (let index = addList.length - 1; index >= 0; index--) {\n const _node = addList.get(index)!;\n // ensure _node is defined before attempting to find value\n if (_node) {\n const parentId = this.mirror.getId(\n (_node.value.parentNode as Node) as INode,\n );\n const nextId = getNextId(_node.value);\n if (parentId !== -1 && nextId !== -1) {\n node = _node;\n break;\n }\n }\n }\n }\n if (!node) {\n /**\n * If all nodes in queue could not find a serialized parent,\n * it may be a bug or corner case. We need to escape the\n * dead while loop at once.\n */\n while (addList.head) {\n addList.removeNode(addList.head.value);\n }\n break;\n }\n candidate = node.previous;\n addList.removeNode(node.value);\n pushAdd(node.value);\n }\n\n const payload = {\n texts: this.texts\n .map((text) => ({\n id: this.mirror.getId(text.node as INode),\n value: text.value,\n }))\n // text mutation's id was not in the mirror map means the target node has been removed\n .filter((text) => this.mirror.has(text.id)),\n attributes: this.attributes\n .map((attribute) => ({\n id: this.mirror.getId(attribute.node as INode),\n attributes: attribute.attributes,\n }))\n // attribute mutation's id was not in the mirror map means the target node has been removed\n .filter((attribute) => this.mirror.has(attribute.id)),\n removes: this.removes,\n adds,\n };\n // payload may be empty if the mutations happened in some blocked elements\n if (\n !payload.texts.length &&\n !payload.attributes.length &&\n !payload.removes.length &&\n !payload.adds.length\n ) {\n return;\n }\n\n // reset\n this.texts = [];\n this.attributes = [];\n this.removes = [];\n this.addedSet = new Set();\n this.movedSet = new Set();\n this.droppedSet = new Set();\n this.movedMap = {};\n\n this.mutationCb(payload);\n };\n\n private processMutation = (m: mutationRecord) => {\n if (isIgnored(m.target)) {\n return;\n }\n switch (m.type) {\n case 'characterData': {\n const value = m.target.textContent;\n if (!isBlocked(m.target, this.blockClass) && value !== m.oldValue) {\n this.texts.push({\n value:\n needMaskingText(\n m.target,\n this.maskTextClass,\n this.maskTextSelector,\n this.unmaskTextSelector\n ) && value\n ? this.maskTextFn\n ? this.maskTextFn(value)\n : value.replace(/[\\S]/g, '*')\n : value,\n node: m.target,\n });\n }\n break;\n }\n case 'attributes': {\n const target = m.target as HTMLElement;\n let value = (m.target as HTMLElement).getAttribute(m.attributeName!);\n if (m.attributeName === 'value') {\n value = maskInputValue({\n input: target,\n maskInputSelector: this.maskInputSelector,\n unmaskInputSelector: this.unmaskInputSelector,\n maskInputOptions: this.maskInputOptions,\n tagName: (m.target as HTMLElement).tagName,\n type: (m.target as HTMLElement).getAttribute('type'),\n value,\n maskInputFn: this.maskInputFn,\n });\n }\n if (isBlocked(m.target, this.blockClass) || value === m.oldValue) {\n return;\n }\n let item: attributeCursor | undefined = this.attributes.find(\n (a) => a.node === m.target,\n );\n if (!item) {\n item = {\n node: m.target,\n attributes: {},\n };\n this.attributes.push(item);\n }\n if (m.attributeName === 'style') {\n const old = this.doc.createElement('span');\n if (m.oldValue) {\n old.setAttribute('style', m.oldValue);\n }\n if (\n item.attributes.style === undefined ||\n item.attributes.style === null\n ) {\n item.attributes.style = {};\n }\n const styleObj = item.attributes.style as styleAttributeValue;\n for (const pname of Array.from(target.style)) {\n const newValue = target.style.getPropertyValue(pname);\n const newPriority = target.style.getPropertyPriority(pname);\n if (\n newValue !== old.style.getPropertyValue(pname) ||\n newPriority !== old.style.getPropertyPriority(pname)\n ) {\n if (newPriority === '') {\n styleObj[pname] = newValue;\n } else {\n styleObj[pname] = [newValue, newPriority];\n }\n }\n }\n for (const pname of Array.from(old.style)) {\n if (target.style.getPropertyValue(pname) === '') {\n // \"if not set, returns the empty string\"\n styleObj[pname] = false; // delete\n }\n }\n } else {\n // overwrite attribute if the mutations was triggered in same time\n item.attributes[m.attributeName!] = transformAttribute(\n this.doc,\n (m.target as HTMLElement).tagName,\n m.attributeName!,\n value!,\n );\n }\n break;\n }\n case 'childList': {\n m.addedNodes.forEach((n) => this.genAdds(n, m.target));\n m.removedNodes.forEach((n) => {\n const nodeId = this.mirror.getId(n as INode);\n const parentId = isShadowRoot(m.target)\n ? this.mirror.getId((m.target.host as unknown) as INode)\n : this.mirror.getId(m.target as INode);\n if (isBlocked(m.target, this.blockClass) || isIgnored(n)) {\n return;\n }\n // removed node has not been serialized yet, just remove it from the Set\n if (this.addedSet.has(n)) {\n deepDelete(this.addedSet, n);\n this.droppedSet.add(n);\n } else if (this.addedSet.has(m.target) && nodeId === -1) {\n /**\n * If target was newly added and removed child node was\n * not serialized, it means the child node has been removed\n * before callback fired, so we can ignore it because\n * newly added node will be serialized without child nodes.\n * TODO: verify this\n */\n } else if (isAncestorRemoved(m.target as INode, this.mirror)) {\n /**\n * If parent id was not in the mirror map any more, it\n * means the parent node has already been removed. So\n * the node is also removed which we do not need to track\n * and replay.\n */\n } else if (\n this.movedSet.has(n) &&\n this.movedMap[moveKey(nodeId, parentId)]\n ) {\n deepDelete(this.movedSet, n);\n } else {\n this.removes.push({\n parentId,\n id: nodeId,\n isShadow: isShadowRoot(m.target) ? true : undefined,\n });\n }\n this.mapRemoves.push(n);\n });\n break;\n }\n default:\n break;\n }\n };\n\n private genAdds = (n: Node | INode, target?: Node | INode) => {\n // parent was blocked, so we can ignore this node\n if (target && isBlocked(target, this.blockClass)) {\n return;\n }\n if (isINode(n)) {\n if (isIgnored(n)) {\n return;\n }\n this.movedSet.add(n);\n let targetId: number | null = null;\n if (target && isINode(target)) {\n targetId = target.__sn.id;\n }\n if (targetId) {\n this.movedMap[moveKey(n.__sn.id, targetId)] = true;\n }\n } else {\n this.addedSet.add(n);\n this.droppedSet.delete(n);\n }\n\n // if this node is blocked `serializeNode` will turn it into a placeholder element\n // but we have to remove it's children otherwise they will be added as placeholders too\n if (!isBlocked(n, this.blockClass))\n n.childNodes.forEach((childN) => this.genAdds(childN));\n };\n}\n\n/**\n * Some utils to handle the mutation observer DOM records.\n * It should be more clear to extend the native data structure\n * like Set and Map, but currently Typescript does not support\n * that.\n */\nfunction deepDelete(addsSet: Set, n: Node) {\n addsSet.delete(n);\n n.childNodes.forEach((childN) => deepDelete(addsSet, childN));\n}\n\nfunction isParentRemoved(\n removes: removedNodeMutation[],\n n: Node,\n mirror: Mirror,\n): boolean {\n const { parentNode } = n;\n if (!parentNode) {\n return false;\n }\n const parentId = mirror.getId((parentNode as Node) as INode);\n if (removes.some((r) => r.id === parentId)) {\n return true;\n }\n return isParentRemoved(removes, parentNode, mirror);\n}\n\nfunction isAncestorInSet(set: Set, n: Node): boolean {\n const { parentNode } = n;\n if (!parentNode) {\n return false;\n }\n if (set.has(parentNode)) {\n return true;\n }\n return isAncestorInSet(set, parentNode);\n}\n","import { INode, MaskInputOptions, maskInputValue } from 'rrweb-snapshot';\nimport { FontFaceSet } from 'css-font-loading-module';\nimport {\n throttle,\n on,\n hookSetter,\n getWindowHeight,\n getWindowWidth,\n isBlocked,\n isTouchEvent,\n patch,\n} from '../utils';\nimport {\n mutationCallBack,\n observerParam,\n mousemoveCallBack,\n mousePosition,\n mouseInteractionCallBack,\n MouseInteractions,\n listenerHandler,\n scrollCallback,\n styleSheetRuleCallback,\n viewportResizeCallback,\n inputValue,\n inputCallback,\n hookResetter,\n IncrementalSource,\n hooksParam,\n Arguments,\n mediaInteractionCallback,\n MediaInteractions,\n canvasMutationCallback,\n fontCallback,\n fontParam,\n styleDeclarationCallback,\n IWindow,\n MutationBufferParam,\n} from '../types';\nimport MutationBuffer from './mutation';\n\ntype WindowWithStoredMutationObserver = IWindow & {\n __rrMutationObserver?: MutationObserver;\n};\ntype WindowWithAngularZone = IWindow & {\n Zone?: {\n __symbol__?: (key: string) => string;\n };\n};\n\nexport const mutationBuffers: MutationBuffer[] = [];\n\nconst isCSSGroupingRuleSupported = typeof CSSGroupingRule !== 'undefined';\nconst isCSSMediaRuleSupported = typeof CSSMediaRule !== 'undefined';\nconst isCSSSupportsRuleSupported = typeof CSSSupportsRule !== 'undefined';\nconst isCSSConditionRuleSupported = typeof CSSConditionRule !== 'undefined';\n\n// Event.path is non-standard and used in some older browsers\ntype NonStandardEvent = Omit & {\n path: EventTarget[];\n};\n\nfunction getEventTarget(event: Event | NonStandardEvent): EventTarget | null {\n try {\n if ('composedPath' in event) {\n const path = event.composedPath();\n if (path.length) {\n return path[0];\n }\n } else if ('path' in event && event.path.length) {\n return event.path[0];\n }\n return event.target;\n } catch {\n return event.target;\n }\n}\n\nexport function initMutationObserver(\n options: MutationBufferParam,\n rootEl: Node,\n): MutationObserver {\n const mutationBuffer = new MutationBuffer();\n mutationBuffers.push(mutationBuffer);\n // see mutation.ts for details\n mutationBuffer.init(options);\n let mutationObserverCtor =\n window.MutationObserver ||\n /**\n * Some websites may disable MutationObserver by removing it from the window object.\n * If someone is using rrweb to build a browser extention or things like it, they\n * could not change the website's code but can have an opportunity to inject some\n * code before the website executing its JS logic.\n * Then they can do this to store the native MutationObserver:\n * window.__rrMutationObserver = MutationObserver\n */\n (window as WindowWithStoredMutationObserver).__rrMutationObserver;\n const angularZoneSymbol = (window as WindowWithAngularZone)?.Zone?.__symbol__?.(\n 'MutationObserver',\n );\n if (\n angularZoneSymbol &&\n ((window as unknown) as Record)[\n angularZoneSymbol\n ]\n ) {\n mutationObserverCtor = ((window as unknown) as Record<\n string,\n typeof MutationObserver\n >)[angularZoneSymbol];\n }\n const observer = new mutationObserverCtor(\n mutationBuffer.processMutations.bind(mutationBuffer),\n );\n observer.observe(rootEl, {\n attributes: true,\n attributeOldValue: true,\n characterData: true,\n characterDataOldValue: true,\n childList: true,\n subtree: true,\n });\n return observer;\n}\n\nfunction initMoveObserver({\n mousemoveCb,\n sampling,\n doc,\n mirror,\n}: observerParam): listenerHandler {\n if (sampling.mousemove === false) {\n return () => {};\n }\n\n const threshold =\n typeof sampling.mousemove === 'number' ? sampling.mousemove : 50;\n const callbackThreshold =\n typeof sampling.mousemoveCallback === 'number'\n ? sampling.mousemoveCallback\n : 500;\n\n let positions: mousePosition[] = [];\n let timeBaseline: number | null;\n const wrappedCb = throttle(\n (\n source:\n | IncrementalSource.MouseMove\n | IncrementalSource.TouchMove\n | IncrementalSource.Drag,\n ) => {\n const totalOffset = Date.now() - timeBaseline!;\n mousemoveCb(\n positions.map((p) => {\n p.timeOffset -= totalOffset;\n return p;\n }),\n source,\n );\n positions = [];\n timeBaseline = null;\n },\n callbackThreshold,\n );\n const updatePosition = throttle(\n (evt) => {\n const target = getEventTarget(evt);\n const { clientX, clientY } = isTouchEvent(evt)\n ? evt.changedTouches[0]\n : evt;\n if (!timeBaseline) {\n timeBaseline = Date.now();\n }\n positions.push({\n x: clientX,\n y: clientY,\n id: mirror.getId(target as INode),\n timeOffset: Date.now() - timeBaseline,\n });\n // it is possible DragEvent is undefined even on devices\n // that support event 'drag'\n wrappedCb(\n typeof DragEvent !== 'undefined' && evt instanceof DragEvent\n ? IncrementalSource.Drag\n : evt instanceof MouseEvent\n ? IncrementalSource.MouseMove\n : IncrementalSource.TouchMove,\n );\n },\n threshold,\n {\n trailing: false,\n },\n );\n const handlers = [\n on('mousemove', updatePosition, doc),\n on('touchmove', updatePosition, doc),\n on('drag', updatePosition, doc),\n ];\n return () => {\n handlers.forEach((h) => h());\n };\n}\n\nfunction initMouseInteractionObserver({\n mouseInteractionCb,\n doc,\n mirror,\n blockClass,\n sampling,\n}: observerParam): listenerHandler {\n if (sampling.mouseInteraction === false) {\n return () => {};\n }\n const disableMap: Record =\n sampling.mouseInteraction === true ||\n sampling.mouseInteraction === undefined\n ? {}\n : sampling.mouseInteraction;\n\n const handlers: listenerHandler[] = [];\n const getHandler = (eventKey: keyof typeof MouseInteractions) => {\n return (event: MouseEvent | TouchEvent) => {\n const target = getEventTarget(event) as Node;\n if (isBlocked(target as Node, blockClass)) {\n return;\n }\n const e = isTouchEvent(event) ? event.changedTouches[0] : event;\n if (!e) {\n return;\n }\n const id = mirror.getId(target as INode);\n const { clientX, clientY } = e;\n mouseInteractionCb({\n type: MouseInteractions[eventKey],\n id,\n x: clientX,\n y: clientY,\n });\n };\n };\n Object.keys(MouseInteractions)\n .filter(\n (key) =>\n Number.isNaN(Number(key)) &&\n !key.endsWith('_Departed') &&\n disableMap[key] !== false,\n )\n .forEach((eventKey: keyof typeof MouseInteractions) => {\n const eventName = eventKey.toLowerCase();\n const handler = getHandler(eventKey);\n handlers.push(on(eventName, handler, doc));\n });\n return () => {\n handlers.forEach((h) => h());\n };\n}\n\nexport function initScrollObserver({\n scrollCb,\n doc,\n mirror,\n blockClass,\n sampling,\n}: Pick<\n observerParam,\n 'scrollCb' | 'doc' | 'mirror' | 'blockClass' | 'sampling'\n>): listenerHandler {\n const updatePosition = throttle((evt) => {\n const target = getEventTarget(evt);\n if (!target || isBlocked(target as Node, blockClass)) {\n return;\n }\n const id = mirror.getId(target as INode);\n if (target === doc) {\n const scrollEl = (doc.scrollingElement || doc.documentElement)!;\n scrollCb({\n id,\n x: scrollEl.scrollLeft,\n y: scrollEl.scrollTop,\n });\n } else {\n scrollCb({\n id,\n x: (target as HTMLElement).scrollLeft,\n y: (target as HTMLElement).scrollTop,\n });\n }\n }, sampling.scroll || 100);\n return on('scroll', updatePosition, doc);\n}\n\nfunction initViewportResizeObserver({\n viewportResizeCb,\n}: observerParam): listenerHandler {\n let lastH = -1;\n let lastW = -1;\n const updateDimension = throttle(() => {\n const height = getWindowHeight();\n const width = getWindowWidth();\n if (lastH !== height || lastW !== width) {\n viewportResizeCb({\n width: Number(width),\n height: Number(height),\n });\n lastH = height;\n lastW = width;\n }\n }, 200);\n return on('resize', updateDimension, window);\n}\n\nfunction wrapEventWithUserTriggeredFlag(\n v: inputValue,\n enable: boolean,\n): inputValue {\n const value = { ...v };\n if (!enable) delete value.userTriggered;\n return value;\n}\n\nexport const INPUT_TAGS = ['INPUT', 'TEXTAREA', 'SELECT'];\nconst lastInputValueMap: WeakMap = new WeakMap();\nfunction initInputObserver({\n inputCb,\n doc,\n mirror,\n blockClass,\n ignoreClass,\n ignoreSelector,\n maskInputSelector,\n unmaskInputSelector,\n maskInputOptions,\n maskInputFn,\n sampling,\n userTriggeredOnInput,\n}: observerParam): listenerHandler {\n function eventHandler(event: Event) {\n let target = getEventTarget(event);\n const userTriggered = event.isTrusted;\n /**\n * If a site changes the value 'selected' of an option element, the value of its parent element, usually a select element, will be changed as well.\n * We can treat this change as a value change of the select element the current target belongs to.\n */\n if (target && (target as Element).tagName === 'OPTION')\n target = (target as Element).parentElement;\n if (\n !target ||\n !(target as Element).tagName ||\n INPUT_TAGS.indexOf((target as Element).tagName) < 0 ||\n isBlocked(target as Node, blockClass)\n ) {\n return;\n }\n const type: string | undefined = (target as HTMLInputElement).type;\n if ((target as HTMLElement).classList.contains(ignoreClass) || (ignoreSelector && (target as HTMLElement).matches(ignoreSelector))) {\n return;\n }\n let text = (target as HTMLInputElement).value;\n let isChecked = false;\n if (type === 'radio' || type === 'checkbox') {\n isChecked = (target as HTMLInputElement).checked;\n } else if (\n maskInputOptions[\n (target as Element).tagName.toLowerCase() as keyof MaskInputOptions\n ] ||\n maskInputOptions[type as keyof MaskInputOptions]\n ) {\n text = maskInputValue({\n input: (target as HTMLElement),\n maskInputOptions,\n maskInputSelector,\n unmaskInputSelector,\n tagName: (target as HTMLElement).tagName,\n type,\n value: text,\n maskInputFn,\n });\n }\n cbWithDedup(\n target,\n wrapEventWithUserTriggeredFlag(\n { text, isChecked, userTriggered },\n userTriggeredOnInput,\n ),\n );\n // if a radio was checked\n // the other radios with the same name attribute will be unchecked.\n const name: string | undefined = (target as HTMLInputElement).name;\n if (type === 'radio' && name && isChecked) {\n doc\n .querySelectorAll(`input[type=\"radio\"][name=\"${name}\"]`)\n .forEach((el) => {\n if (el !== target) {\n cbWithDedup(\n el,\n wrapEventWithUserTriggeredFlag(\n {\n text: (el as HTMLInputElement).value,\n isChecked: !isChecked,\n userTriggered: false,\n },\n userTriggeredOnInput,\n ),\n );\n }\n });\n }\n }\n function cbWithDedup(target: EventTarget, v: inputValue) {\n const lastInputValue = lastInputValueMap.get(target);\n if (\n !lastInputValue ||\n lastInputValue.text !== v.text ||\n lastInputValue.isChecked !== v.isChecked\n ) {\n lastInputValueMap.set(target, v);\n const id = mirror.getId(target as INode);\n inputCb({\n ...v,\n id,\n });\n }\n }\n const events = sampling.input === 'last' ? ['change'] : ['input', 'change'];\n const handlers: Array<\n listenerHandler | hookResetter\n > = events.map((eventName) => on(eventName, eventHandler, doc));\n const propertyDescriptor = Object.getOwnPropertyDescriptor(\n HTMLInputElement.prototype,\n 'value',\n );\n const hookProperties: Array<[HTMLElement, string]> = [\n [HTMLInputElement.prototype, 'value'],\n [HTMLInputElement.prototype, 'checked'],\n [HTMLSelectElement.prototype, 'value'],\n [HTMLTextAreaElement.prototype, 'value'],\n // Some UI library use selectedIndex to set select value\n [HTMLSelectElement.prototype, 'selectedIndex'],\n [HTMLOptionElement.prototype, 'selected'],\n ];\n if (propertyDescriptor && propertyDescriptor.set) {\n handlers.push(\n ...hookProperties.map((p) =>\n hookSetter(p[0], p[1], {\n set() {\n // mock to a normal event\n eventHandler({ target: this } as Event);\n },\n }),\n ),\n );\n }\n return () => {\n handlers.forEach((h) => h());\n };\n}\n\ntype GroupingCSSRule =\n | CSSGroupingRule\n | CSSMediaRule\n | CSSSupportsRule\n | CSSConditionRule;\ntype GroupingCSSRuleTypes =\n | typeof CSSGroupingRule\n | typeof CSSMediaRule\n | typeof CSSSupportsRule\n | typeof CSSConditionRule;\n\nfunction getNestedCSSRulePositions(rule: CSSRule): number[] {\n const positions: number[] = [];\n function recurse(childRule: CSSRule, pos: number[]) {\n if (\n (isCSSGroupingRuleSupported &&\n childRule.parentRule instanceof CSSGroupingRule) ||\n (isCSSMediaRuleSupported &&\n childRule.parentRule instanceof CSSMediaRule) ||\n (isCSSSupportsRuleSupported &&\n childRule.parentRule instanceof CSSSupportsRule) ||\n (isCSSConditionRuleSupported &&\n childRule.parentRule instanceof CSSConditionRule)\n ) {\n const rules = Array.from(\n (childRule.parentRule as GroupingCSSRule).cssRules,\n );\n const index = rules.indexOf(childRule);\n pos.unshift(index);\n } else {\n const rules = Array.from(childRule.parentStyleSheet!.cssRules);\n const index = rules.indexOf(childRule);\n pos.unshift(index);\n }\n return pos;\n }\n return recurse(rule, positions);\n}\n\nfunction initStyleSheetObserver(\n { styleSheetRuleCb, mirror }: observerParam,\n { win }: { win: IWindow },\n): listenerHandler {\n if (!win.CSSStyleSheet || !win.CSSStyleSheet.prototype) {\n // If, for whatever reason, CSSStyleSheet is not available, we skip the observation of stylesheets.\n return () => {};\n }\n\n const insertRule = win.CSSStyleSheet.prototype.insertRule;\n win.CSSStyleSheet.prototype.insertRule = function (\n rule: string,\n index?: number,\n ) {\n const id = mirror.getId(this.ownerNode as INode);\n if (id !== -1) {\n styleSheetRuleCb({\n id,\n adds: [{ rule, index }],\n });\n }\n return insertRule.apply(this, arguments);\n };\n\n const deleteRule = win.CSSStyleSheet.prototype.deleteRule;\n win.CSSStyleSheet.prototype.deleteRule = function (index: number) {\n const id = mirror.getId(this.ownerNode as INode);\n if (id !== -1) {\n styleSheetRuleCb({\n id,\n removes: [{ index }],\n });\n }\n return deleteRule.apply(this, arguments);\n };\n\n const supportedNestedCSSRuleTypes: {\n [key: string]: GroupingCSSRuleTypes;\n } = {};\n if (isCSSGroupingRuleSupported) {\n supportedNestedCSSRuleTypes.CSSGroupingRule = win.CSSGroupingRule;\n } else {\n // Some browsers (Safari) don't support CSSGroupingRule\n // https://caniuse.com/?search=cssgroupingrule\n // fall back to monkey patching classes that would have inherited from CSSGroupingRule\n\n if (isCSSMediaRuleSupported) {\n supportedNestedCSSRuleTypes.CSSMediaRule = win.CSSMediaRule;\n }\n if (isCSSConditionRuleSupported) {\n supportedNestedCSSRuleTypes.CSSConditionRule = win.CSSConditionRule;\n }\n if (isCSSSupportsRuleSupported) {\n supportedNestedCSSRuleTypes.CSSSupportsRule = win.CSSSupportsRule;\n }\n }\n\n const unmodifiedFunctions: {\n [key: string]: {\n insertRule: (rule: string, index?: number) => number;\n deleteRule: (index: number) => void;\n };\n } = {};\n\n Object.entries(supportedNestedCSSRuleTypes).forEach(([typeKey, type]) => {\n unmodifiedFunctions[typeKey] = {\n insertRule: (type as GroupingCSSRuleTypes).prototype.insertRule,\n deleteRule: (type as GroupingCSSRuleTypes).prototype.deleteRule,\n };\n\n type.prototype.insertRule = function (rule: string, index?: number) {\n const id = mirror.getId(this.parentStyleSheet.ownerNode as INode);\n if (id !== -1) {\n styleSheetRuleCb({\n id,\n adds: [\n {\n rule,\n index: [\n ...getNestedCSSRulePositions(this),\n index || 0, // defaults to 0\n ],\n },\n ],\n });\n }\n return unmodifiedFunctions[typeKey].insertRule.apply(this, arguments);\n };\n\n type.prototype.deleteRule = function (index: number) {\n const id = mirror.getId(this.parentStyleSheet.ownerNode as INode);\n if (id !== -1) {\n styleSheetRuleCb({\n id,\n removes: [{ index: [...getNestedCSSRulePositions(this), index] }],\n });\n }\n return unmodifiedFunctions[typeKey].deleteRule.apply(this, arguments);\n };\n });\n\n return () => {\n win.CSSStyleSheet.prototype.insertRule = insertRule;\n win.CSSStyleSheet.prototype.deleteRule = deleteRule;\n Object.entries(supportedNestedCSSRuleTypes).forEach(([typeKey, type]) => {\n type.prototype.insertRule = unmodifiedFunctions[typeKey].insertRule;\n type.prototype.deleteRule = unmodifiedFunctions[typeKey].deleteRule;\n });\n };\n}\n\nfunction initStyleDeclarationObserver(\n { styleDeclarationCb, mirror }: observerParam,\n { win }: { win: IWindow },\n): listenerHandler {\n const setProperty = win.CSSStyleDeclaration.prototype.setProperty;\n win.CSSStyleDeclaration.prototype.setProperty = function (\n this: CSSStyleDeclaration,\n property: string,\n value: string,\n priority: string,\n ) {\n const id = mirror.getId(\n (this.parentRule?.parentStyleSheet?.ownerNode as unknown) as INode,\n );\n if (id !== -1) {\n styleDeclarationCb({\n id,\n set: {\n property,\n value,\n priority,\n },\n index: getNestedCSSRulePositions(this.parentRule!),\n });\n }\n return setProperty.apply(this, arguments);\n };\n\n const removeProperty = win.CSSStyleDeclaration.prototype.removeProperty;\n win.CSSStyleDeclaration.prototype.removeProperty = function (\n this: CSSStyleDeclaration,\n property: string,\n ) {\n const id = mirror.getId(\n (this.parentRule?.parentStyleSheet?.ownerNode as unknown) as INode,\n );\n if (id !== -1) {\n styleDeclarationCb({\n id,\n remove: {\n property,\n },\n index: getNestedCSSRulePositions(this.parentRule!),\n });\n }\n return removeProperty.apply(this, arguments);\n };\n\n return () => {\n win.CSSStyleDeclaration.prototype.setProperty = setProperty;\n win.CSSStyleDeclaration.prototype.removeProperty = removeProperty;\n };\n}\n\nfunction initMediaInteractionObserver({\n mediaInteractionCb,\n blockClass,\n mirror,\n sampling,\n}: observerParam): listenerHandler {\n const handler = (type: MediaInteractions) =>\n throttle((event: Event) => {\n const target = getEventTarget(event);\n if (!target || isBlocked(target as Node, blockClass)) {\n return;\n }\n const { currentTime, volume, muted } = target as HTMLMediaElement;\n mediaInteractionCb({\n type,\n id: mirror.getId(target as INode),\n currentTime,\n volume,\n muted,\n });\n }, sampling.media || 500);\n const handlers = [\n on('play', handler(MediaInteractions.Play)),\n on('pause', handler(MediaInteractions.Pause)),\n on('seeked', handler(MediaInteractions.Seeked)),\n on('volumechange', handler(MediaInteractions.VolumeChange)),\n ];\n return () => {\n handlers.forEach((h) => h());\n };\n}\n\nfunction initFontObserver({ fontCb, doc }: observerParam): listenerHandler {\n const win = doc.defaultView as IWindow;\n if (!win) {\n return () => {};\n }\n\n const handlers: listenerHandler[] = [];\n\n const fontMap = new WeakMap();\n\n const originalFontFace = win.FontFace;\n win.FontFace = (function FontFace(\n family: string,\n source: string | ArrayBufferView,\n descriptors?: FontFaceDescriptors,\n ) {\n const fontFace = new originalFontFace(family, source, descriptors);\n fontMap.set(fontFace, {\n family,\n buffer: typeof source !== 'string',\n descriptors,\n fontSource:\n typeof source === 'string'\n ? source\n : // tslint:disable-next-line: no-any\n JSON.stringify(Array.from(new Uint8Array(source as any))),\n });\n return fontFace;\n } as unknown) as typeof FontFace;\n\n const restoreHandler = patch(doc.fonts, 'add', function (original) {\n return function (this: FontFaceSet, fontFace: FontFace) {\n setTimeout(() => {\n const p = fontMap.get(fontFace);\n if (p) {\n fontCb(p);\n fontMap.delete(fontFace);\n }\n }, 0);\n return original.apply(this, [fontFace]);\n };\n });\n\n handlers.push(() => {\n win.FontFace = originalFontFace;\n });\n handlers.push(restoreHandler);\n\n return () => {\n handlers.forEach((h) => h());\n };\n}\n\nfunction mergeHooks(o: observerParam, hooks: hooksParam) {\n const {\n mutationCb,\n mousemoveCb,\n mouseInteractionCb,\n scrollCb,\n viewportResizeCb,\n inputCb,\n mediaInteractionCb,\n styleSheetRuleCb,\n styleDeclarationCb,\n canvasMutationCb,\n fontCb,\n } = o;\n o.mutationCb = (...p: Arguments) => {\n if (hooks.mutation) {\n hooks.mutation(...p);\n }\n mutationCb(...p);\n };\n o.mousemoveCb = (...p: Arguments) => {\n if (hooks.mousemove) {\n hooks.mousemove(...p);\n }\n mousemoveCb(...p);\n };\n o.mouseInteractionCb = (...p: Arguments) => {\n if (hooks.mouseInteraction) {\n hooks.mouseInteraction(...p);\n }\n mouseInteractionCb(...p);\n };\n o.scrollCb = (...p: Arguments) => {\n if (hooks.scroll) {\n hooks.scroll(...p);\n }\n scrollCb(...p);\n };\n o.viewportResizeCb = (...p: Arguments) => {\n if (hooks.viewportResize) {\n hooks.viewportResize(...p);\n }\n viewportResizeCb(...p);\n };\n o.inputCb = (...p: Arguments) => {\n if (hooks.input) {\n hooks.input(...p);\n }\n inputCb(...p);\n };\n o.mediaInteractionCb = (...p: Arguments) => {\n if (hooks.mediaInteaction) {\n hooks.mediaInteaction(...p);\n }\n mediaInteractionCb(...p);\n };\n o.styleSheetRuleCb = (...p: Arguments) => {\n if (hooks.styleSheetRule) {\n hooks.styleSheetRule(...p);\n }\n styleSheetRuleCb(...p);\n };\n o.styleDeclarationCb = (...p: Arguments) => {\n if (hooks.styleDeclaration) {\n hooks.styleDeclaration(...p);\n }\n styleDeclarationCb(...p);\n };\n o.canvasMutationCb = (...p: Arguments) => {\n if (hooks.canvasMutation) {\n hooks.canvasMutation(...p);\n }\n canvasMutationCb(...p);\n };\n o.fontCb = (...p: Arguments) => {\n if (hooks.font) {\n hooks.font(...p);\n }\n fontCb(...p);\n };\n}\n\nexport function initObservers(\n o: observerParam,\n hooks: hooksParam = {},\n): listenerHandler {\n const currentWindow = o.doc.defaultView; // basically document.window\n if (!currentWindow) {\n return () => {};\n }\n\n mergeHooks(o, hooks);\n const mutationObserver = initMutationObserver(o, o.doc);\n const mousemoveHandler = initMoveObserver(o);\n const mouseInteractionHandler = initMouseInteractionObserver(o);\n const scrollHandler = initScrollObserver(o);\n const viewportResizeHandler = initViewportResizeObserver(o);\n const inputHandler = initInputObserver(o);\n const mediaInteractionHandler = initMediaInteractionObserver(o);\n\n const styleSheetObserver = initStyleSheetObserver(o, { win: currentWindow });\n const styleDeclarationObserver = initStyleDeclarationObserver(o, {\n win: currentWindow,\n });\n const fontObserver = o.collectFonts ? initFontObserver(o) : () => {};\n // plugins\n const pluginHandlers: listenerHandler[] = [];\n for (const plugin of o.plugins) {\n pluginHandlers.push(\n plugin.observer(plugin.callback, currentWindow, plugin.options),\n );\n }\n\n return () => {\n mutationBuffers.forEach((b) => b.reset());\n mutationObserver.disconnect();\n mousemoveHandler();\n mouseInteractionHandler();\n scrollHandler();\n viewportResizeHandler();\n inputHandler();\n mediaInteractionHandler();\n styleSheetObserver();\n styleDeclarationObserver();\n fontObserver();\n pluginHandlers.forEach((h) => h());\n };\n}\n","import { serializedNodeWithId, INode } from 'rrweb-snapshot';\nimport { mutationCallBack } from '../types';\n\nexport class IframeManager {\n private iframes: WeakMap = new WeakMap();\n private mutationCb: mutationCallBack;\n private loadListener?: (iframeEl: HTMLIFrameElement) => unknown;\n\n constructor(options: { mutationCb: mutationCallBack }) {\n this.mutationCb = options.mutationCb;\n }\n\n public addIframe(iframeEl: HTMLIFrameElement) {\n this.iframes.set(iframeEl, true);\n }\n\n public addLoadListener(cb: (iframeEl: HTMLIFrameElement) => unknown) {\n this.loadListener = cb;\n }\n\n public attachIframe(iframeEl: INode, childSn: serializedNodeWithId) {\n this.mutationCb({\n adds: [\n {\n parentId: iframeEl.__sn.id,\n nextId: null,\n node: childSn,\n },\n ],\n removes: [],\n texts: [],\n attributes: [],\n isAttachIframe: true,\n });\n this.loadListener?.((iframeEl as unknown) as HTMLIFrameElement);\n }\n}\n","import {\n mutationCallBack,\n Mirror,\n scrollCallback,\n MutationBufferParam,\n SamplingStrategy,\n} from '../types';\nimport { initMutationObserver, initScrollObserver } from './observer';\nimport { patch } from '../utils';\n\ntype BypassOptions = Omit<\n MutationBufferParam,\n 'doc' | 'mutationCb' | 'mirror' | 'shadowDomManager'\n> & {\n sampling: SamplingStrategy;\n};\n\nexport class ShadowDomManager {\n private mutationCb: mutationCallBack;\n private scrollCb: scrollCallback;\n private bypassOptions: BypassOptions;\n private mirror: Mirror;\n private restorePatches: (() => void)[] = [];\n\n constructor(options: {\n mutationCb: mutationCallBack;\n scrollCb: scrollCallback;\n bypassOptions: BypassOptions;\n mirror: Mirror;\n }) {\n this.mutationCb = options.mutationCb;\n this.scrollCb = options.scrollCb;\n this.bypassOptions = options.bypassOptions;\n this.mirror = options.mirror;\n\n // Patch 'attachShadow' to observe newly added shadow doms.\n const manager = this;\n this.restorePatches.push(\n patch(HTMLElement.prototype, 'attachShadow', function (original) {\n return function () {\n const shadowRoot = original.apply(this, arguments);\n if (this.shadowRoot)\n manager.addShadowRoot(this.shadowRoot, this.ownerDocument);\n return shadowRoot;\n };\n }),\n );\n }\n\n public addShadowRoot(shadowRoot: ShadowRoot, doc: Document) {\n initMutationObserver(\n {\n ...this.bypassOptions,\n doc,\n mutationCb: this.mutationCb,\n mirror: this.mirror,\n shadowDomManager: this,\n },\n shadowRoot,\n );\n initScrollObserver({\n ...this.bypassOptions,\n scrollCb: this.scrollCb,\n // https://gist.github.com/praveenpuglia/0832da687ed5a5d7a0907046c9ef1813\n // scroll is not allowed to pass the boundary, so we need to listen the shadow document\n doc: (shadowRoot as unknown) as Document,\n mirror: this.mirror,\n });\n }\n\n /**\n * Monkey patch 'attachShadow' of an IFrameElement to observe newly added shadow doms.\n */\n public observeAttachShadow(iframeElement: HTMLIFrameElement) {\n if (iframeElement.contentWindow) {\n const manager = this;\n this.restorePatches.push(\n patch(\n (iframeElement.contentWindow as Window & {\n HTMLElement: { prototype: HTMLElement };\n }).HTMLElement.prototype,\n 'attachShadow',\n function (original) {\n return function () {\n const shadowRoot = original.apply(this, arguments);\n if (this.shadowRoot)\n manager.addShadowRoot(\n this.shadowRoot,\n iframeElement.contentDocument as Document,\n );\n return shadowRoot;\n };\n },\n ),\n );\n }\n }\n\n public reset() {\n this.restorePatches.forEach((restorePatch) => restorePatch());\n }\n}\n","/*\n * base64-arraybuffer 1.0.1 \n * Copyright (c) 2021 Niklas von Hertzen \n * Released under MIT License\n */\nvar chars = 'ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/';\n// Use a lookup table to find the index.\nvar lookup = typeof Uint8Array === 'undefined' ? [] : new Uint8Array(256);\nfor (var i = 0; i < chars.length; i++) {\n lookup[chars.charCodeAt(i)] = i;\n}\nvar encode = function (arraybuffer) {\n var bytes = new Uint8Array(arraybuffer), i, len = bytes.length, base64 = '';\n for (i = 0; i < len; i += 3) {\n base64 += chars[bytes[i] >> 2];\n base64 += chars[((bytes[i] & 3) << 4) | (bytes[i + 1] >> 4)];\n base64 += chars[((bytes[i + 1] & 15) << 2) | (bytes[i + 2] >> 6)];\n base64 += chars[bytes[i + 2] & 63];\n }\n if (len % 3 === 2) {\n base64 = base64.substring(0, base64.length - 1) + '=';\n }\n else if (len % 3 === 1) {\n base64 = base64.substring(0, base64.length - 2) + '==';\n }\n return base64;\n};\nvar decode = function (base64) {\n var bufferLength = base64.length * 0.75, len = base64.length, i, p = 0, encoded1, encoded2, encoded3, encoded4;\n if (base64[base64.length - 1] === '=') {\n bufferLength--;\n if (base64[base64.length - 2] === '=') {\n bufferLength--;\n }\n }\n var arraybuffer = new ArrayBuffer(bufferLength), bytes = new Uint8Array(arraybuffer);\n for (i = 0; i < len; i += 4) {\n encoded1 = lookup[base64.charCodeAt(i)];\n encoded2 = lookup[base64.charCodeAt(i + 1)];\n encoded3 = lookup[base64.charCodeAt(i + 2)];\n encoded4 = lookup[base64.charCodeAt(i + 3)];\n bytes[p++] = (encoded1 << 2) | (encoded2 >> 4);\n bytes[p++] = ((encoded2 & 15) << 4) | (encoded3 >> 2);\n bytes[p++] = ((encoded3 & 3) << 6) | (encoded4 & 63);\n }\n return arraybuffer;\n};\n\nexport { decode, encode };\n//# sourceMappingURL=base64-arraybuffer.es5.js.map\n","import { encode } from 'base64-arraybuffer';\nimport { IWindow, SerializedWebGlArg } from '../../../types';\n\n// TODO: unify with `replay/webgl.ts`\ntype GLVarMap = Map;\nconst webGLVarMap: Map<\n WebGLRenderingContext | WebGL2RenderingContext,\n GLVarMap\n> = new Map();\nexport function variableListFor(\n ctx: WebGLRenderingContext | WebGL2RenderingContext,\n ctor: string,\n) {\n let contextMap = webGLVarMap.get(ctx);\n if (!contextMap) {\n contextMap = new Map();\n webGLVarMap.set(ctx, contextMap);\n }\n if (!contextMap.has(ctor)) {\n contextMap.set(ctor, []);\n }\n return contextMap.get(ctor) as any[];\n}\n\nexport const saveWebGLVar = (\n value: any,\n win: IWindow,\n ctx: WebGL2RenderingContext | WebGLRenderingContext,\n): number | void => {\n if (\n !value ||\n !(isInstanceOfWebGLObject(value, win) || typeof value === 'object')\n )\n return;\n\n const name = value.constructor.name;\n const list = variableListFor(ctx, name);\n let index = list.indexOf(value);\n\n if (index === -1) {\n index = list.length;\n list.push(value);\n }\n return index;\n};\n\n// from webgl-recorder: https://github.com/evanw/webgl-recorder/blob/bef0e65596e981ee382126587e2dcbe0fc7748e2/webgl-recorder.js#L50-L77\nexport function serializeArg(\n value: any,\n win: IWindow,\n ctx: WebGL2RenderingContext | WebGLRenderingContext,\n): SerializedWebGlArg {\n if (value instanceof Array) {\n return value.map((arg) => serializeArg(arg, win, ctx));\n } else if (value === null) {\n return value;\n } else if (\n value instanceof Float32Array ||\n value instanceof Float64Array ||\n value instanceof Int32Array ||\n value instanceof Uint32Array ||\n value instanceof Uint8Array ||\n value instanceof Uint16Array ||\n value instanceof Int16Array ||\n value instanceof Int8Array ||\n value instanceof Uint8ClampedArray\n ) {\n const name = value.constructor.name;\n return {\n rr_type: name,\n args: [Object.values(value)],\n };\n } else if (\n // SharedArrayBuffer disabled on most browsers due to spectre.\n // More info: https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/SharedArrayBuffer/SharedArrayBuffer\n // value instanceof SharedArrayBuffer ||\n value instanceof ArrayBuffer\n ) {\n const name = value.constructor.name as 'ArrayBuffer';\n const base64 = encode(value);\n\n return {\n rr_type: name,\n base64,\n };\n } else if (value instanceof DataView) {\n const name = value.constructor.name;\n return {\n rr_type: name,\n args: [\n serializeArg(value.buffer, win, ctx),\n value.byteOffset,\n value.byteLength,\n ],\n };\n } else if (value instanceof HTMLImageElement) {\n const name = value.constructor.name;\n const { src } = value;\n return {\n rr_type: name,\n src,\n };\n } else if (value instanceof ImageData) {\n const name = value.constructor.name;\n return {\n rr_type: name,\n args: [serializeArg(value.data, win, ctx), value.width, value.height],\n };\n } else if (isInstanceOfWebGLObject(value, win) || typeof value === 'object') {\n const name = value.constructor.name;\n const index = saveWebGLVar(value, win, ctx) as number;\n\n return {\n rr_type: name,\n index: index,\n };\n }\n\n return value;\n}\n\nexport const serializeArgs = (\n args: Array,\n win: IWindow,\n ctx: WebGLRenderingContext | WebGL2RenderingContext,\n) => {\n return [...args].map((arg) => serializeArg(arg, win, ctx));\n};\n\nexport const isInstanceOfWebGLObject = (\n value: any,\n win: IWindow,\n): value is\n | WebGLActiveInfo\n | WebGLBuffer\n | WebGLFramebuffer\n | WebGLProgram\n | WebGLRenderbuffer\n | WebGLShader\n | WebGLShaderPrecisionFormat\n | WebGLTexture\n | WebGLUniformLocation\n | WebGLVertexArrayObject => {\n const webGLConstructorNames: string[] = [\n 'WebGLActiveInfo',\n 'WebGLBuffer',\n 'WebGLFramebuffer',\n 'WebGLProgram',\n 'WebGLRenderbuffer',\n 'WebGLShader',\n 'WebGLShaderPrecisionFormat',\n 'WebGLTexture',\n 'WebGLUniformLocation',\n 'WebGLVertexArrayObject',\n // In old Chrome versions, value won't be an instanceof WebGLVertexArrayObject.\n 'WebGLVertexArrayObjectOES',\n ];\n const supportedWebGLConstructorNames = webGLConstructorNames.filter(\n (name: string) => typeof win[name as keyof Window] === 'function',\n );\n return Boolean(\n supportedWebGLConstructorNames.find(\n (name: string) => value instanceof win[name as keyof Window],\n ),\n );\n};\n","import { INode } from 'rrweb-snapshot';\nimport {\n blockClass,\n CanvasContext,\n canvasManagerMutationCallback,\n canvasMutationWithType,\n IWindow,\n listenerHandler,\n Mirror,\n} from '../../../types';\nimport { hookSetter, isBlocked, patch } from '../../../utils';\nimport { saveWebGLVar, serializeArgs } from './serialize-args';\n\nfunction patchGLPrototype(\n prototype: WebGLRenderingContext | WebGL2RenderingContext,\n type: CanvasContext,\n cb: canvasManagerMutationCallback,\n blockClass: blockClass,\n mirror: Mirror,\n win: IWindow,\n): listenerHandler[] {\n const handlers: listenerHandler[] = [];\n\n const props = Object.getOwnPropertyNames(prototype);\n\n for (const prop of props) {\n try {\n if (typeof prototype[prop as keyof typeof prototype] !== 'function') {\n continue;\n }\n const restoreHandler = patch(prototype, prop, function (original) {\n return function (this: typeof prototype, ...args: Array) {\n const result = original.apply(this, args);\n saveWebGLVar(result, win, prototype);\n if (!isBlocked((this.canvas as unknown) as INode, blockClass)) {\n const id = mirror.getId((this.canvas as unknown) as INode);\n\n const recordArgs = serializeArgs([...args], win, prototype);\n const mutation: canvasMutationWithType = {\n type,\n property: prop,\n args: recordArgs,\n };\n // TODO: this could potentially also be an OffscreenCanvas as well as HTMLCanvasElement\n cb(this.canvas as HTMLCanvasElement, mutation);\n }\n\n return result;\n };\n });\n handlers.push(restoreHandler);\n } catch {\n const hookHandler = hookSetter(prototype, prop, {\n set(v) {\n // TODO: this could potentially also be an OffscreenCanvas as well as HTMLCanvasElement\n cb(this.canvas as HTMLCanvasElement, {\n type,\n property: prop,\n args: [v],\n setter: true,\n });\n },\n });\n handlers.push(hookHandler);\n }\n }\n\n return handlers;\n}\n\nexport default function initCanvasWebGLMutationObserver(\n cb: canvasManagerMutationCallback,\n win: IWindow,\n blockClass: blockClass,\n mirror: Mirror,\n): listenerHandler {\n const handlers: listenerHandler[] = [];\n\n handlers.push(\n ...patchGLPrototype(\n win.WebGLRenderingContext.prototype,\n CanvasContext.WebGL,\n cb,\n blockClass,\n mirror,\n win,\n ),\n );\n\n if (typeof win.WebGL2RenderingContext !== 'undefined') {\n handlers.push(\n ...patchGLPrototype(\n win.WebGL2RenderingContext.prototype,\n CanvasContext.WebGL2,\n cb,\n blockClass,\n mirror,\n win,\n ),\n );\n }\n\n return () => {\n handlers.forEach((h) => h());\n };\n}\n","import { INode } from 'rrweb-snapshot';\nimport {\n blockClass,\n canvasManagerMutationCallback,\n canvasMutationCallback,\n canvasMutationCommand,\n canvasMutationWithType,\n IWindow,\n listenerHandler,\n Mirror,\n} from '../../../types';\nimport initCanvas2DMutationObserver from './2d';\nimport initCanvasContextObserver from './canvas';\nimport initCanvasWebGLMutationObserver from './webgl';\n\nexport type RafStamps = { latestId: number; invokeId: number | null };\n\ntype pendingCanvasMutationsMap = Map<\n HTMLCanvasElement,\n canvasMutationWithType[]\n>;\n\nexport class CanvasManager {\n private pendingCanvasMutations: pendingCanvasMutationsMap = new Map();\n private rafStamps: RafStamps = { latestId: 0, invokeId: null };\n private mirror: Mirror;\n\n private mutationCb: canvasMutationCallback;\n private resetObservers?: listenerHandler;\n private frozen: boolean = false;\n private locked: boolean = false;\n\n public reset() {\n this.pendingCanvasMutations.clear();\n this.resetObservers && this.resetObservers();\n }\n\n public freeze() {\n this.frozen = true;\n }\n\n public unfreeze() {\n this.frozen = false;\n }\n\n public lock() {\n this.locked = true;\n }\n\n public unlock() {\n this.locked = false;\n }\n\n constructor(options: {\n recordCanvas: boolean | number;\n mutationCb: canvasMutationCallback;\n win: IWindow;\n blockClass: blockClass;\n mirror: Mirror;\n }) {\n this.mutationCb = options.mutationCb;\n this.mirror = options.mirror;\n\n if (options.recordCanvas === true)\n this.initCanvasMutationObserver(options.win, options.blockClass);\n }\n\n private processMutation: canvasManagerMutationCallback = function (\n target,\n mutation,\n ) {\n const newFrame =\n this.rafStamps.invokeId &&\n this.rafStamps.latestId !== this.rafStamps.invokeId;\n if (newFrame || !this.rafStamps.invokeId)\n this.rafStamps.invokeId = this.rafStamps.latestId;\n\n if (!this.pendingCanvasMutations.has(target)) {\n this.pendingCanvasMutations.set(target, []);\n }\n\n this.pendingCanvasMutations.get(target)!.push(mutation);\n };\n\n private initCanvasMutationObserver(\n win: IWindow,\n blockClass: blockClass,\n ): void {\n this.startRAFTimestamping();\n this.startPendingCanvasMutationFlusher();\n\n const canvasContextReset = initCanvasContextObserver(win, blockClass);\n const canvas2DReset = initCanvas2DMutationObserver(\n this.processMutation.bind(this),\n win,\n blockClass,\n this.mirror,\n );\n\n const canvasWebGL1and2Reset = initCanvasWebGLMutationObserver(\n this.processMutation.bind(this),\n win,\n blockClass,\n this.mirror,\n );\n\n this.resetObservers = () => {\n canvasContextReset();\n canvas2DReset();\n canvasWebGL1and2Reset();\n };\n }\n\n private startPendingCanvasMutationFlusher() {\n requestAnimationFrame(() => this.flushPendingCanvasMutations());\n }\n\n private startRAFTimestamping() {\n const setLatestRAFTimestamp = (timestamp: DOMHighResTimeStamp) => {\n this.rafStamps.latestId = timestamp;\n requestAnimationFrame(setLatestRAFTimestamp);\n };\n requestAnimationFrame(setLatestRAFTimestamp);\n }\n\n flushPendingCanvasMutations() {\n this.pendingCanvasMutations.forEach(\n (values: canvasMutationCommand[], canvas: HTMLCanvasElement) => {\n const id = this.mirror.getId((canvas as unknown) as INode);\n this.flushPendingCanvasMutationFor(canvas, id);\n },\n );\n requestAnimationFrame(() => this.flushPendingCanvasMutations());\n }\n\n flushPendingCanvasMutationFor(canvas: HTMLCanvasElement, id: number) {\n if (this.frozen || this.locked) {\n return;\n }\n\n const valuesWithType = this.pendingCanvasMutations.get(canvas);\n if (!valuesWithType || id === -1) return;\n\n const values = valuesWithType.map((value) => {\n const { type, ...rest } = value;\n return rest;\n });\n const { type } = valuesWithType[0];\n\n this.mutationCb({ id, type, commands: values });\n\n this.pendingCanvasMutations.delete(canvas);\n }\n}\n","import { snapshot, MaskInputOptions, SlimDOMOptions } from 'rrweb-snapshot';\nimport { initObservers, mutationBuffers } from './observer';\nimport {\n on,\n getWindowWidth,\n getWindowHeight,\n polyfill,\n isIframeINode,\n hasShadowRoot,\n createMirror,\n} from '../utils';\nimport {\n EventType,\n event,\n eventWithTime,\n recordOptions,\n IncrementalSource,\n listenerHandler,\n mutationCallbackParam,\n scrollCallback,\n canvasMutationParam,\n} from '../types';\nimport { IframeManager } from './iframe-manager';\nimport { ShadowDomManager } from './shadow-dom-manager';\nimport { CanvasManager } from './observers/canvas/canvas-manager';\n\nfunction wrapEvent(e: event): eventWithTime {\n return {\n ...e,\n timestamp: Date.now(),\n };\n}\n\nlet wrappedEmit!: (e: eventWithTime, isCheckout?: boolean) => void;\n\nlet takeFullSnapshot!: (isCheckout?: boolean) => void;\n\nconst mirror = createMirror();\nfunction record(\n options: recordOptions = {},\n): listenerHandler | undefined {\n const {\n emit,\n checkoutEveryNms,\n checkoutEveryNth,\n blockClass = 'rr-block',\n blockSelector = null,\n unblockSelector = null,\n ignoreClass = 'rr-ignore',\n ignoreSelector =null,\n maskTextClass = 'rr-mask',\n maskTextSelector = null,\n maskInputSelector = null,\n unmaskTextSelector = null,\n unmaskInputSelector = null,\n inlineStylesheet = true,\n maskAllInputs,\n maskInputOptions: _maskInputOptions,\n slimDOMOptions: _slimDOMOptions,\n maskInputFn,\n maskTextFn,\n hooks,\n packFn,\n sampling = {},\n mousemoveWait,\n recordCanvas = false,\n userTriggeredOnInput = false,\n collectFonts = false,\n inlineImages = false,\n plugins,\n keepIframeSrcFn = () => false,\n } = options;\n // runtime checks for user options\n if (!emit) {\n throw new Error('emit function is required');\n }\n // move departed options to new options\n if (mousemoveWait !== undefined && sampling.mousemove === undefined) {\n sampling.mousemove = mousemoveWait;\n }\n\n const maskInputOptions: MaskInputOptions =\n maskAllInputs === true\n ? {\n color: true,\n date: true,\n 'datetime-local': true,\n email: true,\n month: true,\n number: true,\n range: true,\n search: true,\n tel: true,\n text: true,\n time: true,\n url: true,\n week: true,\n textarea: true,\n select: true,\n password: true,\n }\n : _maskInputOptions !== undefined\n ? _maskInputOptions\n : { password: true };\n\n const slimDOMOptions: SlimDOMOptions =\n _slimDOMOptions === true || _slimDOMOptions === 'all'\n ? {\n script: true,\n comment: true,\n headFavicon: true,\n headWhitespace: true,\n headMetaSocial: true,\n headMetaRobots: true,\n headMetaHttpEquiv: true,\n headMetaVerification: true,\n // the following are off for slimDOMOptions === true,\n // as they destroy some (hidden) info:\n headMetaAuthorship: _slimDOMOptions === 'all',\n headMetaDescKeywords: _slimDOMOptions === 'all',\n }\n : _slimDOMOptions\n ? _slimDOMOptions\n : {};\n\n polyfill();\n\n let lastFullSnapshotEvent: eventWithTime;\n let incrementalSnapshotCount = 0;\n const eventProcessor = (e: eventWithTime): T => {\n for (const plugin of plugins || []) {\n if (plugin.eventProcessor) {\n e = plugin.eventProcessor(e);\n }\n }\n if (packFn) {\n e = (packFn(e) as unknown) as eventWithTime;\n }\n return (e as unknown) as T;\n };\n wrappedEmit = (e: eventWithTime, isCheckout?: boolean) => {\n if (\n mutationBuffers[0]?.isFrozen() &&\n e.type !== EventType.FullSnapshot &&\n !(\n e.type === EventType.IncrementalSnapshot &&\n e.data.source === IncrementalSource.Mutation\n )\n ) {\n // we've got a user initiated event so first we need to apply\n // all DOM changes that have been buffering during paused state\n mutationBuffers.forEach((buf) => buf.unfreeze());\n }\n\n emit(eventProcessor(e), isCheckout);\n if (e.type === EventType.FullSnapshot) {\n lastFullSnapshotEvent = e;\n incrementalSnapshotCount = 0;\n } else if (e.type === EventType.IncrementalSnapshot) {\n // attach iframe should be considered as full snapshot\n if (\n e.data.source === IncrementalSource.Mutation &&\n e.data.isAttachIframe\n ) {\n return;\n }\n\n incrementalSnapshotCount++;\n const exceedCount =\n checkoutEveryNth && incrementalSnapshotCount >= checkoutEveryNth;\n const exceedTime =\n checkoutEveryNms &&\n e.timestamp - lastFullSnapshotEvent.timestamp > checkoutEveryNms;\n if (exceedCount || exceedTime) {\n takeFullSnapshot(true);\n }\n }\n };\n\n const wrappedMutationEmit = (m: mutationCallbackParam) => {\n wrappedEmit(\n wrapEvent({\n type: EventType.IncrementalSnapshot,\n data: {\n source: IncrementalSource.Mutation,\n ...m,\n },\n }),\n );\n };\n const wrappedScrollEmit: scrollCallback = (p) =>\n wrappedEmit(\n wrapEvent({\n type: EventType.IncrementalSnapshot,\n data: {\n source: IncrementalSource.Scroll,\n ...p,\n },\n }),\n );\n const wrappedCanvasMutationEmit = (p: canvasMutationParam) =>\n wrappedEmit(\n wrapEvent({\n type: EventType.IncrementalSnapshot,\n data: {\n source: IncrementalSource.CanvasMutation,\n ...p,\n },\n }),\n );\n\n const iframeManager = new IframeManager({\n mutationCb: wrappedMutationEmit,\n });\n\n const canvasManager = new CanvasManager({\n recordCanvas,\n mutationCb: wrappedCanvasMutationEmit,\n win: window,\n blockClass,\n mirror,\n });\n\n const shadowDomManager = new ShadowDomManager({\n mutationCb: wrappedMutationEmit,\n scrollCb: wrappedScrollEmit,\n bypassOptions: {\n blockClass,\n blockSelector,\n unblockSelector,\n maskTextClass,\n maskTextSelector,\n unmaskTextSelector,\n maskInputSelector,\n unmaskInputSelector,\n inlineStylesheet,\n maskInputOptions,\n maskTextFn,\n maskInputFn,\n recordCanvas,\n inlineImages,\n sampling,\n slimDOMOptions,\n iframeManager,\n canvasManager,\n },\n mirror,\n });\n\n takeFullSnapshot = (isCheckout = false) => {\n wrappedEmit(\n wrapEvent({\n type: EventType.Meta,\n data: {\n href: window.location.href,\n width: getWindowWidth(),\n height: getWindowHeight(),\n },\n }),\n isCheckout,\n );\n\n mutationBuffers.forEach((buf) => buf.lock()); // don't allow any mirror modifications during snapshotting\n const [node, idNodeMap] = snapshot(document, {\n blockClass,\n blockSelector,\n unblockSelector,\n maskTextClass,\n maskTextSelector,\n unmaskTextSelector,\n maskInputSelector,\n unmaskInputSelector,\n inlineStylesheet,\n maskAllInputs: maskInputOptions,\n maskTextFn,\n slimDOM: slimDOMOptions,\n recordCanvas,\n inlineImages,\n onSerialize: (n) => {\n if (isIframeINode(n)) {\n iframeManager.addIframe(n);\n }\n if (hasShadowRoot(n)) {\n shadowDomManager.addShadowRoot(n.shadowRoot, document);\n }\n },\n onIframeLoad: (iframe, childSn) => {\n iframeManager.attachIframe(iframe, childSn);\n shadowDomManager.observeAttachShadow(\n (iframe as Node) as HTMLIFrameElement,\n );\n },\n keepIframeSrcFn,\n });\n\n if (!node) {\n return console.warn('Failed to snapshot the document');\n }\n\n mirror.map = idNodeMap;\n wrappedEmit(\n wrapEvent({\n type: EventType.FullSnapshot,\n data: {\n node,\n initialOffset: {\n left:\n window.pageXOffset !== undefined\n ? window.pageXOffset\n : document?.documentElement.scrollLeft ||\n document?.body?.parentElement?.scrollLeft ||\n document?.body.scrollLeft ||\n 0,\n top:\n window.pageYOffset !== undefined\n ? window.pageYOffset\n : document?.documentElement.scrollTop ||\n document?.body?.parentElement?.scrollTop ||\n document?.body.scrollTop ||\n 0,\n },\n },\n }),\n );\n mutationBuffers.forEach((buf) => buf.unlock()); // generate & emit any mutations that happened during snapshotting, as can now apply against the newly built mirror\n };\n\n try {\n const handlers: listenerHandler[] = [];\n handlers.push(\n on('DOMContentLoaded', () => {\n wrappedEmit(\n wrapEvent({\n type: EventType.DomContentLoaded,\n data: {},\n }),\n );\n }),\n );\n\n const observe = (doc: Document) => {\n return initObservers(\n {\n mutationCb: wrappedMutationEmit,\n mousemoveCb: (positions, source) =>\n wrappedEmit(\n wrapEvent({\n type: EventType.IncrementalSnapshot,\n data: {\n source,\n positions,\n },\n }),\n ),\n mouseInteractionCb: (d) =>\n wrappedEmit(\n wrapEvent({\n type: EventType.IncrementalSnapshot,\n data: {\n source: IncrementalSource.MouseInteraction,\n ...d,\n },\n }),\n ),\n scrollCb: wrappedScrollEmit,\n viewportResizeCb: (d) =>\n wrappedEmit(\n wrapEvent({\n type: EventType.IncrementalSnapshot,\n data: {\n source: IncrementalSource.ViewportResize,\n ...d,\n },\n }),\n ),\n inputCb: (v) =>\n wrappedEmit(\n wrapEvent({\n type: EventType.IncrementalSnapshot,\n data: {\n source: IncrementalSource.Input,\n ...v,\n },\n }),\n ),\n mediaInteractionCb: (p) =>\n wrappedEmit(\n wrapEvent({\n type: EventType.IncrementalSnapshot,\n data: {\n source: IncrementalSource.MediaInteraction,\n ...p,\n },\n }),\n ),\n styleSheetRuleCb: (r) =>\n wrappedEmit(\n wrapEvent({\n type: EventType.IncrementalSnapshot,\n data: {\n source: IncrementalSource.StyleSheetRule,\n ...r,\n },\n }),\n ),\n styleDeclarationCb: (r) =>\n wrappedEmit(\n wrapEvent({\n type: EventType.IncrementalSnapshot,\n data: {\n source: IncrementalSource.StyleDeclaration,\n ...r,\n },\n }),\n ),\n canvasMutationCb: wrappedCanvasMutationEmit,\n fontCb: (p) =>\n wrappedEmit(\n wrapEvent({\n type: EventType.IncrementalSnapshot,\n data: {\n source: IncrementalSource.Font,\n ...p,\n },\n }),\n ),\n blockClass,\n ignoreClass,\n ignoreSelector,\n maskTextClass,\n maskTextSelector,\n unmaskTextSelector,\n maskInputSelector,\n unmaskInputSelector,\n maskInputOptions,\n inlineStylesheet,\n sampling,\n recordCanvas,\n inlineImages,\n userTriggeredOnInput,\n collectFonts,\n doc,\n maskInputFn,\n maskTextFn,\n blockSelector,\n unblockSelector,\n slimDOMOptions,\n mirror,\n iframeManager,\n shadowDomManager,\n canvasManager,\n plugins:\n plugins\n ?.filter((p) => p.observer)\n ?.map((p) => ({\n observer: p.observer!,\n options: p.options,\n callback: (payload: object) =>\n wrappedEmit(\n wrapEvent({\n type: EventType.Plugin,\n data: {\n plugin: p.name,\n payload,\n },\n }),\n ),\n })) || [],\n },\n hooks,\n );\n };\n\n iframeManager.addLoadListener((iframeEl) => {\n try {\n handlers.push(observe(iframeEl.contentDocument!));\n } catch (error) {\n // TODO: handle internal error\n console.warn(error);\n }\n });\n\n const init = () => {\n takeFullSnapshot();\n handlers.push(observe(document));\n };\n if (\n document.readyState === 'interactive' ||\n document.readyState === 'complete'\n ) {\n init();\n } else {\n handlers.push(\n on(\n 'load',\n () => {\n wrappedEmit(\n wrapEvent({\n type: EventType.Load,\n data: {},\n }),\n );\n init();\n },\n window,\n ),\n );\n }\n return () => {\n handlers.forEach((h) => h());\n };\n } catch (error) {\n // TODO: handle internal error\n console.warn(error);\n }\n}\n\nrecord.addCustomEvent = (tag: string, payload: T) => {\n if (!wrappedEmit) {\n throw new Error('please add custom event after start recording');\n }\n wrappedEmit(\n wrapEvent({\n type: EventType.Custom,\n data: {\n tag,\n payload,\n },\n }),\n );\n};\n\nrecord.freezePage = () => {\n mutationBuffers.forEach((buf) => buf.freeze());\n};\n\nrecord.takeFullSnapshot = (isCheckout?: boolean) => {\n if (!takeFullSnapshot) {\n throw new Error('please take full snapshot after start recording');\n }\n takeFullSnapshot(isCheckout);\n};\n\nrecord.mirror = mirror;\n\nexport default record;\n","import { INode, ICanvas } from 'rrweb-snapshot';\nimport { blockClass, IWindow, listenerHandler } from '../../../types';\nimport { isBlocked, patch } from '../../../utils';\n\nexport default function initCanvasContextObserver(\n win: IWindow,\n blockClass: blockClass,\n): listenerHandler {\n const handlers: listenerHandler[] = [];\n try {\n const restoreHandler = patch(\n win.HTMLCanvasElement.prototype,\n 'getContext',\n function (original) {\n return function (\n this: ICanvas,\n contextType: string,\n ...args: Array\n ) {\n if (!isBlocked((this as unknown) as INode, blockClass)) {\n if (!('__context' in this))\n (this as ICanvas).__context = contextType;\n }\n return original.apply(this, [contextType, ...args]);\n };\n },\n );\n handlers.push(restoreHandler);\n } catch {\n console.error('failed to patch HTMLCanvasElement.prototype.getContext');\n }\n return () => {\n handlers.forEach((h) => h());\n };\n}\n","import { INode } from 'rrweb-snapshot';\nimport {\n blockClass,\n CanvasContext,\n canvasManagerMutationCallback,\n IWindow,\n listenerHandler,\n Mirror,\n} from '../../../types';\nimport { hookSetter, isBlocked, patch } from '../../../utils';\n\nexport default function initCanvas2DMutationObserver(\n cb: canvasManagerMutationCallback,\n win: IWindow,\n blockClass: blockClass,\n mirror: Mirror,\n): listenerHandler {\n const handlers: listenerHandler[] = [];\n const props2D = Object.getOwnPropertyNames(\n win.CanvasRenderingContext2D.prototype,\n );\n for (const prop of props2D) {\n try {\n if (\n typeof win.CanvasRenderingContext2D.prototype[\n prop as keyof CanvasRenderingContext2D\n ] !== 'function'\n ) {\n continue;\n }\n const restoreHandler = patch(\n win.CanvasRenderingContext2D.prototype,\n prop,\n function (original) {\n return function (\n this: CanvasRenderingContext2D,\n ...args: Array\n ) {\n if (!isBlocked((this.canvas as unknown) as INode, blockClass)) {\n // Using setTimeout as getImageData + JSON.stringify can be heavy\n // and we'd rather not block the main thread\n setTimeout(() => {\n const recordArgs = [...args];\n if (prop === 'drawImage') {\n if (\n recordArgs[0] &&\n recordArgs[0] instanceof HTMLCanvasElement\n ) {\n const canvas = recordArgs[0];\n const ctx = canvas.getContext('2d');\n let imgd = ctx?.getImageData(\n 0,\n 0,\n canvas.width,\n canvas.height,\n );\n let pix = imgd?.data;\n recordArgs[0] = JSON.stringify(pix);\n }\n }\n cb(this.canvas, {\n type: CanvasContext['2D'],\n property: prop,\n args: recordArgs,\n });\n }, 0);\n }\n return original.apply(this, args);\n };\n },\n );\n handlers.push(restoreHandler);\n } catch {\n const hookHandler = hookSetter(\n win.CanvasRenderingContext2D.prototype,\n prop,\n {\n set(v) {\n cb(this.canvas, {\n type: CanvasContext['2D'],\n property: prop,\n args: [v],\n setter: true,\n });\n },\n },\n );\n handlers.push(hookHandler);\n }\n }\n return () => {\n handlers.forEach((h) => h());\n };\n}\n"],"names":["NodeType","__assign","Object","assign","t","s","i","n","arguments","length","p","prototype","hasOwnProperty","call","apply","this","__values","o","Symbol","iterator","m","next","value","done","TypeError","__read","r","e","ar","push","error","__spreadArray","to","from","pack","l","Array","slice","concat","isShadowRoot","_a","host","Boolean","shadowRoot","maskInputValue","input","maskInputSelector","unmaskInputSelector","maskInputOptions","tagName","type","maskInputFn","text","matches","toLowerCase","repeat","ORIGINAL_ATTRIBUTE_NAME","canvasService","canvasCtx","_id","tagNameRegex","RegExp","getCssRulesString","rules","cssRules","map","getCssRuleString","join","rule","cssStringified","cssText","isCSSImportRule","styleSheet","URL_IN_CSS_REF","RELATIVE_PATH","DATA_URI","absoluteToStylesheet","href","replace","origin","quote1","path1","quote2","path2","path3","url","filePath","maybeQuote","test","indexOf","split","stack","parts","pop","_i","parts_1","part","EventType","IncrementalSource","MouseInteractions","CanvasContext","MediaInteractions","ReplayerEvents","SRCSET_NOT_SPACES","SRCSET_COMMAS_OR_SPACES","absoluteToDoc","doc","attributeValue","trim","a","createElement","getHref","document","transformAttribute","name","pos","collectCharacters","regEx","chars","match","exec","substring","output","descriptorsStr","inParens","c","charAt","getAbsoluteSrcsetString","needMaskingText","node","maskTextClass","maskTextSelector","unmaskTextSelector","nodeType","ELEMENT_NODE","closest","classList","contains","eIndex","className","parentNode","TEXT_NODE","serializeNode","options","rootId","sheet","el","blockClass","blockSelector","unblockSelector","inlineStylesheet","_b","maskTextFn","_c","dataURLOptions","inlineImages","recordCanvas","keepIframeSrcFn","__sn","docId","id","undefined","DOCUMENT_NODE","compatMode","Document","childNodes","DOCUMENT_TYPE_NODE","DocumentType","publicId","systemId","needBlock","element","_isBlockedElement","HTMLFormElement","processedTagName","getValidTagName","attributes_1","_d","attributes","_e","name_1","stylesheet","styleSheets","find","rel","_cssText","innerText","textContent","checked","selected","__context","canvas","ctx","getContext","x","width","y","height","getImageData","originalGetImageData","Uint32Array","Math","min","data","buffer","some","pixel","is2DCanvasBlank","rr_dataURL","toDataURL","quality","canvasDataURL","blankCanvas","image_1","oldValue_1","crossOrigin","recordInlineImage","naturalWidth","naturalHeight","drawImage","err","console","warn","currentSrc","complete","onload","rr_mediaState","paused","rr_mediaCurrentTime","currentTime","scrollLeft","rr_scrollLeft","scrollTop","rr_scrollTop","_f","getBoundingClientRect","class","rr_width","rr_height","src","contentDocument","rr_src","Element","isSVG","ownerSVGElement","parentTagName","isStyle","isScript","nextSibling","previousSibling","Text","CDATA_SECTION_NODE","CDATA","COMMENT_NODE","Comment","lowerIfExists","maybeAttr","serializeNodeWithId","skipChild","slimDOMOptions","onSerialize","onIframeLoad","_g","iframeLoadTimeout","_h","_j","preserveWhiteSpace","_serializedNode","sn","comment","script","as","endsWith","headFavicon","headMetaDescKeywords","headMetaSocial","property","headMetaRobots","headMetaHttpEquiv","headMetaAuthorship","headMetaVerification","slimDOMExcluded","serializedNode","recordChild","isShadowHost","headWhitespace","bypassOptions","_k","serializedChildNode","isElement","_l","_m","isShadow","iframeEl","listener","win","contentWindow","readyState","fired","blankUrl","location","addEventListener","setTimeout","timer_1","clearTimeout","onceIframeLoaded","iframeDoc","serializedIframeNode","on","fn","target","capture","passive","removeEventListener","DEPARTED_MIRROR_ACCESS_WARNING","_mirror","getId","getNode","removeNodeFromMap","has","reset","throttle","func","wait","timeout","previous","arg","now","Date","leading","remaining","context","args","trailing","hookSetter","key","d","isRevoked","original","getOwnPropertyDescriptor","defineProperty","set","_this","patch","source","replacement","original_1","wrapped","defineProperties","__rrweb_original__","enumerable","getWindowHeight","window","innerHeight","documentElement","clientHeight","body","getWindowWidth","innerWidth","clientWidth","isBlocked","needBlock_1","forEach","isIgnored","isAncestorRemoved","mirror","isTouchEvent","event","changedTouches","isIframeINode","hasShadowRoot","isNodeInLinkedList","Proxy","Reflect","get","prop","receiver","DoubleLinkedList","position","Error","current","head","index","__ln","moveKey","parentId","isINode","Set","mutations","processMutation","emit","frozen","locked","adds","addList","getNextId","ns","nextId","pushAdd","shadowHost","getRootNode","rootShadowHost","notInDoc","addNode","currentN","iframeManager","addIframe","shadowDomManager","addShadowRoot","iframe","childSn","attachIframe","observeAttachShadow","mapRemoves","shift","movedSet","isParentRemoved","removes","addedSet","isAncestorInSet","droppedSet","add","candidate","_node","removeNode","payload","texts","filter","attribute","movedMap","mutationCb","oldValue","getAttribute","attributeName","item","old","setAttribute","style","styleObj","pname","newValue","getPropertyValue","newPriority","getPropertyPriority","addedNodes","genAdds","removedNodes","nodeId","deepDelete","targetId","delete","childN","MutationBuffer","canvasManager","freeze","unfreeze","lock","unlock","addsSet","mutationBuffers","isCSSGroupingRuleSupported","CSSGroupingRule","isCSSMediaRuleSupported","CSSMediaRule","isCSSSupportsRuleSupported","CSSSupportsRule","isCSSConditionRuleSupported","CSSConditionRule","getEventTarget","path","composedPath","initMutationObserver","rootEl","mutationBuffer","init","mutationObserverCtor","MutationObserver","__rrMutationObserver","angularZoneSymbol","Zone","__symbol__","observer","processMutations","bind","observe","attributeOldValue","characterData","characterDataOldValue","childList","subtree","initMouseInteractionObserver","mouseInteractionCb","sampling","mouseInteraction","disableMap","handlers","keys","Number","isNaN","eventKey","eventName","handler","clientX","clientY","getHandler","h","initScrollObserver","scrollCb","evt","scrollEl","scrollingElement","scroll","wrapEventWithUserTriggeredFlag","v","enable","userTriggered","INPUT_TAGS","lastInputValueMap","WeakMap","getNestedCSSRulePositions","childRule","parentRule","unshift","parentStyleSheet","recurse","initObservers","hooks","currentWindow","defaultView","mousemoveCb","viewportResizeCb","inputCb","mediaInteractionCb","styleSheetRuleCb","styleDeclarationCb","canvasMutationCb","fontCb","mutation","mousemove","viewportResize","mediaInteaction","styleSheetRule","styleDeclaration","canvasMutation","font","mergeHooks","mutationObserver","mousemoveHandler","timeBaseline","threshold","callbackThreshold","mousemoveCallback","positions","wrappedCb","totalOffset","timeOffset","updatePosition","DragEvent","Drag","MouseEvent","MouseMove","TouchMove","initMoveObserver","mouseInteractionHandler","scrollHandler","viewportResizeHandler","lastH","lastW","initViewportResizeObserver","inputHandler","ignoreClass","ignoreSelector","userTriggeredOnInput","eventHandler","isTrusted","parentElement","isChecked","cbWithDedup","querySelectorAll","lastInputValue","propertyDescriptor","HTMLInputElement","hookProperties","HTMLSelectElement","HTMLTextAreaElement","HTMLOptionElement","initInputObserver","mediaInteractionHandler","volume","muted","media","initMediaInteractionObserver","styleSheetObserver","CSSStyleSheet","insertRule","ownerNode","deleteRule","supportedNestedCSSRuleTypes","unmodifiedFunctions","entries","typeKey","initStyleSheetObserver","styleDeclarationObserver","setProperty","CSSStyleDeclaration","priority","removeProperty","remove","initStyleDeclarationObserver","fontObserver","collectFonts","fontMap","originalFontFace","FontFace","family","descriptors","fontFace","fontSource","JSON","stringify","Uint8Array","restoreHandler","fonts","initFontObserver","pluginHandlers","plugins","plugin","callback","b","disconnect","IframeManager","iframes","cb","loadListener","isAttachIframe","manager","restorePatches","HTMLElement","ownerDocument","ShadowDomManager","iframeElement","manager_1","restorePatch","lookup","charCodeAt","webGLVarMap","Map","saveWebGLVar","isInstanceOfWebGLObject","list","ctor","contextMap","variableListFor","constructor","serializeArg","Float32Array","Float64Array","Int32Array","Uint16Array","Int16Array","Int8Array","Uint8ClampedArray","rr_type","values","ArrayBuffer","base64","arraybuffer","bytes","len","encode","DataView","byteOffset","byteLength","HTMLImageElement","ImageData","serializeArgs","supportedWebGLConstructorNames","patchGLPrototype","props","getOwnPropertyNames","result","recordArgs","hookHandler","setter","props_1","wrappedEmit","takeFullSnapshot","latestId","invokeId","rafStamps","pendingCanvasMutations","initCanvasMutationObserver","CanvasManager","clear","resetObservers","startRAFTimestamping","startPendingCanvasMutationFlusher","canvasContextReset","HTMLCanvasElement","contextType","initCanvasContextObserver","canvas2DReset","props2D","CanvasRenderingContext2D","imgd","pix","props2D_1","initCanvas2DMutationObserver","canvasWebGL1and2Reset","WebGLRenderingContext","WebGL","WebGL2RenderingContext","WebGL2","initCanvasWebGLMutationObserver","requestAnimationFrame","flushPendingCanvasMutations","setLatestRAFTimestamp","timestamp","flushPendingCanvasMutationFor","valuesWithType","getOwnPropertySymbols","propertyIsEnumerable","commands","wrapEvent","child","record","checkoutEveryNms","checkoutEveryNth","maskAllInputs","_maskInputOptions","_slimDOMOptions","packFn","mousemoveWait","_o","_p","_q","_r","_s","lastFullSnapshotEvent","color","date","email","month","number","range","search","tel","time","week","textarea","select","password","NodeList","DOMTokenList","Node","incrementalSnapshotCount","isCheckout","isFrozen","FullSnapshot","IncrementalSnapshot","Mutation","buf","eventProcessor","exceedCount","exceedTime","wrappedMutationEmit","wrappedScrollEmit","Scroll","wrappedCanvasMutationEmit","CanvasMutation","Meta","slimDOM","idNodeMap","snapshot","initialOffset","left","pageXOffset","top","pageYOffset","handlers_1","DomContentLoaded","observe_1","MouseInteraction","ViewportResize","Input","MediaInteraction","StyleSheetRule","StyleDeclaration","Font","Plugin","addLoadListener","init_1","Load","addCustomEvent","tag","Custom","freezePage"],"mappings":";;;;;;;;;;;;;;oFA+BO,IC/BHA,ED+BOC,EAAW,WAQlB,OAPAA,EAAWC,OAAOC,QAAU,SAAkBC,GAC1C,IAAK,IAAIC,EAAGC,EAAI,EAAGC,EAAIC,UAAUC,OAAQH,EAAIC,EAAGD,IAE5C,IAAK,IAAII,KADTL,EAAIG,UAAUF,GACOJ,OAAOS,UAAUC,eAAeC,KAAKR,EAAGK,KAAIN,EAAEM,GAAKL,EAAEK,IAE9E,OAAON,IAEKU,MAAMC,KAAMP,YAgFzB,SAASQ,EAASC,GACrB,IAAIZ,EAAsB,mBAAXa,QAAyBA,OAAOC,SAAUC,EAAIf,GAAKY,EAAEZ,GAAIC,EAAI,EAC5E,GAAIc,EAAG,OAAOA,EAAEP,KAAKI,GACrB,GAAIA,GAAyB,iBAAbA,EAAER,OAAqB,MAAO,CAC1CY,KAAM,WAEF,OADIJ,GAAKX,GAAKW,EAAER,SAAQQ,OAAI,GACrB,CAAEK,MAAOL,GAAKA,EAAEX,KAAMiB,MAAON,KAG5C,MAAM,IAAIO,UAAUnB,EAAI,0BAA4B,mCAGjD,SAASoB,EAAOR,EAAGV,GACtB,IAAIa,EAAsB,mBAAXF,QAAyBD,EAAEC,OAAOC,UACjD,IAAKC,EAAG,OAAOH,EACf,IAAmBS,EAAYC,EAA3BrB,EAAIc,EAAEP,KAAKI,GAAOW,EAAK,GAC3B,IACI,WAAc,IAANrB,GAAgBA,KAAM,MAAQmB,EAAIpB,EAAEe,QAAQE,MAAMK,EAAGC,KAAKH,EAAEJ,OAExE,MAAOQ,GAASH,EAAI,CAAEG,MAAOA,WAEzB,IACQJ,IAAMA,EAAEH,OAASH,EAAId,EAAU,SAAIc,EAAEP,KAAKP,WAExC,GAAIqB,EAAG,MAAMA,EAAEG,OAE7B,OAAOF,EAmBJ,SAASG,EAAcC,EAAIC,EAAMC,GACpC,GAAIA,GAA6B,IAArB1B,UAAUC,OAAc,IAAK,IAA4BmB,EAAxBtB,EAAI,EAAG6B,EAAIF,EAAKxB,OAAYH,EAAI6B,EAAG7B,KACxEsB,GAAQtB,KAAK2B,IACRL,IAAIA,EAAKQ,MAAMzB,UAAU0B,MAAMxB,KAAKoB,EAAM,EAAG3B,IAClDsB,EAAGtB,GAAK2B,EAAK3B,IAGrB,OAAO0B,EAAGM,OAAOV,GAAMQ,MAAMzB,UAAU0B,MAAMxB,KAAKoB,IC9JtD,SAASM,EAAahC,GAClB,IAAIiC,EACAC,EAAoB,QAAZD,EAAKjC,SAAsB,IAAPiC,OAAgB,EAASA,EAAGC,KAC5D,OAAOC,QAAQD,GAAQA,EAAKE,YAAcF,EAAKE,aAAepC,GAElE,SAASqC,EAAeJ,GACpB,IAAIK,EAAQL,EAAGK,MAAOC,EAAoBN,EAAGM,kBAAmBC,EAAsBP,EAAGO,oBAAqBC,EAAmBR,EAAGQ,iBAAkBC,EAAUT,EAAGS,QAASC,EAAOV,EAAGU,KAAM5B,EAAQkB,EAAGlB,MAAO6B,EAAcX,EAAGW,YAC3NC,EAAO9B,GAAS,GACpB,OAAIyB,GAAuBF,EAAMQ,QAAQN,KAGrCC,EAAiBC,EAAQK,gBACzBN,EAAiBE,IAChBJ,GAAqBD,EAAMQ,QAAQP,MAEhCM,EADAD,EACOA,EAAYC,GAGZ,IAAIG,OAAOH,EAAK3C,SATpB2C,GArBf,SAAWpD,GACPA,EAASA,EAAmB,SAAI,GAAK,WACrCA,EAASA,EAAuB,aAAI,GAAK,eACzCA,EAASA,EAAkB,QAAI,GAAK,UACpCA,EAASA,EAAe,KAAI,GAAK,OACjCA,EAASA,EAAgB,MAAI,GAAK,QAClCA,EAASA,EAAkB,QAAI,GAAK,UANxC,CAOGA,IAAaA,EAAW,KA4B3B,IAAIwD,EAA0B,qBAoB9B,IAyDIC,EACAC,EA1DAC,EAAM,EACNC,EAAe,IAAIC,OAAO,gBAe9B,SAASC,EAAkBzD,GACvB,IACI,IAAI0D,EAAQ1D,EAAE0D,OAAS1D,EAAE2D,SACzB,OAAOD,EAAQ3B,MAAMH,KAAK8B,GAAOE,IAAIC,GAAkBC,KAAK,IAAM,KAEtE,MAAOrC,GACH,OAAO,MAGf,SAASoC,EAAiBE,GACtB,IAAIC,EAAiBD,EAAKE,QAC1B,GASJ,SAAyBF,GACrB,MAAO,eAAgBA,EAVnBG,CAAgBH,GAChB,IACIC,EAAiBP,EAAkBM,EAAKI,aAAeH,EAE3D,MAAO7B,IAGX,OAAO6B,EAyBX,IAAII,EAAiB,6CACjBC,EAAgB,sDAChBC,EAAW,wBACf,SAASC,EAAqBN,EAASO,GACnC,OAAQP,GAAW,IAAIQ,QAAQL,GAAgB,SAAUM,EAAQC,EAAQC,EAAOC,EAAQC,EAAOC,GAC3F,IAlBeC,EAkBXC,EAAWL,GAASE,GAASC,EAC7BG,EAAaP,GAAUE,GAAU,GACrC,IAAKI,EACD,OAAOP,EAEX,IAAKL,EAAcc,KAAKF,GACpB,MAAO,OAASC,EAAaD,EAAWC,EAAa,IAEzD,GAAIZ,EAASa,KAAKF,GACd,MAAO,OAASC,EAAaD,EAAWC,EAAa,IAEzD,GAAoB,MAAhBD,EAAS,GACT,MAAO,OAASC,KA9BLF,EA8BiCR,GA5B5CY,QAAQ,OAAS,EACZJ,EAAIK,MAAM,KAAKrD,MAAM,EAAG,GAAG8B,KAAK,KAGhCkB,EAAIK,MAAM,KAAK,IAEZA,MAAM,KAAK,GAsBiCJ,GAAYC,EAAa,IAEjF,IAAII,EAAQd,EAAKa,MAAM,KACnBE,EAAQN,EAASI,MAAM,KAC3BC,EAAME,MACN,IAAK,IAAIC,EAAK,EAAGC,EAAUH,EAAOE,EAAKC,EAAQtF,OAAQqF,IAAM,CACzD,IAAIE,EAAOD,EAAQD,GACN,MAATE,IAGc,OAATA,EACLL,EAAME,MAGNF,EAAM9D,KAAKmE,IAGnB,MAAO,OAAST,EAAaI,EAAMxB,KAAK,KAAOoB,EAAa,OAGpE,ICzIYU,EA+DAC,EA8UAC,EAcAC,EAuIMC,EA2GNC,EDpgBRC,EAAoB,qBACpBC,EAA0B,qBA2D9B,SAASC,EAAcC,EAAKC,GACxB,IAAKA,GAA4C,KAA1BA,EAAeC,OAClC,OAAOD,EAEX,IAAIE,EAAIH,EAAII,cAAc,KAE1B,OADAD,EAAEhC,KAAO8B,EACFE,EAAEhC,KAKb,SAASkC,IACL,IAAIF,EAAIG,SAASF,cAAc,KAE/B,OADAD,EAAEhC,KAAO,GACFgC,EAAEhC,KAEb,SAASoC,EAAmBP,EAAKzD,EAASiE,EAAM5F,GAC5C,MAAa,QAAT4F,GAA4B,SAATA,GAAmB5F,GAGxB,eAAT4F,GAAyB5F,GAAsB,MAAbA,EAAM,GAFtCmF,EAAcC,EAAKpF,GAKZ,eAAT4F,IACL5F,GACa,UAAZ2B,GAAmC,OAAZA,GAAgC,OAAZA,EAG9B,WAATiE,GAAqB5F,EAtFlC,SAAiCoF,EAAKC,GAClC,GAA8B,KAA1BA,EAAeC,OACf,OAAOD,EAEX,IAAIQ,EAAM,EACV,SAASC,EAAkBC,GACvB,IAAIC,EACAC,EAAQF,EAAMG,KAAKb,EAAec,UAAUN,IAChD,OAAII,GACAD,EAAQC,EAAM,GACdJ,GAAOG,EAAM7G,OACN6G,GAEJ,GAGX,IADA,IAAII,EAAS,GAETN,EAAkBZ,KACdW,GAAOR,EAAelG,SAFjB,CAKT,IAAI4E,EAAM+B,EAAkBb,GAC5B,GAAsB,MAAlBlB,EAAIhD,OAAO,GACXgD,EAAMoB,EAAcC,EAAKrB,EAAIoC,UAAU,EAAGpC,EAAI5E,OAAS,IACvDiH,EAAO7F,KAAKwD,OAEX,CACD,IAAIsC,EAAiB,GACrBtC,EAAMoB,EAAcC,EAAKrB,GAEzB,IADA,IAAIuC,GAAW,IACF,CACT,IAAIC,EAAIlB,EAAemB,OAAOX,GAC9B,GAAU,KAANU,EAAU,CACVH,EAAO7F,MAAMwD,EAAMsC,GAAgBf,QACnC,MAEC,GAAKgB,EAWI,MAANC,IACAD,GAAW,OAZC,CAChB,GAAU,MAANC,EAAW,CACXV,GAAO,EACPO,EAAO7F,MAAMwD,EAAMsC,GAAgBf,QACnC,MAEW,MAANiB,IACLD,GAAW,GAQnBD,GAAkBE,EAClBV,GAAO,IAInB,OAAOO,EAAOvD,KAAK,MA+BR4D,CAAwBrB,EAAKpF,GAEtB,UAAT4F,GAAoB5F,EAClBsD,EAAqBtD,EAAOyF,KAElB,WAAZ9D,GAAiC,SAATiE,GAAmB5F,EACzCmF,EAAcC,EAAKpF,GAGnBA,EAZAmF,EAAcC,EAAKpF,GAqClC,SAAS0G,EAAgBC,EAAMC,EAAeC,EAAkBC,GAC5D,IAAKH,EACD,OAAO,EAEX,GAAIA,EAAKI,WAAaJ,EAAKK,aAAc,CACrC,GAAIF,IACIH,EAAK5E,QAAQ+E,IAAuBH,EAAKM,QAAQH,IACjD,OAAO,EAGf,GAA6B,iBAAlBF,GACP,GAAID,EAAKO,UAAUC,SAASP,GACxB,OAAO,OAIX,IAAK,IAAIQ,EAAS,EAAGA,EAAST,EAAKO,UAAU/H,OAAQiI,IAAU,CAC3D,IAAIC,EAAYV,EAAKO,UAAUE,GAC/B,GAAIR,EAAc1C,KAAKmD,GACnB,OAAO,EAInB,SAAIR,IACIF,EAAK5E,QAAQ8E,KAIdH,EAAgBC,EAAKW,WAAYV,EAAeC,EAAkBC,GAE7E,OAAIH,EAAKI,SAAaJ,EAAKY,UAChBb,EAAgBC,EAAKW,WAAYV,EAAeC,EAAkBC,GAwCjF,SAASU,EAAcvI,EAAGwI,GACtB,IAAIvG,EAEAwG,EA9PqBC,EA6HPC,EAgIdxC,EAAMqC,EAAQrC,IAAKyC,EAAaJ,EAAQI,WAAYC,EAAgBL,EAAQK,cAAeC,EAAkBN,EAAQM,gBAAiBnB,EAAgBa,EAAQb,cAAeC,EAAmBY,EAAQZ,iBAAkBC,EAAqBW,EAAQX,mBAAoBkB,EAAmBP,EAAQO,iBAAkBxG,EAAoBiG,EAAQjG,kBAAmBC,EAAsBgG,EAAQhG,oBAAqBwG,EAAKR,EAAQ/F,iBAAkBA,OAA0B,IAAPuG,EAAgB,GAAKA,EAAIC,EAAaT,EAAQS,WAAYrG,EAAc4F,EAAQ5F,YAAasG,EAAKV,EAAQW,eAAgBA,OAAwB,IAAPD,EAAgB,GAAKA,EAAIE,EAAeZ,EAAQY,aAAcC,EAAeb,EAAQa,aAAcC,EAAkBd,EAAQc,gBAExtB,GAAInD,EAAIoD,KAAM,CACV,IAAIC,EAAQrD,EAAIoD,KAAKE,GACrBhB,EAAmB,IAAVe,OAAcE,EAAYF,EAEvC,OAAQxJ,EAAE8H,UACN,KAAK9H,EAAE2J,cACH,MAAqB,eAAjB3J,EAAE4J,WACK,CACHjH,KAAMlD,EAASoK,SACfC,WAAY,GACZF,WAAY5J,EAAE4J,WACdnB,OAAQA,GAIL,CACH9F,KAAMlD,EAASoK,SACfC,WAAY,GACZrB,OAAQA,GAGpB,KAAKzI,EAAE+J,mBACH,MAAO,CACHpH,KAAMlD,EAASuK,aACfrD,KAAM3G,EAAE2G,KACRsD,SAAUjK,EAAEiK,SACZC,SAAUlK,EAAEkK,SACZzB,OAAQA,GAEhB,KAAKzI,EAAE+H,aAIH,IAHA,IAAIoC,EA/HhB,SAA2BC,EAASxB,EAAYC,EAAeC,GAC3D,GAAIA,GAAmBsB,EAAQtH,QAAQgG,GACnC,OAAO,EAEX,GAA0B,iBAAfF,GACP,GAAIwB,EAAQnC,UAAUC,SAASU,GAC3B,OAAO,OAIX,IAAK,IAAIT,EAAS,EAAGA,EAASiC,EAAQnC,UAAU/H,OAAQiI,IAAU,CAC9D,IAAIC,EAAYgC,EAAQnC,UAAUE,GAClC,GAAIS,EAAW3D,KAAKmD,GAChB,OAAO,EAInB,QAAIS,GACOuB,EAAQtH,QAAQ+F,GA6GHwB,CAAkBrK,EAAG4I,EAAYC,EAAeC,GAC5DpG,EA/ThB,SAAyB0H,GACrB,GAAIA,aAAmBE,gBACnB,MAAO,OAEX,IAAIC,EAAmBH,EAAQ1H,QAAQK,cAAcsD,OACrD,OAAIhD,EAAa4B,KAAKsF,GACX,MAEJA,EAuTeC,CAAgBxK,GAC1ByK,EAAe,GACVlF,EAAK,EAAGmF,EAAK7I,MAAMH,KAAK1B,EAAE2K,YAAapF,EAAKmF,EAAGxK,OAAQqF,IAAM,CAClE,IAAIqF,EAAKF,EAAGnF,GAAKsF,EAASD,EAAGjE,KAAM5F,EAAQ6J,EAAG7J,MAC9C0J,EAAaI,GAAUnE,EAAmBP,EAAKzD,EAASmI,EAAQ9J,GAEpE,GAAgB,SAAZ2B,GAAsBqG,EAAkB,CACxC,IAAI+B,EAAajJ,MAAMH,KAAKyE,EAAI4E,aAAaC,MAAK,SAAUlL,GACxD,OAAOA,EAAEwE,OAAStE,EAAEsE,QAEpBP,EAAU,KACV+G,IACA/G,EAAUR,EAAkBuH,IAE5B/G,WACO0G,EAAaQ,WACbR,EAAanG,KACpBmG,EAAaS,SAAW7G,EAAqBN,EAAS+G,EAAWxG,OAGzE,GAAgB,UAAZ5B,GACA1C,EAAE0I,SACA1I,EAAEmL,WACAnL,EAAEoL,aACF,IAAI/E,OAAOnG,QACX6D,EAAUR,EAAkBvD,EAAE0I,UAE9B+B,EAAaS,SAAW7G,EAAqBN,EAASyC,MAG9D,GAAgB,UAAZ9D,GACY,aAAZA,GACY,WAAZA,EAAsB,CAClB3B,EAAQf,EAAEe,MACY,UAAtB0J,EAAa9H,MACS,aAAtB8H,EAAa9H,MACS,WAAtB8H,EAAa9H,MACS,WAAtB8H,EAAa9H,MACb5B,EACA0J,EAAa1J,MAAQsB,EAAe,CAChCC,MAAOtC,EACP2C,KAAM8H,EAAa9H,KACnBD,QAASA,EACT3B,MAAOA,EACPwB,kBAAmBA,EACnBC,oBAAqBA,EACrBC,iBAAkBA,EAClBG,YAAaA,IAGZ5C,EAAEqL,UACPZ,EAAaY,QAAUrL,EAAEqL,SAWjC,GARgB,WAAZ3I,IACI1C,EAAEsL,WAAa7I,EAAyB,OACxCgI,EAAaa,UAAW,SAGjBb,EAAaa,UAGZ,WAAZ5I,GAAwB2G,EACxB,GAAoB,OAAhBrJ,EAAEuL,WAvZtB,SAAyBC,GACrB,IAAIC,EAAMD,EAAOE,WAAW,MAC5B,IAAKD,EACD,OAAO,EAEX,IADA,IACSE,EAAI,EAAGA,EAAIH,EAAOI,MAAOD,GADlB,GAEZ,IAAK,IAAIE,EAAI,EAAGA,EAAIL,EAAOM,OAAQD,GAFvB,GAEuC,CAC/C,IAAIE,EAAeN,EAAIM,aACnBC,EAAuB/I,KAA2B8I,EAChDA,EAAoC,mBACpCA,EAEN,GADkB,IAAIE,YAAYD,EAAqB1L,KAAKmL,EAAKE,EAAGE,EAAGK,KAAKC,IAPpE,GAOmFX,EAAOI,MAAQD,GAAIO,KAAKC,IAP3G,GAO0HX,EAAOM,OAASD,IAAIO,KAAKC,QAC3IC,MAAK,SAAUC,GAAS,OAAiB,IAAVA,KAC3C,OAAO,EAGnB,OAAO,GAwYcC,CAAgBxM,KACjByK,EAAagC,WAAazM,EAAE0M,UAAUvD,EAAexG,KAAMwG,EAAewD,eAG7E,KAAM,cAAe3M,GAAI,CAC1B,IAAI4M,EAAgB5M,EAAE0M,UAAUvD,EAAexG,KAAMwG,EAAewD,SAChEE,EAAcpG,SAASF,cAAc,UACzCsG,EAAYjB,MAAQ5L,EAAE4L,MACtBiB,EAAYf,OAAS9L,EAAE8L,OAEnBc,IADqBC,EAAYH,UAAUvD,EAAexG,KAAMwG,EAAewD,WAE/ElC,EAAagC,WAAaG,GAItC,GAAgB,QAAZlK,GAAqB0G,EAAc,CAC9BlG,IACDA,EAAgBiD,EAAII,cAAc,UAClCpD,EAAYD,EAAcwI,WAAW,OAEzC,IAAIoB,EAAU9M,EACV+M,EAAaD,EAAQE,YACzBF,EAAQE,YAAc,YACtB,IAAIC,EAAoB,WACpB,IACI/J,EAAc0I,MAAQkB,EAAQI,aAC9BhK,EAAc4I,OAASgB,EAAQK,cAC/BhK,EAAUiK,UAAUN,EAAS,EAAG,GAChCrC,EAAagC,WAAavJ,EAAcwJ,UAAUvD,EAAexG,KAAMwG,EAAewD,SAE1F,MAAOU,GACHC,QAAQC,KAAK,yBAA2BT,EAAQU,WAAa,YAAcH,GAE/EN,EACOtC,EAAauC,YAAcD,SACrBtC,EAAauC,aAE1BF,EAAQW,UAAqC,IAAzBX,EAAQI,aAC5BD,IAEAH,EAAQY,OAAST,EAczB,GAZgB,UAAZvK,GAAmC,UAAZA,IACvB+H,EAAakD,cAAgB3N,EAAE4N,OACzB,SACA,SACNnD,EAAaoD,oBAAsB7N,EAAE8N,aAErC9N,EAAE+N,aACFtD,EAAauD,cAAgBhO,EAAE+N,YAE/B/N,EAAEiO,YACFxD,EAAayD,aAAelO,EAAEiO,WAE9B9D,EAAW,CACX,IAAIgE,EAAKnO,EAAEoO,wBAAyBxC,EAAQuC,EAAGvC,MAAOE,GAASqC,EAAGrC,OAClErB,EAAe,CACX4D,MAAS5D,EAAoB,MAC7B6D,SAAU1C,EAAQ,KAClB2C,UAAWzC,GAAS,MAS5B,MANgB,WAAZpJ,GAAyB4G,EAAgBmB,EAAa+D,OACjDxO,EAAEyO,kBACHhE,EAAaiE,OAASjE,EAAa+D,YAEhC/D,EAAa+D,KAEjB,CACH7L,KAAMlD,EAASkP,QACfjM,QAASA,EACTiI,WAAYF,EACZX,WAAY,GACZ8E,OA1SMjG,EA0Sc3I,EAzSzBmC,QAAuB,QAAfwG,EAAGjG,SAAqBiG,EAAGkG,uBAySJnF,GAC1BS,UAAWA,EACX1B,OAAQA,GAEhB,KAAKzI,EAAEsI,UACH,IAAIwG,GAAgB9O,EAAEqI,YAAcrI,EAAEqI,WAAW3F,QAC7C0I,GAAcpL,EAAEoL,YAChB2D,GAA4B,UAAlBD,SAAmCpF,EAC7CsF,GAA6B,WAAlBF,SAAoCpF,EACnD,GAAIqF,IAAW3D,GAAa,CACxB,IACQpL,EAAEiP,aAAejP,EAAEkP,kBAEgB,QAA7BjN,EAAKjC,EAAEqI,WAAWK,aAA0B,IAAPzG,OAAgB,EAASA,EAAGwB,YACvE2H,IArbK1C,EAqb6B1I,EAAEqI,WAAWK,OApbtDjF,SACP5B,MAAMH,KAAKgH,EAAMjF,UACdC,KAAI,SAAUG,GAAQ,OAAOA,EAAKE,SAAW,MAC7CH,KAAK,IACR,IAmbM,MAAOyJ,GACHC,QAAQC,KAAK,wDAA0DF,EAAKrN,GAEhFoL,GAAc/G,EAAqB+G,GAAa5E,KAapD,OAXIwI,KACA5D,GAAc,uBAEb2D,KACAC,IACDvH,EAAgBzH,EAAG2H,EAAeC,EAAkBC,IACpDuD,KACAA,GAAcnC,EACRA,EAAWmC,IACXA,GAAY7G,QAAQ,QAAS,MAEhC,CACH5B,KAAMlD,EAAS0P,KACf/D,YAAaA,IAAe,GAC5B2D,QAASA,GACTtG,OAAQA,GAEhB,KAAKzI,EAAEoP,mBACH,MAAO,CACHzM,KAAMlD,EAAS4P,MACfjE,YAAa,GACb3C,OAAQA,GAEhB,KAAKzI,EAAEsP,aACH,MAAO,CACH3M,KAAMlD,EAAS8P,QACfnE,YAAapL,EAAEoL,aAAe,GAC9B3C,OAAQA,GAEhB,QACI,OAAO,GAGnB,SAAS+G,EAAcC,GACnB,YAAkB/F,IAAd+F,EACO,GAGAA,EAAU1M,cA0EzB,SAAS2M,EAAoB1P,EAAGwI,GAC5B,IAyBIiB,EAzBAtD,EAAMqC,EAAQrC,IAAKzC,EAAM8E,EAAQ9E,IAAKkF,EAAaJ,EAAQI,WAAYC,EAAgBL,EAAQK,cAAeC,EAAkBN,EAAQM,gBAAiBnB,EAAgBa,EAAQb,cAAeC,EAAmBY,EAAQZ,iBAAkBC,EAAqBW,EAAQX,mBAAoB5F,EAAKuG,EAAQmH,UAAWA,OAAmB,IAAP1N,GAAwBA,EAAI+G,EAAKR,EAAQO,iBAAkBA,OAA0B,IAAPC,GAAuBA,EAAIzG,EAAoBiG,EAAQjG,kBAAmBC,EAAsBgG,EAAQhG,oBAAqB0G,EAAKV,EAAQ/F,iBAAkBA,OAA0B,IAAPyG,EAAgB,GAAKA,EAAID,EAAaT,EAAQS,WAAYrG,EAAc4F,EAAQ5F,YAAagN,EAAiBpH,EAAQoH,eAAgBlF,EAAKlC,EAAQW,eAAgBA,OAAwB,IAAPuB,EAAgB,GAAKA,EAAIE,EAAKpC,EAAQY,aAAcA,OAAsB,IAAPwB,GAAwBA,EAAIuD,EAAK3F,EAAQa,aAAcA,OAAsB,IAAP8E,GAAwBA,EAAI0B,EAAcrH,EAAQqH,YAAaC,EAAetH,EAAQsH,aAAcC,EAAKvH,EAAQwH,kBAAmBA,OAA2B,IAAPD,EAAgB,IAAOA,EAAIE,EAAKzH,EAAQc,gBAAiBA,OAAyB,IAAP2G,EAAgB,WAAc,OAAO,GAAWA,EAC/oCC,EAAK1H,EAAQ2H,mBAAoBA,OAA4B,IAAPD,GAAuBA,EAC7EE,EAAkB7H,EAAcvI,EAAG,CACnCmG,IAAKA,EACLyC,WAAYA,EACZC,cAAeA,EACfC,gBAAiBA,EACjBnB,cAAeA,EACfC,iBAAkBA,EAClBC,mBAAoBA,EACpBkB,iBAAkBA,EAClBxG,kBAAmBA,EACnBC,oBAAqBA,EACrBC,iBAAkBA,EAClBwG,WAAYA,EACZrG,YAAaA,EACbuG,eAAgBA,EAChBC,aAAcA,EACdC,aAAcA,EACdC,gBAAiBA,IAErB,IAAK8G,EAED,OADA9C,QAAQC,KAAKvN,EAAG,kBACT,KAIPyJ,EADA,SAAUzJ,EACLA,EAAEuJ,KAAKE,IAnGpB,SAAyB4G,EAAIT,GACzB,GAAIA,EAAeU,SAAWD,EAAG1N,OAASlD,EAAS8P,QAC/C,OAAO,EAEN,GAAIc,EAAG1N,OAASlD,EAASkP,QAAS,CACnC,GAAIiB,EAAeW,SACC,WAAfF,EAAG3N,SACgB,SAAf2N,EAAG3N,SACsB,YAAtB2N,EAAG1F,WAAWM,KACO,WAArBoF,EAAG1F,WAAW6F,IACF,SAAfH,EAAG3N,SACsB,aAAtB2N,EAAG1F,WAAWM,KACgB,iBAAvBoF,EAAG1F,WAAWrG,MACrB+L,EAAG1F,WAAWrG,KAAKmM,SAAS,QACpC,OAAO,EAEN,GAAIb,EAAec,cACH,SAAfL,EAAG3N,SAA4C,kBAAtB2N,EAAG1F,WAAWM,KACrB,SAAfoF,EAAG3N,UACC8M,EAAca,EAAG1F,WAAWhE,MAAMK,MAAM,sCACC,qBAAtCwI,EAAca,EAAG1F,WAAWhE,OACS,SAArC6I,EAAca,EAAG1F,WAAWM,MACS,qBAArCuE,EAAca,EAAG1F,WAAWM,MACS,kBAArCuE,EAAca,EAAG1F,WAAWM,OACxC,OAAO,EAEN,GAAmB,SAAfoF,EAAG3N,QAAoB,CAC5B,GAAIkN,EAAee,sBACfnB,EAAca,EAAG1F,WAAWhE,MAAMK,MAAM,0BACxC,OAAO,EAEN,GAAI4I,EAAegB,iBACnBpB,EAAca,EAAG1F,WAAWkG,UAAU7J,MAAM,sBACzCwI,EAAca,EAAG1F,WAAWhE,MAAMK,MAAM,mBACF,cAAtCwI,EAAca,EAAG1F,WAAWhE,OAChC,OAAO,EAEN,GAAIiJ,EAAekB,iBACmB,WAAtCtB,EAAca,EAAG1F,WAAWhE,OACa,cAAtC6I,EAAca,EAAG1F,WAAWhE,OACU,YAAtC6I,EAAca,EAAG1F,WAAWhE,OAChC,OAAO,EAEN,GAAIiJ,EAAemB,wBACYrH,IAAhC2G,EAAG1F,WAAW,cACd,OAAO,EAEN,GAAIiF,EAAeoB,qBACmB,WAAtCxB,EAAca,EAAG1F,WAAWhE,OACa,cAAtC6I,EAAca,EAAG1F,WAAWhE,OACU,cAAtC6I,EAAca,EAAG1F,WAAWhE,OACU,cAAtC6I,EAAca,EAAG1F,WAAWhE,OACU,WAAtC6I,EAAca,EAAG1F,WAAWhE,OAC5B6I,EAAca,EAAG1F,WAAWkG,UAAU7J,MAAM,cAC5CwI,EAAca,EAAG1F,WAAWkG,UAAU7J,MAAM,cAChD,OAAO,EAEN,GAAI4I,EAAeqB,uBACmB,6BAAtCzB,EAAca,EAAG1F,WAAWhE,OACa,wBAAtC6I,EAAca,EAAG1F,WAAWhE,OACU,eAAtC6I,EAAca,EAAG1F,WAAWhE,OACU,oBAAtC6I,EAAca,EAAG1F,WAAWhE,OACU,cAAtC6I,EAAca,EAAG1F,WAAWhE,OACU,iBAAtC6I,EAAca,EAAG1F,WAAWhE,OACU,+BAAtC6I,EAAca,EAAG1F,WAAWhE,OAChC,OAAO,GAInB,OAAO,EAgCEuK,CAAgBd,EAAiBR,KACpCO,GACEC,EAAgBzN,OAASlD,EAAS0P,MACjCiB,EAAgBrB,SAChBqB,EAAgBhF,YAAY7G,QAAQ,cAAe,IAAIrE,QAlnBzDkD,KAFQ,EA0nBf,IAAI+N,EAAiBxR,OAAOC,OAAOwQ,EAAiB,CAAE3G,GAAIA,IAE1D,GADAzJ,EAAEuJ,KAAO4H,GA3nBM,IA4nBX1H,EACA,OAAO,KAEX/F,EAAI+F,GAAMzJ,EACN6P,GACAA,EAAY7P,GAEhB,IAAIoR,GAAezB,EAOnB,GANIwB,EAAexO,OAASlD,EAASkP,UACjCyC,EAAcA,IAAgBD,EAAehH,iBACtCgH,EAAehH,UAClBnK,EAAEoC,aACF+O,EAAeE,cAAe,KAEjCF,EAAexO,OAASlD,EAASoK,UAClCsH,EAAexO,OAASlD,EAASkP,UACjCyC,EAAa,CACTxB,EAAe0B,gBACflB,EAAgBzN,OAASlD,EAASkP,SACN,SAA5ByB,EAAgB1N,UAChByN,GAAqB,GA4BzB,IA1BA,IAAIoB,EAAgB,CAChBpL,IAAKA,EACLzC,IAAKA,EACLkF,WAAYA,EACZC,cAAeA,EACfC,gBAAiBA,EACjBnB,cAAeA,EACfC,iBAAkBA,EAClBC,mBAAoBA,EACpB8H,UAAWA,EACX5G,iBAAkBA,EAClBxG,kBAAmBA,EACnBC,oBAAqBA,EACrBC,iBAAkBA,EAClBwG,WAAYA,EACZrG,YAAaA,EACbgN,eAAgBA,EAChBzG,eAAgBA,EAChBC,aAAcA,EACdC,aAAcA,EACd8G,mBAAoBA,EACpBN,YAAaA,EACbC,aAAcA,EACdE,kBAAmBA,EACnB1G,gBAAiBA,GAEZ/D,EAAK,EAAGiM,EAAK3P,MAAMH,KAAK1B,EAAE8J,YAAavE,EAAKiM,EAAGtR,OAAQqF,IAAM,EAE9DkM,EAAsB/B,EADb8B,EAAGjM,GACsCgM,KAElDJ,EAAerH,WAAWxI,KAAKmQ,GAGvC,GAnuBR,SAAmBzR,GACf,OAAOA,EAAE8H,WAAa9H,EAAE+H,aAkuBhB2J,CAAU1R,IAAMA,EAAEoC,WAClB,IAAK,IAAIuP,EAAK,EAAGC,EAAK/P,MAAMH,KAAK1B,EAAEoC,WAAW0H,YAAa6H,EAAKC,EAAG1R,OAAQyR,IAAM,CAC7E,IACIF,GAAAA,EAAsB/B,EADbkC,EAAGD,GACsCJ,MAElDE,EAAoBI,UAAW,EAC/BV,EAAerH,WAAWxI,KAAKmQ,KA6C/C,OAxCIzR,EAAEqI,YAAcrG,EAAahC,EAAEqI,cAC/B8I,EAAeU,UAAW,GAE1BV,EAAexO,OAASlD,EAASkP,SACN,WAA3BwC,EAAezO,SAtcvB,SAA0BoP,EAAUC,EAAU/B,GAC1C,IAAIgC,EAAMF,EAASG,cACnB,GAAKD,EAAL,CAGA,IACIE,EADAC,GAAQ,EAEZ,IACID,EAAaF,EAAIvL,SAASyL,WAE9B,MAAO3Q,GACH,OAEJ,GAAmB,aAAf2Q,EAAJ,CAcA,IAAIE,EAAW,cACXJ,EAAIK,SAAS/N,OAAS8N,GACtBN,EAAStD,MAAQ4D,GACA,KAAjBN,EAAStD,IAIbsD,EAASQ,iBAAiB,OAAQP,GAH9BQ,WAAWR,EAAU,OAlBzB,CACI,IAAIS,EAAUD,YAAW,WAChBJ,IACDJ,IACAI,GAAQ,KAEbnC,GACH8B,EAASQ,iBAAiB,QAAQ,WAC9BG,aAAaD,GACbL,GAAQ,EACRJ,SAgbJW,CAAiB1S,GAAG,WAChB,IAAI2S,EAAY3S,EAAEyO,gBAClB,GAAIkE,GAAa7C,EAAc,CAC3B,IAAI8C,EAAuBlD,EAAoBiD,EAAW,CACtDxM,IAAKwM,EACLjP,IAAKA,EACLkF,WAAYA,EACZC,cAAeA,EACfC,gBAAiBA,EACjBnB,cAAeA,EACfC,iBAAkBA,EAClBC,mBAAoBA,EACpB8H,WAAW,EACX5G,iBAAkBA,EAClBxG,kBAAmBA,EACnBC,oBAAqBA,EACrBC,iBAAkBA,EAClBwG,WAAYA,EACZrG,YAAaA,EACbgN,eAAgBA,EAChBzG,eAAgBA,EAChBC,aAAcA,EACdC,aAAcA,EACd8G,mBAAoBA,EACpBN,YAAaA,EACbC,aAAcA,EACdE,kBAAmBA,EACnB1G,gBAAiBA,IAEjBsJ,GACA9C,EAAa9P,EAAG4S,MAGzB5C,GAEAmB,WEvwBK0B,EACdlQ,EACAmQ,EACAC,gBAAAA,YAEA,IAAMvK,EAAU,CAAEwK,SAAS,EAAMC,SAAS,GAE1C,OADAF,EAAOT,iBAAiB3P,EAAMmQ,EAAItK,GAC3B,WAAM,OAAAuK,EAAOG,oBAAoBvQ,EAAMmQ,EAAItK,KDjBpD,SAAY9C,GACVA,2CACAA,mBACAA,mCACAA,iDACAA,mBACAA,uBACAA,uBAPF,CAAYA,IAAAA,OA+DZ,SAAYC,GACVA,2BACAA,6BACAA,2CACAA,uBACAA,uCACAA,qBACAA,6BACAA,2CACAA,uCACAA,uCACAA,oBACAA,kBACAA,oBACAA,4CAdF,CAAYA,IAAAA,OA8UZ,SAAYC,GACVA,yBACAA,6BACAA,qBACAA,iCACAA,2BACAA,qBACAA,mBACAA,+BACAA,+CACAA,2BACAA,kCAXF,CAAYA,IAAAA,OAcZ,SAAYC,GACVA,kBACAA,qBACAA,uBAHF,CAAYA,IAAAA,OAuIZ,SAAkBC,GAChBA,mBACAA,qBACAA,uBACAA,mCAJF,CAAkBA,IAAAA,OA2GlB,SAAYC,GACVA,gBACAA,gBACAA,kBACAA,kBACAA,kBACAA,iDACAA,8CACAA,0CACAA,yBACAA,qBACAA,uCACAA,yBACAA,6BACAA,gBACAA,6BACAA,uBAhBF,CAAYA,IAAAA,OCxlBZ,IAAMoN,EACJ,4NAKSC,EAAkB,CAC3B1P,IAAK,GACL2P,iBAEE,OADA/F,QAAQ/L,MAAM4R,IACN,GAEVG,mBAEE,OADAhG,QAAQ/L,MAAM4R,GACP,MAETI,6BACEjG,QAAQ/L,MAAM4R,IAEhBK,eAEE,OADAlG,QAAQ/L,MAAM4R,IACP,GAETM,iBACEnG,QAAQ/L,MAAM4R,cAeFO,EACdC,EACAC,EACApL,gBAAAA,MAEA,IAAIqL,EAAgD,KAChDC,EAAW,EAEf,OAAO,SAAUC,GACf,IAAIC,EAAMC,KAAKD,MACVF,IAAgC,IAApBtL,EAAQ0L,UACvBJ,EAAWE,GAEb,IAAIG,EAAYP,GAAQI,EAAMF,GAC1BM,EAAU5T,KACV6T,EAAOpU,UACPkU,GAAa,GAAKA,EAAYP,GAC5BC,IACFpB,aAAaoB,GACbA,EAAU,MAEZC,EAAWE,EACXL,EAAKpT,MAAM6T,EAASC,IACVR,IAAgC,IAArBrL,EAAQ8L,WAC7BT,EAAUtB,YAAW,WACnBuB,GAA+B,IAApBtL,EAAQ0L,QAAoB,EAAID,KAAKD,MAChDH,EAAU,KACVF,EAAKpT,MAAM6T,EAASC,KACnBF,cAKOI,EACdxB,EACAyB,EACAC,EACAC,EACA1C,gBAAAA,UAEA,IAAM2C,EAAW3C,EAAIrS,OAAOiV,yBAAyB7B,EAAQyB,GAkB7D,OAjBAxC,EAAIrS,OAAOkV,eACT9B,EACAyB,EACAE,EACID,EACA,CACEK,IAAA,SAAI/T,GAAJ,WAEEwR,YAAW,WACTkC,EAAEK,IAAKxU,KAAKyU,EAAMhU,KACjB,GACC4T,GAAYA,EAASG,KACvBH,EAASG,IAAIxU,KAAKE,KAAMO,MAK7B,WAAM,OAAAwT,EAAWxB,EAAQyB,EAAKG,GAAY,IAAI,aAIvCK,EAEdC,EACAtO,EAEAuO,GAEA,IACE,KAAMvO,KAAQsO,GACZ,OAAO,aAGT,IAAME,EAAWF,EAAOtO,GAClByO,EAAUF,EAAYC,GAiB5B,MAZuB,mBAAZC,IACTA,EAAQhV,UAAYgV,EAAQhV,WAAa,GACzCT,OAAO0V,iBAAiBD,EAAS,CAC/BE,mBAAoB,CAClBC,YAAY,EACZxU,MAAOoU,MAKbF,EAAOtO,GAAQyO,EAER,WACLH,EAAOtO,GAAQwO,GAEjB,SACA,OAAO,uBAMKK,IACd,OACEC,OAAOC,aACNjP,SAASkP,iBAAmBlP,SAASkP,gBAAgBC,cACrDnP,SAASoP,MAAQpP,SAASoP,KAAKD,sBAIpBE,IACd,OACEL,OAAOM,YACNtP,SAASkP,iBAAmBlP,SAASkP,gBAAgBK,aACrDvP,SAASoP,MAAQpP,SAASoP,KAAKG,qBAIpBC,EAAUvO,EAAmBkB,GAC3C,IAAKlB,EACH,OAAO,EAET,GAAIA,EAAKI,WAAaJ,EAAKK,aAAc,CACvC,IAAImO,GAAY,EAChB,GAA0B,iBAAftN,EAAyB,CAClC,QAAsCc,IAAjChC,EAAqBM,QACxB,OAA2D,OAAnDN,EAAqBM,QAAQ,IAAMY,GAE3CsN,EAAaxO,EAAqBO,UAAUC,SAASU,QAGtDlB,EAAqBO,UAAUkO,SAAQ,SAAC/N,GACnCQ,EAAW3D,KAAKmD,KAClB8N,GAAY,MAIlB,OAAOA,GAAaD,EAAUvO,EAAKW,WAAYO,GAEjD,OAAIlB,EAAKI,SAAaJ,EAAKY,UAElB2N,EAAUvO,EAAKW,WAAYO,YAKtBwN,EAAUpW,GACxB,MAAI,SAAUA,IFpMG,IEqMPA,EAAYuJ,KAAKE,YAOb4M,EAAkBtD,EAAeuD,GAC/C,GAAItU,EAAa+Q,GACf,OAAO,EAET,IAAMtJ,EAAK6M,EAAOjD,MAAMN,GACxB,OAAKuD,EAAO9C,IAAI/J,MAIdsJ,EAAO1K,YACP0K,EAAO1K,WAAWP,WAAaiL,EAAOpJ,kBAKnCoJ,EAAO1K,YAGLgO,EAAmBtD,EAAO1K,WAAiCiO,aAGpDC,EACdC,GAEA,OAAOrU,QAASqU,EAAqBC,yBA4SvBC,EACdhP,GAEA,MAAI,SAAUA,IAEVA,EAAK6B,KAAK5G,OAASlD,EAASkP,SAAiC,WAAtBjH,EAAK6B,KAAK7G,kBAqCvCiU,EACd3W,GAEA,OAAOmC,QAAUnC,MAAAA,SAAAA,EAA2BoC,YCjlB9C,SAASwU,EAAmB5W,GAC1B,MAAO,SAAUA,EDwDG,oBAAXyV,QAA0BA,OAAOoB,OAASpB,OAAOqB,UAC1D1D,EAAU,IAAIyD,MAAMzD,EAAS,CAC3B2D,aAAIhE,EAAQiE,EAAMC,GAIhB,MAHa,QAATD,GACF1J,QAAQ/L,MAAM4R,GAET2D,QAAQC,IAAIhE,EAAQiE,EAAMC,OC5DvC,iBAAA,aACSzW,YAAS,EACTA,UAAoC,KAyE7C,OAvES0W,gBAAP,SAAWC,GACT,GAAIA,GAAY3W,KAAKN,OACnB,MAAM,IAAIkX,MAAM,kCAIlB,IADA,IAAIC,EAAU7W,KAAK8W,KACVC,EAAQ,EAAGA,EAAQJ,EAAUI,IACpCF,GAAUA,MAAAA,SAAAA,EAASvW,OAAQ,KAE7B,OAAOuW,GAGFH,oBAAP,SAAelX,GACb,IAAM0H,EAA6B,CACjC3G,MAAOf,EACP8T,SAAU,KACVhT,KAAM,MAGR,GADCd,EAAuBwX,KAAO9P,EAC3B1H,EAAEkP,iBAAmB0H,EAAmB5W,EAAEkP,iBAAkB,CAC9D,IAAMmI,EAAUrX,EAAEkP,gBAAgBsI,KAAK1W,KACvC4G,EAAK5G,KAAOuW,EACZ3P,EAAKoM,SAAW9T,EAAEkP,gBAAgBsI,KAClCxX,EAAEkP,gBAAgBsI,KAAK1W,KAAO4G,EAC1B2P,IACFA,EAAQvD,SAAWpM,QAEhB,GACL1H,EAAEiP,aACF2H,EAAmB5W,EAAEiP,cACrBjP,EAAEiP,YAAYuI,KAAK1D,SACnB,CACMuD,EAAUrX,EAAEiP,YAAYuI,KAAK1D,SACnCpM,EAAKoM,SAAWuD,EAChB3P,EAAK5G,KAAOd,EAAEiP,YAAYuI,KAC1BxX,EAAEiP,YAAYuI,KAAK1D,SAAWpM,EAC1B2P,IACFA,EAAQvW,KAAO4G,QAGblH,KAAK8W,OACP9W,KAAK8W,KAAKxD,SAAWpM,GAEvBA,EAAK5G,KAAON,KAAK8W,KACjB9W,KAAK8W,KAAO5P,EAEdlH,KAAKN,UAGAgX,uBAAP,SAAkBlX,GAChB,IAAMqX,EAAUrX,EAAEwX,KACbhX,KAAK8W,OAILD,EAAQvD,UAMXuD,EAAQvD,SAAShT,KAAOuW,EAAQvW,KAC5BuW,EAAQvW,OACVuW,EAAQvW,KAAKgT,SAAWuD,EAAQvD,YAPlCtT,KAAK8W,KAAOD,EAAQvW,KAChBN,KAAK8W,OACP9W,KAAK8W,KAAKxD,SAAW,OAQrB9T,EAAEwX,aACIxX,EAAyCwX,KAEnDhX,KAAKN,gBAIHuX,EAAU,SAAChO,EAAYiO,GAAqB,MAAA,UAAGjO,cAAMiO,IAC3D,SAASC,EAAQ3X,GACf,MAAO,SAAUA,EAMnB,iBAAA,aAAA,WACUQ,aAAkB,EAClBA,aAAkB,EAElBA,WAAsB,GACtBA,gBAAgC,GAChCA,aAAiC,GACjCA,gBAAqB,GAErBA,cAAiC,GAmBjCA,cAAW,IAAIoX,IACfpX,cAAW,IAAIoX,IACfpX,gBAAa,IAAIoX,IAoFlBpX,sBAAmB,SAACqX,GACzBA,EAAU1B,QAAQpB,EAAK+C,iBACvB/C,EAAKgD,QAGAvX,UAAO,uBACZ,IAAIuU,EAAKiD,SAAUjD,EAAKkD,OAAxB,CA0FA,IAnFA,IAAMC,EAA4B,GAM5BC,EAAU,IAAIjB,EACdkB,EAAY,SAACpY,GAGjB,IAFA,IAAIqY,EAAkBrY,EAClBsY,GH5MS,GAAA,IG6MNA,GAELA,GADAD,EAAKA,GAAMA,EAAGpJ,cACC8F,EAAKuB,OAAOjD,MAAOgF,GAEpC,OAAOC,GAEHC,EAAU,SAACvY,GAMf,kBALMwY,EAA6BxY,EAAEyY,sBAChCzY,EAAEyY,oCAA8BvW,KACjC,KAEAwW,EAAiBF,sBACbE,MAAAA,SAAAA,EAAgBD,gEAA4CvW,MAClEwW,uBACGA,MAAAA,SAAAA,EAAgBD,gEAA4CvW,OAC7D,KAEJ,IAAMyW,IACH5D,EAAK5O,IAAI+B,SAASlI,IACC,OAAnB0Y,GAA4B3D,EAAK5O,IAAI+B,SAASwQ,IACjD,GAAK1Y,EAAEqI,aAAcsQ,EAArB,CAGA,IAAMjB,EAAW1V,EAAahC,EAAEqI,YAC5B0M,EAAKuB,OAAOjD,MAAOmF,GACnBzD,EAAKuB,OAAOjD,MAAOrT,EAAEqI,YACnBiQ,EAASF,EAAUpY,GACzB,IAAkB,IAAd0X,IAA+B,IAAZY,EACrB,OAAOH,EAAQS,QAAQ5Y,GAEzB,IAAIqQ,EAAKX,EAAoB1P,EAAG,CAC9BmG,IAAK4O,EAAK5O,IACVzC,IAAKqR,EAAKuB,OAAO5S,IACjBkF,WAAYmM,EAAKnM,WACjBC,cAAekM,EAAKlM,cACpBC,gBAAiBiM,EAAKjM,gBACtBnB,cAAeoN,EAAKpN,cACpBC,iBAAkBmN,EAAKnN,iBACvBC,mBAAoBkN,EAAKlN,mBACzBtF,kBAAmBwS,EAAKxS,kBACxBC,oBAAqBuS,EAAKvS,oBAC1BmN,WAAW,EACX5G,iBAAkBgM,EAAKhM,iBACvBtG,iBAAkBsS,EAAKtS,iBACvBwG,WAAY8L,EAAK9L,WACjBrG,YAAamS,EAAKnS,YAClBgN,eAAgBmF,EAAKnF,eACrBvG,aAAc0L,EAAK1L,aACnBD,aAAc2L,EAAK3L,aACnByG,YAAa,SAACgJ,GACRnC,EAAcmC,IAChB9D,EAAK+D,cAAcC,UAAUF,GAE3BlC,EAAc3W,IAChB+U,EAAKiE,iBAAiBC,cAAcjZ,EAAEoC,WAAYqE,WAGtDqJ,aAAc,SAACoJ,EAAQC,GACrBpE,EAAK+D,cAAcM,aAAaF,EAAQC,GACxCpE,EAAKiE,iBAAiBK,oBACnBH,MAIH7I,GACF6H,EAAK5W,KAAK,CACRoW,WACAY,SACA5Q,KAAM2I,MAKL0E,EAAKuE,WAAWpZ,QACrB6U,EAAKuB,OAAO/C,kBAAkBwB,EAAKuE,WAAWC,aAGhD,IAAgB,IAAArQ,EAAAzI,EAAAsU,EAAKyE,wCAAU,CAA1B,IAAMxZ,UAEPyZ,EAAgB1E,EAAK2E,QAAS1Z,EAAG+U,EAAKuB,UACrCvB,EAAKyE,SAAShG,IAAIxT,EAAEqI,aAIvBkQ,EAAQvY,yGAGV,IAAgB,IAAA4K,EAAAnK,EAAAsU,EAAK4E,wCAAU,CAApB3Z,UAEN4Z,GAAgB7E,EAAK8E,WAAY7Z,IACjCyZ,EAAgB1E,EAAK2E,QAAS1Z,EAAG+U,EAAKuB,QAG9BsD,GAAgB7E,EAAKyE,SAAUxZ,GACxCuY,EAAQvY,GAER+U,EAAK8E,WAAWC,IAAI9Z,GAJpBuY,EAAQvY,qGASZ,IADA,IAAI+Z,EAAyC,KACtC5B,EAAQjY,QAAQ,CACrB,IAAIwH,EAAoC,KACxC,GAAIqS,EAAW,CACb,IAAMrC,EAAW3C,EAAKuB,OAAOjD,MAC1B0G,EAAUhZ,MAAMsH,YAEbiQ,EAASF,EAAU2B,EAAUhZ,QACjB,IAAd2W,IAA+B,IAAZY,IACrB5Q,EAAOqS,GAGX,IAAKrS,EACH,IAAK,IAAI6P,EAAQY,EAAQjY,OAAS,EAAGqX,GAAS,EAAGA,IAAS,CACxD,IAAMyC,EAAQ7B,EAAQpB,IAAIQ,GAE1B,GAAIyC,EAAO,CACHtC,EAAW3C,EAAKuB,OAAOjD,MAC1B2G,EAAMjZ,MAAMsH,YAETiQ,EAASF,EAAU4B,EAAMjZ,OAC/B,IAAkB,IAAd2W,IAA+B,IAAZY,EAAe,CACpC5Q,EAAOsS,EACP,QAKR,IAAKtS,EAAM,CAMT,KAAOyQ,EAAQb,MACba,EAAQ8B,WAAW9B,EAAQb,KAAKvW,OAElC,MAEFgZ,EAAYrS,EAAKoM,SACjBqE,EAAQ8B,WAAWvS,EAAK3G,OACxBwX,EAAQ7Q,EAAK3G,OAGf,IAAMmZ,EAAU,CACdC,MAAOpF,EAAKoF,MACTzW,KAAI,SAACb,GAAS,OACb4G,GAAIsL,EAAKuB,OAAOjD,MAAMxQ,EAAK6E,MAC3B3G,MAAO8B,EAAK9B,UAGbqZ,QAAO,SAACvX,GAAS,OAAAkS,EAAKuB,OAAO9C,IAAI3Q,EAAK4G,OACzCkB,WAAYoK,EAAKpK,WACdjH,KAAI,SAAC2W,GAAc,OAClB5Q,GAAIsL,EAAKuB,OAAOjD,MAAMgH,EAAU3S,MAChCiD,WAAY0P,EAAU1P,eAGvByP,QAAO,SAACC,GAAc,OAAAtF,EAAKuB,OAAO9C,IAAI6G,EAAU5Q,OACnDiQ,QAAS3E,EAAK2E,QACdxB,SAICgC,EAAQC,MAAMja,QACdga,EAAQvP,WAAWzK,QACnBga,EAAQR,QAAQxZ,QAChBga,EAAQhC,KAAKhY,UAMhB6U,EAAKoF,MAAQ,GACbpF,EAAKpK,WAAa,GAClBoK,EAAK2E,QAAU,GACf3E,EAAK4E,SAAW,IAAI/B,IACpB7C,EAAKyE,SAAW,IAAI5B,IACpB7C,EAAK8E,WAAa,IAAIjC,IACtB7C,EAAKuF,SAAW,GAEhBvF,EAAKwF,WAAWL,MAGV1Z,qBAAkB,SAACK,eACzB,IAAIuV,EAAUvV,EAAEkS,QAGhB,OAAQlS,EAAE8B,MACR,IAAK,gBACH,IAAM5B,EAAQF,EAAEkS,OAAO3H,YAClB6K,EAAUpV,EAAEkS,OAAQgC,EAAKnM,aAAe7H,IAAUF,EAAE2Z,UACvDzF,EAAKoF,MAAM7Y,KAAK,CACdP,MACE0G,EACE5G,EAAEkS,OACFgC,EAAKpN,cACLoN,EAAKnN,iBACLmN,EAAKlN,qBACF9G,EACDgU,EAAK9L,WACH8L,EAAK9L,WAAWlI,GAChBA,EAAMwD,QAAQ,QAAS,KACzBxD,EACN2G,KAAM7G,EAAEkS,SAGZ,MAEF,IAAK,aACH,IAAMA,EAASlS,EAAEkS,OACbhS,EAASF,EAAEkS,OAAuB0H,aAAa5Z,EAAE6Z,eAarD,GAZwB,UAApB7Z,EAAE6Z,gBACJ3Z,EAAQsB,EAAe,CACrBC,MAAOyQ,EACPxQ,kBAAmBwS,EAAKxS,kBACxBC,oBAAqBuS,EAAKvS,oBAC1BC,iBAAkBsS,EAAKtS,iBACvBC,QAAU7B,EAAEkS,OAAuBrQ,QACnCC,KAAO9B,EAAEkS,OAAuB0H,aAAa,QAC7C1Z,QACA6B,YAAamS,EAAKnS,eAGlBqT,EAAUpV,EAAEkS,OAAQgC,EAAKnM,aAAe7H,IAAUF,EAAE2Z,SACtD,OAEF,IAAIG,EAAoC5F,EAAKpK,WAAWK,MACtD,SAAC1E,GAAM,OAAAA,EAAEoB,OAAS7G,EAAEkS,UAStB,GAPK4H,IACHA,EAAO,CACLjT,KAAM7G,EAAEkS,OACRpI,WAAY,IAEdoK,EAAKpK,WAAWrJ,KAAKqZ,IAEC,UAApB9Z,EAAE6Z,cAA2B,CAC/B,IAAME,EAAM7F,EAAK5O,IAAII,cAAc,QAC/B1F,EAAE2Z,UACJI,EAAIC,aAAa,QAASha,EAAE2Z,eAGF9Q,IAA1BiR,EAAKhQ,WAAWmQ,OACU,OAA1BH,EAAKhQ,WAAWmQ,QAEhBH,EAAKhQ,WAAWmQ,MAAQ,IAE1B,IAAMC,EAAWJ,EAAKhQ,WAAWmQ,UACjC,IAAoB,IAAA5R,EAAAzI,EAAAoB,MAAMH,KAAKqR,EAAO+H,sCAAQ,CAAzC,IAAME,UACHC,EAAWlI,EAAO+H,MAAMI,iBAAiBF,GACzCG,EAAcpI,EAAO+H,MAAMM,oBAAoBJ,GAEnDC,IAAaL,EAAIE,MAAMI,iBAAiBF,IACxCG,IAAgBP,EAAIE,MAAMM,oBAAoBJ,KAG5CD,EAASC,GADS,KAAhBG,EACgBF,EAEA,CAACA,EAAUE,0GAInC,IAAoB,IAAAvQ,EAAAnK,EAAAoB,MAAMH,KAAKkZ,EAAIE,sCAAQ,CAAhCE,UACoC,KAAzCjI,EAAO+H,MAAMI,iBAAiBF,KAEhCD,EAASC,IAAS,2GAKtBL,EAAKhQ,WAAW9J,EAAE6Z,eAAkBhU,EAClCqO,EAAK5O,IACJtF,EAAEkS,OAAuBrQ,QAC1B7B,EAAE6Z,cACF3Z,GAGJ,MAEF,IAAK,YACHF,EAAEwa,WAAWlF,SAAQ,SAACnW,GAAM,OAAA+U,EAAKuG,QAAQtb,EAAGa,EAAEkS,WAC9ClS,EAAE0a,aAAapF,SAAQ,SAACnW,GACtB,IAAMwb,EAASzG,EAAKuB,OAAOjD,MAAMrT,GAC3B0X,EAAW1V,EAAanB,EAAEkS,QAC5BgC,EAAKuB,OAAOjD,MAAOxS,EAAEkS,OAAO7Q,MAC5B6S,EAAKuB,OAAOjD,MAAMxS,EAAEkS,QACpBkD,EAAUpV,EAAEkS,OAAQgC,EAAKnM,aAAewN,EAAUpW,KAIlD+U,EAAK4E,SAASnG,IAAIxT,IACpByb,EAAW1G,EAAK4E,SAAU3Z,GAC1B+U,EAAK8E,WAAWC,IAAI9Z,IACX+U,EAAK4E,SAASnG,IAAI3S,EAAEkS,UAAuB,IAAZyI,GAQ/BnF,EAAkBxV,EAAEkS,OAAiBgC,EAAKuB,UAQnDvB,EAAKyE,SAAShG,IAAIxT,IAClB+U,EAAKuF,SAAS7C,EAAQ+D,EAAQ9D,IAE9B+D,EAAW1G,EAAKyE,SAAUxZ,GAE1B+U,EAAK2E,QAAQpY,KAAK,CAChBoW,WACAjO,GAAI+R,EACJ3J,WAAU7P,EAAanB,EAAEkS,cAAiBrJ,KAG9CqL,EAAKuE,WAAWhY,KAAKtB,SASrBQ,aAAU,SAACR,EAAiB+S,GAElC,IAAIA,IAAUkD,EAAUlD,EAAQgC,EAAKnM,YAArC,CAGA,GAAI+O,EAAQ3X,GAAI,CACd,GAAIoW,EAAUpW,GACZ,OAEF+U,EAAKyE,SAASM,IAAI9Z,GAClB,IAAI0b,EAA0B,KAC1B3I,GAAU4E,EAAQ5E,KACpB2I,EAAW3I,EAAOxJ,KAAKE,IAErBiS,IACF3G,EAAKuF,SAAS7C,EAAQzX,EAAEuJ,KAAKE,GAAIiS,KAAa,QAGhD3G,EAAK4E,SAASG,IAAI9Z,GAClB+U,EAAK8E,WAAW8B,OAAO3b,GAKpBiW,EAAUjW,EAAG+U,EAAKnM,aACrB5I,EAAE8J,WAAWqM,SAAQ,SAACyF,GAAW,OAAA7G,EAAKuG,QAAQM,QAEpD,OAxbSC,iBAAP,SAAYrT,GAAZ,WACG,CACC,aACA,aACA,gBACA,kBACA,gBACA,mBACA,qBACA,oBACA,sBACA,mBACA,mBACA,aACA,cACA,eACA,eACA,iBACA,MACA,SACA,gBACA,mBACA,iBACU2N,SAAQ,SAAC3B,GAEnBO,EAAKP,GAAOhM,EAAQgM,OAIjBqH,mBAAP,WACErb,KAAKwX,QAAS,EACdxX,KAAKsb,cAAcC,UAGdF,qBAAP,WACErb,KAAKwX,QAAS,EACdxX,KAAKsb,cAAcE,WACnBxb,KAAKuX,QAGA8D,qBAAP,WACE,OAAOrb,KAAKwX,QAGP6D,iBAAP,WACErb,KAAKyX,QAAS,EACdzX,KAAKsb,cAAcG,QAGdJ,mBAAP,WACErb,KAAKyX,QAAS,EACdzX,KAAKsb,cAAcI,SACnB1b,KAAKuX,QAGA8D,kBAAP,WACErb,KAAKwY,iBAAiBvF,QACtBjT,KAAKsb,cAAcrI,cAuYvB,SAASgI,EAAWU,EAAoBnc,GACtCmc,EAAQR,OAAO3b,GACfA,EAAE8J,WAAWqM,SAAQ,SAACyF,GAAW,OAAAH,EAAWU,EAASP,MAGvD,SAASnC,EACPC,EACA1Z,EACAsW,GAEQ,IAAAjO,EAAerI,aACvB,IAAKqI,EACH,OAAO,EAET,IAAMqP,EAAWpB,EAAOjD,MAAOhL,GAC/B,QAAIqR,EAAQpN,MAAK,SAACnL,GAAM,OAAAA,EAAEsI,KAAOiO,MAG1B+B,EAAgBC,EAASrR,EAAYiO,GAG9C,SAASsD,GAAgB9E,EAAgB9U,GAC/B,IAAAqI,EAAerI,aACvB,QAAKqI,MAGDyM,EAAItB,IAAInL,IAGLuR,GAAgB9E,EAAKzM,IChmBvB,IAAM+T,GAAoC,GAE3CC,GAAwD,oBAApBC,gBACpCC,GAAkD,oBAAjBC,aACjCC,GAAwD,oBAApBC,gBACpCC,GAA0D,oBAArBC,iBAO3C,SAASC,GAAerG,GACtB,IACE,GAAI,iBAAkBA,EAAO,CAC3B,IAAMsG,EAAOtG,EAAMuG,eACnB,GAAID,EAAK5c,OACP,OAAO4c,EAAK,QAET,GAAI,SAAUtG,GAASA,EAAMsG,KAAK5c,OACvC,OAAOsW,EAAMsG,KAAK,GAEpB,OAAOtG,EAAMzD,OACb,SACA,OAAOyD,EAAMzD,iBAIDiK,GACdxU,EACAyU,WAEMC,EAAiB,IAAIrB,EAC3BO,GAAgB9a,KAAK4b,GAErBA,EAAeC,KAAK3U,GACpB,IAAI4U,EACF3H,OAAO4H,kBASN5H,OAA4C6H,qBACzCC,6BAAqB9H,iBAAAA,cAAAA,OAAkC+H,2BAAMC,wCACjE,oBAGAF,GACE9H,OACA8H,KAGFH,EAAyB3H,OAGtB8H,IAEL,IAAMG,EAAW,IAAIN,EACnBF,EAAeS,iBAAiBC,KAAKV,IAUvC,OARAQ,EAASG,QAAQZ,EAAQ,CACvBtS,YAAY,EACZmT,mBAAmB,EACnBC,eAAe,EACfC,uBAAuB,EACvBC,WAAW,EACXC,SAAS,IAEJR,EAkFT,SAASS,GAA6Blc,OACpCmc,uBACAjY,QACAmQ,WACA1N,eACAyV,aAEA,IAAkC,IAA9BA,EAASC,iBACX,OAAO,aAET,IAAMC,GAC0B,IAA9BF,EAASC,uBACqB5U,IAA9B2U,EAASC,iBACL,GACAD,EAASC,iBAETE,EAA8B,GAiCpC,OAZA7e,OAAO8e,KAAK7Y,GACTwU,QACC,SAAC5F,GACC,OAAAkK,OAAOC,MAAMD,OAAOlK,MACnBA,EAAI/D,SAAS,eACM,IAApB8N,EAAW/J,MAEd2B,SAAQ,SAACyI,GACR,IAAMC,EAAYD,EAAS7b,cACrB+b,EA7BS,SAACF,GAClB,OAAO,SAACpI,GACN,IAAMzD,EAAS8J,GAAerG,GAC9B,IAAIP,EAAUlD,EAAgBnK,GAA9B,CAGA,IAAMxH,EAAImV,EAAaC,GAASA,EAAMC,eAAe,GAAKD,EAC1D,GAAKpV,EAAL,CAGA,IAAMqI,EAAK6M,EAAOjD,MAAMN,GAChBgM,EAAqB3d,UAAZ4d,EAAY5d,UAC7Bgd,EAAmB,CACjBzb,KAAMiD,EAAkBgZ,GACxBnV,KACAkC,EAAGoT,EACHlT,EAAGmT,OAaWC,CAAWL,GAC3BJ,EAASld,KAAKuR,EAAGgM,EAAWC,EAAS3Y,OAElC,WACLqY,EAASrI,SAAQ,SAAC+I,GAAM,OAAAA,iBAIZC,GAAmBld,OACjCmd,aACAjZ,QACAmQ,WACA1N,eA2BA,OAAOiK,EAAG,SArBaa,GAAkB,SAAC2L,GACxC,IAAMtM,EAAS8J,GAAewC,GAC9B,GAAKtM,IAAUkD,EAAUlD,EAAgBnK,GAAzC,CAGA,IAAMa,EAAK6M,EAAOjD,MAAMN,GACxB,GAAIA,IAAW5M,EAAK,CAClB,IAAMmZ,EAAYnZ,EAAIoZ,kBAAoBpZ,EAAIwP,gBAC9CyJ,EAAS,CACP3V,KACAkC,EAAG2T,EAASvR,WACZlC,EAAGyT,EAASrR,iBAGdmR,EAAS,CACP3V,KACAkC,EAAIoH,EAAuBhF,WAC3BlC,EAAIkH,EAAuB9E,0BAGrBuR,QAAU,KACcrZ,GAuBtC,SAASsZ,GACPC,EACAC,GAEA,IAAM5e,OAAa2e,GAEnB,OADKC,UAAe5e,EAAM6e,cACnB7e,EAGF,IAAM8e,GAAa,CAAC,QAAS,WAAY,UAC1CC,GAAsD,IAAIC,QAmJhE,SAASC,GAA0Bnc,GAyBjC,OAvBA,SAAiBoc,EAAoBrZ,GACnC,GACGyV,IACC4D,EAAUC,sBAAsB5D,iBACjCC,IACC0D,EAAUC,sBAAsB1D,cACjCC,IACCwD,EAAUC,sBAAsBxD,iBACjCC,IACCsD,EAAUC,sBAAsBtD,iBAClC,CACA,IAGMrF,EAHQ1V,MAAMH,KACjBue,EAAUC,WAA+Bzc,UAExByB,QAAQ+a,GAC5BrZ,EAAIuZ,QAAQ5I,OACP,CAECA,EADQ1V,MAAMH,KAAKue,EAAUG,iBAAkB3c,UACjCyB,QAAQ+a,GAC5BrZ,EAAIuZ,QAAQ5I,GAEd,OAAO3Q,EAEFyZ,CAAQxc,EAxBa,aAuWdyc,GACd5f,EACA6f,wBAAAA,MAEA,IAAMC,EAAgB9f,EAAEyF,IAAIsa,YAC5B,IAAKD,EACH,OAAO,cAxFX,SAAoB9f,EAAkB6f,GAElC,IAAAhG,EAWE7Z,aAVFggB,EAUEhgB,cATF0d,EASE1d,qBARF0e,EAQE1e,WAPFigB,EAOEjgB,mBANFkgB,EAMElgB,UALFmgB,EAKEngB,qBAJFogB,EAIEpgB,mBAHFqgB,EAGErgB,qBAFFsgB,EAEEtgB,mBADFugB,EACEvgB,SACJA,EAAE6Z,WAAa,eAAC,aAAAhV,mBAAAA,IAAApF,kBACVogB,EAAMW,UACRX,EAAMW,eAANX,SAAkBpgB,QAEpBoa,sBAAcpa,SAEhBO,EAAEggB,YAAc,eAAC,aAAAnb,mBAAAA,IAAApF,kBACXogB,EAAMY,WACRZ,EAAMY,gBAANZ,SAAmBpgB,QAErBugB,sBAAevgB,SAEjBO,EAAE0d,mBAAqB,eAAC,aAAA7Y,mBAAAA,IAAApF,kBAClBogB,EAAMjC,kBACRiC,EAAMjC,uBAANiC,SAA0BpgB,QAE5Bie,sBAAsBje,SAExBO,EAAE0e,SAAW,eAAC,aAAA7Z,mBAAAA,IAAApF,kBACRogB,EAAMf,QACRe,EAAMf,aAANe,SAAgBpgB,QAElBif,sBAAYjf,SAEdO,EAAEigB,iBAAmB,eAAC,aAAApb,mBAAAA,IAAApF,kBAChBogB,EAAMa,gBACRb,EAAMa,qBAANb,SAAwBpgB,QAE1BwgB,sBAAoBxgB,SAEtBO,EAAEkgB,QAAU,eAAC,aAAArb,mBAAAA,IAAApF,kBACPogB,EAAMje,OACRie,EAAMje,YAANie,SAAepgB,QAEjBygB,sBAAWzgB,SAEbO,EAAEmgB,mBAAqB,eAAC,aAAAtb,mBAAAA,IAAApF,kBAClBogB,EAAMc,iBACRd,EAAMc,sBAANd,SAAyBpgB,QAE3B0gB,sBAAsB1gB,SAExBO,EAAEogB,iBAAmB,eAAC,aAAAvb,mBAAAA,IAAApF,kBAChBogB,EAAMe,gBACRf,EAAMe,qBAANf,SAAwBpgB,QAE1B2gB,sBAAoB3gB,SAEtBO,EAAEqgB,mBAAqB,eAAC,aAAAxb,mBAAAA,IAAApF,kBAClBogB,EAAMgB,kBACRhB,EAAMgB,uBAANhB,SAA0BpgB,QAE5B4gB,sBAAsB5gB,SAExBO,EAAEsgB,iBAAmB,eAAC,aAAAzb,mBAAAA,IAAApF,kBAChBogB,EAAMiB,gBACRjB,EAAMiB,qBAANjB,SAAwBpgB,QAE1B6gB,sBAAoB7gB,SAEtBO,EAAEugB,OAAS,eAAC,aAAA1b,mBAAAA,IAAApF,kBACNogB,EAAMkB,MACRlB,EAAMkB,WAANlB,SAAcpgB,QAEhB8gB,sBAAU9gB,SAaZuhB,CAAWhhB,EAAG6f,GACd,IAAMoB,EAAmB3E,GAAqBtc,EAAGA,EAAEyF,KAC7Cyb,EA3sBR,SAA0B3f,OACxBye,gBACArC,aACAlY,QACAmQ,WAEA,IAA2B,IAAvB+H,EAAS8C,UACX,OAAO,aAGT,IAQIU,EAREC,EAC0B,iBAAvBzD,EAAS8C,UAAyB9C,EAAS8C,UAAY,GAC1DY,EACkC,iBAA/B1D,EAAS2D,kBACZ3D,EAAS2D,kBACT,IAEFC,EAA6B,GAE3BC,EAAYxO,GAChB,SACEuB,GAKA,IAAMkN,EAAclO,KAAKD,MAAQ6N,EACjCnB,EACEuB,EAAUve,KAAI,SAACvD,GAEb,OADAA,EAAEiiB,YAAcD,EACThiB,KAET8U,GAEFgN,EAAY,GACZJ,EAAe,OAEjBE,GAEIM,EAAiB3O,GACrB,SAAC2L,GACC,IAAMtM,EAAS8J,GAAewC,GACxBpd,EAAuBsU,EAAa8I,GACtCA,EAAI5I,eAAe,GACnB4I,EAFIN,YAASC,YAGZ6C,IACHA,EAAe5N,KAAKD,OAEtBiO,EAAU3gB,KAAK,CACbqK,EAAGoT,EACHlT,EAAGmT,EACHvV,GAAI6M,EAAOjD,MAAMN,GACjBqP,WAAYnO,KAAKD,MAAQ6N,IAI3BK,EACuB,oBAAdI,WAA6BjD,aAAeiD,UAC/C3c,EAAkB4c,KAClBlD,aAAemD,WACf7c,EAAkB8c,UAClB9c,EAAkB+c,aAG1BZ,EACA,CACExN,UAAU,IAGRkK,EAAW,CACf3L,EAAG,YAAawP,EAAgBlc,GAChC0M,EAAG,YAAawP,EAAgBlc,GAChC0M,EAAG,OAAQwP,EAAgBlc,IAE7B,OAAO,WACLqY,EAASrI,SAAQ,SAAC+I,GAAM,OAAAA,QAgoBDyD,CAAiBjiB,GACpCkiB,EAA0BzE,GAA6Bzd,GACvDmiB,EAAgB1D,GAAmBze,GACnCoiB,EAviBR,SAAoC7gB,OAClC0e,qBAEIoC,GAAS,EACTC,GAAS,EAab,OAAOnQ,EAAG,SAZca,GAAS,WAC/B,IAAM5H,EAAS0J,IACT5J,EAAQkK,IACViN,IAAUjX,GAAUkX,IAAUpX,IAChC+U,EAAiB,CACf/U,MAAO8S,OAAO9S,GACdE,OAAQ4S,OAAO5S,KAEjBiX,EAAQjX,EACRkX,EAAQpX,KAET,KACkC6J,QAshBPwN,CAA2BviB,GACnDwiB,EAzgBR,SAA2BjhB,OACzB2e,YACAza,QACAmQ,WACA1N,eACAua,gBACAC,mBACA7gB,sBACAC,wBACAC,qBACAG,gBACAyb,aACAgF,yBAEA,SAASC,EAAa9M,GACpB,IAAIzD,EAAS8J,GAAerG,GACtBoJ,EAAgBpJ,EAAM+M,UAO5B,GAFIxQ,GAA0C,WAA/BA,EAAmBrQ,UAChCqQ,EAAUA,EAAmByQ,eAE5BzQ,GACCA,EAAmBrQ,WACrBmd,GAAW3a,QAAS6N,EAAmBrQ,SAAW,KAClDuT,EAAUlD,EAAgBnK,GAJ5B,CAQA,IAAMjG,EAA4BoQ,EAA4BpQ,KAC9D,KAAKoQ,EAAuB9K,UAAUC,SAASib,IAAiBC,GAAmBrQ,EAAuBjQ,QAAQsgB,IAAlH,CAGA,IAAIvgB,EAAQkQ,EAA4BhS,MACpC0iB,GAAY,EACH,UAAT9gB,GAA6B,aAATA,EACtB8gB,EAAa1Q,EAA4B1H,SAEzC5I,EACGsQ,EAAmBrQ,QAAQK,gBAE9BN,EAAiBE,MAEjBE,EAAOR,EAAe,CACpBC,MAAQyQ,EACRtQ,mBACAF,oBACAC,sBACAE,QAAUqQ,EAAuBrQ,QACjCC,OACA5B,MAAO8B,EACPD,iBAGJ8gB,EACE3Q,EACA0M,GACE,CAAE5c,OAAM4gB,YAAW7D,iBACnByD,IAKJ,IAAM1c,EAA4BoM,EAA4BpM,KACjD,UAAThE,GAAoBgE,GAAQ8c,GAC9Btd,EACGwd,iBAAiB,oCAA6Bhd,SAC9CwP,SAAQ,SAACxN,GACJA,IAAOoK,GACT2Q,EACE/a,EACA8W,GACE,CACE5c,KAAO8F,EAAwB5H,MAC/B0iB,WAAYA,EACZ7D,eAAe,GAEjByD,SAOd,SAASK,EAAY3Q,EAAqB2M,GACxC,IAAMkE,EAAiB9D,GAAkB/I,IAAIhE,GAC7C,IACG6Q,GACDA,EAAe/gB,OAAS6c,EAAE7c,MAC1B+gB,EAAeH,YAAc/D,EAAE+D,UAC/B,CACA3D,GAAkBhL,IAAI/B,EAAQ2M,GAC9B,IAAMjW,EAAK6M,EAAOjD,MAAMN,GACxB6N,SACKlB,IACHjW,SAIN,IACM+U,GAD4B,SAAnBH,EAAS/b,MAAmB,CAAC,UAAY,CAAC,QAAS,WAGvDoB,KAAI,SAACmb,GAAc,OAAAhM,EAAGgM,EAAWyE,EAAcnd,MACpD0d,EAAqBlkB,OAAOiV,yBAChCkP,iBAAiB1jB,UACjB,SAEI2jB,EAA+C,CACnD,CAACD,iBAAiB1jB,UAAW,SAC7B,CAAC0jB,iBAAiB1jB,UAAW,WAC7B,CAAC4jB,kBAAkB5jB,UAAW,SAC9B,CAAC6jB,oBAAoB7jB,UAAW,SAEhC,CAAC4jB,kBAAkB5jB,UAAW,iBAC9B,CAAC8jB,kBAAkB9jB,UAAW,aAchC,OAZIyjB,GAAsBA,EAAmB/O,KAC3C0J,EAASld,WAATkd,SACKuF,EAAergB,KAAI,SAACvD,GACrB,OAAAoU,EAAwBpU,EAAE,GAAIA,EAAE,GAAI,CAClC2U,IAAA,WAEEwO,EAAa,CAAEvQ,OAAQvS,mBAM1B,WACLge,EAASrI,SAAQ,SAAC+I,GAAM,OAAAA,QAsYLiF,CAAkBzjB,GACjC0jB,EAvLR,SAAsCniB,OACpC4e,uBACAjY,eACA0N,WACA+H,aAEMS,EAAU,SAACnc,GACf,OAAA+Q,GAAS,SAAC8C,GACR,IAAMzD,EAAS8J,GAAerG,GAC9B,GAAKzD,IAAUkD,EAAUlD,EAAgBnK,GAAzC,CAGM,IAAA3G,EAAiC8Q,EAA/BjF,gBAAauW,WAAQC,UAC7BzD,EAAmB,CACjBle,OACA8G,GAAI6M,EAAOjD,MAAMN,GACjBjF,cACAuW,SACAC,aAEDjG,EAASkG,OAAS,MACjB/F,EAAW,CACf3L,EAAG,OAAQiM,MACXjM,EAAG,QAASiM,MACZjM,EAAG,SAAUiM,MACbjM,EAAG,eAAgBiM,OAErB,OAAO,WACLN,EAASrI,SAAQ,SAAC+I,GAAM,OAAAA,QA2JMsF,CAA6B9jB,GAEvD+jB,EA9VR,SACExiB,EACA+G,OADE8X,qBAAkBxK,WAClBtE,QAEF,IAAKA,EAAI0S,gBAAkB1S,EAAI0S,cAActkB,UAE3C,OAAO,aAGT,IAAMukB,EAAa3S,EAAI0S,cAActkB,UAAUukB,WAC/C3S,EAAI0S,cAActkB,UAAUukB,WAAa,SACvC9gB,EACA0T,GAEA,IAAM9N,EAAK6M,EAAOjD,MAAM7S,KAAKokB,WAO7B,OANY,IAARnb,GACFqX,EAAiB,CACfrX,KACAyO,KAAM,CAAC,CAAErU,OAAM0T,YAGZoN,EAAWpkB,MAAMC,KAAMP,YAGhC,IAAM4kB,EAAa7S,EAAI0S,cAActkB,UAAUykB,WAC/C7S,EAAI0S,cAActkB,UAAUykB,WAAa,SAAUtN,GACjD,IAAM9N,EAAK6M,EAAOjD,MAAM7S,KAAKokB,WAO7B,OANY,IAARnb,GACFqX,EAAiB,CACfrX,KACAiQ,QAAS,CAAC,CAAEnC,YAGTsN,EAAWtkB,MAAMC,KAAMP,YAGhC,IAAM6kB,EAEF,GACAzI,GACFyI,EAA4BxI,gBAAkBtK,EAAIsK,iBAM9CC,KACFuI,EAA4BtI,aAAexK,EAAIwK,cAE7CG,KACFmI,EAA4BlI,iBAAmB5K,EAAI4K,kBAEjDH,KACFqI,EAA4BpI,gBAAkB1K,EAAI0K,kBAItD,IAAMqI,EAKF,GAuCJ,OArCAplB,OAAOqlB,QAAQF,GAA6B3O,SAAQ,SAAClU,OAAA+G,EAAA9H,OAAC+jB,OAAStiB,OAC7DoiB,EAAoBE,GAAW,CAC7BN,WAAahiB,EAA8BvC,UAAUukB,WACrDE,WAAaliB,EAA8BvC,UAAUykB,YAGvDliB,EAAKvC,UAAUukB,WAAa,SAAU9gB,EAAc0T,GAClD,IAAM9N,EAAK6M,EAAOjD,MAAM7S,KAAK4f,iBAAiBwE,WAe9C,OAdY,IAARnb,GACFqX,EAAiB,CACfrX,KACAyO,KAAM,CACJ,CACErU,OACA0T,eACKyI,GAA0Bxf,YAC7B+W,GAAS,WAMZwN,EAAoBE,GAASN,WAAWpkB,MAAMC,KAAMP,YAG7D0C,EAAKvC,UAAUykB,WAAa,SAAUtN,GACpC,IAAM9N,EAAK6M,EAAOjD,MAAM7S,KAAK4f,iBAAiBwE,WAO9C,OANY,IAARnb,GACFqX,EAAiB,CACfrX,KACAiQ,QAAS,CAAC,CAAEnC,eAAWyI,GAA0Bxf,YAAO+W,WAGrDwN,EAAoBE,GAASJ,WAAWtkB,MAAMC,KAAMP,eAIxD,WACL+R,EAAI0S,cAActkB,UAAUukB,WAAaA,EACzC3S,EAAI0S,cAActkB,UAAUykB,WAAaA,EACzCllB,OAAOqlB,QAAQF,GAA6B3O,SAAQ,SAAClU,OAAA+G,EAAA9H,OAAC+jB,OAAStiB,OAC7DA,EAAKvC,UAAUukB,WAAaI,EAAoBE,GAASN,WACzDhiB,EAAKvC,UAAUykB,WAAaE,EAAoBE,GAASJ,eAoPlCK,CAAuBxkB,EAAG,CAAEsR,IAAKwO,IACtD2E,EAhPR,SACEljB,EACA+G,OADE+X,uBAAoBzK,WACpBtE,QAEIoT,EAAcpT,EAAIqT,oBAAoBjlB,UAAUglB,YACtDpT,EAAIqT,oBAAoBjlB,UAAUglB,YAAc,SAE9CvU,EACA9P,EACAukB,WAEM7b,EAAK6M,EAAOjD,0BACf7S,KAAK0f,iCAAYE,uCAAkBwE,WAatC,OAXY,IAARnb,GACFsX,EAAmB,CACjBtX,KACAqL,IAAK,CACHjE,WACA9P,QACAukB,YAEF/N,MAAOyI,GAA0Bxf,KAAK0f,cAGnCkF,EAAY7kB,MAAMC,KAAMP,YAGjC,IAAMslB,EAAiBvT,EAAIqT,oBAAoBjlB,UAAUmlB,eAoBzD,OAnBAvT,EAAIqT,oBAAoBjlB,UAAUmlB,eAAiB,SAEjD1U,WAEMpH,EAAK6M,EAAOjD,0BACf7S,KAAK0f,iCAAYE,uCAAkBwE,WAWtC,OATY,IAARnb,GACFsX,EAAmB,CACjBtX,KACA+b,OAAQ,CACN3U,YAEF0G,MAAOyI,GAA0Bxf,KAAK0f,cAGnCqF,EAAehlB,MAAMC,KAAMP,YAG7B,WACL+R,EAAIqT,oBAAoBjlB,UAAUglB,YAAcA,EAChDpT,EAAIqT,oBAAoBjlB,UAAUmlB,eAAiBA,GA8LpBE,CAA6B/kB,EAAG,CAC/DsR,IAAKwO,IAEDkF,EAAehlB,EAAEilB,aA7JzB,SAA0B1jB,OAAEgf,WAAQ9a,QAC5B6L,EAAM7L,EAAIsa,YAChB,IAAKzO,EACH,OAAO,aAGT,IAAMwM,EAA8B,GAE9BoH,EAAU,IAAI7F,QAEd8F,EAAmB7T,EAAI8T,SAC7B9T,EAAI8T,SAAY,SACdC,EACA9Q,EACA+Q,GAEA,IAAMC,EAAW,IAAIJ,EAAiBE,EAAQ9Q,EAAQ+Q,GAWtD,OAVAJ,EAAQ9Q,IAAImR,EAAU,CACpBF,SACA1Z,OAA0B,iBAAX4I,EACf+Q,cACAE,WACoB,iBAAXjR,EACHA,EAEAkR,KAAKC,UAAUvkB,MAAMH,KAAK,IAAI2kB,WAAWpR,OAE1CgR,GAGT,IAAMK,EAAiBtR,EAAM7O,EAAIogB,MAAO,OAAO,SAAU5R,GACvD,OAAO,SAA6BsR,GAQlC,OAPA1T,YAAW,WACT,IAAMpS,EAAIylB,EAAQ7O,IAAIkP,GAClB9lB,IACF8gB,EAAO9gB,GACPylB,EAAQjK,OAAOsK,MAEhB,GACItR,EAASpU,MAAMC,KAAM,CAACylB,QASjC,OALAzH,EAASld,MAAK,WACZ0Q,EAAI8T,SAAWD,KAEjBrH,EAASld,KAAKglB,GAEP,WACL9H,EAASrI,SAAQ,SAAC+I,GAAM,OAAAA,QA4GYsH,CAAiB9lB,GAAK,aAEtD+lB,EAAoC,OAC1C,IAAqB,IAAAzd,EAAAvI,EAAAC,EAAEgmB,uCAAS,CAA3B,IAAMC,UACTF,EAAenlB,KACbqlB,EAAOjJ,SAASiJ,EAAOC,SAAUpG,EAAemG,EAAOne,4GAI3D,OAAO,WACL4T,GAAgBjG,SAAQ,SAAC0Q,GAAM,OAAAA,EAAEpT,WACjCkO,EAAiBmF,aACjBlF,IACAgB,IACAC,IACAC,IACAI,IACAkB,IACAK,IACAU,IACAO,IACAe,EAAetQ,SAAQ,SAAC+I,GAAM,OAAAA,QCp2BlC,kBAKE,WAAY1W,GAJJhI,aAA4C,IAAIuf,QAKtDvf,KAAK+Z,WAAa/R,EAAQ+R,WA2B9B,OAxBSwM,sBAAP,SAAiBjV,GACftR,KAAKwmB,QAAQlS,IAAIhD,GAAU,IAGtBiV,4BAAP,SAAuBE,GACrBzmB,KAAK0mB,aAAeD,GAGfF,yBAAP,SAAoBjV,EAAiBqH,SACnC3Y,KAAK+Z,WAAW,CACdrC,KAAM,CACJ,CACER,SAAU5F,EAASvI,KAAKE,GACxB6O,OAAQ,KACR5Q,KAAMyR,IAGVO,QAAS,GACTS,MAAO,GACPxP,WAAY,GACZwc,gBAAgB,cAElB3mB,KAAK0mB,uCAAgBpV,uBCVvB,WAAYtJ,GAFJhI,oBAAiC,GAQvCA,KAAK+Z,WAAa/R,EAAQ+R,WAC1B/Z,KAAK4e,SAAW5W,EAAQ4W,SACxB5e,KAAK+Q,cAAgB/I,EAAQ+I,cAC7B/Q,KAAK8V,OAAS9N,EAAQ8N,OAGtB,IAAM8Q,EAAU5mB,KAChBA,KAAK6mB,eAAe/lB,KAClB0T,EAAMsS,YAAYlnB,UAAW,gBAAgB,SAAUuU,GACrD,OAAO,WACL,IAAMvS,EAAauS,EAASpU,MAAMC,KAAMP,WAGxC,OAFIO,KAAK4B,YACPglB,EAAQnO,cAAczY,KAAK4B,WAAY5B,KAAK+mB,eACvCnlB,OA0DjB,OApDSolB,0BAAP,SAAqBplB,EAAwB+D,GAC3C6W,UAEOxc,KAAK+Q,gBACRpL,MACAoU,WAAY/Z,KAAK+Z,WACjBjE,OAAQ9V,KAAK8V,OACb0C,iBAAkBxY,OAEpB4B,GAEF+c,UACK3e,KAAK+Q,gBACR6N,SAAU5e,KAAK4e,SAGfjZ,IAAM/D,EACNkU,OAAQ9V,KAAK8V,WAOVkR,gCAAP,SAA2BC,GACzB,GAAIA,EAAcxV,cAAe,CAC/B,IAAMyV,EAAUlnB,KAChBA,KAAK6mB,eAAe/lB,KAClB0T,EACGyS,EAAcxV,cAEZqV,YAAYlnB,UACf,gBACA,SAAUuU,GACR,OAAO,WACL,IAAMvS,EAAauS,EAASpU,MAAMC,KAAMP,WAMxC,OALIO,KAAK4B,YACPslB,EAAQzO,cACNzY,KAAK4B,WACLqlB,EAAchZ,iBAEXrM,SAQZolB,kBAAP,WACEhnB,KAAK6mB,eAAelR,SAAQ,SAACwR,GAAiB,OAAAA,aC3FlD,IAHA,IAAI5gB,GAAQ,mEAER6gB,GAA+B,oBAAfvB,WAA6B,GAAK,IAAIA,WAAW,KAC5DtmB,GAAI,EAAGA,GAAIgH,GAAM7G,OAAQH,KAC9B6nB,GAAO7gB,GAAM8gB,WAAW9nB,KAAMA,GAElC,ICNM+nB,GAGF,IAAIC,IAgBD,IAAMC,GAAe,SAC1BjnB,EACAiR,EACAvG,GAEA,GACG1K,IACCknB,GAAwBlnB,EAAOiR,IAAyB,iBAAVjR,GAFlD,CAMA,IACMmnB,WA1BNzc,EACA0c,GAEA,IAAIC,EAAaN,GAAY/Q,IAAItL,GAQjC,OAPK2c,IACHA,EAAa,IAAIL,IACjBD,GAAYhT,IAAIrJ,EAAK2c,IAElBA,EAAW5U,IAAI2U,IAClBC,EAAWtT,IAAIqT,EAAM,IAEhBC,EAAWrR,IAAIoR,GAeTE,CAAgB5c,EADhB1K,EAAMunB,YAAY3hB,MAE3B4Q,EAAQ2Q,EAAKhjB,QAAQnE,GAMzB,OAJe,IAAXwW,IACFA,EAAQ2Q,EAAKhoB,OACbgoB,EAAK5mB,KAAKP,IAELwW,aAIOgR,GACdxnB,EACAiR,EACAvG,GAEA,OAAI1K,aAAiBc,MACZd,EAAM2C,KAAI,SAACqQ,GAAQ,OAAAwU,GAAaxU,EAAK/B,EAAKvG,MAC9B,OAAV1K,EACFA,EAEPA,aAAiBynB,cACjBznB,aAAiB0nB,cACjB1nB,aAAiB2nB,YACjB3nB,aAAiBkL,aACjBlL,aAAiBslB,YACjBtlB,aAAiB4nB,aACjB5nB,aAAiB6nB,YACjB7nB,aAAiB8nB,WACjB9nB,aAAiB+nB,kBAGV,CACLC,QAFWhoB,EAAMunB,YAAY3hB,KAG7B0N,KAAM,CAAC1U,OAAOqpB,OAAOjoB,KAMvBA,aAAiBkoB,YAKV,CACLF,QAJWhoB,EAAMunB,YAAY3hB,KAK7BuiB,ODxEO,SAAUC,GACnB,IAAyCppB,EAArCqpB,EAAQ,IAAI/C,WAAW8C,GAAiBE,EAAMD,EAAMlpB,OAAQgpB,EAAS,GACzE,IAAKnpB,EAAI,EAAGA,EAAIspB,EAAKtpB,GAAK,EACtBmpB,GAAUniB,GAAMqiB,EAAMrpB,IAAM,GAC5BmpB,GAAUniB,IAAmB,EAAXqiB,EAAMrpB,KAAW,EAAMqpB,EAAMrpB,EAAI,IAAM,GACzDmpB,GAAUniB,IAAuB,GAAfqiB,EAAMrpB,EAAI,KAAY,EAAMqpB,EAAMrpB,EAAI,IAAM,GAC9DmpB,GAAUniB,GAAqB,GAAfqiB,EAAMrpB,EAAI,IAQ9B,OANIspB,EAAM,GAAM,EACZH,EAASA,EAAOhiB,UAAU,EAAGgiB,EAAOhpB,OAAS,GAAK,IAE7CmpB,EAAM,GAAM,IACjBH,EAASA,EAAOhiB,UAAU,EAAGgiB,EAAOhpB,OAAS,GAAK,MAE/CgpB,ECsDQI,CAAOvoB,IAMbA,aAAiBwoB,SAEnB,CACLR,QAFWhoB,EAAMunB,YAAY3hB,KAG7B0N,KAAM,CACJkU,GAAaxnB,EAAMsL,OAAQ2F,EAAKvG,GAChC1K,EAAMyoB,WACNzoB,EAAM0oB,aAGD1oB,aAAiB2oB,iBAGnB,CACLX,QAHWhoB,EAAMunB,YAAY3hB,KAI7B6H,IAHczN,OAKPA,aAAiB4oB,UAEnB,CACLZ,QAFWhoB,EAAMunB,YAAY3hB,KAG7B0N,KAAM,CAACkU,GAAaxnB,EAAMqL,KAAM4F,EAAKvG,GAAM1K,EAAM6K,MAAO7K,EAAM+K,SAEvDmc,GAAwBlnB,EAAOiR,IAAyB,iBAAVjR,EAIhD,CACLgoB,QAJWhoB,EAAMunB,YAAY3hB,KAK7B4Q,MAJYyQ,GAAajnB,EAAOiR,EAAKvG,IAQlC1K,EAGF,IAAM6oB,GAAgB,SAC3BvV,EACArC,EACAvG,GAEA,OAAOjK,OAAI6S,OAAM3Q,KAAI,SAACqQ,GAAQ,OAAAwU,GAAaxU,EAAK/B,EAAKvG,OAG1Cwc,GAA0B,SACrClnB,EACAiR,GAYA,IAcM6X,EAdkC,CACtC,kBACA,cACA,mBACA,eACA,oBACA,cACA,6BACA,eACA,uBACA,yBAEA,6BAE2DzP,QAC3D,SAACzT,GAAiB,MAAqC,mBAA9BqL,EAAIrL,MAE/B,OAAOxE,QACL0nB,EAA+B7e,MAC7B,SAACrE,GAAiB,OAAA5F,aAAiBiR,EAAIrL,QCrJ7C,SAASmjB,GACP1pB,EACAuC,EACAskB,EACAre,EACA0N,EACAtE,WAEMwM,EAA8B,GAE9BuL,EAAQpqB,OAAOqqB,oBAAoB5pB,cAE9B4W,GACT,IACE,GAAyD,mBAA9C5W,EAAU4W,oBAGrB,IAAMsP,EAAiBtR,EAAM5U,EAAW4W,GAAM,SAAUrC,GACtD,OAAO,eAAkC,aAAApP,mBAAAA,IAAA8O,kBACvC,IAAM4V,EAAStV,EAASpU,MAAMC,KAAM6T,GAEpC,GADA2T,GAAaiC,EAAQjY,EAAK5R,IACrB6V,EAAWzV,KAAKgL,OAA6B5C,GAAa,CAClD0N,EAAOjD,MAAO7S,KAAKgL,QAA9B,IAEM0e,EAAaN,UAAkBvV,OAAOrC,EAAK5R,GAC3C8gB,EAAmC,CACvCve,OACAkO,SAAUmG,EACV3C,KAAM6V,GAGRjD,EAAGzmB,KAAKgL,OAA6B0V,GAGvC,OAAO+I,MAGXzL,EAASld,KAAKglB,GACd,SACA,IAAM6D,EAAc5V,EAA6BnU,EAAW4W,EAAM,CAChElC,IAAA,SAAI4K,GAEFuH,EAAGzmB,KAAKgL,OAA6B,CACnC7I,OACAkO,SAAUmG,EACV3C,KAAM,CAACqL,GACP0K,QAAQ,OAId5L,EAASld,KAAK6oB,SAtClB,IAAmB,IAAAE,EAAA5pB,EAAAspB,+IA0CnB,OAAOvL,EC7CT,ICWI8L,GAEAC,iBDkBF,WAAY/hB,GA9BJhI,4BAAoD,IAAIunB,IACxDvnB,eAAuB,CAAEgqB,SAAU,EAAGC,SAAU,MAKhDjqB,aAAkB,EAClBA,aAAkB,EAqClBA,qBAAiD,SACvDuS,EACAmO,KAGE1gB,KAAKkqB,UAAUD,UACfjqB,KAAKkqB,UAAUF,WAAahqB,KAAKkqB,UAAUD,WAC5BjqB,KAAKkqB,UAAUD,WAC9BjqB,KAAKkqB,UAAUD,SAAWjqB,KAAKkqB,UAAUF,UAEtChqB,KAAKmqB,uBAAuBnX,IAAIT,IACnCvS,KAAKmqB,uBAAuB7V,IAAI/B,EAAQ,IAG1CvS,KAAKmqB,uBAAuB5T,IAAIhE,GAASzR,KAAK4f,IArB9C1gB,KAAK+Z,WAAa/R,EAAQ+R,WAC1B/Z,KAAK8V,OAAS9N,EAAQ8N,QAEO,IAAzB9N,EAAQa,cACV7I,KAAKoqB,2BAA2BpiB,EAAQwJ,IAAKxJ,EAAQI,YAyF3D,OAzHSiiB,kBAAP,WACErqB,KAAKmqB,uBAAuBG,QAC5BtqB,KAAKuqB,gBAAkBvqB,KAAKuqB,kBAGvBF,mBAAP,WACErqB,KAAKwX,QAAS,GAGT6S,qBAAP,WACErqB,KAAKwX,QAAS,GAGT6S,iBAAP,WACErqB,KAAKyX,QAAS,GAGT4S,mBAAP,WACErqB,KAAKyX,QAAS,GAkCR4S,uCAAR,SACE7Y,EACApJ,GAEApI,KAAKwqB,uBACLxqB,KAAKyqB,oCAEL,IAAMC,WEtFRlZ,EACApJ,GAEA,IAAM4V,EAA8B,GACpC,IACE,IAAM8H,EAAiBtR,EACrBhD,EAAImZ,kBAAkB/qB,UACtB,cACA,SAAUuU,GACR,OAAO,SAELyW,OACA,aAAA7lB,mBAAAA,IAAA8O,oBAMA,OAJK4B,EAAWzV,KAA2BoI,IACnC,cAAepI,OAClBA,KAAiB+K,UAAY6f,GAE3BzW,EAASpU,MAAMC,QAAO4qB,KAAgB/W,YAInDmK,EAASld,KAAKglB,GACd,SACAhZ,QAAQ/L,MAAM,0DAEhB,OAAO,WACLid,EAASrI,SAAQ,SAAC+I,GAAM,OAAAA,QF2DGmM,CAA0BrZ,EAAKpJ,GACpD0iB,WGhFRrE,EACAjV,EACApJ,EACA0N,WAEMkI,EAA8B,GAC9B+M,EAAU5rB,OAAOqqB,oBACrBhY,EAAIwZ,yBAAyBprB,sBAEpB4W,GACT,IACE,GAGQ,mBAFChF,EAAIwZ,yBAAyBprB,UAClC4W,oBAKJ,IAAMsP,EAAiBtR,EACrBhD,EAAIwZ,yBAAyBprB,UAC7B4W,GACA,SAAUrC,GACR,OAAO,eAAA,oBAELpP,mBAAAA,IAAA8O,kBA+BA,OA7BK4B,EAAWzV,KAAKgL,OAA6B5C,IAGhD2J,YAAW,WACT,IAAM2X,SAAiB7V,OACvB,GAAa,cAAT2C,GAEAkT,EAAW,IACXA,EAAW,aAAciB,kBACzB,CACA,IAAM3f,EAAS0e,EAAW,GACpBze,EAAMD,EAAOE,WAAW,MAC1B+f,EAAOhgB,MAAAA,SAAAA,EAAKM,aACd,EACA,EACAP,EAAOI,MACPJ,EAAOM,QAEL4f,EAAMD,MAAAA,SAAAA,EAAMrf,KAChB8d,EAAW,GAAK/D,KAAKC,UAAUsF,GAGnCzE,EAAGlS,EAAKvJ,OAAQ,CACd7I,KAAMkD,EAAc,MACpBgL,SAAUmG,EACV3C,KAAM6V,MAEP,GAEEvV,EAASpU,MAAMC,KAAM6T,OAIlCmK,EAASld,KAAKglB,GACd,SACA,IAAM6D,EAAc5V,EAClBvC,EAAIwZ,yBAAyBprB,UAC7B4W,EACA,CACElC,aAAI4K,GACFuH,EAAGzmB,KAAKgL,OAAQ,CACd7I,KAAMkD,EAAc,MACpBgL,SAAUmG,EACV3C,KAAM,CAACqL,GACP0K,QAAQ,OAKhB5L,EAASld,KAAK6oB,SAlElB,IAAmB,IAAAwB,EAAAlrB,EAAA8qB,6IAqEnB,OAAO,WACL/M,EAASrI,SAAQ,SAAC+I,GAAM,OAAAA,QHCF0M,CACpBprB,KAAKsX,gBAAgB8F,KAAKpd,MAC1BwR,EACApJ,EACApI,KAAK8V,QAGDuV,WD5BR5E,EACAjV,EACApJ,EACA0N,GAEA,IAAMkI,EAA8B,GA0BpC,OAxBAA,EAASld,WAATkd,SACKsL,GACD9X,EAAI8Z,sBAAsB1rB,UAC1ByF,EAAckmB,MACd9E,EACAre,EACA0N,EACAtE,cAIsC,IAA/BA,EAAIga,wBACbxN,EAASld,WAATkd,SACKsL,GACD9X,EAAIga,uBAAuB5rB,UAC3ByF,EAAcomB,OACdhF,EACAre,EACA0N,EACAtE,SAKC,WACLwM,EAASrI,SAAQ,SAAC+I,GAAM,OAAAA,QCJMgN,CAC5B1rB,KAAKsX,gBAAgB8F,KAAKpd,MAC1BwR,EACApJ,EACApI,KAAK8V,QAGP9V,KAAKuqB,eAAiB,WACpBG,IACAI,IACAO,MAIIhB,8CAAR,WAAA,WACEsB,uBAAsB,WAAM,OAAApX,EAAKqX,kCAG3BvB,iCAAR,WAAA,WACQwB,EAAwB,SAACC,GAC7BvX,EAAK2V,UAAUF,SAAW8B,EAC1BH,sBAAsBE,IAExBF,sBAAsBE,IAGxBxB,wCAAA,WAAA,WACErqB,KAAKmqB,uBAAuBxU,SAC1B,SAAC6S,EAAiCxd,GAChC,IAAM/B,EAAKsL,EAAKuB,OAAOjD,MAAO7H,GAC9BuJ,EAAKwX,8BAA8B/gB,EAAQ/B,MAG/C0iB,uBAAsB,WAAM,OAAApX,EAAKqX,kCAGnCvB,0CAAA,SAA8Brf,EAA2B/B,GACvD,IAAIjJ,KAAKwX,SAAUxX,KAAKyX,OAAxB,CAIA,IAAMuU,EAAiBhsB,KAAKmqB,uBAAuB5T,IAAIvL,GACvD,GAAKghB,IAA0B,IAAR/iB,EAAvB,CAEA,IAAMuf,EAASwD,EAAe9oB,KAAI,SAAC3C,GAEjC,OAD0BA,OXtGzB,SAAgBjB,EAAGsB,GACtB,IAAIvB,EAAI,GACR,IAAK,IAAIM,KAAKL,EAAOH,OAAOS,UAAUC,eAAeC,KAAKR,EAAGK,IAAMiB,EAAE8D,QAAQ/E,GAAK,IAC9EN,EAAEM,GAAKL,EAAEK,IACb,GAAS,MAALL,GAAqD,mBAAjCH,OAAO8sB,sBACtB,CAAA,IAAI1sB,EAAI,EAAb,IAAgBI,EAAIR,OAAO8sB,sBAAsB3sB,GAAIC,EAAII,EAAED,OAAQH,IAC3DqB,EAAE8D,QAAQ/E,EAAEJ,IAAM,GAAKJ,OAAOS,UAAUssB,qBAAqBpsB,KAAKR,EAAGK,EAAEJ,MACvEF,EAAEM,EAAEJ,IAAMD,EAAEK,EAAEJ,KAE1B,OAAOF,GW6FqBkB,EAApB,aAGA4B,EAAS6pB,EAAe,QAEhChsB,KAAK+Z,WAAW,CAAE9Q,KAAI9G,OAAMgqB,SAAU3D,IAEtCxoB,KAAKmqB,uBAAuBhP,OAAOnQ,WC7HvC,SAASohB,GAAUxrB,GACjB,cACKA,IACHkrB,UAAWrY,KAAKD,QAQpB,IAAMsC,GTDG,CACL5S,IAAK,GACL2P,eAAMrT,GAEJ,OAAKA,GAAMA,EAAEuJ,KAGNvJ,EAAEuJ,KAAKE,IAFJ,GAIZ6J,iBAAQ7J,GACN,OAAOjJ,KAAKkD,IAAI+F,IAAO,MAGzB8J,kBAAA,SAAkBvT,GAAlB,WACQyJ,EAAKzJ,EAAEuJ,MAAQvJ,EAAEuJ,KAAKE,UACrBjJ,KAAKkD,IAAI+F,GACZzJ,EAAE8J,YACJ9J,EAAE8J,WAAWqM,SAAQ,SAAC0W,GACpB,OAAA9X,EAAKxB,kBAAmBsZ,OAI9BrZ,aAAI/J,GACF,OAAOjJ,KAAKkD,IAAIrD,eAAeoJ,IAEjCgK,iBACEjT,KAAKkD,IAAM,KSxBjB,SAASopB,GACPtkB,gBAAAA,MAGE,IAAAuP,EA6BEvP,OA5BFukB,EA4BEvkB,mBA3BFwkB,EA2BExkB,mBA1BFvG,EA0BEuG,aA1BFI,aAAa,aACbI,EAyBER,gBAzBFK,aAAgB,OAChBK,EAwBEV,kBAxBFM,aAAkB,OAClB4B,EAuBElC,cAvBF2a,aAAc,cACdvY,EAsBEpC,iBAtBF4a,aAAgB,OAChBjV,EAqBE3F,gBArBFb,aAAgB,YAChBoI,EAoBEvH,mBApBFZ,aAAmB,OACnBqI,EAmBEzH,oBAnBFjG,aAAoB,OACpB2N,EAkBE1H,qBAlBFX,aAAqB,OACrB2J,EAiBEhJ,sBAjBFhG,aAAsB,OACtBmP,EAgBEnJ,mBAhBFO,gBACAkkB,EAeEzkB,gBAdgB0kB,EAchB1kB,mBAbc2kB,EAad3kB,iBAZF5F,EAYE4F,cAXFS,EAWET,aAVF+X,EAUE/X,QATF4kB,EASE5kB,SARFoJ,EAQEpJ,WARF6V,aAAW,KACXgP,EAOE7kB,gBANF8kB,EAME9kB,eANFa,gBACAkkB,EAKE/kB,uBALF6a,gBACAmK,EAIEhlB,eAJFmd,gBACA8H,EAGEjlB,eAHFY,iBACAsd,GAEEle,UADFklB,GACEllB,kBADFc,eAAkB,WAAM,OAAA,MAG1B,IAAKyO,EACH,MAAM,IAAIX,MAAM,kCAGI1N,IAAlB2jB,QAAsD3jB,IAAvB2U,EAAS8C,YAC1C9C,EAAS8C,UAAYkM,GAGvB,ITgNuBrb,GSlKnB2b,GA9CElrB,IACc,IAAlBwqB,EACI,CACEW,OAAO,EACPC,MAAM,EACN,kBAAkB,EAClBC,OAAO,EACPC,OAAO,EACPC,QAAQ,EACRC,OAAO,EACPC,QAAQ,EACRC,KAAK,EACLtrB,MAAM,EACNurB,MAAM,EACNtpB,KAAK,EACLupB,MAAM,EACNC,UAAU,EACVC,QAAQ,EACRC,UAAU,QAEU9kB,IAAtBwjB,EACAA,EACA,CAAEsB,UAAU,GAEZ5e,IACgB,IAApBud,GAAgD,QAApBA,EACxB,CACE5c,QAAQ,EACRD,SAAS,EACTI,aAAa,EACbY,gBAAgB,EAChBV,gBAAgB,EAChBE,gBAAgB,EAChBC,mBAAmB,EACnBE,sBAAsB,EAGtBD,mBAAwC,QAApBmc,EACpBxc,qBAA0C,QAApBwc,GAExBA,GAEA,iBTsKiBnb,WACnB,aAAcA,KAAQA,GAAIyc,SAASruB,UAAU+V,UAC/CnE,GAAIyc,SAASruB,UAAU+V,QAAWtU,MAAMzB,UACrC+V,SAGD,iBAAkBnE,KAAQA,GAAI0c,aAAatuB,UAAU+V,UACvDnE,GAAI0c,aAAatuB,UAAU+V,QAAWtU,MAAMzB,UACzC+V,SAIAwY,KAAKvuB,UAAU8H,WAClBymB,KAAKvuB,UAAU8H,SAAW,SAAkBR,GAC1C,KAAM,KAAKzH,WACT,MAAM,IAAIgB,UAAU,0BAGtB,GACE,GAAIT,OAASkH,EACX,OAAO,QAGDA,EAAOA,GAAQA,EAAKW,YAE9B,OAAO,IS1LX,IAAIumB,GAA2B,EAY/BtE,GAAc,SAAClpB,EAAkBytB,SAe/B,eAbEzS,GAAgB,yBAAI0S,aACpB1tB,EAAEuB,OAAS+C,EAAUqpB,cAEnB3tB,EAAEuB,OAAS+C,EAAUspB,qBACrB5tB,EAAEgL,KAAK6I,SAAWtP,EAAkBspB,UAKtC7S,GAAgBjG,SAAQ,SAAC+Y,GAAQ,OAAAA,EAAIlT,cAGvCjE,EAzBqB,SAAC3W,eACtB,IAAqB,IAAA4H,EAAAvI,EAAAimB,IAAW,kCAAI,CAA/B,IAAMC,UACLA,EAAOwI,iBACT/tB,EAAIulB,EAAOwI,eAAe/tB,sGAM9B,OAHIgsB,IACFhsB,EAAKgsB,EAAOhsB,IAENA,EAgBH+tB,CAAe/tB,GAAIytB,GACpBztB,EAAEuB,OAAS+C,EAAUqpB,aACvBpB,GAAwBvsB,EACxBwtB,GAA2B,OACtB,GAAIxtB,EAAEuB,OAAS+C,EAAUspB,oBAAqB,CAEnD,GACE5tB,EAAEgL,KAAK6I,SAAWtP,EAAkBspB,UACpC7tB,EAAEgL,KAAK+a,eAEP,OAGFyH,KACA,IAAMQ,EACJpC,GAAoB4B,IAA4B5B,EAC5CqC,EACJtC,GACA3rB,EAAEkrB,UAAYqB,GAAsBrB,UAAYS,GAC9CqC,GAAeC,IACjB9E,IAAiB,KAKvB,IAAM+E,GAAsB,SAACzuB,GAC3BypB,GACEsC,GAAU,CACRjqB,KAAM+C,EAAUspB,oBAChB5iB,QACE6I,OAAQtP,EAAkBspB,UACvBpuB,OAKL0uB,GAAoC,SAACpvB,GACzC,OAAAmqB,GACEsC,GAAU,CACRjqB,KAAM+C,EAAUspB,oBAChB5iB,QACE6I,OAAQtP,EAAkB6pB,QACvBrvB,OAILsvB,GAA4B,SAACtvB,GACjC,OAAAmqB,GACEsC,GAAU,CACRjqB,KAAM+C,EAAUspB,oBAChB5iB,QACE6I,OAAQtP,EAAkB+pB,gBACvBvvB,OAKL2Y,GAAgB,IAAIiO,GAAc,CACtCxM,WAAY+U,KAGRxT,GAAgB,IAAI+O,GAAc,CACtCxhB,eACAkR,WAAYkV,GACZzd,IAAKyD,OACL7M,aACA0N,YAGI0C,GAAmB,IAAIwO,GAAiB,CAC5CjN,WAAY+U,GACZlQ,SAAUmQ,GACVhe,cAAe,CACb3I,aACAC,gBACAC,kBACAnB,gBACAC,mBACAC,qBACAtF,oBACAC,sBACAuG,mBACAtG,oBACAwG,aACArG,cACAyG,eACAD,gBACAiV,WACAzO,kBACAkJ,iBACAgD,kBAEFxF,YAGFiU,GAAmB,SAACsE,4BAAAA,MAClBvE,GACEsC,GAAU,CACRjqB,KAAM+C,EAAUiqB,KAChBvjB,KAAM,CACJ9H,KAAMmR,OAAOpD,SAAS/N,KACtBsH,MAAOkK,IACPhK,OAAQ0J,OAGZqZ,GAGFzS,GAAgBjG,SAAQ,SAAC+Y,GAAQ,OAAAA,EAAIjT,UAC/B,IAAArR,EAAA1J,EX2hBV,SAAkBlB,EAAGwI,GACjB,IAAIvG,EAAKuG,GAAW,GAAIQ,EAAK/G,EAAG2G,WAAYA,OAAoB,IAAPI,EAAgB,WAAaA,EAAIE,EAAKjH,EAAG4G,cAAeA,OAAuB,IAAPK,EAAgB,KAAOA,EAAIwB,EAAKzI,EAAG6G,gBAAiBA,OAAyB,IAAP4B,EAAgB,KAAOA,EAAIE,EAAK3I,EAAG0F,cAAeA,OAAuB,IAAPiD,EAAgB,UAAYA,EAAIuD,EAAKlM,EAAG2F,iBAAkBA,OAA0B,IAAPuG,EAAgB,KAAOA,EAAI4B,EAAK9N,EAAG4F,mBAAoBA,OAA4B,IAAPkI,EAAgB,KAAOA,EAAIE,EAAKhO,EAAG8G,iBAAkBA,OAA0B,IAAPkH,GAAuBA,EAAIC,EAAKjO,EAAGmH,aAAcA,OAAsB,IAAP8G,GAAwBA,EAAIsB,EAAKvP,EAAGoH,aAAcA,OAAsB,IAAPmI,GAAwBA,EAAIG,EAAK1P,EAAGM,kBAAmBA,OAA2B,IAAPoP,EAAgB,KAAOA,EAAIC,EAAK3P,EAAGO,oBAAqBA,OAA6B,IAAPoP,EAAgB,KAAOA,EAAI0b,EAAKrrB,EAAGgrB,cAAeA,OAAuB,IAAPK,GAAwBA,EAAIrkB,EAAahH,EAAGgH,WAAYrG,EAAcX,EAAGW,YAAa2qB,EAAKtrB,EAAG2tB,QAASA,OAAiB,IAAPrC,GAAwBA,EAAIpkB,EAAiBlH,EAAGkH,eAAgBgH,EAAqBlO,EAAGkO,mBAAoBN,EAAc5N,EAAG4N,YAAaC,EAAe7N,EAAG6N,aAAcE,EAAoB/N,EAAG+N,kBAAmBwd,EAAKvrB,EAAGqH,gBAC/oCumB,EAAY,GA0ChB,MAAO,CACHngB,EAAoB1P,EAAG,CACnBmG,IAAKnG,EACL0D,IAAKmsB,EACLjnB,WAAYA,EACZC,cAAeA,EACfC,gBAAiBA,EACjBnB,cAAeA,EACfC,iBAAkBA,EAClBC,mBAAoBA,EACpB8H,WAAW,EACX5G,iBAAkBA,EAClBxG,kBAAmBA,EACnBC,oBAAqBA,EACrBC,kBAvDiC,IAAlBwqB,EACjB,CACEW,OAAO,EACPC,MAAM,EACN,kBAAkB,EAClBC,OAAO,EACPC,OAAO,EACPC,QAAQ,EACRC,OAAO,EACPC,QAAQ,EACRC,KAAK,EACLtrB,MAAM,EACNurB,MAAM,EACNtpB,KAAK,EACLupB,MAAM,EACNC,UAAU,EACVC,QAAQ,EACRC,UAAU,IAEM,IAAlBvB,EACI,CACEuB,UAAU,GAEZvB,EAiCFhkB,WAAYA,EACZrG,YAAaA,EACbgN,gBAlCyB,IAAZggB,GAAgC,QAAZA,EAEjC,CACIrf,QAAQ,EACRD,SAAS,EACTI,aAAa,EACbY,gBAAgB,EAChBX,qBAAkC,QAAZif,EACtBhf,gBAAgB,EAChBE,gBAAgB,EAChBC,mBAAmB,EACnBC,oBAAoB,EACpBC,sBAAsB,IAEhB,IAAZ2e,EACI,GACAA,EAmBFzmB,eAAgBA,EAChBC,aAAcA,EACdC,aAAcA,EACd8G,mBAAoBA,EACpBN,YAAaA,EACbC,aAAcA,EACdE,kBAAmBA,EACnB1G,qBApEqrC,IAAPkkB,EAAgB,WAAc,OAAO,GAAWA,IAsEluCqC,GWlmBsBC,CAASrpB,SAAU,CAC3CmC,aACAC,gBACAC,kBACAnB,gBACAC,mBACAC,qBACAtF,oBACAC,sBACAuG,mBACAkkB,cAAexqB,GACfwG,aACA2mB,QAAShgB,GACTvG,eACAD,gBACAyG,YAAa,SAAC7P,GACR0W,EAAc1W,IAChB8Y,GAAcC,UAAU/Y,GAEtB2W,EAAc3W,IAChBgZ,GAAiBC,cAAcjZ,EAAEoC,WAAYqE,WAGjDqJ,aAAc,SAACoJ,EAAQC,GACrBL,GAAcM,aAAaF,EAAQC,GACnCH,GAAiBK,oBACdH,IAGL5P,wBA7BK5B,OAAMmoB,OAgCb,IAAKnoB,EACH,OAAO4F,QAAQC,KAAK,mCAGtB+I,GAAO5S,IAAMmsB,EACbvF,GACEsC,GAAU,CACRjqB,KAAM+C,EAAUqpB,aAChB3iB,KAAM,CACJ1E,OACAqoB,cAAe,CACbC,UACyBtmB,IAAvB+L,OAAOwa,YACHxa,OAAOwa,oBACPxpB,mBAAAA,gBAAAA,SAAUkP,gBAAgB5H,yCAC1BtH,mBAAAA,gBAAAA,SAAUoP,2BAAM2N,oCAAezV,qBAC/BtH,mBAAAA,gBAAAA,SAAUoP,KAAK9H,aACf,EACNmiB,SACyBxmB,IAAvB+L,OAAO0a,YACH1a,OAAO0a,oBACP1pB,mBAAAA,gBAAAA,SAAUkP,gBAAgB1H,wCAC1BxH,mBAAAA,gBAAAA,SAAUoP,2BAAM2N,oCAAevV,oBAC/BxH,mBAAAA,gBAAAA,SAAUoP,KAAK5H,YACf,OAKdmO,GAAgBjG,SAAQ,SAAC+Y,GAAQ,OAAAA,EAAIhT,aAGvC,IACE,IAAMkU,GAA8B,GACpCA,GAAS9uB,KACPuR,EAAG,oBAAoB,WACrByX,GACEsC,GAAU,CACRjqB,KAAM+C,EAAU2qB,iBAChBjkB,KAAM,UAMd,IAAMkkB,GAAU,SAACnqB,SACf,OAAOma,GACL,CACE/F,WAAY+U,GACZ5O,YAAa,SAACuB,EAAWhN,GACvB,OAAAqV,GACEsC,GAAU,CACRjqB,KAAM+C,EAAUspB,oBAChB5iB,KAAM,CACJ6I,SACAgN,iBAIR7D,mBAAoB,SAAC3J,GACnB,OAAA6V,GACEsC,GAAU,CACRjqB,KAAM+C,EAAUspB,oBAChB5iB,QACE6I,OAAQtP,EAAkB4qB,kBACvB9b,OAIX2K,SAAUmQ,GACV5O,iBAAkB,SAAClM,GACjB,OAAA6V,GACEsC,GAAU,CACRjqB,KAAM+C,EAAUspB,oBAChB5iB,QACE6I,OAAQtP,EAAkB6qB,gBACvB/b,OAIXmM,QAAS,SAAClB,GACR,OAAA4K,GACEsC,GAAU,CACRjqB,KAAM+C,EAAUspB,oBAChB5iB,QACE6I,OAAQtP,EAAkB8qB,OACvB/Q,OAIXmB,mBAAoB,SAAC1gB,GACnB,OAAAmqB,GACEsC,GAAU,CACRjqB,KAAM+C,EAAUspB,oBAChB5iB,QACE6I,OAAQtP,EAAkB+qB,kBACvBvwB,OAIX2gB,iBAAkB,SAAC3f,GACjB,OAAAmpB,GACEsC,GAAU,CACRjqB,KAAM+C,EAAUspB,oBAChB5iB,QACE6I,OAAQtP,EAAkBgrB,gBACvBxvB,OAIX4f,mBAAoB,SAAC5f,GACnB,OAAAmpB,GACEsC,GAAU,CACRjqB,KAAM+C,EAAUspB,oBAChB5iB,QACE6I,OAAQtP,EAAkBirB,kBACvBzvB,OAIX6f,iBAAkByO,GAClBxO,OAAQ,SAAC9gB,GACP,OAAAmqB,GACEsC,GAAU,CACRjqB,KAAM+C,EAAUspB,oBAChB5iB,QACE6I,OAAQtP,EAAkBkrB,MACvB1wB,OAIXyI,aACAua,cACAC,iBACAzb,gBACAC,mBACAC,qBACAtF,oBACAC,sBACAC,oBACAsG,mBACAsV,WACAhV,eACAD,gBACAia,uBACAsC,eACAxf,MACAvD,cACAqG,aACAJ,gBACAC,kBACA8G,kBACA0G,UACAwC,iBACAE,oBACA8C,iBACA4K,mBACEA,MAAAA,UAAAA,GACItM,QAAO,SAACja,GAAM,OAAAA,EAAEud,kCAChBha,KAAI,SAACvD,GAAM,OACXud,SAAUvd,EAAEud,SACZlV,QAASrI,EAAEqI,QACXoe,SAAU,SAAC1M,GACT,OAAAoQ,GACEsC,GAAU,CACRjqB,KAAM+C,EAAUorB,OAChB1kB,KAAM,CACJua,OAAQxmB,EAAEwG,KACVuT,qBAIH,IAEbqG,IAIJzH,GAAciY,iBAAgB,SAACjf,GAC7B,IACEse,GAAS9uB,KAAKgvB,GAAQxe,EAASrD,kBAC/B,MAAOlN,GAEP+L,QAAQC,KAAKhM,OAIjB,IAAMyvB,GAAO,WACXzG,KACA6F,GAAS9uB,KAAKgvB,GAAQ7pB,YAwBxB,MArB0B,gBAAxBA,SAASyL,YACe,aAAxBzL,SAASyL,WAET8e,KAEAZ,GAAS9uB,KACPuR,EACE,QACA,WACEyX,GACEsC,GAAU,CACRjqB,KAAM+C,EAAUurB,KAChB7kB,KAAM,MAGV4kB,OAEFvb,SAIC,WACL2a,GAASja,SAAQ,SAAC+I,GAAM,OAAAA,QAE1B,MAAO3d,GAEP+L,QAAQC,KAAKhM,WAIjBurB,GAAOoE,eAAiB,SAAIC,EAAajX,GACvC,IAAKoQ,GACH,MAAM,IAAIlT,MAAM,iDAElBkT,GACEsC,GAAU,CACRjqB,KAAM+C,EAAU0rB,OAChBhlB,KAAM,CACJ+kB,MACAjX,eAMR4S,GAAOuE,WAAa,WAClBjV,GAAgBjG,SAAQ,SAAC+Y,GAAQ,OAAAA,EAAInT,aAGvC+Q,GAAOvC,iBAAmB,SAACsE,GACzB,IAAKtE,GACH,MAAM,IAAInT,MAAM,mDAElBmT,GAAiBsE,IAGnB/B,GAAOxW,OAASA"} +\ No newline at end of file +diff --git a/node_modules/rrweb/dist/replay/rrweb-replay-unpack.css b/node_modules/rrweb/dist/replay/rrweb-replay-unpack.css +new file mode 100755 +index 0000000..b459e51 +--- /dev/null ++++ b/node_modules/rrweb/dist/replay/rrweb-replay-unpack.css +@@ -0,0 +1,79 @@ ++.replayer-wrapper { ++ position: relative; ++} ++.replayer-mouse { ++ position: absolute; ++ width: 20px; ++ height: 20px; ++ transition: left 0.05s linear, top 0.05s linear; ++ background-size: contain; ++ background-position: center center; ++ background-repeat: no-repeat; ++ background-image: url('data:image/svg+xml;base64,PHN2ZyBoZWlnaHQ9JzMwMHB4JyB3aWR0aD0nMzAwcHgnICBmaWxsPSIjMDAwMDAwIiB4bWxucz0iaHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmciIGRhdGEtbmFtZT0iTGF5ZXIgMSIgdmlld0JveD0iMCAwIDUwIDUwIiB4PSIwcHgiIHk9IjBweCI+PHRpdGxlPkRlc2lnbl90bnA8L3RpdGxlPjxwYXRoIGQ9Ik00OC43MSw0Mi45MUwzNC4wOCwyOC4yOSw0NC4zMywxOEExLDEsMCwwLDAsNDQsMTYuMzlMMi4zNSwxLjA2QTEsMSwwLDAsMCwxLjA2LDIuMzVMMTYuMzksNDRhMSwxLDAsMCwwLDEuNjUuMzZMMjguMjksMzQuMDgsNDIuOTEsNDguNzFhMSwxLDAsMCwwLDEuNDEsMGw0LjM4LTQuMzhBMSwxLDAsMCwwLDQ4LjcxLDQyLjkxWm0tNS4wOSwzLjY3TDI5LDMyYTEsMSwwLDAsMC0xLjQxLDBsLTkuODUsOS44NUwzLjY5LDMuNjlsMzguMTIsMTRMMzIsMjcuNThBMSwxLDAsMCwwLDMyLDI5TDQ2LjU5LDQzLjYyWiI+PC9wYXRoPjwvc3ZnPg=='); ++ border-color: transparent; /* otherwise we transition from black when .touch-device class is added */ ++} ++.replayer-mouse::after { ++ content: ''; ++ display: inline-block; ++ width: 20px; ++ height: 20px; ++ background: rgb(73, 80, 246); ++ border-radius: 100%; ++ transform: translate(-50%, -50%); ++ opacity: 0.3; ++} ++.replayer-mouse.active::after { ++ animation: click 0.2s ease-in-out 1; ++} ++.replayer-mouse.touch-device { ++ background-image: none; /* there's no passive cursor on touch-only screens */ ++ width: 70px; ++ height: 70px; ++ border-width: 4px; ++ border-style: solid; ++ border-radius: 100%; ++ margin-left: -37px; ++ margin-top: -37px; ++ border-color: rgba(73, 80, 246, 0); ++ transition: left 0s linear, top 0s linear, border-color 0.2s ease-in-out; ++} ++.replayer-mouse.touch-device.touch-active { ++ border-color: rgba(73, 80, 246, 1); ++ transition: left 0.25s linear, top 0.25s linear, border-color 0.2s ease-in-out; ++} ++.replayer-mouse.touch-device::after { ++ opacity: 0; /* there's no passive cursor on touch-only screens */ ++} ++.replayer-mouse.touch-device.active::after { ++ animation: touch-click 0.2s ease-in-out 1; ++} ++.replayer-mouse-tail { ++ position: absolute; ++ pointer-events: none; ++} ++ ++@keyframes click { ++ 0% { ++ opacity: 0.3; ++ width: 20px; ++ height: 20px; ++ } ++ 50% { ++ opacity: 0.5; ++ width: 10px; ++ height: 10px; ++ } ++} ++ ++@keyframes touch-click { ++ 0% { ++ opacity: 0; ++ width: 20px; ++ height: 20px; ++ } ++ 50% { ++ opacity: 0.5; ++ width: 10px; ++ height: 10px; ++ } ++} +diff --git a/node_modules/rrweb/dist/replay/rrweb-replay-unpack.js b/node_modules/rrweb/dist/replay/rrweb-replay-unpack.js +old mode 100644 +new mode 100755 +diff --git a/node_modules/rrweb/dist/replay/rrweb-replay-unpack.min.css b/node_modules/rrweb/dist/replay/rrweb-replay-unpack.min.css +old mode 100644 +new mode 100755 +diff --git a/node_modules/rrweb/dist/replay/rrweb-replay-unpack.min.css.map b/node_modules/rrweb/dist/replay/rrweb-replay-unpack.min.css.map +old mode 100644 +new mode 100755 +diff --git a/node_modules/rrweb/dist/replay/rrweb-replay-unpack.min.js b/node_modules/rrweb/dist/replay/rrweb-replay-unpack.min.js +old mode 100644 +new mode 100755 +diff --git a/node_modules/rrweb/dist/replay/rrweb-replay-unpack.min.js.map b/node_modules/rrweb/dist/replay/rrweb-replay-unpack.min.js.map +old mode 100644 +new mode 100755 +index 649285e..3cfa19b +--- a/node_modules/rrweb/dist/replay/rrweb-replay-unpack.min.js.map ++++ b/node_modules/rrweb/dist/replay/rrweb-replay-unpack.min.js.map +@@ -1 +1 @@ +-{"version":3,"file":"rrweb-replay-unpack.min.js","sources":["../../node_modules/tslib/tslib.es6.js","../../../rrweb-snapshot/es/rrweb-snapshot.js","../../../../node_modules/mitt/dist/mitt.es.js","../../../src/types.ts","../../../src/replay/smoothscroll.ts","../../../src/replay/timer.ts","../../../../node_modules/@xstate/fsm/es/index.js","../../../src/replay/machine.ts","../../../src/utils.ts","../../../src/replay/styles/inject-style.ts","../../../src/replay/virtual-styles.ts","../../../../node_modules/base64-arraybuffer/dist/base64-arraybuffer.es5.js","../../../src/replay/canvas/webgl.ts","../../../src/replay/index.ts","../../../src/replay/canvas/index.ts","../../../src/replay/canvas/2d.ts","../../../../node_modules/fflate/esm/browser.js","../../../src/packer/unpack.ts","../../../src/packer/base.ts"],"sourcesContent":["/*! *****************************************************************************\r\nCopyright (c) Microsoft Corporation.\r\n\r\nPermission to use, copy, modify, and/or distribute this software for any\r\npurpose with or without fee is hereby granted.\r\n\r\nTHE SOFTWARE IS PROVIDED \"AS IS\" AND THE AUTHOR DISCLAIMS ALL WARRANTIES WITH\r\nREGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF MERCHANTABILITY\r\nAND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR ANY SPECIAL, DIRECT,\r\nINDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES WHATSOEVER RESULTING FROM\r\nLOSS OF USE, DATA OR PROFITS, WHETHER IN AN ACTION OF CONTRACT, NEGLIGENCE OR\r\nOTHER TORTIOUS ACTION, ARISING OUT OF OR IN CONNECTION WITH THE USE OR\r\nPERFORMANCE OF THIS SOFTWARE.\r\n***************************************************************************** */\r\n/* global Reflect, Promise */\r\n\r\nvar extendStatics = function(d, b) {\r\n extendStatics = Object.setPrototypeOf ||\r\n ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) ||\r\n function (d, b) { for (var p in b) if (Object.prototype.hasOwnProperty.call(b, p)) d[p] = b[p]; };\r\n return extendStatics(d, b);\r\n};\r\n\r\nexport function __extends(d, b) {\r\n if (typeof b !== \"function\" && b !== null)\r\n throw new TypeError(\"Class extends value \" + String(b) + \" is not a constructor or null\");\r\n extendStatics(d, b);\r\n function __() { this.constructor = d; }\r\n d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __());\r\n}\r\n\r\nexport var __assign = function() {\r\n __assign = Object.assign || function __assign(t) {\r\n for (var s, i = 1, n = arguments.length; i < n; i++) {\r\n s = arguments[i];\r\n for (var p in s) if (Object.prototype.hasOwnProperty.call(s, p)) t[p] = s[p];\r\n }\r\n return t;\r\n }\r\n return __assign.apply(this, arguments);\r\n}\r\n\r\nexport function __rest(s, e) {\r\n var t = {};\r\n for (var p in s) if (Object.prototype.hasOwnProperty.call(s, p) && e.indexOf(p) < 0)\r\n t[p] = s[p];\r\n if (s != null && typeof Object.getOwnPropertySymbols === \"function\")\r\n for (var i = 0, p = Object.getOwnPropertySymbols(s); i < p.length; i++) {\r\n if (e.indexOf(p[i]) < 0 && Object.prototype.propertyIsEnumerable.call(s, p[i]))\r\n t[p[i]] = s[p[i]];\r\n }\r\n return t;\r\n}\r\n\r\nexport function __decorate(decorators, target, key, desc) {\r\n var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d;\r\n if (typeof Reflect === \"object\" && typeof Reflect.decorate === \"function\") r = Reflect.decorate(decorators, target, key, desc);\r\n else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r;\r\n return c > 3 && r && Object.defineProperty(target, key, r), r;\r\n}\r\n\r\nexport function __param(paramIndex, decorator) {\r\n return function (target, key) { decorator(target, key, paramIndex); }\r\n}\r\n\r\nexport function __metadata(metadataKey, metadataValue) {\r\n if (typeof Reflect === \"object\" && typeof Reflect.metadata === \"function\") return Reflect.metadata(metadataKey, metadataValue);\r\n}\r\n\r\nexport function __awaiter(thisArg, _arguments, P, generator) {\r\n function adopt(value) { return value instanceof P ? value : new P(function (resolve) { resolve(value); }); }\r\n return new (P || (P = Promise))(function (resolve, reject) {\r\n function fulfilled(value) { try { step(generator.next(value)); } catch (e) { reject(e); } }\r\n function rejected(value) { try { step(generator[\"throw\"](value)); } catch (e) { reject(e); } }\r\n function step(result) { result.done ? resolve(result.value) : adopt(result.value).then(fulfilled, rejected); }\r\n step((generator = generator.apply(thisArg, _arguments || [])).next());\r\n });\r\n}\r\n\r\nexport function __generator(thisArg, body) {\r\n var _ = { label: 0, sent: function() { if (t[0] & 1) throw t[1]; return t[1]; }, trys: [], ops: [] }, f, y, t, g;\r\n return g = { next: verb(0), \"throw\": verb(1), \"return\": verb(2) }, typeof Symbol === \"function\" && (g[Symbol.iterator] = function() { return this; }), g;\r\n function verb(n) { return function (v) { return step([n, v]); }; }\r\n function step(op) {\r\n if (f) throw new TypeError(\"Generator is already executing.\");\r\n while (_) try {\r\n if (f = 1, y && (t = op[0] & 2 ? y[\"return\"] : op[0] ? y[\"throw\"] || ((t = y[\"return\"]) && t.call(y), 0) : y.next) && !(t = t.call(y, op[1])).done) return t;\r\n if (y = 0, t) op = [op[0] & 2, t.value];\r\n switch (op[0]) {\r\n case 0: case 1: t = op; break;\r\n case 4: _.label++; return { value: op[1], done: false };\r\n case 5: _.label++; y = op[1]; op = [0]; continue;\r\n case 7: op = _.ops.pop(); _.trys.pop(); continue;\r\n default:\r\n if (!(t = _.trys, t = t.length > 0 && t[t.length - 1]) && (op[0] === 6 || op[0] === 2)) { _ = 0; continue; }\r\n if (op[0] === 3 && (!t || (op[1] > t[0] && op[1] < t[3]))) { _.label = op[1]; break; }\r\n if (op[0] === 6 && _.label < t[1]) { _.label = t[1]; t = op; break; }\r\n if (t && _.label < t[2]) { _.label = t[2]; _.ops.push(op); break; }\r\n if (t[2]) _.ops.pop();\r\n _.trys.pop(); continue;\r\n }\r\n op = body.call(thisArg, _);\r\n } catch (e) { op = [6, e]; y = 0; } finally { f = t = 0; }\r\n if (op[0] & 5) throw op[1]; return { value: op[0] ? op[1] : void 0, done: true };\r\n }\r\n}\r\n\r\nexport var __createBinding = Object.create ? (function(o, m, k, k2) {\r\n if (k2 === undefined) k2 = k;\r\n Object.defineProperty(o, k2, { enumerable: true, get: function() { return m[k]; } });\r\n}) : (function(o, m, k, k2) {\r\n if (k2 === undefined) k2 = k;\r\n o[k2] = m[k];\r\n});\r\n\r\nexport function __exportStar(m, o) {\r\n for (var p in m) if (p !== \"default\" && !Object.prototype.hasOwnProperty.call(o, p)) __createBinding(o, m, p);\r\n}\r\n\r\nexport function __values(o) {\r\n var s = typeof Symbol === \"function\" && Symbol.iterator, m = s && o[s], i = 0;\r\n if (m) return m.call(o);\r\n if (o && typeof o.length === \"number\") return {\r\n next: function () {\r\n if (o && i >= o.length) o = void 0;\r\n return { value: o && o[i++], done: !o };\r\n }\r\n };\r\n throw new TypeError(s ? \"Object is not iterable.\" : \"Symbol.iterator is not defined.\");\r\n}\r\n\r\nexport function __read(o, n) {\r\n var m = typeof Symbol === \"function\" && o[Symbol.iterator];\r\n if (!m) return o;\r\n var i = m.call(o), r, ar = [], e;\r\n try {\r\n while ((n === void 0 || n-- > 0) && !(r = i.next()).done) ar.push(r.value);\r\n }\r\n catch (error) { e = { error: error }; }\r\n finally {\r\n try {\r\n if (r && !r.done && (m = i[\"return\"])) m.call(i);\r\n }\r\n finally { if (e) throw e.error; }\r\n }\r\n return ar;\r\n}\r\n\r\n/** @deprecated */\r\nexport function __spread() {\r\n for (var ar = [], i = 0; i < arguments.length; i++)\r\n ar = ar.concat(__read(arguments[i]));\r\n return ar;\r\n}\r\n\r\n/** @deprecated */\r\nexport function __spreadArrays() {\r\n for (var s = 0, i = 0, il = arguments.length; i < il; i++) s += arguments[i].length;\r\n for (var r = Array(s), k = 0, i = 0; i < il; i++)\r\n for (var a = arguments[i], j = 0, jl = a.length; j < jl; j++, k++)\r\n r[k] = a[j];\r\n return r;\r\n}\r\n\r\nexport function __spreadArray(to, from, pack) {\r\n if (pack || arguments.length === 2) for (var i = 0, l = from.length, ar; i < l; i++) {\r\n if (ar || !(i in from)) {\r\n if (!ar) ar = Array.prototype.slice.call(from, 0, i);\r\n ar[i] = from[i];\r\n }\r\n }\r\n return to.concat(ar || Array.prototype.slice.call(from));\r\n}\r\n\r\nexport function __await(v) {\r\n return this instanceof __await ? (this.v = v, this) : new __await(v);\r\n}\r\n\r\nexport function __asyncGenerator(thisArg, _arguments, generator) {\r\n if (!Symbol.asyncIterator) throw new TypeError(\"Symbol.asyncIterator is not defined.\");\r\n var g = generator.apply(thisArg, _arguments || []), i, q = [];\r\n return i = {}, verb(\"next\"), verb(\"throw\"), verb(\"return\"), i[Symbol.asyncIterator] = function () { return this; }, i;\r\n function verb(n) { if (g[n]) i[n] = function (v) { return new Promise(function (a, b) { q.push([n, v, a, b]) > 1 || resume(n, v); }); }; }\r\n function resume(n, v) { try { step(g[n](v)); } catch (e) { settle(q[0][3], e); } }\r\n function step(r) { r.value instanceof __await ? Promise.resolve(r.value.v).then(fulfill, reject) : settle(q[0][2], r); }\r\n function fulfill(value) { resume(\"next\", value); }\r\n function reject(value) { resume(\"throw\", value); }\r\n function settle(f, v) { if (f(v), q.shift(), q.length) resume(q[0][0], q[0][1]); }\r\n}\r\n\r\nexport function __asyncDelegator(o) {\r\n var i, p;\r\n return i = {}, verb(\"next\"), verb(\"throw\", function (e) { throw e; }), verb(\"return\"), i[Symbol.iterator] = function () { return this; }, i;\r\n function verb(n, f) { i[n] = o[n] ? function (v) { return (p = !p) ? { value: __await(o[n](v)), done: n === \"return\" } : f ? f(v) : v; } : f; }\r\n}\r\n\r\nexport function __asyncValues(o) {\r\n if (!Symbol.asyncIterator) throw new TypeError(\"Symbol.asyncIterator is not defined.\");\r\n var m = o[Symbol.asyncIterator], i;\r\n return m ? m.call(o) : (o = typeof __values === \"function\" ? __values(o) : o[Symbol.iterator](), i = {}, verb(\"next\"), verb(\"throw\"), verb(\"return\"), i[Symbol.asyncIterator] = function () { return this; }, i);\r\n function verb(n) { i[n] = o[n] && function (v) { return new Promise(function (resolve, reject) { v = o[n](v), settle(resolve, reject, v.done, v.value); }); }; }\r\n function settle(resolve, reject, d, v) { Promise.resolve(v).then(function(v) { resolve({ value: v, done: d }); }, reject); }\r\n}\r\n\r\nexport function __makeTemplateObject(cooked, raw) {\r\n if (Object.defineProperty) { Object.defineProperty(cooked, \"raw\", { value: raw }); } else { cooked.raw = raw; }\r\n return cooked;\r\n};\r\n\r\nvar __setModuleDefault = Object.create ? (function(o, v) {\r\n Object.defineProperty(o, \"default\", { enumerable: true, value: v });\r\n}) : function(o, v) {\r\n o[\"default\"] = v;\r\n};\r\n\r\nexport function __importStar(mod) {\r\n if (mod && mod.__esModule) return mod;\r\n var result = {};\r\n if (mod != null) for (var k in mod) if (k !== \"default\" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding(result, mod, k);\r\n __setModuleDefault(result, mod);\r\n return result;\r\n}\r\n\r\nexport function __importDefault(mod) {\r\n return (mod && mod.__esModule) ? mod : { default: mod };\r\n}\r\n\r\nexport function __classPrivateFieldGet(receiver, state, kind, f) {\r\n if (kind === \"a\" && !f) throw new TypeError(\"Private accessor was defined without a getter\");\r\n if (typeof state === \"function\" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError(\"Cannot read private member from an object whose class did not declare it\");\r\n return kind === \"m\" ? f : kind === \"a\" ? f.call(receiver) : f ? f.value : state.get(receiver);\r\n}\r\n\r\nexport function __classPrivateFieldSet(receiver, state, value, kind, f) {\r\n if (kind === \"m\") throw new TypeError(\"Private method is not writable\");\r\n if (kind === \"a\" && !f) throw new TypeError(\"Private accessor was defined without a setter\");\r\n if (typeof state === \"function\" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError(\"Cannot write private member to an object whose class did not declare it\");\r\n return (kind === \"a\" ? f.call(receiver, value) : f ? f.value = value : state.set(receiver, value)), value;\r\n}\r\n","var NodeType;\n(function (NodeType) {\n NodeType[NodeType[\"Document\"] = 0] = \"Document\";\n NodeType[NodeType[\"DocumentType\"] = 1] = \"DocumentType\";\n NodeType[NodeType[\"Element\"] = 2] = \"Element\";\n NodeType[NodeType[\"Text\"] = 3] = \"Text\";\n NodeType[NodeType[\"CDATA\"] = 4] = \"CDATA\";\n NodeType[NodeType[\"Comment\"] = 5] = \"Comment\";\n})(NodeType || (NodeType = {}));\n\nfunction isElement(n) {\n return n.nodeType === n.ELEMENT_NODE;\n}\nfunction isShadowRoot(n) {\n var _a;\n var host = (_a = n) === null || _a === void 0 ? void 0 : _a.host;\n return Boolean(host && host.shadowRoot && host.shadowRoot === n);\n}\nfunction maskInputValue(_a) {\n var maskInputOptions = _a.maskInputOptions, tagName = _a.tagName, type = _a.type, value = _a.value, maskInputFn = _a.maskInputFn;\n var text = value || '';\n if (maskInputOptions[tagName.toLowerCase()] ||\n maskInputOptions[type]) {\n if (maskInputFn) {\n text = maskInputFn(text);\n }\n else {\n text = '*'.repeat(text.length);\n }\n }\n return text;\n}\nvar ORIGINAL_ATTRIBUTE_NAME = '__rrweb_original__';\nfunction is2DCanvasBlank(canvas) {\n var ctx = canvas.getContext('2d');\n if (!ctx)\n return true;\n var chunkSize = 50;\n for (var x = 0; x < canvas.width; x += chunkSize) {\n for (var y = 0; y < canvas.height; y += chunkSize) {\n var getImageData = ctx.getImageData;\n var originalGetImageData = ORIGINAL_ATTRIBUTE_NAME in getImageData\n ? getImageData[ORIGINAL_ATTRIBUTE_NAME]\n : getImageData;\n var pixelBuffer = new Uint32Array(originalGetImageData.call(ctx, x, y, Math.min(chunkSize, canvas.width - x), Math.min(chunkSize, canvas.height - y)).data.buffer);\n if (pixelBuffer.some(function (pixel) { return pixel !== 0; }))\n return false;\n }\n }\n return true;\n}\n\nvar _id = 1;\nvar tagNameRegex = new RegExp('[^a-z0-9-_:]');\nvar IGNORED_NODE = -2;\nfunction genId() {\n return _id++;\n}\nfunction getValidTagName(element) {\n if (element instanceof HTMLFormElement) {\n return 'form';\n }\n var processedTagName = element.tagName.toLowerCase().trim();\n if (tagNameRegex.test(processedTagName)) {\n return 'div';\n }\n return processedTagName;\n}\nfunction getCssRulesString(s) {\n try {\n var rules = s.rules || s.cssRules;\n return rules ? Array.from(rules).map(getCssRuleString).join('') : null;\n }\n catch (error) {\n return null;\n }\n}\nfunction getCssRuleString(rule) {\n var cssStringified = rule.cssText;\n if (isCSSImportRule(rule)) {\n try {\n cssStringified = getCssRulesString(rule.styleSheet) || cssStringified;\n }\n catch (_a) {\n }\n }\n return cssStringified;\n}\nfunction isCSSImportRule(rule) {\n return 'styleSheet' in rule;\n}\nfunction stringifyStyleSheet(sheet) {\n return sheet.cssRules\n ? Array.from(sheet.cssRules)\n .map(function (rule) { return rule.cssText || ''; })\n .join('')\n : '';\n}\nfunction extractOrigin(url) {\n var origin = '';\n if (url.indexOf('//') > -1) {\n origin = url.split('/').slice(0, 3).join('/');\n }\n else {\n origin = url.split('/')[0];\n }\n origin = origin.split('?')[0];\n return origin;\n}\nvar canvasService;\nvar canvasCtx;\nvar URL_IN_CSS_REF = /url\\((?:(')([^']*)'|(\")(.*?)\"|([^)]*))\\)/gm;\nvar RELATIVE_PATH = /^(?!www\\.|(?:http|ftp)s?:\\/\\/|[A-Za-z]:\\\\|\\/\\/|#).*/;\nvar DATA_URI = /^(data:)([^,]*),(.*)/i;\nfunction absoluteToStylesheet(cssText, href) {\n return (cssText || '').replace(URL_IN_CSS_REF, function (origin, quote1, path1, quote2, path2, path3) {\n var filePath = path1 || path2 || path3;\n var maybeQuote = quote1 || quote2 || '';\n if (!filePath) {\n return origin;\n }\n if (!RELATIVE_PATH.test(filePath)) {\n return \"url(\" + maybeQuote + filePath + maybeQuote + \")\";\n }\n if (DATA_URI.test(filePath)) {\n return \"url(\" + maybeQuote + filePath + maybeQuote + \")\";\n }\n if (filePath[0] === '/') {\n return \"url(\" + maybeQuote + (extractOrigin(href) + filePath) + maybeQuote + \")\";\n }\n var stack = href.split('/');\n var parts = filePath.split('/');\n stack.pop();\n for (var _i = 0, parts_1 = parts; _i < parts_1.length; _i++) {\n var part = parts_1[_i];\n if (part === '.') {\n continue;\n }\n else if (part === '..') {\n stack.pop();\n }\n else {\n stack.push(part);\n }\n }\n return \"url(\" + maybeQuote + stack.join('/') + maybeQuote + \")\";\n });\n}\nvar SRCSET_NOT_SPACES = /^[^ \\t\\n\\r\\u000c]+/;\nvar SRCSET_COMMAS_OR_SPACES = /^[, \\t\\n\\r\\u000c]+/;\nfunction getAbsoluteSrcsetString(doc, attributeValue) {\n if (attributeValue.trim() === '') {\n return attributeValue;\n }\n var pos = 0;\n function collectCharacters(regEx) {\n var chars;\n var match = regEx.exec(attributeValue.substring(pos));\n if (match) {\n chars = match[0];\n pos += chars.length;\n return chars;\n }\n return '';\n }\n var output = [];\n while (true) {\n collectCharacters(SRCSET_COMMAS_OR_SPACES);\n if (pos >= attributeValue.length) {\n break;\n }\n var url = collectCharacters(SRCSET_NOT_SPACES);\n if (url.slice(-1) === ',') {\n url = absoluteToDoc(doc, url.substring(0, url.length - 1));\n output.push(url);\n }\n else {\n var descriptorsStr = '';\n url = absoluteToDoc(doc, url);\n var inParens = false;\n while (true) {\n var c = attributeValue.charAt(pos);\n if (c === '') {\n output.push((url + descriptorsStr).trim());\n break;\n }\n else if (!inParens) {\n if (c === ',') {\n pos += 1;\n output.push((url + descriptorsStr).trim());\n break;\n }\n else if (c === '(') {\n inParens = true;\n }\n }\n else {\n if (c === ')') {\n inParens = false;\n }\n }\n descriptorsStr += c;\n pos += 1;\n }\n }\n }\n return output.join(', ');\n}\nfunction absoluteToDoc(doc, attributeValue) {\n if (!attributeValue || attributeValue.trim() === '') {\n return attributeValue;\n }\n var a = doc.createElement('a');\n a.href = attributeValue;\n return a.href;\n}\nfunction isSVGElement(el) {\n return Boolean(el.tagName === 'svg' || el.ownerSVGElement);\n}\nfunction getHref() {\n var a = document.createElement('a');\n a.href = '';\n return a.href;\n}\nfunction transformAttribute(doc, tagName, name, value) {\n if (name === 'src' || (name === 'href' && value)) {\n return absoluteToDoc(doc, value);\n }\n else if (name === 'xlink:href' && value && value[0] !== '#') {\n return absoluteToDoc(doc, value);\n }\n else if (name === 'background' &&\n value &&\n (tagName === 'table' || tagName === 'td' || tagName === 'th')) {\n return absoluteToDoc(doc, value);\n }\n else if (name === 'srcset' && value) {\n return getAbsoluteSrcsetString(doc, value);\n }\n else if (name === 'style' && value) {\n return absoluteToStylesheet(value, getHref());\n }\n else if (tagName === 'object' && name === 'data' && value) {\n return absoluteToDoc(doc, value);\n }\n else {\n return value;\n }\n}\nfunction _isBlockedElement(element, blockClass, blockSelector) {\n if (typeof blockClass === 'string') {\n if (element.classList.contains(blockClass)) {\n return true;\n }\n }\n else {\n for (var eIndex = 0; eIndex < element.classList.length; eIndex++) {\n var className = element.classList[eIndex];\n if (blockClass.test(className)) {\n return true;\n }\n }\n }\n if (blockSelector) {\n return element.matches(blockSelector);\n }\n return false;\n}\nfunction needMaskingText(node, maskTextClass, maskTextSelector) {\n if (!node) {\n return false;\n }\n if (node.nodeType === node.ELEMENT_NODE) {\n if (typeof maskTextClass === 'string') {\n if (node.classList.contains(maskTextClass)) {\n return true;\n }\n }\n else {\n for (var eIndex = 0; eIndex < node.classList.length; eIndex++) {\n var className = node.classList[eIndex];\n if (maskTextClass.test(className)) {\n return true;\n }\n }\n }\n if (maskTextSelector) {\n if (node.matches(maskTextSelector)) {\n return true;\n }\n }\n return needMaskingText(node.parentNode, maskTextClass, maskTextSelector);\n }\n if (node.nodeType === node.TEXT_NODE) {\n return needMaskingText(node.parentNode, maskTextClass, maskTextSelector);\n }\n return needMaskingText(node.parentNode, maskTextClass, maskTextSelector);\n}\nfunction onceIframeLoaded(iframeEl, listener, iframeLoadTimeout) {\n var win = iframeEl.contentWindow;\n if (!win) {\n return;\n }\n var fired = false;\n var readyState;\n try {\n readyState = win.document.readyState;\n }\n catch (error) {\n return;\n }\n if (readyState !== 'complete') {\n var timer_1 = setTimeout(function () {\n if (!fired) {\n listener();\n fired = true;\n }\n }, iframeLoadTimeout);\n iframeEl.addEventListener('load', function () {\n clearTimeout(timer_1);\n fired = true;\n listener();\n });\n return;\n }\n var blankUrl = 'about:blank';\n if (win.location.href !== blankUrl ||\n iframeEl.src === blankUrl ||\n iframeEl.src === '') {\n setTimeout(listener, 0);\n return;\n }\n iframeEl.addEventListener('load', listener);\n}\nfunction serializeNode(n, options) {\n var _a;\n var doc = options.doc, blockClass = options.blockClass, blockSelector = options.blockSelector, maskTextClass = options.maskTextClass, maskTextSelector = options.maskTextSelector, inlineStylesheet = options.inlineStylesheet, _b = options.maskInputOptions, maskInputOptions = _b === void 0 ? {} : _b, maskTextFn = options.maskTextFn, maskInputFn = options.maskInputFn, _c = options.dataURLOptions, dataURLOptions = _c === void 0 ? {} : _c, inlineImages = options.inlineImages, recordCanvas = options.recordCanvas, keepIframeSrcFn = options.keepIframeSrcFn;\n var rootId;\n if (doc.__sn) {\n var docId = doc.__sn.id;\n rootId = docId === 1 ? undefined : docId;\n }\n switch (n.nodeType) {\n case n.DOCUMENT_NODE:\n if (n.compatMode !== 'CSS1Compat') {\n return {\n type: NodeType.Document,\n childNodes: [],\n compatMode: n.compatMode,\n rootId: rootId\n };\n }\n else {\n return {\n type: NodeType.Document,\n childNodes: [],\n rootId: rootId\n };\n }\n case n.DOCUMENT_TYPE_NODE:\n return {\n type: NodeType.DocumentType,\n name: n.name,\n publicId: n.publicId,\n systemId: n.systemId,\n rootId: rootId\n };\n case n.ELEMENT_NODE:\n var needBlock = _isBlockedElement(n, blockClass, blockSelector);\n var tagName = getValidTagName(n);\n var attributes_1 = {};\n for (var _i = 0, _d = Array.from(n.attributes); _i < _d.length; _i++) {\n var _e = _d[_i], name_1 = _e.name, value = _e.value;\n attributes_1[name_1] = transformAttribute(doc, tagName, name_1, value);\n }\n if (tagName === 'link' && inlineStylesheet) {\n var stylesheet = Array.from(doc.styleSheets).find(function (s) {\n return s.href === n.href;\n });\n var cssText = null;\n if (stylesheet) {\n cssText = getCssRulesString(stylesheet);\n }\n if (cssText) {\n delete attributes_1.rel;\n delete attributes_1.href;\n attributes_1._cssText = absoluteToStylesheet(cssText, stylesheet.href);\n }\n }\n if (tagName === 'style' &&\n n.sheet &&\n !(n.innerText ||\n n.textContent ||\n '').trim().length) {\n var cssText = getCssRulesString(n.sheet);\n if (cssText) {\n attributes_1._cssText = absoluteToStylesheet(cssText, getHref());\n }\n }\n if (tagName === 'input' ||\n tagName === 'textarea' ||\n tagName === 'select') {\n var value = n.value;\n if (attributes_1.type !== 'radio' &&\n attributes_1.type !== 'checkbox' &&\n attributes_1.type !== 'submit' &&\n attributes_1.type !== 'button' &&\n value) {\n attributes_1.value = maskInputValue({\n type: attributes_1.type,\n tagName: tagName,\n value: value,\n maskInputOptions: maskInputOptions,\n maskInputFn: maskInputFn\n });\n }\n else if (n.checked) {\n attributes_1.checked = n.checked;\n }\n }\n if (tagName === 'option') {\n if (n.selected && !maskInputOptions['select']) {\n attributes_1.selected = true;\n }\n else {\n delete attributes_1.selected;\n }\n }\n if (tagName === 'canvas' && recordCanvas) {\n if (n.__context === '2d') {\n if (!is2DCanvasBlank(n)) {\n attributes_1.rr_dataURL = n.toDataURL(dataURLOptions.type, dataURLOptions.quality);\n }\n }\n else if (!('__context' in n)) {\n var canvasDataURL = n.toDataURL(dataURLOptions.type, dataURLOptions.quality);\n var blankCanvas = document.createElement('canvas');\n blankCanvas.width = n.width;\n blankCanvas.height = n.height;\n var blankCanvasDataURL = blankCanvas.toDataURL(dataURLOptions.type, dataURLOptions.quality);\n if (canvasDataURL !== blankCanvasDataURL) {\n attributes_1.rr_dataURL = canvasDataURL;\n }\n }\n }\n if (tagName === 'img' && inlineImages) {\n if (!canvasService) {\n canvasService = doc.createElement('canvas');\n canvasCtx = canvasService.getContext('2d');\n }\n var image_1 = n;\n var oldValue_1 = image_1.crossOrigin;\n image_1.crossOrigin = 'anonymous';\n var recordInlineImage = function () {\n try {\n canvasService.width = image_1.naturalWidth;\n canvasService.height = image_1.naturalHeight;\n canvasCtx.drawImage(image_1, 0, 0);\n attributes_1.rr_dataURL = canvasService.toDataURL(dataURLOptions.type, dataURLOptions.quality);\n }\n catch (err) {\n console.warn(\"Cannot inline img src=\" + image_1.currentSrc + \"! Error: \" + err);\n }\n oldValue_1\n ? (attributes_1.crossOrigin = oldValue_1)\n : delete attributes_1.crossOrigin;\n };\n if (image_1.complete && image_1.naturalWidth !== 0)\n recordInlineImage();\n else\n image_1.onload = recordInlineImage;\n }\n if (tagName === 'audio' || tagName === 'video') {\n attributes_1.rr_mediaState = n.paused\n ? 'paused'\n : 'played';\n attributes_1.rr_mediaCurrentTime = n.currentTime;\n }\n if (n.scrollLeft) {\n attributes_1.rr_scrollLeft = n.scrollLeft;\n }\n if (n.scrollTop) {\n attributes_1.rr_scrollTop = n.scrollTop;\n }\n if (needBlock) {\n var _f = n.getBoundingClientRect(), width = _f.width, height = _f.height;\n attributes_1 = {\n \"class\": attributes_1[\"class\"],\n rr_width: width + \"px\",\n rr_height: height + \"px\"\n };\n }\n if (tagName === 'iframe' && !keepIframeSrcFn(attributes_1.src)) {\n if (!n.contentDocument) {\n attributes_1.rr_src = attributes_1.src;\n }\n delete attributes_1.src;\n }\n return {\n type: NodeType.Element,\n tagName: tagName,\n attributes: attributes_1,\n childNodes: [],\n isSVG: isSVGElement(n) || undefined,\n needBlock: needBlock,\n rootId: rootId\n };\n case n.TEXT_NODE:\n var parentTagName = n.parentNode && n.parentNode.tagName;\n var textContent = n.textContent;\n var isStyle = parentTagName === 'STYLE' ? true : undefined;\n var isScript = parentTagName === 'SCRIPT' ? true : undefined;\n if (isStyle && textContent) {\n try {\n if (n.nextSibling || n.previousSibling) {\n }\n else if ((_a = n.parentNode.sheet) === null || _a === void 0 ? void 0 : _a.cssRules) {\n textContent = stringifyStyleSheet(n.parentNode.sheet);\n }\n }\n catch (err) {\n console.warn(\"Cannot get CSS styles from text's parentNode. Error: \" + err, n);\n }\n textContent = absoluteToStylesheet(textContent, getHref());\n }\n if (isScript) {\n textContent = 'SCRIPT_PLACEHOLDER';\n }\n if (!isStyle &&\n !isScript &&\n needMaskingText(n, maskTextClass, maskTextSelector) &&\n textContent) {\n textContent = maskTextFn\n ? maskTextFn(textContent)\n : textContent.replace(/[\\S]/g, '*');\n }\n return {\n type: NodeType.Text,\n textContent: textContent || '',\n isStyle: isStyle,\n rootId: rootId\n };\n case n.CDATA_SECTION_NODE:\n return {\n type: NodeType.CDATA,\n textContent: '',\n rootId: rootId\n };\n case n.COMMENT_NODE:\n return {\n type: NodeType.Comment,\n textContent: n.textContent || '',\n rootId: rootId\n };\n default:\n return false;\n }\n}\nfunction lowerIfExists(maybeAttr) {\n if (maybeAttr === undefined) {\n return '';\n }\n else {\n return maybeAttr.toLowerCase();\n }\n}\nfunction slimDOMExcluded(sn, slimDOMOptions) {\n if (slimDOMOptions.comment && sn.type === NodeType.Comment) {\n return true;\n }\n else if (sn.type === NodeType.Element) {\n if (slimDOMOptions.script &&\n (sn.tagName === 'script' ||\n (sn.tagName === 'link' &&\n sn.attributes.rel === 'preload' &&\n sn.attributes.as === 'script') ||\n (sn.tagName === 'link' &&\n sn.attributes.rel === 'prefetch' &&\n typeof sn.attributes.href === 'string' &&\n sn.attributes.href.endsWith('.js')))) {\n return true;\n }\n else if (slimDOMOptions.headFavicon &&\n ((sn.tagName === 'link' && sn.attributes.rel === 'shortcut icon') ||\n (sn.tagName === 'meta' &&\n (lowerIfExists(sn.attributes.name).match(/^msapplication-tile(image|color)$/) ||\n lowerIfExists(sn.attributes.name) === 'application-name' ||\n lowerIfExists(sn.attributes.rel) === 'icon' ||\n lowerIfExists(sn.attributes.rel) === 'apple-touch-icon' ||\n lowerIfExists(sn.attributes.rel) === 'shortcut icon')))) {\n return true;\n }\n else if (sn.tagName === 'meta') {\n if (slimDOMOptions.headMetaDescKeywords &&\n lowerIfExists(sn.attributes.name).match(/^description|keywords$/)) {\n return true;\n }\n else if (slimDOMOptions.headMetaSocial &&\n (lowerIfExists(sn.attributes.property).match(/^(og|twitter|fb):/) ||\n lowerIfExists(sn.attributes.name).match(/^(og|twitter):/) ||\n lowerIfExists(sn.attributes.name) === 'pinterest')) {\n return true;\n }\n else if (slimDOMOptions.headMetaRobots &&\n (lowerIfExists(sn.attributes.name) === 'robots' ||\n lowerIfExists(sn.attributes.name) === 'googlebot' ||\n lowerIfExists(sn.attributes.name) === 'bingbot')) {\n return true;\n }\n else if (slimDOMOptions.headMetaHttpEquiv &&\n sn.attributes['http-equiv'] !== undefined) {\n return true;\n }\n else if (slimDOMOptions.headMetaAuthorship &&\n (lowerIfExists(sn.attributes.name) === 'author' ||\n lowerIfExists(sn.attributes.name) === 'generator' ||\n lowerIfExists(sn.attributes.name) === 'framework' ||\n lowerIfExists(sn.attributes.name) === 'publisher' ||\n lowerIfExists(sn.attributes.name) === 'progid' ||\n lowerIfExists(sn.attributes.property).match(/^article:/) ||\n lowerIfExists(sn.attributes.property).match(/^product:/))) {\n return true;\n }\n else if (slimDOMOptions.headMetaVerification &&\n (lowerIfExists(sn.attributes.name) === 'google-site-verification' ||\n lowerIfExists(sn.attributes.name) === 'yandex-verification' ||\n lowerIfExists(sn.attributes.name) === 'csrf-token' ||\n lowerIfExists(sn.attributes.name) === 'p:domain_verify' ||\n lowerIfExists(sn.attributes.name) === 'verify-v1' ||\n lowerIfExists(sn.attributes.name) === 'verification' ||\n lowerIfExists(sn.attributes.name) === 'shopify-checkout-api-token')) {\n return true;\n }\n }\n }\n return false;\n}\nfunction serializeNodeWithId(n, options) {\n var doc = options.doc, map = options.map, blockClass = options.blockClass, blockSelector = options.blockSelector, maskTextClass = options.maskTextClass, maskTextSelector = options.maskTextSelector, _a = options.skipChild, skipChild = _a === void 0 ? false : _a, _b = options.inlineStylesheet, inlineStylesheet = _b === void 0 ? true : _b, _c = options.maskInputOptions, maskInputOptions = _c === void 0 ? {} : _c, maskTextFn = options.maskTextFn, maskInputFn = options.maskInputFn, slimDOMOptions = options.slimDOMOptions, _d = options.dataURLOptions, dataURLOptions = _d === void 0 ? {} : _d, _e = options.inlineImages, inlineImages = _e === void 0 ? false : _e, _f = options.recordCanvas, recordCanvas = _f === void 0 ? false : _f, onSerialize = options.onSerialize, onIframeLoad = options.onIframeLoad, _g = options.iframeLoadTimeout, iframeLoadTimeout = _g === void 0 ? 5000 : _g, _h = options.keepIframeSrcFn, keepIframeSrcFn = _h === void 0 ? function () { return false; } : _h;\n var _j = options.preserveWhiteSpace, preserveWhiteSpace = _j === void 0 ? true : _j;\n var _serializedNode = serializeNode(n, {\n doc: doc,\n blockClass: blockClass,\n blockSelector: blockSelector,\n maskTextClass: maskTextClass,\n maskTextSelector: maskTextSelector,\n inlineStylesheet: inlineStylesheet,\n maskInputOptions: maskInputOptions,\n maskTextFn: maskTextFn,\n maskInputFn: maskInputFn,\n dataURLOptions: dataURLOptions,\n inlineImages: inlineImages,\n recordCanvas: recordCanvas,\n keepIframeSrcFn: keepIframeSrcFn\n });\n if (!_serializedNode) {\n console.warn(n, 'not serialized');\n return null;\n }\n var id;\n if ('__sn' in n) {\n id = n.__sn.id;\n }\n else if (slimDOMExcluded(_serializedNode, slimDOMOptions) ||\n (!preserveWhiteSpace &&\n _serializedNode.type === NodeType.Text &&\n !_serializedNode.isStyle &&\n !_serializedNode.textContent.replace(/^\\s+|\\s+$/gm, '').length)) {\n id = IGNORED_NODE;\n }\n else {\n id = genId();\n }\n var serializedNode = Object.assign(_serializedNode, { id: id });\n n.__sn = serializedNode;\n if (id === IGNORED_NODE) {\n return null;\n }\n map[id] = n;\n if (onSerialize) {\n onSerialize(n);\n }\n var recordChild = !skipChild;\n if (serializedNode.type === NodeType.Element) {\n recordChild = recordChild && !serializedNode.needBlock;\n delete serializedNode.needBlock;\n if (n.shadowRoot)\n serializedNode.isShadowHost = true;\n }\n if ((serializedNode.type === NodeType.Document ||\n serializedNode.type === NodeType.Element) &&\n recordChild) {\n if (slimDOMOptions.headWhitespace &&\n _serializedNode.type === NodeType.Element &&\n _serializedNode.tagName === 'head') {\n preserveWhiteSpace = false;\n }\n var bypassOptions = {\n doc: doc,\n map: map,\n blockClass: blockClass,\n blockSelector: blockSelector,\n maskTextClass: maskTextClass,\n maskTextSelector: maskTextSelector,\n skipChild: skipChild,\n inlineStylesheet: inlineStylesheet,\n maskInputOptions: maskInputOptions,\n maskTextFn: maskTextFn,\n maskInputFn: maskInputFn,\n slimDOMOptions: slimDOMOptions,\n dataURLOptions: dataURLOptions,\n inlineImages: inlineImages,\n recordCanvas: recordCanvas,\n preserveWhiteSpace: preserveWhiteSpace,\n onSerialize: onSerialize,\n onIframeLoad: onIframeLoad,\n iframeLoadTimeout: iframeLoadTimeout,\n keepIframeSrcFn: keepIframeSrcFn\n };\n for (var _i = 0, _k = Array.from(n.childNodes); _i < _k.length; _i++) {\n var childN = _k[_i];\n var serializedChildNode = serializeNodeWithId(childN, bypassOptions);\n if (serializedChildNode) {\n serializedNode.childNodes.push(serializedChildNode);\n }\n }\n if (isElement(n) && n.shadowRoot) {\n for (var _l = 0, _m = Array.from(n.shadowRoot.childNodes); _l < _m.length; _l++) {\n var childN = _m[_l];\n var serializedChildNode = serializeNodeWithId(childN, bypassOptions);\n if (serializedChildNode) {\n serializedChildNode.isShadow = true;\n serializedNode.childNodes.push(serializedChildNode);\n }\n }\n }\n }\n if (n.parentNode && isShadowRoot(n.parentNode)) {\n serializedNode.isShadow = true;\n }\n if (serializedNode.type === NodeType.Element &&\n serializedNode.tagName === 'iframe') {\n onceIframeLoaded(n, function () {\n var iframeDoc = n.contentDocument;\n if (iframeDoc && onIframeLoad) {\n var serializedIframeNode = serializeNodeWithId(iframeDoc, {\n doc: iframeDoc,\n map: map,\n blockClass: blockClass,\n blockSelector: blockSelector,\n maskTextClass: maskTextClass,\n maskTextSelector: maskTextSelector,\n skipChild: false,\n inlineStylesheet: inlineStylesheet,\n maskInputOptions: maskInputOptions,\n maskTextFn: maskTextFn,\n maskInputFn: maskInputFn,\n slimDOMOptions: slimDOMOptions,\n dataURLOptions: dataURLOptions,\n inlineImages: inlineImages,\n recordCanvas: recordCanvas,\n preserveWhiteSpace: preserveWhiteSpace,\n onSerialize: onSerialize,\n onIframeLoad: onIframeLoad,\n iframeLoadTimeout: iframeLoadTimeout,\n keepIframeSrcFn: keepIframeSrcFn\n });\n if (serializedIframeNode) {\n onIframeLoad(n, serializedIframeNode);\n }\n }\n }, iframeLoadTimeout);\n }\n return serializedNode;\n}\nfunction snapshot(n, options) {\n var _a = options || {}, _b = _a.blockClass, blockClass = _b === void 0 ? 'rr-block' : _b, _c = _a.blockSelector, blockSelector = _c === void 0 ? null : _c, _d = _a.maskTextClass, maskTextClass = _d === void 0 ? 'rr-mask' : _d, _e = _a.maskTextSelector, maskTextSelector = _e === void 0 ? null : _e, _f = _a.inlineStylesheet, inlineStylesheet = _f === void 0 ? true : _f, _g = _a.inlineImages, inlineImages = _g === void 0 ? false : _g, _h = _a.recordCanvas, recordCanvas = _h === void 0 ? false : _h, _j = _a.maskAllInputs, maskAllInputs = _j === void 0 ? false : _j, maskTextFn = _a.maskTextFn, maskInputFn = _a.maskInputFn, _k = _a.slimDOM, slimDOM = _k === void 0 ? false : _k, dataURLOptions = _a.dataURLOptions, preserveWhiteSpace = _a.preserveWhiteSpace, onSerialize = _a.onSerialize, onIframeLoad = _a.onIframeLoad, iframeLoadTimeout = _a.iframeLoadTimeout, _l = _a.keepIframeSrcFn, keepIframeSrcFn = _l === void 0 ? function () { return false; } : _l;\n var idNodeMap = {};\n var maskInputOptions = maskAllInputs === true\n ? {\n color: true,\n date: true,\n 'datetime-local': true,\n email: true,\n month: true,\n number: true,\n range: true,\n search: true,\n tel: true,\n text: true,\n time: true,\n url: true,\n week: true,\n textarea: true,\n select: true,\n password: true\n }\n : maskAllInputs === false\n ? {\n password: true\n }\n : maskAllInputs;\n var slimDOMOptions = slimDOM === true || slimDOM === 'all'\n ?\n {\n script: true,\n comment: true,\n headFavicon: true,\n headWhitespace: true,\n headMetaDescKeywords: slimDOM === 'all',\n headMetaSocial: true,\n headMetaRobots: true,\n headMetaHttpEquiv: true,\n headMetaAuthorship: true,\n headMetaVerification: true\n }\n : slimDOM === false\n ? {}\n : slimDOM;\n return [\n serializeNodeWithId(n, {\n doc: n,\n map: idNodeMap,\n blockClass: blockClass,\n blockSelector: blockSelector,\n maskTextClass: maskTextClass,\n maskTextSelector: maskTextSelector,\n skipChild: false,\n inlineStylesheet: inlineStylesheet,\n maskInputOptions: maskInputOptions,\n maskTextFn: maskTextFn,\n maskInputFn: maskInputFn,\n slimDOMOptions: slimDOMOptions,\n dataURLOptions: dataURLOptions,\n inlineImages: inlineImages,\n recordCanvas: recordCanvas,\n preserveWhiteSpace: preserveWhiteSpace,\n onSerialize: onSerialize,\n onIframeLoad: onIframeLoad,\n iframeLoadTimeout: iframeLoadTimeout,\n keepIframeSrcFn: keepIframeSrcFn\n }),\n idNodeMap,\n ];\n}\nfunction visitSnapshot(node, onVisit) {\n function walk(current) {\n onVisit(current);\n if (current.type === NodeType.Document ||\n current.type === NodeType.Element) {\n current.childNodes.forEach(walk);\n }\n }\n walk(node);\n}\nfunction cleanupSnapshot() {\n _id = 1;\n}\n\nvar commentre = /\\/\\*[^*]*\\*+([^/*][^*]*\\*+)*\\//g;\nfunction parse(css, options) {\n if (options === void 0) { options = {}; }\n var lineno = 1;\n var column = 1;\n function updatePosition(str) {\n var lines = str.match(/\\n/g);\n if (lines) {\n lineno += lines.length;\n }\n var i = str.lastIndexOf('\\n');\n column = i === -1 ? column + str.length : str.length - i;\n }\n function position() {\n var start = { line: lineno, column: column };\n return function (node) {\n node.position = new Position(start);\n whitespace();\n return node;\n };\n }\n var Position = (function () {\n function Position(start) {\n this.start = start;\n this.end = { line: lineno, column: column };\n this.source = options.source;\n }\n return Position;\n }());\n Position.prototype.content = css;\n var errorsList = [];\n function error(msg) {\n var err = new Error(options.source + ':' + lineno + ':' + column + ': ' + msg);\n err.reason = msg;\n err.filename = options.source;\n err.line = lineno;\n err.column = column;\n err.source = css;\n if (options.silent) {\n errorsList.push(err);\n }\n else {\n throw err;\n }\n }\n function stylesheet() {\n var rulesList = rules();\n return {\n type: 'stylesheet',\n stylesheet: {\n source: options.source,\n rules: rulesList,\n parsingErrors: errorsList\n }\n };\n }\n function open() {\n return match(/^{\\s*/);\n }\n function close() {\n return match(/^}/);\n }\n function rules() {\n var node;\n var rules = [];\n whitespace();\n comments(rules);\n while (css.length && css.charAt(0) !== '}' && (node = atrule() || rule())) {\n if (node !== false) {\n rules.push(node);\n comments(rules);\n }\n }\n return rules;\n }\n function match(re) {\n var m = re.exec(css);\n if (!m) {\n return;\n }\n var str = m[0];\n updatePosition(str);\n css = css.slice(str.length);\n return m;\n }\n function whitespace() {\n match(/^\\s*/);\n }\n function comments(rules) {\n if (rules === void 0) { rules = []; }\n var c;\n while ((c = comment())) {\n if (c !== false) {\n rules.push(c);\n }\n c = comment();\n }\n return rules;\n }\n function comment() {\n var pos = position();\n if ('/' !== css.charAt(0) || '*' !== css.charAt(1)) {\n return;\n }\n var i = 2;\n while ('' !== css.charAt(i) &&\n ('*' !== css.charAt(i) || '/' !== css.charAt(i + 1))) {\n ++i;\n }\n i += 2;\n if ('' === css.charAt(i - 1)) {\n return error('End of comment missing');\n }\n var str = css.slice(2, i - 2);\n column += 2;\n updatePosition(str);\n css = css.slice(i);\n column += 2;\n return pos({\n type: 'comment',\n comment: str\n });\n }\n function selector() {\n var m = match(/^([^{]+)/);\n if (!m) {\n return;\n }\n return trim(m[0])\n .replace(/\\/\\*([^*]|[\\r\\n]|(\\*+([^*/]|[\\r\\n])))*\\*\\/+/g, '')\n .replace(/\"(?:\\\\\"|[^\"])*\"|'(?:\\\\'|[^'])*'/g, function (m) {\n return m.replace(/,/g, '\\u200C');\n })\n .split(/\\s*(?![^(]*\\)),\\s*/)\n .map(function (s) {\n return s.replace(/\\u200C/g, ',');\n });\n }\n function declaration() {\n var pos = position();\n var propMatch = match(/^(\\*?[-#\\/\\*\\\\\\w]+(\\[[0-9a-z_-]+\\])?)\\s*/);\n if (!propMatch) {\n return;\n }\n var prop = trim(propMatch[0]);\n if (!match(/^:\\s*/)) {\n return error(\"property missing ':'\");\n }\n var val = match(/^((?:'(?:\\\\'|.)*?'|\"(?:\\\\\"|.)*?\"|\\([^\\)]*?\\)|[^};])+)/);\n var ret = pos({\n type: 'declaration',\n property: prop.replace(commentre, ''),\n value: val ? trim(val[0]).replace(commentre, '') : ''\n });\n match(/^[;\\s]*/);\n return ret;\n }\n function declarations() {\n var decls = [];\n if (!open()) {\n return error(\"missing '{'\");\n }\n comments(decls);\n var decl;\n while ((decl = declaration())) {\n if (decl !== false) {\n decls.push(decl);\n comments(decls);\n }\n decl = declaration();\n }\n if (!close()) {\n return error(\"missing '}'\");\n }\n return decls;\n }\n function keyframe() {\n var m;\n var vals = [];\n var pos = position();\n while ((m = match(/^((\\d+\\.\\d+|\\.\\d+|\\d+)%?|[a-z]+)\\s*/))) {\n vals.push(m[1]);\n match(/^,\\s*/);\n }\n if (!vals.length) {\n return;\n }\n return pos({\n type: 'keyframe',\n values: vals,\n declarations: declarations()\n });\n }\n function atkeyframes() {\n var pos = position();\n var m = match(/^@([-\\w]+)?keyframes\\s*/);\n if (!m) {\n return;\n }\n var vendor = m[1];\n m = match(/^([-\\w]+)\\s*/);\n if (!m) {\n return error('@keyframes missing name');\n }\n var name = m[1];\n if (!open()) {\n return error(\"@keyframes missing '{'\");\n }\n var frame;\n var frames = comments();\n while ((frame = keyframe())) {\n frames.push(frame);\n frames = frames.concat(comments());\n }\n if (!close()) {\n return error(\"@keyframes missing '}'\");\n }\n return pos({\n type: 'keyframes',\n name: name,\n vendor: vendor,\n keyframes: frames\n });\n }\n function atsupports() {\n var pos = position();\n var m = match(/^@supports *([^{]+)/);\n if (!m) {\n return;\n }\n var supports = trim(m[1]);\n if (!open()) {\n return error(\"@supports missing '{'\");\n }\n var style = comments().concat(rules());\n if (!close()) {\n return error(\"@supports missing '}'\");\n }\n return pos({\n type: 'supports',\n supports: supports,\n rules: style\n });\n }\n function athost() {\n var pos = position();\n var m = match(/^@host\\s*/);\n if (!m) {\n return;\n }\n if (!open()) {\n return error(\"@host missing '{'\");\n }\n var style = comments().concat(rules());\n if (!close()) {\n return error(\"@host missing '}'\");\n }\n return pos({\n type: 'host',\n rules: style\n });\n }\n function atmedia() {\n var pos = position();\n var m = match(/^@media *([^{]+)/);\n if (!m) {\n return;\n }\n var media = trim(m[1]);\n if (!open()) {\n return error(\"@media missing '{'\");\n }\n var style = comments().concat(rules());\n if (!close()) {\n return error(\"@media missing '}'\");\n }\n return pos({\n type: 'media',\n media: media,\n rules: style\n });\n }\n function atcustommedia() {\n var pos = position();\n var m = match(/^@custom-media\\s+(--[^\\s]+)\\s*([^{;]+);/);\n if (!m) {\n return;\n }\n return pos({\n type: 'custom-media',\n name: trim(m[1]),\n media: trim(m[2])\n });\n }\n function atpage() {\n var pos = position();\n var m = match(/^@page */);\n if (!m) {\n return;\n }\n var sel = selector() || [];\n if (!open()) {\n return error(\"@page missing '{'\");\n }\n var decls = comments();\n var decl;\n while ((decl = declaration())) {\n decls.push(decl);\n decls = decls.concat(comments());\n }\n if (!close()) {\n return error(\"@page missing '}'\");\n }\n return pos({\n type: 'page',\n selectors: sel,\n declarations: decls\n });\n }\n function atdocument() {\n var pos = position();\n var m = match(/^@([-\\w]+)?document *([^{]+)/);\n if (!m) {\n return;\n }\n var vendor = trim(m[1]);\n var doc = trim(m[2]);\n if (!open()) {\n return error(\"@document missing '{'\");\n }\n var style = comments().concat(rules());\n if (!close()) {\n return error(\"@document missing '}'\");\n }\n return pos({\n type: 'document',\n document: doc,\n vendor: vendor,\n rules: style\n });\n }\n function atfontface() {\n var pos = position();\n var m = match(/^@font-face\\s*/);\n if (!m) {\n return;\n }\n if (!open()) {\n return error(\"@font-face missing '{'\");\n }\n var decls = comments();\n var decl;\n while ((decl = declaration())) {\n decls.push(decl);\n decls = decls.concat(comments());\n }\n if (!close()) {\n return error(\"@font-face missing '}'\");\n }\n return pos({\n type: 'font-face',\n declarations: decls\n });\n }\n var atimport = _compileAtrule('import');\n var atcharset = _compileAtrule('charset');\n var atnamespace = _compileAtrule('namespace');\n function _compileAtrule(name) {\n var re = new RegExp('^@' + name + '\\\\s*([^;]+);');\n return function () {\n var pos = position();\n var m = match(re);\n if (!m) {\n return;\n }\n var ret = { type: name };\n ret[name] = m[1].trim();\n return pos(ret);\n };\n }\n function atrule() {\n if (css[0] !== '@') {\n return;\n }\n return (atkeyframes() ||\n atmedia() ||\n atcustommedia() ||\n atsupports() ||\n atimport() ||\n atcharset() ||\n atnamespace() ||\n atdocument() ||\n atpage() ||\n athost() ||\n atfontface());\n }\n function rule() {\n var pos = position();\n var sel = selector();\n if (!sel) {\n return error('selector missing');\n }\n comments();\n return pos({\n type: 'rule',\n selectors: sel,\n declarations: declarations()\n });\n }\n return addParent(stylesheet());\n}\nfunction trim(str) {\n return str ? str.replace(/^\\s+|\\s+$/g, '') : '';\n}\nfunction addParent(obj, parent) {\n var isNode = obj && typeof obj.type === 'string';\n var childParent = isNode ? obj : parent;\n for (var _i = 0, _a = Object.keys(obj); _i < _a.length; _i++) {\n var k = _a[_i];\n var value = obj[k];\n if (Array.isArray(value)) {\n value.forEach(function (v) {\n addParent(v, childParent);\n });\n }\n else if (value && typeof value === 'object') {\n addParent(value, childParent);\n }\n }\n if (isNode) {\n Object.defineProperty(obj, 'parent', {\n configurable: true,\n writable: true,\n enumerable: false,\n value: parent || null\n });\n }\n return obj;\n}\n\nvar tagMap = {\n script: 'noscript',\n altglyph: 'altGlyph',\n altglyphdef: 'altGlyphDef',\n altglyphitem: 'altGlyphItem',\n animatecolor: 'animateColor',\n animatemotion: 'animateMotion',\n animatetransform: 'animateTransform',\n clippath: 'clipPath',\n feblend: 'feBlend',\n fecolormatrix: 'feColorMatrix',\n fecomponenttransfer: 'feComponentTransfer',\n fecomposite: 'feComposite',\n feconvolvematrix: 'feConvolveMatrix',\n fediffuselighting: 'feDiffuseLighting',\n fedisplacementmap: 'feDisplacementMap',\n fedistantlight: 'feDistantLight',\n fedropshadow: 'feDropShadow',\n feflood: 'feFlood',\n fefunca: 'feFuncA',\n fefuncb: 'feFuncB',\n fefuncg: 'feFuncG',\n fefuncr: 'feFuncR',\n fegaussianblur: 'feGaussianBlur',\n feimage: 'feImage',\n femerge: 'feMerge',\n femergenode: 'feMergeNode',\n femorphology: 'feMorphology',\n feoffset: 'feOffset',\n fepointlight: 'fePointLight',\n fespecularlighting: 'feSpecularLighting',\n fespotlight: 'feSpotLight',\n fetile: 'feTile',\n feturbulence: 'feTurbulence',\n foreignobject: 'foreignObject',\n glyphref: 'glyphRef',\n lineargradient: 'linearGradient',\n radialgradient: 'radialGradient'\n};\nfunction getTagName(n) {\n var tagName = tagMap[n.tagName] ? tagMap[n.tagName] : n.tagName;\n if (tagName === 'link' && n.attributes._cssText) {\n tagName = 'style';\n }\n return tagName;\n}\nfunction escapeRegExp(str) {\n return str.replace(/[.*+?^${}()|[\\]\\\\]/g, '\\\\$&');\n}\nvar HOVER_SELECTOR = /([^\\\\]):hover/;\nvar HOVER_SELECTOR_GLOBAL = new RegExp(HOVER_SELECTOR.source, 'g');\nfunction addHoverClass(cssText, cache) {\n var cachedStyle = cache === null || cache === void 0 ? void 0 : cache.stylesWithHoverClass.get(cssText);\n if (cachedStyle)\n return cachedStyle;\n var ast = parse(cssText, {\n silent: true\n });\n if (!ast.stylesheet) {\n return cssText;\n }\n var selectors = [];\n ast.stylesheet.rules.forEach(function (rule) {\n if ('selectors' in rule) {\n (rule.selectors || []).forEach(function (selector) {\n if (HOVER_SELECTOR.test(selector)) {\n selectors.push(selector);\n }\n });\n }\n });\n if (selectors.length === 0) {\n return cssText;\n }\n var selectorMatcher = new RegExp(selectors\n .filter(function (selector, index) { return selectors.indexOf(selector) === index; })\n .sort(function (a, b) { return b.length - a.length; })\n .map(function (selector) {\n return escapeRegExp(selector);\n })\n .join('|'), 'g');\n var result = cssText.replace(selectorMatcher, function (selector) {\n var newSelector = selector.replace(HOVER_SELECTOR_GLOBAL, '$1.\\\\:hover');\n return selector + \", \" + newSelector;\n });\n cache === null || cache === void 0 ? void 0 : cache.stylesWithHoverClass.set(cssText, result);\n return result;\n}\nfunction createCache() {\n var stylesWithHoverClass = new Map();\n return {\n stylesWithHoverClass: stylesWithHoverClass\n };\n}\nfunction buildNode(n, options) {\n var doc = options.doc, hackCss = options.hackCss, cache = options.cache;\n switch (n.type) {\n case NodeType.Document:\n return doc.implementation.createDocument(null, '', null);\n case NodeType.DocumentType:\n return doc.implementation.createDocumentType(n.name || 'html', n.publicId, n.systemId);\n case NodeType.Element:\n var tagName = getTagName(n);\n var node_1;\n if (n.isSVG) {\n node_1 = doc.createElementNS('http://www.w3.org/2000/svg', tagName);\n }\n else {\n node_1 = doc.createElement(tagName);\n }\n var _loop_1 = function (name_1) {\n if (!n.attributes.hasOwnProperty(name_1)) {\n return \"continue\";\n }\n var value = n.attributes[name_1];\n if (tagName === 'option' && name_1 === 'selected' && value === false) {\n return \"continue\";\n }\n value =\n typeof value === 'boolean' || typeof value === 'number' ? '' : value;\n if (!name_1.startsWith('rr_')) {\n var isTextarea = tagName === 'textarea' && name_1 === 'value';\n var isRemoteOrDynamicCss = tagName === 'style' && name_1 === '_cssText';\n if (isRemoteOrDynamicCss && hackCss) {\n value = addHoverClass(value, cache);\n }\n if (isTextarea || isRemoteOrDynamicCss) {\n var child = doc.createTextNode(value);\n for (var _i = 0, _a = Array.from(node_1.childNodes); _i < _a.length; _i++) {\n var c = _a[_i];\n if (c.nodeType === node_1.TEXT_NODE) {\n node_1.removeChild(c);\n }\n }\n node_1.appendChild(child);\n return \"continue\";\n }\n try {\n if (n.isSVG && name_1 === 'xlink:href') {\n node_1.setAttributeNS('http://www.w3.org/1999/xlink', name_1, value);\n }\n else if (name_1 === 'onload' ||\n name_1 === 'onclick' ||\n name_1.substring(0, 7) === 'onmouse') {\n node_1.setAttribute('_' + name_1, value);\n }\n else if (tagName === 'meta' &&\n n.attributes['http-equiv'] === 'Content-Security-Policy' &&\n name_1 === 'content') {\n node_1.setAttribute('csp-content', value);\n return \"continue\";\n }\n else if (tagName === 'link' &&\n n.attributes.rel === 'preload' &&\n n.attributes.as === 'script') {\n }\n else if (tagName === 'link' &&\n n.attributes.rel === 'prefetch' &&\n typeof n.attributes.href === 'string' &&\n n.attributes.href.endsWith('.js')) {\n }\n else if (tagName === 'img' &&\n n.attributes.srcset &&\n n.attributes.rr_dataURL) {\n node_1.setAttribute('rrweb-original-srcset', n.attributes.srcset);\n }\n else {\n node_1.setAttribute(name_1, value);\n }\n }\n catch (error) {\n }\n }\n else {\n if (tagName === 'canvas' && name_1 === 'rr_dataURL') {\n var image_1 = document.createElement('img');\n image_1.src = value;\n image_1.onload = function () {\n var ctx = node_1.getContext('2d');\n if (ctx) {\n ctx.drawImage(image_1, 0, 0, image_1.width, image_1.height);\n }\n };\n }\n else if (tagName === 'img' && name_1 === 'rr_dataURL') {\n var image = node_1;\n if (!image.currentSrc.startsWith('data:')) {\n image.setAttribute('rrweb-original-src', n.attributes.src);\n image.src = value;\n }\n }\n if (name_1 === 'rr_width') {\n node_1.style.width = value;\n }\n else if (name_1 === 'rr_height') {\n node_1.style.height = value;\n }\n else if (name_1 === 'rr_mediaCurrentTime') {\n node_1.currentTime = n.attributes\n .rr_mediaCurrentTime;\n }\n else if (name_1 === 'rr_mediaState') {\n switch (value) {\n case 'played':\n node_1\n .play()[\"catch\"](function (e) { return console.warn('media playback error', e); });\n break;\n case 'paused':\n node_1.pause();\n break;\n }\n }\n }\n };\n for (var name_1 in n.attributes) {\n _loop_1(name_1);\n }\n if (n.isShadowHost) {\n if (!node_1.shadowRoot) {\n node_1.attachShadow({ mode: 'open' });\n }\n else {\n while (node_1.shadowRoot.firstChild) {\n node_1.shadowRoot.removeChild(node_1.shadowRoot.firstChild);\n }\n }\n }\n return node_1;\n case NodeType.Text:\n return doc.createTextNode(n.isStyle && hackCss\n ? addHoverClass(n.textContent, cache)\n : n.textContent);\n case NodeType.CDATA:\n return doc.createCDATASection(n.textContent);\n case NodeType.Comment:\n return doc.createComment(n.textContent);\n default:\n return null;\n }\n}\nfunction buildNodeWithSN(n, options) {\n var doc = options.doc, map = options.map, _a = options.skipChild, skipChild = _a === void 0 ? false : _a, _b = options.hackCss, hackCss = _b === void 0 ? true : _b, afterAppend = options.afterAppend, cache = options.cache;\n var node = buildNode(n, { doc: doc, hackCss: hackCss, cache: cache });\n if (!node) {\n return null;\n }\n if (n.rootId) {\n console.assert(map[n.rootId] === doc, 'Target document should has the same root id.');\n }\n if (n.type === NodeType.Document) {\n doc.close();\n doc.open();\n if (n.compatMode === 'BackCompat' &&\n n.childNodes &&\n n.childNodes[0].type !== NodeType.DocumentType) {\n if (n.childNodes[0].type === NodeType.Element &&\n 'xmlns' in n.childNodes[0].attributes &&\n n.childNodes[0].attributes.xmlns === 'http://www.w3.org/1999/xhtml') {\n doc.write('');\n }\n else {\n doc.write('');\n }\n }\n node = doc;\n }\n node.__sn = n;\n map[n.id] = node;\n if ((n.type === NodeType.Document || n.type === NodeType.Element) &&\n !skipChild) {\n for (var _i = 0, _c = n.childNodes; _i < _c.length; _i++) {\n var childN = _c[_i];\n var childNode = buildNodeWithSN(childN, {\n doc: doc,\n map: map,\n skipChild: false,\n hackCss: hackCss,\n afterAppend: afterAppend,\n cache: cache\n });\n if (!childNode) {\n console.warn('Failed to rebuild', childN);\n continue;\n }\n if (childN.isShadow && isElement(node) && node.shadowRoot) {\n node.shadowRoot.appendChild(childNode);\n }\n else {\n node.appendChild(childNode);\n }\n if (afterAppend) {\n afterAppend(childNode);\n }\n }\n }\n return node;\n}\nfunction visit(idNodeMap, onVisit) {\n function walk(node) {\n onVisit(node);\n }\n for (var key in idNodeMap) {\n if (idNodeMap[key]) {\n walk(idNodeMap[key]);\n }\n }\n}\nfunction handleScroll(node) {\n var n = node.__sn;\n if (n.type !== NodeType.Element) {\n return;\n }\n var el = node;\n for (var name_2 in n.attributes) {\n if (!(n.attributes.hasOwnProperty(name_2) && name_2.startsWith('rr_'))) {\n continue;\n }\n var value = n.attributes[name_2];\n if (name_2 === 'rr_scrollLeft') {\n el.scrollLeft = value;\n }\n if (name_2 === 'rr_scrollTop') {\n el.scrollTop = value;\n }\n }\n}\nfunction rebuild(n, options) {\n var doc = options.doc, onVisit = options.onVisit, _a = options.hackCss, hackCss = _a === void 0 ? true : _a, afterAppend = options.afterAppend, cache = options.cache;\n var idNodeMap = {};\n var node = buildNodeWithSN(n, {\n doc: doc,\n map: idNodeMap,\n skipChild: false,\n hackCss: hackCss,\n afterAppend: afterAppend,\n cache: cache\n });\n visit(idNodeMap, function (visitedNode) {\n if (onVisit) {\n onVisit(visitedNode);\n }\n handleScroll(visitedNode);\n });\n return [node, idNodeMap];\n}\n\nexport { IGNORED_NODE, NodeType, addHoverClass, buildNodeWithSN, cleanupSnapshot, createCache, is2DCanvasBlank, isElement, isShadowRoot, maskInputValue, needMaskingText, rebuild, serializeNodeWithId, snapshot, transformAttribute, visitSnapshot };\n","// \n// An event handler can take an optional event argument\n// and should not return a value\n \n \n\n// An array of all currently registered event handlers for a type\n \n \n// A map of event types and their corresponding event handlers.\n \n \n \n \n\n/** Mitt: Tiny (~200b) functional event emitter / pubsub.\n * @name mitt\n * @returns {Mitt}\n */\nfunction mitt(all ) {\n\tall = all || Object.create(null);\n\n\treturn {\n\t\t/**\n\t\t * Register an event handler for the given type.\n\t\t *\n\t\t * @param {String} type\tType of event to listen for, or `\"*\"` for all events\n\t\t * @param {Function} handler Function to call in response to given event\n\t\t * @memberOf mitt\n\t\t */\n\t\ton: function on(type , handler ) {\n\t\t\t(all[type] || (all[type] = [])).push(handler);\n\t\t},\n\n\t\t/**\n\t\t * Remove an event handler for the given type.\n\t\t *\n\t\t * @param {String} type\tType of event to unregister `handler` from, or `\"*\"`\n\t\t * @param {Function} handler Handler function to remove\n\t\t * @memberOf mitt\n\t\t */\n\t\toff: function off(type , handler ) {\n\t\t\tif (all[type]) {\n\t\t\t\tall[type].splice(all[type].indexOf(handler) >>> 0, 1);\n\t\t\t}\n\t\t},\n\n\t\t/**\n\t\t * Invoke all handlers for the given type.\n\t\t * If present, `\"*\"` handlers are invoked after type-matched handlers.\n\t\t *\n\t\t * @param {String} type The event type to invoke\n\t\t * @param {Any} [evt] Any value (object is recommended and powerful), passed to each handler\n\t\t * @memberOf mitt\n\t\t */\n\t\temit: function emit(type , evt ) {\n\t\t\t(all[type] || []).slice().map(function (handler) { handler(evt); });\n\t\t\t(all['*'] || []).slice().map(function (handler) { handler(type, evt); });\n\t\t}\n\t};\n}\n\nexport default mitt;\n//# sourceMappingURL=mitt.es.js.map\n","import {\n serializedNodeWithId,\n idNodeMap,\n INode,\n MaskInputOptions,\n SlimDOMOptions,\n MaskInputFn,\n MaskTextFn,\n} from 'rrweb-snapshot';\nimport { PackFn, UnpackFn } from './packer/base';\nimport { IframeManager } from './record/iframe-manager';\nimport { ShadowDomManager } from './record/shadow-dom-manager';\nimport type { Replayer } from './replay';\nimport { CanvasManager } from './record/observers/canvas/canvas-manager';\n\nexport enum EventType {\n DomContentLoaded,\n Load,\n FullSnapshot,\n IncrementalSnapshot,\n Meta,\n Custom,\n Plugin,\n}\n\nexport type domContentLoadedEvent = {\n type: EventType.DomContentLoaded;\n data: {};\n};\n\nexport type loadedEvent = {\n type: EventType.Load;\n data: {};\n};\n\nexport type fullSnapshotEvent = {\n type: EventType.FullSnapshot;\n data: {\n node: serializedNodeWithId;\n initialOffset: {\n top: number;\n left: number;\n };\n };\n};\n\nexport type incrementalSnapshotEvent = {\n type: EventType.IncrementalSnapshot;\n data: incrementalData;\n};\n\nexport type metaEvent = {\n type: EventType.Meta;\n data: {\n href: string;\n width: number;\n height: number;\n };\n};\n\nexport type customEvent = {\n type: EventType.Custom;\n data: {\n tag: string;\n payload: T;\n };\n};\n\nexport type pluginEvent = {\n type: EventType.Plugin;\n data: {\n plugin: string;\n payload: T;\n };\n};\n\nexport type styleSheetEvent = {};\n\nexport enum IncrementalSource {\n Mutation,\n MouseMove,\n MouseInteraction,\n Scroll,\n ViewportResize,\n Input,\n TouchMove,\n MediaInteraction,\n StyleSheetRule,\n CanvasMutation,\n Font,\n Log,\n Drag,\n StyleDeclaration,\n}\n\nexport type mutationData = {\n source: IncrementalSource.Mutation;\n} & mutationCallbackParam;\n\nexport type mousemoveData = {\n source:\n | IncrementalSource.MouseMove\n | IncrementalSource.TouchMove\n | IncrementalSource.Drag;\n positions: mousePosition[];\n};\n\nexport type mouseInteractionData = {\n source: IncrementalSource.MouseInteraction;\n} & mouseInteractionParam;\n\nexport type scrollData = {\n source: IncrementalSource.Scroll;\n} & scrollPosition;\n\nexport type viewportResizeData = {\n source: IncrementalSource.ViewportResize;\n} & viewportResizeDimension;\n\nexport type inputData = {\n source: IncrementalSource.Input;\n id: number;\n} & inputValue;\n\nexport type mediaInteractionData = {\n source: IncrementalSource.MediaInteraction;\n} & mediaInteractionParam;\n\nexport type styleSheetRuleData = {\n source: IncrementalSource.StyleSheetRule;\n} & styleSheetRuleParam;\n\nexport type styleDeclarationData = {\n source: IncrementalSource.StyleDeclaration;\n} & styleDeclarationParam;\n\nexport type canvasMutationData = {\n source: IncrementalSource.CanvasMutation;\n} & canvasMutationParam;\n\nexport type fontData = {\n source: IncrementalSource.Font;\n} & fontParam;\n\nexport type incrementalData =\n | mutationData\n | mousemoveData\n | mouseInteractionData\n | scrollData\n | viewportResizeData\n | inputData\n | mediaInteractionData\n | styleSheetRuleData\n | canvasMutationData\n | fontData\n | styleDeclarationData;\n\nexport type event =\n | domContentLoadedEvent\n | loadedEvent\n | fullSnapshotEvent\n | incrementalSnapshotEvent\n | metaEvent\n | customEvent\n | pluginEvent;\n\nexport type eventWithTime = event & {\n timestamp: number;\n delay?: number;\n};\n\nexport type blockClass = string | RegExp;\n\nexport type maskTextClass = string | RegExp;\n\nexport type SamplingStrategy = Partial<{\n /**\n * false means not to record mouse/touch move events\n * number is the throttle threshold of recording mouse/touch move\n */\n mousemove: boolean | number;\n /**\n * number is the throttle threshold of mouse/touch move callback\n */\n mousemoveCallback: number;\n /**\n * false means not to record mouse interaction events\n * can also specify record some kinds of mouse interactions\n */\n mouseInteraction: boolean | Record;\n /**\n * number is the throttle threshold of recording scroll\n */\n scroll: number;\n /**\n * number is the throttle threshold of recording media interactions\n */\n media: number;\n /**\n * 'all' will record all the input events\n * 'last' will only record the last input value while input a sequence of chars\n */\n input: 'all' | 'last';\n}>;\n\nexport type RecordPlugin = {\n name: string;\n observer?: (cb: Function, win: IWindow, options: TOptions) => listenerHandler;\n eventProcessor?: (event: eventWithTime) => eventWithTime & TExtend;\n options: TOptions;\n};\n\nexport type recordOptions = {\n emit?: (e: T, isCheckout?: boolean) => void;\n checkoutEveryNth?: number;\n checkoutEveryNms?: number;\n blockClass?: blockClass;\n blockSelector?: string;\n ignoreClass?: string;\n maskTextClass?: maskTextClass;\n maskTextSelector?: string;\n maskAllInputs?: boolean;\n maskInputOptions?: MaskInputOptions;\n maskInputFn?: MaskInputFn;\n maskTextFn?: MaskTextFn;\n slimDOMOptions?: SlimDOMOptions | 'all' | true;\n inlineStylesheet?: boolean;\n hooks?: hooksParam;\n packFn?: PackFn;\n sampling?: SamplingStrategy;\n recordCanvas?: boolean;\n userTriggeredOnInput?: boolean;\n collectFonts?: boolean;\n inlineImages?: boolean;\n plugins?: RecordPlugin[];\n // departed, please use sampling options\n mousemoveWait?: number;\n keepIframeSrcFn?: KeepIframeSrcFn;\n};\n\nexport type observerParam = {\n mutationCb: mutationCallBack;\n mousemoveCb: mousemoveCallBack;\n mouseInteractionCb: mouseInteractionCallBack;\n scrollCb: scrollCallback;\n viewportResizeCb: viewportResizeCallback;\n inputCb: inputCallback;\n mediaInteractionCb: mediaInteractionCallback;\n blockClass: blockClass;\n blockSelector: string | null;\n ignoreClass: string;\n maskTextClass: maskTextClass;\n maskTextSelector: string | null;\n maskInputOptions: MaskInputOptions;\n maskInputFn?: MaskInputFn;\n maskTextFn?: MaskTextFn;\n inlineStylesheet: boolean;\n styleSheetRuleCb: styleSheetRuleCallback;\n styleDeclarationCb: styleDeclarationCallback;\n canvasMutationCb: canvasMutationCallback;\n fontCb: fontCallback;\n sampling: SamplingStrategy;\n recordCanvas: boolean;\n inlineImages: boolean;\n userTriggeredOnInput: boolean;\n collectFonts: boolean;\n slimDOMOptions: SlimDOMOptions;\n doc: Document;\n mirror: Mirror;\n iframeManager: IframeManager;\n shadowDomManager: ShadowDomManager;\n canvasManager: CanvasManager;\n plugins: Array<{\n observer: Function;\n callback: Function;\n options: unknown;\n }>;\n};\n\nexport type MutationBufferParam = Pick<\n observerParam,\n | 'mutationCb'\n | 'blockClass'\n | 'blockSelector'\n | 'maskTextClass'\n | 'maskTextSelector'\n | 'inlineStylesheet'\n | 'maskInputOptions'\n | 'maskTextFn'\n | 'maskInputFn'\n | 'recordCanvas'\n | 'inlineImages'\n | 'slimDOMOptions'\n | 'doc'\n | 'mirror'\n | 'iframeManager'\n | 'shadowDomManager'\n | 'canvasManager'\n>;\n\nexport type hooksParam = {\n mutation?: mutationCallBack;\n mousemove?: mousemoveCallBack;\n mouseInteraction?: mouseInteractionCallBack;\n scroll?: scrollCallback;\n viewportResize?: viewportResizeCallback;\n input?: inputCallback;\n mediaInteaction?: mediaInteractionCallback;\n styleSheetRule?: styleSheetRuleCallback;\n styleDeclaration?: styleDeclarationCallback;\n canvasMutation?: canvasMutationCallback;\n font?: fontCallback;\n};\n\n// https://dom.spec.whatwg.org/#interface-mutationrecord\nexport type mutationRecord = {\n type: string;\n target: Node;\n oldValue: string | null;\n addedNodes: NodeList;\n removedNodes: NodeList;\n attributeName: string | null;\n};\n\nexport type textCursor = {\n node: Node;\n value: string | null;\n};\nexport type textMutation = {\n id: number;\n value: string | null;\n};\n\nexport type styleAttributeValue = {\n [key: string]: styleValueWithPriority | string | false;\n};\n\nexport type styleValueWithPriority = [string, string];\n\nexport type attributeCursor = {\n node: Node;\n attributes: {\n [key: string]: string | styleAttributeValue | null;\n };\n};\nexport type attributeMutation = {\n id: number;\n attributes: {\n [key: string]: string | styleAttributeValue | null;\n };\n};\n\nexport type removedNodeMutation = {\n parentId: number;\n id: number;\n isShadow?: boolean;\n};\n\nexport type addedNodeMutation = {\n parentId: number;\n // Newly recorded mutations will not have previousId any more, just for compatibility\n previousId?: number | null;\n nextId: number | null;\n node: serializedNodeWithId;\n};\n\nexport type mutationCallbackParam = {\n texts: textMutation[];\n attributes: attributeMutation[];\n removes: removedNodeMutation[];\n adds: addedNodeMutation[];\n isAttachIframe?: true;\n};\n\nexport type mutationCallBack = (m: mutationCallbackParam) => void;\n\nexport type mousemoveCallBack = (\n p: mousePosition[],\n source:\n | IncrementalSource.MouseMove\n | IncrementalSource.TouchMove\n | IncrementalSource.Drag,\n) => void;\n\nexport type mousePosition = {\n x: number;\n y: number;\n id: number;\n timeOffset: number;\n};\n\nexport type mouseMovePos = {\n x: number;\n y: number;\n id: number;\n debugData: incrementalData;\n};\n\nexport enum MouseInteractions {\n MouseUp,\n MouseDown,\n Click,\n ContextMenu,\n DblClick,\n Focus,\n Blur,\n TouchStart,\n TouchMove_Departed, // we will start a separate observer for touch move event\n TouchEnd,\n TouchCancel,\n}\n\nexport enum CanvasContext {\n '2D',\n WebGL,\n WebGL2,\n}\n\nexport type SerializedWebGlArg =\n | {\n rr_type: 'ArrayBuffer';\n base64: string; // base64\n }\n | {\n rr_type: string;\n src: string; // url of image\n }\n | {\n rr_type: string;\n args: SerializedWebGlArg[];\n }\n | {\n rr_type: string;\n index: number;\n }\n | string\n | number\n | boolean\n | null\n | SerializedWebGlArg[];\n\ntype mouseInteractionParam = {\n type: MouseInteractions;\n id: number;\n x: number;\n y: number;\n};\n\nexport type mouseInteractionCallBack = (d: mouseInteractionParam) => void;\n\nexport type scrollPosition = {\n id: number;\n x: number;\n y: number;\n};\n\nexport type scrollCallback = (p: scrollPosition) => void;\n\nexport type styleSheetAddRule = {\n rule: string;\n index?: number | number[];\n};\n\nexport type styleSheetDeleteRule = {\n index: number | number[];\n};\n\nexport type styleSheetRuleParam = {\n id: number;\n removes?: styleSheetDeleteRule[];\n adds?: styleSheetAddRule[];\n};\n\nexport type styleSheetRuleCallback = (s: styleSheetRuleParam) => void;\n\nexport type styleDeclarationParam = {\n id: number;\n index: number[];\n set?: {\n property: string;\n value: string | null;\n priority: string | undefined;\n };\n remove?: {\n property: string;\n };\n};\n\nexport type styleDeclarationCallback = (s: styleDeclarationParam) => void;\n\nexport type canvasMutationCommand = {\n property: string;\n args: Array;\n setter?: true;\n};\n\nexport type canvasMutationParam =\n | {\n id: number;\n type: CanvasContext;\n commands: canvasMutationCommand[];\n }\n | ({\n id: number;\n type: CanvasContext;\n } & canvasMutationCommand);\n\nexport type canvasMutationWithType = {\n type: CanvasContext;\n} & canvasMutationCommand;\n\nexport type canvasMutationCallback = (p: canvasMutationParam) => void;\n\nexport type canvasManagerMutationCallback = (\n target: HTMLCanvasElement,\n p: canvasMutationWithType,\n) => void;\n\nexport type fontParam = {\n family: string;\n fontSource: string;\n buffer: boolean;\n descriptors?: FontFaceDescriptors;\n};\n\nexport type fontCallback = (p: fontParam) => void;\n\nexport type viewportResizeDimension = {\n width: number;\n height: number;\n};\n\nexport type viewportResizeCallback = (d: viewportResizeDimension) => void;\n\nexport type inputValue = {\n text: string;\n isChecked: boolean;\n\n // `userTriggered` indicates if this event was triggered directly by user (userTriggered: true)\n // or was triggered indirectly (userTriggered: false)\n // Example of `userTriggered` in action:\n // User clicks on radio element (userTriggered: true) which triggers the other radio element to change (userTriggered: false)\n userTriggered?: boolean;\n};\n\nexport type inputCallback = (v: inputValue & { id: number }) => void;\n\nexport const enum MediaInteractions {\n Play,\n Pause,\n Seeked,\n VolumeChange,\n}\n\nexport type mediaInteractionParam = {\n type: MediaInteractions;\n id: number;\n currentTime?: number;\n volume?: number;\n muted?: boolean;\n};\n\nexport type mediaInteractionCallback = (p: mediaInteractionParam) => void;\n\nexport type DocumentDimension = {\n x: number;\n y: number;\n // scale value relative to its parent iframe\n relativeScale: number;\n // scale value relative to the root iframe\n absoluteScale: number;\n};\n\nexport type Mirror = {\n map: idNodeMap;\n getId: (n: INode) => number;\n getNode: (id: number) => INode | null;\n removeNodeFromMap: (n: INode) => void;\n has: (id: number) => boolean;\n reset: () => void;\n};\n\nexport type throttleOptions = {\n leading?: boolean;\n trailing?: boolean;\n};\n\nexport type listenerHandler = () => void;\nexport type hookResetter = () => void;\n\nexport type ReplayPlugin = {\n handler: (\n event: eventWithTime,\n isSync: boolean,\n context: { replayer: Replayer },\n ) => void;\n};\nexport type playerConfig = {\n speed: number;\n maxSpeed: number;\n root: Element;\n loadTimeout: number;\n skipInactive: boolean;\n showWarning: boolean;\n showDebug: boolean;\n blockClass: string;\n liveMode: boolean;\n insertStyleRules: string[];\n triggerFocus: boolean;\n UNSAFE_replayCanvas: boolean;\n pauseAnimation?: boolean;\n mouseTail:\n | boolean\n | {\n duration?: number;\n lineCap?: string;\n lineWidth?: number;\n strokeStyle?: string;\n };\n unpackFn?: UnpackFn;\n plugins?: ReplayPlugin[];\n};\n\nexport type playerMetaData = {\n startTime: number;\n endTime: number;\n totalTime: number;\n};\n\nexport type missingNode = {\n node: Node;\n mutation: addedNodeMutation;\n};\nexport type missingNodeMap = {\n [id: number]: missingNode;\n};\n\nexport type actionWithDelay = {\n doAction: () => void;\n delay: number;\n};\n\nexport type Handler = (event?: unknown) => void;\n\nexport type Emitter = {\n on(type: string, handler: Handler): void;\n emit(type: string, event?: unknown): void;\n off(type: string, handler: Handler): void;\n};\n\nexport type Arguments = T extends (...payload: infer U) => unknown\n ? U\n : unknown;\n\nexport enum ReplayerEvents {\n Start = 'start',\n Pause = 'pause',\n Resume = 'resume',\n Resize = 'resize',\n Finish = 'finish',\n FullsnapshotRebuilded = 'fullsnapshot-rebuilded',\n LoadStylesheetStart = 'load-stylesheet-start',\n LoadStylesheetEnd = 'load-stylesheet-end',\n SkipStart = 'skip-start',\n SkipEnd = 'skip-end',\n MouseInteraction = 'mouse-interaction',\n EventCast = 'event-cast',\n CustomEvent = 'custom-event',\n Flush = 'flush',\n StateChange = 'state-change',\n PlayBack = 'play-back',\n}\n\n// store the state that would be changed during the process(unmount from dom and mount again)\nexport type ElementState = {\n // [scrollLeft,scrollTop]\n scroll?: [number, number];\n};\n\nexport type KeepIframeSrcFn = (src: string) => boolean;\n\ndeclare global {\n interface Window {\n FontFace: typeof FontFace;\n }\n}\n\nexport type IWindow = Window & typeof globalThis;\n\nexport type Optional = Pick, K> & Omit;\n","/**\n * A fork version of https://github.com/iamdustan/smoothscroll\n * Add support of customize target window and document\n */\n\n// @ts-nocheck\n// tslint:disable\nexport function polyfill(w: Window = window, d = document) {\n // return if scroll behavior is supported and polyfill is not forced\n if (\n 'scrollBehavior' in d.documentElement.style &&\n w.__forceSmoothScrollPolyfill__ !== true\n ) {\n return;\n }\n\n // globals\n var Element = w.HTMLElement || w.Element;\n var SCROLL_TIME = 468;\n\n // object gathering original scroll methods\n var original = {\n scroll: w.scroll || w.scrollTo,\n scrollBy: w.scrollBy,\n elementScroll: Element.prototype.scroll || scrollElement,\n scrollIntoView: Element.prototype.scrollIntoView,\n };\n\n // define timing method\n var now =\n w.performance && w.performance.now\n ? w.performance.now.bind(w.performance)\n : Date.now;\n\n /**\n * indicates if a the current browser is made by Microsoft\n * @method isMicrosoftBrowser\n * @param {String} userAgent\n * @returns {Boolean}\n */\n function isMicrosoftBrowser(userAgent) {\n var userAgentPatterns = ['MSIE ', 'Trident/', 'Edge/'];\n\n return new RegExp(userAgentPatterns.join('|')).test(userAgent);\n }\n\n /*\n * IE has rounding bug rounding down clientHeight and clientWidth and\n * rounding up scrollHeight and scrollWidth causing false positives\n * on hasScrollableSpace\n */\n var ROUNDING_TOLERANCE = isMicrosoftBrowser(w.navigator.userAgent) ? 1 : 0;\n\n /**\n * changes scroll position inside an element\n * @method scrollElement\n * @param {Number} x\n * @param {Number} y\n * @returns {undefined}\n */\n function scrollElement(x, y) {\n this.scrollLeft = x;\n this.scrollTop = y;\n }\n\n /**\n * returns result of applying ease math function to a number\n * @method ease\n * @param {Number} k\n * @returns {Number}\n */\n function ease(k) {\n return 0.5 * (1 - Math.cos(Math.PI * k));\n }\n\n /**\n * indicates if a smooth behavior should be applied\n * @method shouldBailOut\n * @param {Number|Object} firstArg\n * @returns {Boolean}\n */\n function shouldBailOut(firstArg) {\n if (\n firstArg === null ||\n typeof firstArg !== 'object' ||\n firstArg.behavior === undefined ||\n firstArg.behavior === 'auto' ||\n firstArg.behavior === 'instant'\n ) {\n // first argument is not an object/null\n // or behavior is auto, instant or undefined\n return true;\n }\n\n if (typeof firstArg === 'object' && firstArg.behavior === 'smooth') {\n // first argument is an object and behavior is smooth\n return false;\n }\n\n // throw error when behavior is not supported\n throw new TypeError(\n 'behavior member of ScrollOptions ' +\n firstArg.behavior +\n ' is not a valid value for enumeration ScrollBehavior.',\n );\n }\n\n /**\n * indicates if an element has scrollable space in the provided axis\n * @method hasScrollableSpace\n * @param {Node} el\n * @param {String} axis\n * @returns {Boolean}\n */\n function hasScrollableSpace(el, axis) {\n if (axis === 'Y') {\n return el.clientHeight + ROUNDING_TOLERANCE < el.scrollHeight;\n }\n\n if (axis === 'X') {\n return el.clientWidth + ROUNDING_TOLERANCE < el.scrollWidth;\n }\n }\n\n /**\n * indicates if an element has a scrollable overflow property in the axis\n * @method canOverflow\n * @param {Node} el\n * @param {String} axis\n * @returns {Boolean}\n */\n function canOverflow(el, axis) {\n var overflowValue = w.getComputedStyle(el, null)['overflow' + axis];\n\n return overflowValue === 'auto' || overflowValue === 'scroll';\n }\n\n /**\n * indicates if an element can be scrolled in either axis\n * @method isScrollable\n * @param {Node} el\n * @param {String} axis\n * @returns {Boolean}\n */\n function isScrollable(el) {\n var isScrollableY = hasScrollableSpace(el, 'Y') && canOverflow(el, 'Y');\n var isScrollableX = hasScrollableSpace(el, 'X') && canOverflow(el, 'X');\n\n return isScrollableY || isScrollableX;\n }\n\n /**\n * finds scrollable parent of an element\n * @method findScrollableParent\n * @param {Node} el\n * @returns {Node} el\n */\n function findScrollableParent(el) {\n while (el !== d.body && isScrollable(el) === false) {\n el = el.parentNode || el.host;\n }\n\n return el;\n }\n\n /**\n * self invoked function that, given a context, steps through scrolling\n * @method step\n * @param {Object} context\n * @returns {undefined}\n */\n function step(context) {\n var time = now();\n var value;\n var currentX;\n var currentY;\n var elapsed = (time - context.startTime) / SCROLL_TIME;\n\n // avoid elapsed times higher than one\n elapsed = elapsed > 1 ? 1 : elapsed;\n\n // apply easing to elapsed time\n value = ease(elapsed);\n\n currentX = context.startX + (context.x - context.startX) * value;\n currentY = context.startY + (context.y - context.startY) * value;\n\n context.method.call(context.scrollable, currentX, currentY);\n\n // scroll more if we have not reached our destination\n if (currentX !== context.x || currentY !== context.y) {\n w.requestAnimationFrame(step.bind(w, context));\n }\n }\n\n /**\n * scrolls window or element with a smooth behavior\n * @method smoothScroll\n * @param {Object|Node} el\n * @param {Number} x\n * @param {Number} y\n * @returns {undefined}\n */\n function smoothScroll(el, x, y) {\n var scrollable;\n var startX;\n var startY;\n var method;\n var startTime = now();\n\n // define scroll context\n if (el === d.body) {\n scrollable = w;\n startX = w.scrollX || w.pageXOffset;\n startY = w.scrollY || w.pageYOffset;\n method = original.scroll;\n } else {\n scrollable = el;\n startX = el.scrollLeft;\n startY = el.scrollTop;\n method = scrollElement;\n }\n\n // scroll looping over a frame\n step({\n scrollable: scrollable,\n method: method,\n startTime: startTime,\n startX: startX,\n startY: startY,\n x: x,\n y: y,\n });\n }\n\n // ORIGINAL METHODS OVERRIDES\n // w.scroll and w.scrollTo\n w.scroll = w.scrollTo = function () {\n // avoid action when no arguments are passed\n if (arguments[0] === undefined) {\n return;\n }\n\n // avoid smooth behavior if not required\n if (shouldBailOut(arguments[0]) === true) {\n original.scroll.call(\n w,\n arguments[0].left !== undefined\n ? arguments[0].left\n : typeof arguments[0] !== 'object'\n ? arguments[0]\n : w.scrollX || w.pageXOffset,\n // use top prop, second argument if present or fallback to scrollY\n arguments[0].top !== undefined\n ? arguments[0].top\n : arguments[1] !== undefined\n ? arguments[1]\n : w.scrollY || w.pageYOffset,\n );\n\n return;\n }\n\n // LET THE SMOOTHNESS BEGIN!\n smoothScroll.call(\n w,\n d.body,\n arguments[0].left !== undefined\n ? ~~arguments[0].left\n : w.scrollX || w.pageXOffset,\n arguments[0].top !== undefined\n ? ~~arguments[0].top\n : w.scrollY || w.pageYOffset,\n );\n };\n\n // w.scrollBy\n w.scrollBy = function () {\n // avoid action when no arguments are passed\n if (arguments[0] === undefined) {\n return;\n }\n\n // avoid smooth behavior if not required\n if (shouldBailOut(arguments[0])) {\n original.scrollBy.call(\n w,\n arguments[0].left !== undefined\n ? arguments[0].left\n : typeof arguments[0] !== 'object'\n ? arguments[0]\n : 0,\n arguments[0].top !== undefined\n ? arguments[0].top\n : arguments[1] !== undefined\n ? arguments[1]\n : 0,\n );\n\n return;\n }\n\n // LET THE SMOOTHNESS BEGIN!\n smoothScroll.call(\n w,\n d.body,\n ~~arguments[0].left + (w.scrollX || w.pageXOffset),\n ~~arguments[0].top + (w.scrollY || w.pageYOffset),\n );\n };\n\n // Element.prototype.scroll and Element.prototype.scrollTo\n Element.prototype.scroll = Element.prototype.scrollTo = function () {\n // avoid action when no arguments are passed\n if (arguments[0] === undefined) {\n return;\n }\n\n // avoid smooth behavior if not required\n if (shouldBailOut(arguments[0]) === true) {\n // if one number is passed, throw error to match Firefox implementation\n if (typeof arguments[0] === 'number' && arguments[1] === undefined) {\n throw new SyntaxError('Value could not be converted');\n }\n\n original.elementScroll.call(\n this,\n // use left prop, first number argument or fallback to scrollLeft\n arguments[0].left !== undefined\n ? ~~arguments[0].left\n : typeof arguments[0] !== 'object'\n ? ~~arguments[0]\n : this.scrollLeft,\n // use top prop, second argument or fallback to scrollTop\n arguments[0].top !== undefined\n ? ~~arguments[0].top\n : arguments[1] !== undefined\n ? ~~arguments[1]\n : this.scrollTop,\n );\n\n return;\n }\n\n var left = arguments[0].left;\n var top = arguments[0].top;\n\n // LET THE SMOOTHNESS BEGIN!\n smoothScroll.call(\n this,\n this,\n typeof left === 'undefined' ? this.scrollLeft : ~~left,\n typeof top === 'undefined' ? this.scrollTop : ~~top,\n );\n };\n\n // Element.prototype.scrollBy\n Element.prototype.scrollBy = function () {\n // avoid action when no arguments are passed\n if (arguments[0] === undefined) {\n return;\n }\n\n // avoid smooth behavior if not required\n if (shouldBailOut(arguments[0]) === true) {\n original.elementScroll.call(\n this,\n arguments[0].left !== undefined\n ? ~~arguments[0].left + this.scrollLeft\n : ~~arguments[0] + this.scrollLeft,\n arguments[0].top !== undefined\n ? ~~arguments[0].top + this.scrollTop\n : ~~arguments[1] + this.scrollTop,\n );\n\n return;\n }\n\n this.scroll({\n left: ~~arguments[0].left + this.scrollLeft,\n top: ~~arguments[0].top + this.scrollTop,\n behavior: arguments[0].behavior,\n });\n };\n\n // Element.prototype.scrollIntoView\n Element.prototype.scrollIntoView = function () {\n // avoid smooth behavior if not required\n if (shouldBailOut(arguments[0]) === true) {\n original.scrollIntoView.call(\n this,\n arguments[0] === undefined ? true : arguments[0],\n );\n\n return;\n }\n\n // LET THE SMOOTHNESS BEGIN!\n var scrollableParent = findScrollableParent(this);\n var parentRects = scrollableParent.getBoundingClientRect();\n var clientRects = this.getBoundingClientRect();\n\n if (scrollableParent !== d.body) {\n // reveal element inside parent\n smoothScroll.call(\n this,\n scrollableParent,\n scrollableParent.scrollLeft + clientRects.left - parentRects.left,\n scrollableParent.scrollTop + clientRects.top - parentRects.top,\n );\n\n // reveal parent in viewport unless is fixed\n if (w.getComputedStyle(scrollableParent).position !== 'fixed') {\n w.scrollBy({\n left: parentRects.left,\n top: parentRects.top,\n behavior: 'smooth',\n });\n }\n } else {\n // reveal element in viewport\n w.scrollBy({\n left: clientRects.left,\n top: clientRects.top,\n behavior: 'smooth',\n });\n }\n };\n}\n","import {\n actionWithDelay,\n eventWithTime,\n EventType,\n IncrementalSource,\n} from '../types';\n\nexport class Timer {\n public timeOffset: number = 0;\n public speed: number;\n\n private actions: actionWithDelay[];\n private raf: number | null = null;\n private liveMode: boolean;\n\n constructor(actions: actionWithDelay[] = [], speed: number) {\n this.actions = actions;\n this.speed = speed;\n }\n /**\n * Add an action after the timer starts.\n * @param action\n */\n public addAction(action: actionWithDelay) {\n const index = this.findActionIndex(action);\n this.actions.splice(index, 0, action);\n }\n /**\n * Add all actions before the timer starts\n * @param actions\n */\n public addActions(actions: actionWithDelay[]) {\n this.actions = this.actions.concat(actions);\n }\n\n public start() {\n this.timeOffset = 0;\n let lastTimestamp = performance.now();\n const { actions } = this;\n const self = this;\n function check() {\n const time = performance.now();\n self.timeOffset += (time - lastTimestamp) * self.speed;\n lastTimestamp = time;\n while (actions.length) {\n const action = actions[0];\n\n if (self.timeOffset >= action.delay) {\n actions.shift();\n action.doAction();\n } else {\n break;\n }\n }\n if (actions.length > 0 || self.liveMode) {\n self.raf = requestAnimationFrame(check);\n }\n }\n this.raf = requestAnimationFrame(check);\n }\n\n public clear() {\n if (this.raf) {\n cancelAnimationFrame(this.raf);\n this.raf = null;\n }\n this.actions.length = 0;\n }\n\n public setSpeed(speed: number) {\n this.speed = speed;\n }\n\n public toggleLiveMode(mode: boolean) {\n this.liveMode = mode;\n }\n\n public isActive() {\n return this.raf !== null;\n }\n\n private findActionIndex(action: actionWithDelay): number {\n let start = 0;\n let end = this.actions.length - 1;\n while (start <= end) {\n let mid = Math.floor((start + end) / 2);\n if (this.actions[mid].delay < action.delay) {\n start = mid + 1;\n } else if (this.actions[mid].delay > action.delay) {\n end = mid - 1;\n } else {\n // already an action with same delay (timestamp)\n // the plus one will splice the new one after the existing one\n return mid + 1;\n }\n }\n return start;\n }\n}\n\n// TODO: add speed to mouse move timestamp calculation\nexport function addDelay(event: eventWithTime, baselineTime: number): number {\n // Mouse move events was recorded in a throttle function,\n // so we need to find the real timestamp by traverse the time offsets.\n if (\n event.type === EventType.IncrementalSnapshot &&\n event.data.source === IncrementalSource.MouseMove\n ) {\n const firstOffset = event.data.positions[0].timeOffset;\n // timeOffset is a negative offset to event.timestamp\n const firstTimestamp = event.timestamp + firstOffset;\n event.delay = firstTimestamp - baselineTime;\n return firstTimestamp - baselineTime;\n }\n\n event.delay = event.timestamp - baselineTime;\n return event.delay;\n}\n","/*! *****************************************************************************\nCopyright (c) Microsoft Corporation.\n\nPermission to use, copy, modify, and/or distribute this software for any\npurpose with or without fee is hereby granted.\n\nTHE SOFTWARE IS PROVIDED \"AS IS\" AND THE AUTHOR DISCLAIMS ALL WARRANTIES WITH\nREGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF MERCHANTABILITY\nAND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR ANY SPECIAL, DIRECT,\nINDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES WHATSOEVER RESULTING FROM\nLOSS OF USE, DATA OR PROFITS, WHETHER IN AN ACTION OF CONTRACT, NEGLIGENCE OR\nOTHER TORTIOUS ACTION, ARISING OUT OF OR IN CONNECTION WITH THE USE OR\nPERFORMANCE OF THIS SOFTWARE.\n***************************************************************************** */\nfunction t(t,n){var e=\"function\"==typeof Symbol&&t[Symbol.iterator];if(!e)return t;var r,o,i=e.call(t),a=[];try{for(;(void 0===n||n-- >0)&&!(r=i.next()).done;)a.push(r.value)}catch(t){o={error:t}}finally{try{r&&!r.done&&(e=i.return)&&e.call(i)}finally{if(o)throw o.error}}return a}var n;!function(t){t[t.NotStarted=0]=\"NotStarted\",t[t.Running=1]=\"Running\",t[t.Stopped=2]=\"Stopped\"}(n||(n={}));var e={type:\"xstate.init\"};function r(t){return void 0===t?[]:[].concat(t)}function o(t){return{type:\"xstate.assign\",assignment:t}}function i(t,n){return\"string\"==typeof(t=\"string\"==typeof t&&n&&n[t]?n[t]:t)?{type:t}:\"function\"==typeof t?{type:t.name,exec:t}:t}function a(t){return function(n){return t===n}}function u(t){return\"string\"==typeof t?{type:t}:t}function c(t,n){return{value:t,context:n,actions:[],changed:!1,matches:a(t)}}function f(t,n,e){var r=n,o=!1;return[t.filter((function(t){if(\"xstate.assign\"===t.type){o=!0;var n=Object.assign({},r);return\"function\"==typeof t.assignment?n=t.assignment(r,e):Object.keys(t.assignment).forEach((function(o){n[o]=\"function\"==typeof t.assignment[o]?t.assignment[o](r,e):t.assignment[o]})),r=n,!1}return!0})),r,o]}function s(n,o){void 0===o&&(o={});var s=t(f(r(n.states[n.initial].entry).map((function(t){return i(t,o.actions)})),n.context,e),2),l=s[0],v=s[1],y={config:n,_options:o,initialState:{value:n.initial,actions:l,context:v,matches:a(n.initial)},transition:function(e,o){var s,l,v=\"string\"==typeof e?{value:e,context:n.context}:e,p=v.value,g=v.context,d=u(o),x=n.states[p];if(x.on){var m=r(x.on[d.type]);try{for(var h=function(t){var n=\"function\"==typeof Symbol&&Symbol.iterator,e=n&&t[n],r=0;if(e)return e.call(t);if(t&&\"number\"==typeof t.length)return{next:function(){return t&&r>=t.length&&(t=void 0),{value:t&&t[r++],done:!t}}};throw new TypeError(n?\"Object is not iterable.\":\"Symbol.iterator is not defined.\")}(m),b=h.next();!b.done;b=h.next()){var S=b.value;if(void 0===S)return c(p,g);var w=\"string\"==typeof S?{target:S}:S,j=w.target,E=w.actions,R=void 0===E?[]:E,N=w.cond,O=void 0===N?function(){return!0}:N,_=void 0===j,k=null!=j?j:p,T=n.states[k];if(O(g,d)){var q=t(f((_?r(R):[].concat(x.exit,R,T.entry).filter((function(t){return t}))).map((function(t){return i(t,y._options.actions)})),g,d),3),z=q[0],A=q[1],B=q[2],C=null!=j?j:p;return{value:C,context:A,actions:z,changed:j!==p||z.length>0||B,matches:a(C)}}}}catch(t){s={error:t}}finally{try{b&&!b.done&&(l=h.return)&&l.call(h)}finally{if(s)throw s.error}}}return c(p,g)}};return y}var l=function(t,n){return t.actions.forEach((function(e){var r=e.exec;return r&&r(t.context,n)}))};function v(t){var r=t.initialState,o=n.NotStarted,i=new Set,c={_machine:t,send:function(e){o===n.Running&&(r=t.transition(r,e),l(r,u(e)),i.forEach((function(t){return t(r)})))},subscribe:function(t){return i.add(t),t(r),{unsubscribe:function(){return i.delete(t)}}},start:function(i){if(i){var u=\"object\"==typeof i?i:{context:t.config.context,value:i};r={value:u.value,actions:[],context:u.context,matches:a(u.value)}}return o=n.Running,l(r,e),c},stop:function(){return o=n.Stopped,i.clear(),c},get state(){return r},get status(){return o}};return c}export{n as InterpreterStatus,o as assign,s as createMachine,v as interpret};\n","import { createMachine, interpret, assign, StateMachine } from '@xstate/fsm';\nimport {\n playerConfig,\n eventWithTime,\n actionWithDelay,\n ReplayerEvents,\n EventType,\n Emitter,\n IncrementalSource,\n} from '../types';\nimport { Timer, addDelay } from './timer';\n\nexport type PlayerContext = {\n events: eventWithTime[];\n timer: Timer;\n timeOffset: number;\n baselineTime: number;\n lastPlayedEvent: eventWithTime | null;\n};\nexport type PlayerEvent =\n | {\n type: 'PLAY';\n payload: {\n timeOffset: number;\n };\n }\n | {\n type: 'CAST_EVENT';\n payload: {\n event: eventWithTime;\n };\n }\n | { type: 'PAUSE' }\n | { type: 'TO_LIVE'; payload: { baselineTime?: number } }\n | {\n type: 'ADD_EVENT';\n payload: {\n event: eventWithTime;\n };\n }\n | {\n type: 'END';\n };\nexport type PlayerState =\n | {\n value: 'playing';\n context: PlayerContext;\n }\n | {\n value: 'paused';\n context: PlayerContext;\n }\n | {\n value: 'live';\n context: PlayerContext;\n };\n\n/**\n * If the array have multiple meta and fullsnapshot events,\n * return the events from last meta to the end.\n */\nexport function discardPriorSnapshots(\n events: eventWithTime[],\n baselineTime: number,\n): eventWithTime[] {\n for (let idx = events.length - 1; idx >= 0; idx--) {\n const event = events[idx];\n if (event.type === EventType.Meta) {\n if (event.timestamp <= baselineTime) {\n return events.slice(idx);\n }\n }\n }\n return events;\n}\n\ntype PlayerAssets = {\n emitter: Emitter;\n applyEventsSynchronously(events: Array): void;\n getCastFn(event: eventWithTime, isSync: boolean): () => void;\n};\nexport function createPlayerService(\n context: PlayerContext,\n { getCastFn, applyEventsSynchronously, emitter }: PlayerAssets,\n) {\n const playerMachine = createMachine(\n {\n id: 'player',\n context,\n initial: 'paused',\n states: {\n playing: {\n on: {\n PAUSE: {\n target: 'paused',\n actions: ['pause'],\n },\n CAST_EVENT: {\n target: 'playing',\n actions: 'castEvent',\n },\n END: {\n target: 'paused',\n actions: ['resetLastPlayedEvent', 'pause'],\n },\n ADD_EVENT: {\n target: 'playing',\n actions: ['addEvent'],\n },\n },\n },\n paused: {\n on: {\n PLAY: {\n target: 'playing',\n actions: ['recordTimeOffset', 'play'],\n },\n CAST_EVENT: {\n target: 'paused',\n actions: 'castEvent',\n },\n TO_LIVE: {\n target: 'live',\n actions: ['startLive'],\n },\n ADD_EVENT: {\n target: 'paused',\n actions: ['addEvent'],\n },\n },\n },\n live: {\n on: {\n ADD_EVENT: {\n target: 'live',\n actions: ['addEvent'],\n },\n CAST_EVENT: {\n target: 'live',\n actions: ['castEvent'],\n },\n },\n },\n },\n },\n {\n actions: {\n castEvent: assign({\n lastPlayedEvent: (ctx, event) => {\n if (event.type === 'CAST_EVENT') {\n return event.payload.event;\n }\n return ctx.lastPlayedEvent;\n },\n }),\n recordTimeOffset: assign((ctx, event) => {\n let timeOffset = ctx.timeOffset;\n if ('payload' in event && 'timeOffset' in event.payload) {\n timeOffset = event.payload.timeOffset;\n }\n return {\n ...ctx,\n timeOffset,\n baselineTime: ctx.events[0].timestamp + timeOffset,\n };\n }),\n play(ctx) {\n const { timer, events, baselineTime, lastPlayedEvent } = ctx;\n timer.clear();\n\n for (const event of events) {\n // TODO: improve this API\n addDelay(event, baselineTime);\n }\n const neededEvents = discardPriorSnapshots(events, baselineTime);\n\n let lastPlayedTimestamp = lastPlayedEvent?.timestamp;\n if (\n lastPlayedEvent?.type === EventType.IncrementalSnapshot &&\n lastPlayedEvent.data.source === IncrementalSource.MouseMove\n ) {\n lastPlayedTimestamp =\n lastPlayedEvent.timestamp +\n lastPlayedEvent.data.positions[0]?.timeOffset;\n }\n if (baselineTime < (lastPlayedTimestamp || 0)) {\n emitter.emit(ReplayerEvents.PlayBack);\n }\n\n const syncEvents = new Array();\n const actions = new Array();\n for (const event of neededEvents) {\n if (\n lastPlayedTimestamp &&\n lastPlayedTimestamp < baselineTime &&\n (event.timestamp <= lastPlayedTimestamp ||\n event === lastPlayedEvent)\n ) {\n continue;\n }\n if (event.timestamp < baselineTime) {\n syncEvents.push(event);\n } else {\n const castFn = getCastFn(event, false);\n actions.push({\n doAction: () => {\n castFn();\n },\n delay: event.delay!,\n });\n }\n }\n applyEventsSynchronously(syncEvents);\n emitter.emit(ReplayerEvents.Flush);\n timer.addActions(actions);\n timer.start();\n },\n pause(ctx) {\n ctx.timer.clear();\n },\n resetLastPlayedEvent: assign((ctx) => {\n return {\n ...ctx,\n lastPlayedEvent: null,\n };\n }),\n startLive: assign({\n baselineTime: (ctx, event) => {\n ctx.timer.toggleLiveMode(true);\n ctx.timer.start();\n if (event.type === 'TO_LIVE' && event.payload.baselineTime) {\n return event.payload.baselineTime;\n }\n return Date.now();\n },\n }),\n addEvent: assign((ctx, machineEvent) => {\n const { baselineTime, timer, events } = ctx;\n if (machineEvent.type === 'ADD_EVENT') {\n const { event } = machineEvent.payload;\n addDelay(event, baselineTime);\n\n let end = events.length - 1;\n if (!events[end] || events[end].timestamp <= event.timestamp) {\n // fast track\n events.push(event);\n } else {\n let insertionIndex = -1;\n let start = 0;\n while (start <= end) {\n let mid = Math.floor((start + end) / 2);\n if (events[mid].timestamp <= event.timestamp) {\n start = mid + 1;\n } else {\n end = mid - 1;\n }\n }\n if (insertionIndex === -1) {\n insertionIndex = start;\n }\n events.splice(insertionIndex, 0, event);\n }\n\n const isSync = event.timestamp < baselineTime;\n const castFn = getCastFn(event, isSync);\n if (isSync) {\n castFn();\n } else if (timer.isActive()) {\n timer.addAction({\n doAction: () => {\n castFn();\n },\n delay: event.delay!,\n });\n }\n }\n return { ...ctx, events };\n }),\n },\n },\n );\n return interpret(playerMachine);\n}\n\nexport type SpeedContext = {\n normalSpeed: playerConfig['speed'];\n timer: Timer;\n};\n\nexport type SpeedEvent =\n | {\n type: 'FAST_FORWARD';\n payload: { speed: playerConfig['speed'] };\n }\n | {\n type: 'BACK_TO_NORMAL';\n }\n | {\n type: 'SET_SPEED';\n payload: { speed: playerConfig['speed'] };\n };\n\nexport type SpeedState =\n | {\n value: 'normal';\n context: SpeedContext;\n }\n | {\n value: 'skipping';\n context: SpeedContext;\n };\n\nexport function createSpeedService(context: SpeedContext) {\n const speedMachine = createMachine(\n {\n id: 'speed',\n context,\n initial: 'normal',\n states: {\n normal: {\n on: {\n FAST_FORWARD: {\n target: 'skipping',\n actions: ['recordSpeed', 'setSpeed'],\n },\n SET_SPEED: {\n target: 'normal',\n actions: ['setSpeed'],\n },\n },\n },\n skipping: {\n on: {\n BACK_TO_NORMAL: {\n target: 'normal',\n actions: ['restoreSpeed'],\n },\n SET_SPEED: {\n target: 'normal',\n actions: ['setSpeed'],\n },\n },\n },\n },\n },\n {\n actions: {\n setSpeed: (ctx, event) => {\n if ('payload' in event) {\n ctx.timer.setSpeed(event.payload.speed);\n }\n },\n recordSpeed: assign({\n normalSpeed: (ctx) => ctx.timer.speed,\n }),\n restoreSpeed: (ctx) => {\n ctx.timer.setSpeed(ctx.normalSpeed);\n },\n },\n },\n );\n\n return interpret(speedMachine);\n}\n\nexport type PlayerMachineState = StateMachine.State<\n PlayerContext,\n PlayerEvent,\n PlayerState\n>;\n\nexport type SpeedMachineState = StateMachine.State<\n SpeedContext,\n SpeedEvent,\n SpeedState\n>;\n","import {\n Mirror,\n throttleOptions,\n listenerHandler,\n hookResetter,\n blockClass,\n IncrementalSource,\n addedNodeMutation,\n removedNodeMutation,\n textMutation,\n attributeMutation,\n mutationData,\n scrollData,\n inputData,\n DocumentDimension,\n IWindow,\n} from './types';\nimport {\n INode,\n IGNORED_NODE,\n serializedNodeWithId,\n NodeType,\n isShadowRoot,\n} from 'rrweb-snapshot';\n\nexport function on(\n type: string,\n fn: EventListenerOrEventListenerObject,\n target: Document | IWindow = document,\n): listenerHandler {\n const options = { capture: true, passive: true };\n target.addEventListener(type, fn, options);\n return () => target.removeEventListener(type, fn, options);\n}\n\nexport function createMirror(): Mirror {\n return {\n map: {},\n getId(n) {\n // if n is not a serialized INode, use -1 as its id.\n if (!n || !n.__sn) {\n return -1;\n }\n return n.__sn.id;\n },\n getNode(id) {\n return this.map[id] || null;\n },\n // TODO: use a weakmap to get rid of manually memory management\n removeNodeFromMap(n) {\n const id = n.__sn && n.__sn.id;\n delete this.map[id];\n if (n.childNodes) {\n n.childNodes.forEach((child) =>\n this.removeNodeFromMap((child as Node) as INode),\n );\n }\n },\n has(id) {\n return this.map.hasOwnProperty(id);\n },\n reset() {\n this.map = {};\n },\n };\n}\n\n// https://github.com/rrweb-io/rrweb/pull/407\nconst DEPARTED_MIRROR_ACCESS_WARNING =\n 'Please stop import mirror directly. Instead of that,' +\n '\\r\\n' +\n 'now you can use replayer.getMirror() to access the mirror instance of a replayer,' +\n '\\r\\n' +\n 'or you can use record.mirror to access the mirror instance during recording.';\nexport let _mirror: Mirror = {\n map: {},\n getId() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n return -1;\n },\n getNode() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n return null;\n },\n removeNodeFromMap() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n },\n has() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n return false;\n },\n reset() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n },\n};\nif (typeof window !== 'undefined' && window.Proxy && window.Reflect) {\n _mirror = new Proxy(_mirror, {\n get(target, prop, receiver) {\n if (prop === 'map') {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n }\n return Reflect.get(target, prop, receiver);\n },\n });\n}\n\n// copy from underscore and modified\nexport function throttle(\n func: (arg: T) => void,\n wait: number,\n options: throttleOptions = {},\n) {\n let timeout: ReturnType | null = null;\n let previous = 0;\n // tslint:disable-next-line: only-arrow-functions\n return function (arg: T) {\n let now = Date.now();\n if (!previous && options.leading === false) {\n previous = now;\n }\n let remaining = wait - (now - previous);\n let context = this;\n let args = arguments;\n if (remaining <= 0 || remaining > wait) {\n if (timeout) {\n clearTimeout(timeout);\n timeout = null;\n }\n previous = now;\n func.apply(context, args);\n } else if (!timeout && options.trailing !== false) {\n timeout = setTimeout(() => {\n previous = options.leading === false ? 0 : Date.now();\n timeout = null;\n func.apply(context, args);\n }, remaining);\n }\n };\n}\n\nexport function hookSetter(\n target: T,\n key: string | number | symbol,\n d: PropertyDescriptor,\n isRevoked?: boolean,\n win = window,\n): hookResetter {\n const original = win.Object.getOwnPropertyDescriptor(target, key);\n win.Object.defineProperty(\n target,\n key,\n isRevoked\n ? d\n : {\n set(value) {\n // put hooked setter into event loop to avoid of set latency\n setTimeout(() => {\n d.set!.call(this, value);\n }, 0);\n if (original && original.set) {\n original.set.call(this, value);\n }\n },\n },\n );\n return () => hookSetter(target, key, original || {}, true);\n}\n\n// copy from https://github.com/getsentry/sentry-javascript/blob/b2109071975af8bf0316d3b5b38f519bdaf5dc15/packages/utils/src/object.ts\nexport function patch(\n // tslint:disable-next-line:no-any\n source: { [key: string]: any },\n name: string,\n // tslint:disable-next-line:no-any\n replacement: (...args: any[]) => any,\n): () => void {\n try {\n if (!(name in source)) {\n return () => {};\n }\n\n const original = source[name] as () => unknown;\n const wrapped = replacement(original);\n\n // Make sure it's a function first, as we need to attach an empty prototype for `defineProperties` to work\n // otherwise it'll throw \"TypeError: Object.defineProperties called on non-object\"\n // tslint:disable-next-line:strict-type-predicates\n if (typeof wrapped === 'function') {\n wrapped.prototype = wrapped.prototype || {};\n Object.defineProperties(wrapped, {\n __rrweb_original__: {\n enumerable: false,\n value: original,\n },\n });\n }\n\n source[name] = wrapped;\n\n return () => {\n source[name] = original;\n };\n } catch {\n return () => {};\n // This can throw if multiple fill happens on a global object like XMLHttpRequest\n // Fixes https://github.com/getsentry/sentry-javascript/issues/2043\n }\n}\n\nexport function getWindowHeight(): number {\n return (\n window.innerHeight ||\n (document.documentElement && document.documentElement.clientHeight) ||\n (document.body && document.body.clientHeight)\n );\n}\n\nexport function getWindowWidth(): number {\n return (\n window.innerWidth ||\n (document.documentElement && document.documentElement.clientWidth) ||\n (document.body && document.body.clientWidth)\n );\n}\n\nexport function isBlocked(node: Node | null, blockClass: blockClass): boolean {\n if (!node) {\n return false;\n }\n if (node.nodeType === node.ELEMENT_NODE) {\n let needBlock = false;\n if (typeof blockClass === 'string') {\n if ((node as HTMLElement).closest !== undefined) {\n return (node as HTMLElement).closest('.' + blockClass) !== null;\n } else {\n needBlock = (node as HTMLElement).classList.contains(blockClass);\n }\n } else {\n (node as HTMLElement).classList.forEach((className) => {\n if (blockClass.test(className)) {\n needBlock = true;\n }\n });\n }\n return needBlock || isBlocked(node.parentNode, blockClass);\n }\n if (node.nodeType === node.TEXT_NODE) {\n // check parent node since text node do not have class name\n return isBlocked(node.parentNode, blockClass);\n }\n return isBlocked(node.parentNode, blockClass);\n}\n\nexport function isIgnored(n: Node | INode): boolean {\n if ('__sn' in n) {\n return (n as INode).__sn.id === IGNORED_NODE;\n }\n // The main part of the slimDOM check happens in\n // rrweb-snapshot::serializeNodeWithId\n return false;\n}\n\nexport function isAncestorRemoved(target: INode, mirror: Mirror): boolean {\n if (isShadowRoot(target)) {\n return false;\n }\n const id = mirror.getId(target);\n if (!mirror.has(id)) {\n return true;\n }\n if (\n target.parentNode &&\n target.parentNode.nodeType === target.DOCUMENT_NODE\n ) {\n return false;\n }\n // if the root is not document, it means the node is not in the DOM tree anymore\n if (!target.parentNode) {\n return true;\n }\n return isAncestorRemoved((target.parentNode as unknown) as INode, mirror);\n}\n\nexport function isTouchEvent(\n event: MouseEvent | TouchEvent,\n): event is TouchEvent {\n return Boolean((event as TouchEvent).changedTouches);\n}\n\nexport function polyfill(win = window) {\n if ('NodeList' in win && !win.NodeList.prototype.forEach) {\n win.NodeList.prototype.forEach = (Array.prototype\n .forEach as unknown) as NodeList['forEach'];\n }\n\n if ('DOMTokenList' in win && !win.DOMTokenList.prototype.forEach) {\n win.DOMTokenList.prototype.forEach = (Array.prototype\n .forEach as unknown) as DOMTokenList['forEach'];\n }\n\n // https://github.com/Financial-Times/polyfill-service/pull/183\n if (!Node.prototype.contains) {\n Node.prototype.contains = function contains(node) {\n if (!(0 in arguments)) {\n throw new TypeError('1 argument is required');\n }\n\n do {\n if (this === node) {\n return true;\n }\n // tslint:disable-next-line: no-conditional-assignment\n } while ((node = node && node.parentNode));\n\n return false;\n };\n }\n}\n\nexport type TreeNode = {\n id: number;\n mutation: addedNodeMutation;\n parent?: TreeNode;\n children: Record;\n texts: textMutation[];\n attributes: attributeMutation[];\n};\nexport class TreeIndex {\n public tree!: Record;\n\n private removeNodeMutations!: removedNodeMutation[];\n private textMutations!: textMutation[];\n private attributeMutations!: attributeMutation[];\n private indexes!: Map;\n private removeIdSet!: Set;\n private scrollMap!: Map;\n private inputMap!: Map;\n\n constructor() {\n this.reset();\n }\n\n public add(mutation: addedNodeMutation) {\n const parentTreeNode = this.indexes.get(mutation.parentId);\n const treeNode: TreeNode = {\n id: mutation.node.id,\n mutation,\n children: [],\n texts: [],\n attributes: [],\n };\n if (!parentTreeNode) {\n this.tree[treeNode.id] = treeNode;\n } else {\n treeNode.parent = parentTreeNode;\n parentTreeNode.children[treeNode.id] = treeNode;\n }\n this.indexes.set(treeNode.id, treeNode);\n }\n\n public remove(mutation: removedNodeMutation, mirror: Mirror) {\n const parentTreeNode = this.indexes.get(mutation.parentId);\n const treeNode = this.indexes.get(mutation.id);\n\n const deepRemoveFromMirror = (id: number) => {\n this.removeIdSet.add(id);\n const node = mirror.getNode(id);\n node?.childNodes.forEach((childNode) => {\n if ('__sn' in childNode) {\n deepRemoveFromMirror(((childNode as unknown) as INode).__sn.id);\n }\n });\n };\n const deepRemoveFromTreeIndex = (node: TreeNode) => {\n this.removeIdSet.add(node.id);\n Object.values(node.children).forEach((n) => deepRemoveFromTreeIndex(n));\n const _treeNode = this.indexes.get(node.id);\n if (_treeNode) {\n const _parentTreeNode = _treeNode.parent;\n if (_parentTreeNode) {\n delete _treeNode.parent;\n delete _parentTreeNode.children[_treeNode.id];\n this.indexes.delete(mutation.id);\n }\n }\n };\n\n if (!treeNode) {\n this.removeNodeMutations.push(mutation);\n deepRemoveFromMirror(mutation.id);\n } else if (!parentTreeNode) {\n delete this.tree[treeNode.id];\n this.indexes.delete(treeNode.id);\n deepRemoveFromTreeIndex(treeNode);\n } else {\n delete treeNode.parent;\n delete parentTreeNode.children[treeNode.id];\n this.indexes.delete(mutation.id);\n deepRemoveFromTreeIndex(treeNode);\n }\n }\n\n public text(mutation: textMutation) {\n const treeNode = this.indexes.get(mutation.id);\n if (treeNode) {\n treeNode.texts.push(mutation);\n } else {\n this.textMutations.push(mutation);\n }\n }\n\n public attribute(mutation: attributeMutation) {\n const treeNode = this.indexes.get(mutation.id);\n if (treeNode) {\n treeNode.attributes.push(mutation);\n } else {\n this.attributeMutations.push(mutation);\n }\n }\n\n public scroll(d: scrollData) {\n this.scrollMap.set(d.id, d);\n }\n\n public input(d: inputData) {\n this.inputMap.set(d.id, d);\n }\n\n public flush(): {\n mutationData: mutationData;\n scrollMap: TreeIndex['scrollMap'];\n inputMap: TreeIndex['inputMap'];\n } {\n const {\n tree,\n removeNodeMutations,\n textMutations,\n attributeMutations,\n } = this;\n\n const batchMutationData: mutationData = {\n source: IncrementalSource.Mutation,\n removes: removeNodeMutations,\n texts: textMutations,\n attributes: attributeMutations,\n adds: [],\n };\n\n const walk = (treeNode: TreeNode, removed: boolean) => {\n if (removed) {\n this.removeIdSet.add(treeNode.id);\n }\n batchMutationData.texts = batchMutationData.texts\n .concat(removed ? [] : treeNode.texts)\n .filter((m) => !this.removeIdSet.has(m.id));\n batchMutationData.attributes = batchMutationData.attributes\n .concat(removed ? [] : treeNode.attributes)\n .filter((m) => !this.removeIdSet.has(m.id));\n if (\n !this.removeIdSet.has(treeNode.id) &&\n !this.removeIdSet.has(treeNode.mutation.parentId) &&\n !removed\n ) {\n batchMutationData.adds.push(treeNode.mutation);\n if (treeNode.children) {\n Object.values(treeNode.children).forEach((n) => walk(n, false));\n }\n } else {\n Object.values(treeNode.children).forEach((n) => walk(n, true));\n }\n };\n\n Object.values(tree).forEach((n) => walk(n, false));\n\n for (const id of this.scrollMap.keys()) {\n if (this.removeIdSet.has(id)) {\n this.scrollMap.delete(id);\n }\n }\n for (const id of this.inputMap.keys()) {\n if (this.removeIdSet.has(id)) {\n this.inputMap.delete(id);\n }\n }\n\n const scrollMap = new Map(this.scrollMap);\n const inputMap = new Map(this.inputMap);\n\n this.reset();\n\n return {\n mutationData: batchMutationData,\n scrollMap,\n inputMap,\n };\n }\n\n private reset() {\n this.tree = [];\n this.indexes = new Map();\n this.removeNodeMutations = [];\n this.textMutations = [];\n this.attributeMutations = [];\n this.removeIdSet = new Set();\n this.scrollMap = new Map();\n this.inputMap = new Map();\n }\n\n public idRemoved(id: number): boolean {\n return this.removeIdSet.has(id);\n }\n}\n\ntype ResolveTree = {\n value: addedNodeMutation;\n children: ResolveTree[];\n parent: ResolveTree | null;\n};\n\nexport function queueToResolveTrees(queue: addedNodeMutation[]): ResolveTree[] {\n const queueNodeMap: Record = {};\n const putIntoMap = (\n m: addedNodeMutation,\n parent: ResolveTree | null,\n ): ResolveTree => {\n const nodeInTree: ResolveTree = {\n value: m,\n parent,\n children: [],\n };\n queueNodeMap[m.node.id] = nodeInTree;\n return nodeInTree;\n };\n\n const queueNodeTrees: ResolveTree[] = [];\n for (const mutation of queue) {\n const { nextId, parentId } = mutation;\n if (nextId && nextId in queueNodeMap) {\n const nextInTree = queueNodeMap[nextId];\n if (nextInTree.parent) {\n const idx = nextInTree.parent.children.indexOf(nextInTree);\n nextInTree.parent.children.splice(\n idx,\n 0,\n putIntoMap(mutation, nextInTree.parent),\n );\n } else {\n const idx = queueNodeTrees.indexOf(nextInTree);\n queueNodeTrees.splice(idx, 0, putIntoMap(mutation, null));\n }\n continue;\n }\n if (parentId in queueNodeMap) {\n const parentInTree = queueNodeMap[parentId];\n parentInTree.children.push(putIntoMap(mutation, parentInTree));\n continue;\n }\n queueNodeTrees.push(putIntoMap(mutation, null));\n }\n\n return queueNodeTrees;\n}\n\nexport function iterateResolveTree(\n tree: ResolveTree,\n cb: (mutation: addedNodeMutation) => unknown,\n) {\n cb(tree.value);\n /**\n * The resolve tree was designed to reflect the DOM layout,\n * but we need append next sibling first, so we do a reverse\n * loop here.\n */\n for (let i = tree.children.length - 1; i >= 0; i--) {\n iterateResolveTree(tree.children[i], cb);\n }\n}\n\ntype HTMLIFrameINode = HTMLIFrameElement & {\n __sn: serializedNodeWithId;\n};\nexport type AppendedIframe = {\n mutationInQueue: addedNodeMutation;\n builtNode: HTMLIFrameINode;\n};\n\nexport function isIframeINode(\n node: INode | ShadowRoot,\n): node is HTMLIFrameINode {\n if ('__sn' in node) {\n return (\n node.__sn.type === NodeType.Element && node.__sn.tagName === 'iframe'\n );\n }\n // node can be document fragment when using the virtual parent feature\n return false;\n}\n\nexport function getBaseDimension(\n node: Node,\n rootIframe: Node,\n): DocumentDimension {\n const frameElement = node.ownerDocument?.defaultView?.frameElement;\n if (!frameElement || frameElement === rootIframe) {\n return {\n x: 0,\n y: 0,\n relativeScale: 1,\n absoluteScale: 1,\n };\n }\n\n const frameDimension = frameElement.getBoundingClientRect();\n const frameBaseDimension = getBaseDimension(frameElement, rootIframe);\n // the iframe element may have a scale transform\n const relativeScale = frameDimension.height / frameElement.clientHeight;\n return {\n x:\n frameDimension.x * frameBaseDimension.relativeScale +\n frameBaseDimension.x,\n y:\n frameDimension.y * frameBaseDimension.relativeScale +\n frameBaseDimension.y,\n relativeScale,\n absoluteScale: frameBaseDimension.absoluteScale * relativeScale,\n };\n}\n\nexport function hasShadowRoot(\n n: T,\n): n is T & { shadowRoot: ShadowRoot } {\n return Boolean(((n as unknown) as Element)?.shadowRoot);\n}\n","const rules: (blockClass: string) => string[] = (blockClass: string) => [\n `.${blockClass} { background: currentColor }`,\n 'noscript { display: none !important; }',\n];\n\nexport default rules;\n","import { INode } from 'rrweb-snapshot';\n\nexport enum StyleRuleType {\n Insert,\n Remove,\n Snapshot,\n SetProperty,\n RemoveProperty,\n}\n\ntype InsertRule = {\n cssText: string;\n type: StyleRuleType.Insert;\n index?: number | number[];\n};\ntype RemoveRule = {\n type: StyleRuleType.Remove;\n index: number | number[];\n};\ntype SnapshotRule = {\n type: StyleRuleType.Snapshot;\n cssTexts: string[];\n};\ntype SetPropertyRule = {\n type: StyleRuleType.SetProperty;\n index: number[];\n property: string;\n value: string | null;\n priority: string | undefined;\n};\ntype RemovePropertyRule = {\n type: StyleRuleType.RemoveProperty;\n index: number[];\n property: string;\n};\n\nexport type VirtualStyleRules = Array<\n InsertRule | RemoveRule | SnapshotRule | SetPropertyRule | RemovePropertyRule\n>;\nexport type VirtualStyleRulesMap = Map;\n\nexport function getNestedRule(\n rules: CSSRuleList,\n position: number[],\n): CSSGroupingRule {\n const rule = rules[position[0]] as CSSGroupingRule;\n if (position.length === 1) {\n return rule;\n } else {\n return getNestedRule(\n ((rule as CSSGroupingRule).cssRules[position[1]] as CSSGroupingRule)\n .cssRules,\n position.slice(2),\n );\n }\n}\n\nexport function getPositionsAndIndex(nestedIndex: number[]) {\n const positions = [...nestedIndex];\n const index = positions.pop();\n return { positions, index };\n}\n\nexport function applyVirtualStyleRulesToNode(\n storedRules: VirtualStyleRules,\n styleNode: HTMLStyleElement,\n) {\n const { sheet } = styleNode;\n if (!sheet) {\n // styleNode without sheet means the DOM has been removed\n // so the rules no longer need to be applied\n return;\n }\n\n storedRules.forEach((rule) => {\n if (rule.type === StyleRuleType.Insert) {\n try {\n if (Array.isArray(rule.index)) {\n const { positions, index } = getPositionsAndIndex(rule.index);\n const nestedRule = getNestedRule(sheet.cssRules, positions);\n nestedRule.insertRule(rule.cssText, index);\n } else {\n sheet.insertRule(rule.cssText, rule.index);\n }\n } catch (e) {\n /**\n * sometimes we may capture rules with browser prefix\n * insert rule with prefixs in other browsers may cause Error\n */\n }\n } else if (rule.type === StyleRuleType.Remove) {\n try {\n if (Array.isArray(rule.index)) {\n const { positions, index } = getPositionsAndIndex(rule.index);\n const nestedRule = getNestedRule(sheet.cssRules, positions);\n nestedRule.deleteRule(index || 0);\n } else {\n sheet.deleteRule(rule.index);\n }\n } catch (e) {\n /**\n * accessing styleSheet rules may cause SecurityError\n * for specific access control settings\n */\n }\n } else if (rule.type === StyleRuleType.Snapshot) {\n restoreSnapshotOfStyleRulesToNode(rule.cssTexts, styleNode);\n } else if (rule.type === StyleRuleType.SetProperty) {\n const nativeRule = (getNestedRule(\n sheet.cssRules,\n rule.index,\n ) as unknown) as CSSStyleRule;\n nativeRule.style.setProperty(rule.property, rule.value, rule.priority);\n } else if (rule.type === StyleRuleType.RemoveProperty) {\n const nativeRule = (getNestedRule(\n sheet.cssRules,\n rule.index,\n ) as unknown) as CSSStyleRule;\n nativeRule.style.removeProperty(rule.property);\n }\n });\n}\n\nfunction restoreSnapshotOfStyleRulesToNode(\n cssTexts: string[],\n styleNode: HTMLStyleElement,\n) {\n try {\n const existingRules = Array.from(styleNode.sheet?.cssRules || []).map(\n (rule) => rule.cssText,\n );\n const existingRulesReversed = Object.entries(existingRules).reverse();\n let lastMatch = existingRules.length;\n existingRulesReversed.forEach(([index, rule]) => {\n const indexOf = cssTexts.indexOf(rule);\n if (indexOf === -1 || indexOf > lastMatch) {\n try {\n styleNode.sheet?.deleteRule(Number(index));\n } catch (e) {\n /**\n * accessing styleSheet rules may cause SecurityError\n * for specific access control settings\n */\n }\n }\n lastMatch = indexOf;\n });\n cssTexts.forEach((cssText, index) => {\n try {\n if (styleNode.sheet?.cssRules[index]?.cssText !== cssText) {\n styleNode.sheet?.insertRule(cssText, index);\n }\n } catch (e) {\n /**\n * sometimes we may capture rules with browser prefix\n * insert rule with prefixs in other browsers may cause Error\n */\n }\n });\n } catch (e) {\n /**\n * accessing styleSheet rules may cause SecurityError\n * for specific access control settings\n */\n }\n}\n\nexport function storeCSSRules(\n parentElement: HTMLStyleElement,\n virtualStyleRulesMap: VirtualStyleRulesMap,\n) {\n try {\n const cssTexts = Array.from(\n (parentElement as HTMLStyleElement).sheet?.cssRules || [],\n ).map((rule) => rule.cssText);\n virtualStyleRulesMap.set((parentElement as unknown) as INode, [\n {\n type: StyleRuleType.Snapshot,\n cssTexts,\n },\n ]);\n } catch (e) {\n /**\n * accessing styleSheet rules may cause SecurityError\n * for specific access control settings\n */\n }\n}\n","/*\n * base64-arraybuffer 1.0.1 \n * Copyright (c) 2021 Niklas von Hertzen \n * Released under MIT License\n */\nvar chars = 'ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/';\n// Use a lookup table to find the index.\nvar lookup = typeof Uint8Array === 'undefined' ? [] : new Uint8Array(256);\nfor (var i = 0; i < chars.length; i++) {\n lookup[chars.charCodeAt(i)] = i;\n}\nvar encode = function (arraybuffer) {\n var bytes = new Uint8Array(arraybuffer), i, len = bytes.length, base64 = '';\n for (i = 0; i < len; i += 3) {\n base64 += chars[bytes[i] >> 2];\n base64 += chars[((bytes[i] & 3) << 4) | (bytes[i + 1] >> 4)];\n base64 += chars[((bytes[i + 1] & 15) << 2) | (bytes[i + 2] >> 6)];\n base64 += chars[bytes[i + 2] & 63];\n }\n if (len % 3 === 2) {\n base64 = base64.substring(0, base64.length - 1) + '=';\n }\n else if (len % 3 === 1) {\n base64 = base64.substring(0, base64.length - 2) + '==';\n }\n return base64;\n};\nvar decode = function (base64) {\n var bufferLength = base64.length * 0.75, len = base64.length, i, p = 0, encoded1, encoded2, encoded3, encoded4;\n if (base64[base64.length - 1] === '=') {\n bufferLength--;\n if (base64[base64.length - 2] === '=') {\n bufferLength--;\n }\n }\n var arraybuffer = new ArrayBuffer(bufferLength), bytes = new Uint8Array(arraybuffer);\n for (i = 0; i < len; i += 4) {\n encoded1 = lookup[base64.charCodeAt(i)];\n encoded2 = lookup[base64.charCodeAt(i + 1)];\n encoded3 = lookup[base64.charCodeAt(i + 2)];\n encoded4 = lookup[base64.charCodeAt(i + 3)];\n bytes[p++] = (encoded1 << 2) | (encoded2 >> 4);\n bytes[p++] = ((encoded2 & 15) << 4) | (encoded3 >> 2);\n bytes[p++] = ((encoded3 & 3) << 6) | (encoded4 & 63);\n }\n return arraybuffer;\n};\n\nexport { decode, encode };\n//# sourceMappingURL=base64-arraybuffer.es5.js.map\n","import { decode } from 'base64-arraybuffer';\nimport { Replayer } from '../';\nimport {\n CanvasContext,\n canvasMutationCommand,\n SerializedWebGlArg,\n} from '../../types';\n\n// TODO: add ability to wipe this list\ntype GLVarMap = Map;\nconst webGLVarMap: Map<\n WebGLRenderingContext | WebGL2RenderingContext,\n GLVarMap\n> = new Map();\nexport function variableListFor(\n ctx: WebGLRenderingContext | WebGL2RenderingContext,\n ctor: string,\n) {\n let contextMap = webGLVarMap.get(ctx);\n if (!contextMap) {\n contextMap = new Map();\n webGLVarMap.set(ctx, contextMap);\n }\n if (!contextMap.has(ctor)) {\n contextMap.set(ctor, []);\n }\n return contextMap.get(ctor) as any[];\n}\n\nfunction getContext(\n target: HTMLCanvasElement,\n type: CanvasContext,\n): WebGLRenderingContext | WebGL2RenderingContext | null {\n // Note to whomever is going to implement support for `contextAttributes`:\n // if `preserveDrawingBuffer` is set to true,\n // you might have to do `ctx.flush()` before every webgl canvas event\n try {\n if (type === CanvasContext.WebGL) {\n return (\n target.getContext('webgl')! || target.getContext('experimental-webgl')\n );\n }\n return target.getContext('webgl2')!;\n } catch (e) {\n return null;\n }\n}\n\nconst WebGLVariableConstructorsNames = [\n 'WebGLActiveInfo',\n 'WebGLBuffer',\n 'WebGLFramebuffer',\n 'WebGLProgram',\n 'WebGLRenderbuffer',\n 'WebGLShader',\n 'WebGLShaderPrecisionFormat',\n 'WebGLTexture',\n 'WebGLUniformLocation',\n 'WebGLVertexArrayObject',\n];\n\nfunction saveToWebGLVarMap(\n ctx: WebGLRenderingContext | WebGL2RenderingContext,\n result: any,\n) {\n if (!result?.constructor) return; // probably null or undefined\n\n const { name } = result.constructor;\n if (!WebGLVariableConstructorsNames.includes(name)) return; // not a WebGL variable\n\n const variables = variableListFor(ctx, name);\n if (!variables.includes(result)) variables.push(result);\n}\n\nexport function deserializeArg(\n imageMap: Replayer['imageMap'],\n ctx: WebGLRenderingContext | WebGL2RenderingContext,\n): (arg: SerializedWebGlArg) => any {\n return (arg: SerializedWebGlArg): any => {\n if (arg && typeof arg === 'object' && 'rr_type' in arg) {\n if ('index' in arg) {\n const { rr_type: name, index } = arg;\n return variableListFor(ctx, name)[index];\n } else if ('args' in arg) {\n const { rr_type: name, args } = arg;\n const ctor = window[name as keyof Window];\n\n return new ctor(...args.map(deserializeArg(imageMap, ctx)));\n } else if ('base64' in arg) {\n return decode(arg.base64);\n } else if ('src' in arg) {\n const image = imageMap.get(arg.src);\n if (image) {\n return image;\n } else {\n const image = new Image();\n image.src = arg.src;\n imageMap.set(arg.src, image);\n return image;\n }\n }\n } else if (Array.isArray(arg)) {\n return arg.map(deserializeArg(imageMap, ctx));\n }\n return arg;\n };\n}\n\nexport default function webglMutation({\n mutation,\n target,\n type,\n imageMap,\n errorHandler,\n}: {\n mutation: canvasMutationCommand;\n target: HTMLCanvasElement;\n type: CanvasContext;\n imageMap: Replayer['imageMap'];\n errorHandler: Replayer['warnCanvasMutationFailed'];\n}): void {\n try {\n const ctx = getContext(target, type);\n if (!ctx) return;\n\n // NOTE: if `preserveDrawingBuffer` is set to true,\n // we must flush the buffers on every new canvas event\n // if (mutation.newFrame) ctx.flush();\n\n if (mutation.setter) {\n // skip some read-only type checks\n // tslint:disable-next-line:no-any\n (ctx as any)[mutation.property] = mutation.args[0];\n return;\n }\n const original = ctx[\n mutation.property as Exclude\n ] as Function;\n\n const args = mutation.args.map(deserializeArg(imageMap, ctx));\n const result = original.apply(ctx, args);\n saveToWebGLVarMap(ctx, result);\n\n // Slows down replay considerably, only use for debugging\n const debugMode = false;\n if (debugMode) {\n if (mutation.property === 'compileShader') {\n if (!ctx.getShaderParameter(args[0], ctx.COMPILE_STATUS))\n console.warn(\n 'something went wrong in replay',\n ctx.getShaderInfoLog(args[0]),\n );\n } else if (mutation.property === 'linkProgram') {\n ctx.validateProgram(args[0]);\n if (!ctx.getProgramParameter(args[0], ctx.LINK_STATUS))\n console.warn(\n 'something went wrong in replay',\n ctx.getProgramInfoLog(args[0]),\n );\n }\n const webglError = ctx.getError();\n if (webglError !== ctx.NO_ERROR) {\n console.warn(\n 'WEBGL ERROR',\n webglError,\n 'on command:',\n mutation.property,\n ...args,\n );\n }\n }\n } catch (error) {\n errorHandler(mutation, error);\n }\n}\n","import {\n rebuild,\n buildNodeWithSN,\n INode,\n NodeType,\n BuildCache,\n createCache,\n} from 'rrweb-snapshot';\nimport * as mittProxy from 'mitt';\nimport { polyfill as smoothscrollPolyfill } from './smoothscroll';\nimport { Timer } from './timer';\nimport { createPlayerService, createSpeedService } from './machine';\nimport {\n EventType,\n IncrementalSource,\n fullSnapshotEvent,\n eventWithTime,\n MouseInteractions,\n playerConfig,\n playerMetaData,\n viewportResizeDimension,\n missingNodeMap,\n addedNodeMutation,\n missingNode,\n incrementalSnapshotEvent,\n incrementalData,\n ReplayerEvents,\n Handler,\n Emitter,\n MediaInteractions,\n metaEvent,\n mutationData,\n scrollData,\n inputData,\n canvasMutationData,\n Mirror,\n ElementState,\n styleAttributeValue,\n styleValueWithPriority,\n mouseMovePos,\n IWindow,\n canvasMutationCommand,\n textMutation,\n} from '../types';\nimport {\n createMirror,\n polyfill,\n TreeIndex,\n queueToResolveTrees,\n iterateResolveTree,\n AppendedIframe,\n isIframeINode,\n getBaseDimension,\n hasShadowRoot,\n} from '../utils';\nimport getInjectStyleRules from './styles/inject-style';\nimport './styles/style.css';\nimport {\n applyVirtualStyleRulesToNode,\n storeCSSRules,\n StyleRuleType,\n VirtualStyleRules,\n VirtualStyleRulesMap,\n getNestedRule,\n getPositionsAndIndex,\n} from './virtual-styles';\nimport canvasMutation from './canvas';\n\nconst SKIP_TIME_THRESHOLD = 10 * 1000;\nconst SKIP_TIME_INTERVAL = 5 * 1000;\n\n// https://github.com/rollup/rollup/issues/1267#issuecomment-296395734\n// tslint:disable-next-line\nconst mitt = (mittProxy as any).default || mittProxy;\n\nconst REPLAY_CONSOLE_PREFIX = '[replayer]';\n\nconst defaultMouseTailConfig = {\n duration: 500,\n lineCap: 'round',\n lineWidth: 3,\n strokeStyle: 'red',\n} as const;\n\nfunction indicatesTouchDevice(e: eventWithTime) {\n return (\n e.type == EventType.IncrementalSnapshot &&\n (e.data.source == IncrementalSource.TouchMove ||\n (e.data.source == IncrementalSource.MouseInteraction &&\n e.data.type == MouseInteractions.TouchStart))\n );\n}\n\nexport class Replayer {\n public wrapper: HTMLDivElement;\n public iframe: HTMLIFrameElement;\n\n public service: ReturnType;\n public speedService: ReturnType;\n public get timer() {\n return this.service.state.context.timer;\n }\n\n public config: playerConfig;\n\n private mouse: HTMLDivElement;\n private mouseTail: HTMLCanvasElement | null = null;\n private tailPositions: Array<{ x: number; y: number }> = [];\n\n private emitter: Emitter = mitt();\n\n private nextUserInteractionEvent: eventWithTime | null;\n\n // tslint:disable-next-line: variable-name\n private legacy_missingNodeRetryMap: missingNodeMap = {};\n\n private treeIndex!: TreeIndex;\n private fragmentParentMap!: Map;\n private elementStateMap!: Map;\n // Hold the list of CSSRules for in-memory state restoration\n private virtualStyleRulesMap!: VirtualStyleRulesMap;\n\n // The replayer uses the cache to speed up replay and scrubbing.\n private cache: BuildCache = createCache();\n\n private imageMap: Map = new Map();\n\n private mirror: Mirror = createMirror();\n\n private firstFullSnapshot: eventWithTime | true | null = null;\n\n private newDocumentQueue: addedNodeMutation[] = [];\n\n private mousePos: mouseMovePos | null = null;\n private touchActive: boolean | null = null;\n\n constructor(\n events: Array,\n config?: Partial,\n ) {\n if (!config?.liveMode && events.length < 2) {\n throw new Error('Replayer need at least 2 events.');\n }\n const defaultConfig: playerConfig = {\n speed: 1,\n maxSpeed: 360,\n root: document.body,\n loadTimeout: 0,\n skipInactive: false,\n showWarning: true,\n showDebug: false,\n blockClass: 'rr-block',\n liveMode: false,\n insertStyleRules: [],\n triggerFocus: true,\n UNSAFE_replayCanvas: false,\n pauseAnimation: true,\n mouseTail: defaultMouseTailConfig,\n };\n this.config = Object.assign({}, defaultConfig, config);\n\n this.handleResize = this.handleResize.bind(this);\n this.getCastFn = this.getCastFn.bind(this);\n this.applyEventsSynchronously = this.applyEventsSynchronously.bind(this);\n this.emitter.on(ReplayerEvents.Resize, this.handleResize as Handler);\n\n this.setupDom();\n\n this.treeIndex = new TreeIndex();\n this.fragmentParentMap = new Map();\n this.elementStateMap = new Map();\n this.virtualStyleRulesMap = new Map();\n\n this.emitter.on(ReplayerEvents.Flush, () => {\n const { scrollMap, inputMap, mutationData } = this.treeIndex.flush();\n\n this.fragmentParentMap.forEach((parent, frag) =>\n this.restoreRealParent(frag, parent),\n );\n // apply text needs to happen before virtual style rules gets applied\n // as it can overwrite the contents of a stylesheet\n for (const d of mutationData.texts) {\n this.applyText(d, mutationData);\n }\n\n for (const node of this.virtualStyleRulesMap.keys()) {\n // restore css rules of style elements after they are mounted\n this.restoreNodeSheet(node);\n }\n this.fragmentParentMap.clear();\n this.elementStateMap.clear();\n this.virtualStyleRulesMap.clear();\n\n for (const d of scrollMap.values()) {\n this.applyScroll(d, true);\n }\n for (const d of inputMap.values()) {\n this.applyInput(d);\n }\n });\n this.emitter.on(ReplayerEvents.PlayBack, () => {\n this.firstFullSnapshot = null;\n this.mirror.reset();\n });\n\n const timer = new Timer([], config?.speed || defaultConfig.speed);\n this.service = createPlayerService(\n {\n events: events\n .map((e) => {\n if (config && config.unpackFn) {\n return config.unpackFn(e as string);\n }\n return e as eventWithTime;\n })\n .sort((a1, a2) => a1.timestamp - a2.timestamp),\n timer,\n timeOffset: 0,\n baselineTime: 0,\n lastPlayedEvent: null,\n },\n {\n getCastFn: this.getCastFn,\n applyEventsSynchronously: this.applyEventsSynchronously,\n emitter: this.emitter,\n },\n );\n this.service.start();\n this.service.subscribe((state) => {\n this.emitter.emit(ReplayerEvents.StateChange, {\n player: state,\n });\n });\n this.speedService = createSpeedService({\n normalSpeed: -1,\n timer,\n });\n this.speedService.start();\n this.speedService.subscribe((state) => {\n this.emitter.emit(ReplayerEvents.StateChange, {\n speed: state,\n });\n });\n\n // rebuild first full snapshot as the poster of the player\n // maybe we can cache it for performance optimization\n const firstMeta = this.service.state.context.events.find(\n (e) => e.type === EventType.Meta,\n );\n const firstFullsnapshot = this.service.state.context.events.find(\n (e) => e.type === EventType.FullSnapshot,\n );\n if (firstMeta) {\n const { width, height } = firstMeta.data as metaEvent['data'];\n setTimeout(() => {\n this.emitter.emit(ReplayerEvents.Resize, {\n width,\n height,\n });\n }, 0);\n }\n if (firstFullsnapshot) {\n setTimeout(() => {\n // when something has been played, there is no need to rebuild poster\n if (this.firstFullSnapshot) {\n // true if any other fullSnapshot has been executed by Timer already\n return;\n }\n this.firstFullSnapshot = firstFullsnapshot;\n this.rebuildFullSnapshot(\n firstFullsnapshot as fullSnapshotEvent & { timestamp: number },\n );\n this.iframe.contentWindow!.scrollTo(\n (firstFullsnapshot as fullSnapshotEvent).data.initialOffset,\n );\n }, 1);\n }\n if (this.service.state.context.events.find(indicatesTouchDevice)) {\n this.mouse.classList.add('touch-device');\n }\n }\n\n public on(event: string, handler: Handler) {\n this.emitter.on(event, handler);\n return this;\n }\n\n public off(event: string, handler: Handler) {\n this.emitter.off(event, handler);\n return this;\n }\n\n public setConfig(config: Partial) {\n Object.keys(config).forEach((key) => {\n // @ts-ignore\n this.config[key] = config[key];\n });\n if (!this.config.skipInactive) {\n this.backToNormal();\n }\n if (typeof config.speed !== 'undefined') {\n this.speedService.send({\n type: 'SET_SPEED',\n payload: {\n speed: config.speed!,\n },\n });\n }\n if (typeof config.mouseTail !== 'undefined') {\n if (config.mouseTail === false) {\n if (this.mouseTail) {\n this.mouseTail.style.display = 'none';\n }\n } else {\n if (!this.mouseTail) {\n this.mouseTail = document.createElement('canvas');\n this.mouseTail.width = Number.parseFloat(this.iframe.width);\n this.mouseTail.height = Number.parseFloat(this.iframe.height);\n this.mouseTail.classList.add('replayer-mouse-tail');\n this.wrapper.insertBefore(this.mouseTail, this.iframe);\n }\n this.mouseTail.style.display = 'inherit';\n }\n }\n }\n\n public getMetaData(): playerMetaData {\n const firstEvent = this.service.state.context.events[0];\n const lastEvent = this.service.state.context.events[\n this.service.state.context.events.length - 1\n ];\n return {\n startTime: firstEvent.timestamp,\n endTime: lastEvent.timestamp,\n totalTime: lastEvent.timestamp - firstEvent.timestamp,\n };\n }\n\n public getCurrentTime(): number {\n return this.timer.timeOffset + this.getTimeOffset();\n }\n\n public getTimeOffset(): number {\n const { baselineTime, events } = this.service.state.context;\n return baselineTime - events[0].timestamp;\n }\n\n public getMirror(): Mirror {\n return this.mirror;\n }\n\n /**\n * This API was designed to be used as play at any time offset.\n * Since we minimized the data collected from recorder, we do not\n * have the ability of undo an event.\n * So the implementation of play at any time offset will always iterate\n * all of the events, cast event before the offset synchronously\n * and cast event after the offset asynchronously with timer.\n * @param timeOffset number\n */\n public play(timeOffset = 0) {\n if (this.service.state.matches('paused')) {\n this.service.send({ type: 'PLAY', payload: { timeOffset } });\n } else {\n this.service.send({ type: 'PAUSE' });\n this.service.send({ type: 'PLAY', payload: { timeOffset } });\n }\n this.iframe.contentDocument\n ?.getElementsByTagName('html')[0]\n .classList.remove('rrweb-paused');\n this.emitter.emit(ReplayerEvents.Start);\n }\n\n public pause(timeOffset?: number) {\n if (timeOffset === undefined && this.service.state.matches('playing')) {\n this.service.send({ type: 'PAUSE' });\n }\n if (typeof timeOffset === 'number') {\n this.play(timeOffset);\n this.service.send({ type: 'PAUSE' });\n }\n this.iframe.contentDocument\n ?.getElementsByTagName('html')[0]\n .classList.add('rrweb-paused');\n this.emitter.emit(ReplayerEvents.Pause);\n }\n\n public resume(timeOffset = 0) {\n console.warn(\n `The 'resume' will be departed in 1.0. Please use 'play' method which has the same interface.`,\n );\n this.play(timeOffset);\n this.emitter.emit(ReplayerEvents.Resume);\n }\n\n public startLive(baselineTime?: number) {\n this.service.send({ type: 'TO_LIVE', payload: { baselineTime } });\n }\n\n public addEvent(rawEvent: eventWithTime | string) {\n const event = this.config.unpackFn\n ? this.config.unpackFn(rawEvent as string)\n : (rawEvent as eventWithTime);\n if (indicatesTouchDevice(event)) {\n this.mouse.classList.add('touch-device');\n }\n Promise.resolve().then(() =>\n this.service.send({ type: 'ADD_EVENT', payload: { event } }),\n );\n }\n\n public enableInteract() {\n this.iframe.setAttribute('scrolling', 'auto');\n this.iframe.style.pointerEvents = 'auto';\n }\n\n public disableInteract() {\n this.iframe.setAttribute('scrolling', 'no');\n this.iframe.style.pointerEvents = 'none';\n }\n\n /**\n * Empties the replayer's cache and reclaims memory.\n * The replayer will use this cache to speed up the playback.\n */\n public resetCache() {\n this.cache = createCache();\n }\n\n private setupDom() {\n this.wrapper = document.createElement('div');\n this.wrapper.classList.add('replayer-wrapper');\n this.config.root!.appendChild(this.wrapper);\n\n this.mouse = document.createElement('div');\n this.mouse.classList.add('replayer-mouse');\n this.wrapper.appendChild(this.mouse);\n\n if (this.config.mouseTail !== false) {\n this.mouseTail = document.createElement('canvas');\n this.mouseTail.classList.add('replayer-mouse-tail');\n this.mouseTail.style.display = 'inherit';\n this.wrapper.appendChild(this.mouseTail);\n }\n\n this.iframe = document.createElement('iframe');\n const attributes = ['allow-same-origin'];\n if (this.config.UNSAFE_replayCanvas) {\n attributes.push('allow-scripts');\n }\n // hide iframe before first meta event\n this.iframe.style.display = 'none';\n this.iframe.setAttribute('sandbox', attributes.join(' '));\n this.disableInteract();\n this.wrapper.appendChild(this.iframe);\n if (this.iframe.contentWindow && this.iframe.contentDocument) {\n smoothscrollPolyfill(\n this.iframe.contentWindow,\n this.iframe.contentDocument,\n );\n\n polyfill(this.iframe.contentWindow as IWindow);\n }\n }\n\n private handleResize(dimension: viewportResizeDimension) {\n this.iframe.style.display = 'inherit';\n for (const el of [this.mouseTail, this.iframe]) {\n if (!el) {\n continue;\n }\n el.setAttribute('width', String(dimension.width));\n el.setAttribute('height', String(dimension.height));\n }\n }\n\n private applyEventsSynchronously(events: Array) {\n for (const event of events) {\n switch (event.type) {\n case EventType.DomContentLoaded:\n case EventType.Load:\n case EventType.Custom:\n continue;\n case EventType.FullSnapshot:\n case EventType.Meta:\n case EventType.Plugin:\n break;\n case EventType.IncrementalSnapshot:\n switch (event.data.source) {\n case IncrementalSource.MediaInteraction:\n continue;\n default:\n break;\n }\n break;\n default:\n break;\n }\n const castFn = this.getCastFn(event, true);\n castFn();\n }\n if (this.mousePos) {\n this.moveAndHover(\n this.mousePos.x,\n this.mousePos.y,\n this.mousePos.id,\n true,\n this.mousePos.debugData,\n );\n }\n this.mousePos = null;\n if (this.touchActive === true) {\n this.mouse.classList.add('touch-active');\n } else if (this.touchActive === false) {\n this.mouse.classList.remove('touch-active');\n }\n this.touchActive = null;\n }\n\n private getCastFn(event: eventWithTime, isSync = false) {\n let castFn: undefined | (() => void);\n switch (event.type) {\n case EventType.DomContentLoaded:\n case EventType.Load:\n break;\n case EventType.Custom:\n castFn = () => {\n /**\n * emit custom-event and pass the event object.\n *\n * This will add more value to the custom event and allows the client to react for custom-event.\n */\n this.emitter.emit(ReplayerEvents.CustomEvent, event);\n };\n break;\n case EventType.Meta:\n castFn = () =>\n this.emitter.emit(ReplayerEvents.Resize, {\n width: event.data.width,\n height: event.data.height,\n });\n break;\n case EventType.FullSnapshot:\n castFn = () => {\n if (this.firstFullSnapshot) {\n if (this.firstFullSnapshot === event) {\n // we've already built this exact FullSnapshot when the player was mounted, and haven't built any other FullSnapshot since\n this.firstFullSnapshot = true; // forget as we might need to re-execute this FullSnapshot later e.g. to rebuild after scrubbing\n return;\n }\n } else {\n // Timer (requestAnimationFrame) can be faster than setTimeout(..., 1)\n this.firstFullSnapshot = true;\n }\n this.rebuildFullSnapshot(event, isSync);\n this.iframe.contentWindow!.scrollTo(event.data.initialOffset);\n };\n break;\n case EventType.IncrementalSnapshot:\n castFn = () => {\n this.applyIncremental(event, isSync);\n if (isSync) {\n // do not check skip in sync\n return;\n }\n if (event === this.nextUserInteractionEvent) {\n this.nextUserInteractionEvent = null;\n this.backToNormal();\n }\n if (this.config.skipInactive && !this.nextUserInteractionEvent) {\n for (const _event of this.service.state.context.events) {\n if (_event.timestamp! <= event.timestamp!) {\n continue;\n }\n if (this.isUserInteraction(_event)) {\n if (\n _event.delay! - event.delay! >\n SKIP_TIME_THRESHOLD *\n this.speedService.state.context.timer.speed\n ) {\n this.nextUserInteractionEvent = _event;\n }\n break;\n }\n }\n if (this.nextUserInteractionEvent) {\n const skipTime =\n this.nextUserInteractionEvent.delay! - event.delay!;\n const payload = {\n speed: Math.min(\n Math.round(skipTime / SKIP_TIME_INTERVAL),\n this.config.maxSpeed,\n ),\n };\n this.speedService.send({ type: 'FAST_FORWARD', payload });\n this.emitter.emit(ReplayerEvents.SkipStart, payload);\n }\n }\n };\n break;\n default:\n }\n const wrappedCastFn = () => {\n if (castFn) {\n castFn();\n }\n\n for (const plugin of this.config.plugins || []) {\n plugin.handler(event, isSync, { replayer: this });\n }\n\n this.service.send({ type: 'CAST_EVENT', payload: { event } });\n\n // events are kept sorted by timestamp, check if this is the last event\n let last_index = this.service.state.context.events.length - 1;\n if (event === this.service.state.context.events[last_index]) {\n const finish = () => {\n if (last_index < this.service.state.context.events.length - 1) {\n // more events have been added since the setTimeout\n return;\n }\n this.backToNormal();\n this.service.send('END');\n this.emitter.emit(ReplayerEvents.Finish);\n };\n if (\n event.type === EventType.IncrementalSnapshot &&\n event.data.source === IncrementalSource.MouseMove &&\n event.data.positions.length\n ) {\n // defer finish event if the last event is a mouse move\n setTimeout(() => {\n finish();\n }, Math.max(0, -event.data.positions[0].timeOffset + 50)); // Add 50 to make sure the timer would check the last mousemove event. Otherwise, the timer may be stopped by the service before checking the last event.\n } else {\n finish();\n }\n }\n\n this.emitter.emit(ReplayerEvents.EventCast, event);\n };\n return wrappedCastFn;\n }\n\n private rebuildFullSnapshot(\n event: fullSnapshotEvent & { timestamp: number },\n isSync: boolean = false,\n ) {\n if (!this.iframe.contentDocument) {\n return console.warn('Looks like your replayer has been destroyed.');\n }\n if (Object.keys(this.legacy_missingNodeRetryMap).length) {\n console.warn(\n 'Found unresolved missing node map',\n this.legacy_missingNodeRetryMap,\n );\n }\n this.legacy_missingNodeRetryMap = {};\n const collected: AppendedIframe[] = [];\n this.mirror.map = rebuild(event.data.node, {\n doc: this.iframe.contentDocument,\n afterAppend: (builtNode) => {\n this.collectIframeAndAttachDocument(collected, builtNode);\n },\n cache: this.cache,\n })[1];\n for (const { mutationInQueue, builtNode } of collected) {\n this.attachDocumentToIframe(mutationInQueue, builtNode);\n this.newDocumentQueue = this.newDocumentQueue.filter(\n (m) => m !== mutationInQueue,\n );\n }\n const { documentElement, head } = this.iframe.contentDocument;\n this.insertStyleRules(documentElement, head);\n if (!this.service.state.matches('playing')) {\n this.iframe.contentDocument\n .getElementsByTagName('html')[0]\n .classList.add('rrweb-paused');\n }\n this.emitter.emit(ReplayerEvents.FullsnapshotRebuilded, event);\n if (!isSync) {\n this.waitForStylesheetLoad();\n }\n if (this.config.UNSAFE_replayCanvas) {\n this.preloadAllImages();\n }\n }\n\n private insertStyleRules(\n documentElement: HTMLElement,\n head: HTMLHeadElement,\n ) {\n const styleEl = document.createElement('style');\n documentElement!.insertBefore(styleEl, head);\n const injectStylesRules = getInjectStyleRules(\n this.config.blockClass,\n ).concat(this.config.insertStyleRules);\n if (this.config.pauseAnimation) {\n injectStylesRules.push(\n 'html.rrweb-paused *, html.rrweb-paused *:before, html.rrweb-paused *:after { animation-play-state: paused !important; }',\n );\n }\n for (let idx = 0; idx < injectStylesRules.length; idx++) {\n (styleEl.sheet! as CSSStyleSheet).insertRule(injectStylesRules[idx], idx);\n }\n }\n\n private attachDocumentToIframe(\n mutation: addedNodeMutation,\n iframeEl: HTMLIFrameElement,\n ) {\n const collected: AppendedIframe[] = [];\n // If iframeEl is detached from dom, iframeEl.contentDocument is null.\n if (!iframeEl.contentDocument) {\n let parent = iframeEl.parentNode;\n while (parent) {\n // The parent of iframeEl is virtual parent and we need to mount it on the dom.\n if (this.fragmentParentMap.has((parent as unknown) as INode)) {\n const frag = (parent as unknown) as INode;\n const realParent = this.fragmentParentMap.get(frag)!;\n this.restoreRealParent(frag, realParent);\n break;\n }\n parent = parent.parentNode;\n }\n }\n buildNodeWithSN(mutation.node, {\n doc: iframeEl.contentDocument!,\n map: this.mirror.map,\n hackCss: true,\n skipChild: false,\n afterAppend: (builtNode) => {\n this.collectIframeAndAttachDocument(collected, builtNode);\n if (\n builtNode.__sn.type === NodeType.Element &&\n builtNode.__sn.tagName.toUpperCase() === 'HTML'\n ) {\n const { documentElement, head } = iframeEl.contentDocument!;\n this.insertStyleRules(documentElement, head);\n }\n },\n cache: this.cache,\n });\n for (const { mutationInQueue, builtNode } of collected) {\n this.attachDocumentToIframe(mutationInQueue, builtNode);\n this.newDocumentQueue = this.newDocumentQueue.filter(\n (m) => m !== mutationInQueue,\n );\n }\n }\n\n private collectIframeAndAttachDocument(\n collected: AppendedIframe[],\n builtNode: INode,\n ) {\n if (isIframeINode(builtNode)) {\n const mutationInQueue = this.newDocumentQueue.find(\n (m) => m.parentId === builtNode.__sn.id,\n );\n if (mutationInQueue) {\n collected.push({ mutationInQueue, builtNode });\n }\n }\n }\n\n /**\n * pause when loading style sheet, resume when loaded all timeout exceed\n */\n private waitForStylesheetLoad() {\n const head = this.iframe.contentDocument?.head;\n if (head) {\n const unloadSheets: Set = new Set();\n let timer: ReturnType | -1;\n let beforeLoadState = this.service.state;\n const stateHandler = () => {\n beforeLoadState = this.service.state;\n };\n this.emitter.on(ReplayerEvents.Start, stateHandler);\n this.emitter.on(ReplayerEvents.Pause, stateHandler);\n const unsubscribe = () => {\n this.emitter.off(ReplayerEvents.Start, stateHandler);\n this.emitter.off(ReplayerEvents.Pause, stateHandler);\n };\n head\n .querySelectorAll('link[rel=\"stylesheet\"]')\n .forEach((css: HTMLLinkElement) => {\n if (!css.sheet) {\n unloadSheets.add(css);\n css.addEventListener('load', () => {\n unloadSheets.delete(css);\n // all loaded and timer not released yet\n if (unloadSheets.size === 0 && timer !== -1) {\n if (beforeLoadState.matches('playing')) {\n this.play(this.getCurrentTime());\n }\n this.emitter.emit(ReplayerEvents.LoadStylesheetEnd);\n if (timer) {\n clearTimeout(timer);\n }\n unsubscribe();\n }\n });\n }\n });\n\n if (unloadSheets.size > 0) {\n // find some unload sheets after iterate\n this.service.send({ type: 'PAUSE' });\n this.emitter.emit(ReplayerEvents.LoadStylesheetStart);\n timer = setTimeout(() => {\n if (beforeLoadState.matches('playing')) {\n this.play(this.getCurrentTime());\n }\n // mark timer was called\n timer = -1;\n unsubscribe();\n }, this.config.loadTimeout);\n }\n }\n }\n\n private hasImageArg(args: any[]): boolean {\n for (const arg of args) {\n if (!arg || typeof arg !== 'object') {\n // do nothing\n } else if ('rr_type' in arg && 'args' in arg) {\n if (this.hasImageArg(arg.args)) return true;\n } else if ('rr_type' in arg && arg.rr_type === 'HTMLImageElement') {\n return true; // has image!\n } else if (arg instanceof Array) {\n if (this.hasImageArg(arg)) return true;\n }\n }\n return false;\n }\n\n private getImageArgs(args: any[]): string[] {\n const images: string[] = [];\n for (const arg of args) {\n if (!arg || typeof arg !== 'object') {\n // do nothing\n } else if ('rr_type' in arg && 'args' in arg) {\n images.push(...this.getImageArgs(arg.args));\n } else if ('rr_type' in arg && arg.rr_type === 'HTMLImageElement') {\n images.push(arg.src);\n } else if (arg instanceof Array) {\n images.push(...this.getImageArgs(arg));\n }\n }\n return images;\n }\n\n /**\n * pause when there are some canvas drawImage args need to be loaded\n */\n private preloadAllImages() {\n let beforeLoadState = this.service.state;\n const stateHandler = () => {\n beforeLoadState = this.service.state;\n };\n this.emitter.on(ReplayerEvents.Start, stateHandler);\n this.emitter.on(ReplayerEvents.Pause, stateHandler);\n for (const event of this.service.state.context.events) {\n if (\n event.type === EventType.IncrementalSnapshot &&\n event.data.source === IncrementalSource.CanvasMutation\n )\n if ('commands' in event.data) {\n event.data.commands.forEach((c) => this.preloadImages(c, event));\n } else {\n this.preloadImages(event.data, event);\n }\n }\n }\n\n private preloadImages(data: canvasMutationCommand, event: eventWithTime) {\n if (\n data.property === 'drawImage' &&\n typeof data.args[0] === 'string' &&\n !this.imageMap.has(event)\n ) {\n const canvas = document.createElement('canvas');\n const ctx = canvas.getContext('2d');\n const imgd = ctx?.createImageData(canvas.width, canvas.height);\n let d = imgd?.data;\n d = JSON.parse(data.args[0]);\n ctx?.putImageData(imgd!, 0, 0);\n } else if (this.hasImageArg(data.args)) {\n this.getImageArgs(data.args).forEach((url) => {\n const image = new Image();\n image.src = url; // this preloads the image\n this.imageMap.set(url, image);\n });\n }\n }\n\n private applyIncremental(\n e: incrementalSnapshotEvent & { timestamp: number; delay?: number },\n isSync: boolean,\n ) {\n const { data: d } = e;\n switch (d.source) {\n case IncrementalSource.Mutation: {\n if (isSync) {\n d.adds.forEach((m) => this.treeIndex.add(m));\n d.texts.forEach((m) => {\n const target = this.mirror.getNode(m.id);\n const parent = (target?.parentNode as unknown) as INode | null;\n // remove any style rules that pending\n // for stylesheets where the contents get replaced\n if (parent && this.virtualStyleRulesMap.has(parent))\n this.virtualStyleRulesMap.delete(parent);\n\n this.treeIndex.text(m);\n });\n d.attributes.forEach((m) => this.treeIndex.attribute(m));\n d.removes.forEach((m) => this.treeIndex.remove(m, this.mirror));\n }\n try {\n this.applyMutation(d, isSync);\n } catch (error) {\n this.warn(`Exception in mutation ${error.message || error}`, d);\n }\n break;\n }\n case IncrementalSource.Drag:\n case IncrementalSource.TouchMove:\n case IncrementalSource.MouseMove:\n if (isSync) {\n const lastPosition = d.positions[d.positions.length - 1];\n this.mousePos = {\n x: lastPosition.x,\n y: lastPosition.y,\n id: lastPosition.id,\n debugData: d,\n };\n } else {\n d.positions.forEach((p) => {\n const action = {\n doAction: () => {\n this.moveAndHover(p.x, p.y, p.id, isSync, d);\n },\n delay:\n p.timeOffset +\n e.timestamp -\n this.service.state.context.baselineTime,\n };\n this.timer.addAction(action);\n });\n // add a dummy action to keep timer alive\n this.timer.addAction({\n doAction() {},\n delay: e.delay! - d.positions[0]?.timeOffset,\n });\n }\n break;\n case IncrementalSource.MouseInteraction: {\n /**\n * Same as the situation of missing input target.\n */\n if (d.id === -1) {\n break;\n }\n const event = new Event(MouseInteractions[d.type].toLowerCase());\n const target = this.mirror.getNode(d.id);\n if (!target) {\n return this.debugNodeNotFound(d, d.id);\n }\n this.emitter.emit(ReplayerEvents.MouseInteraction, {\n type: d.type,\n target,\n });\n const { triggerFocus } = this.config;\n switch (d.type) {\n case MouseInteractions.Blur:\n if ('blur' in ((target as Node) as HTMLElement)) {\n ((target as Node) as HTMLElement).blur();\n }\n break;\n case MouseInteractions.Focus:\n if (triggerFocus && ((target as Node) as HTMLElement).focus) {\n ((target as Node) as HTMLElement).focus({\n preventScroll: true,\n });\n }\n break;\n case MouseInteractions.Click:\n case MouseInteractions.TouchStart:\n case MouseInteractions.TouchEnd:\n if (isSync) {\n if (d.type === MouseInteractions.TouchStart) {\n this.touchActive = true;\n } else if (d.type === MouseInteractions.TouchEnd) {\n this.touchActive = false;\n }\n this.mousePos = {\n x: d.x,\n y: d.y,\n id: d.id,\n debugData: d,\n };\n } else {\n if (d.type === MouseInteractions.TouchStart) {\n // don't draw a trail as user has lifted finger and is placing at a new point\n this.tailPositions.length = 0;\n }\n this.moveAndHover(d.x, d.y, d.id, isSync, d);\n if (d.type === MouseInteractions.Click) {\n /*\n * don't want target.click() here as could trigger an iframe navigation\n * instead any effects of the click should already be covered by mutations\n */\n /*\n * removal and addition of .active class (along with void line to trigger repaint)\n * triggers the 'click' css animation in styles/style.css\n */\n this.mouse.classList.remove('active');\n // tslint:disable-next-line\n void this.mouse.offsetWidth;\n this.mouse.classList.add('active');\n } else if (d.type === MouseInteractions.TouchStart) {\n void this.mouse.offsetWidth; // needed for the position update of moveAndHover to apply without the .touch-active transition\n this.mouse.classList.add('touch-active');\n } else if (d.type === MouseInteractions.TouchEnd) {\n this.mouse.classList.remove('touch-active');\n }\n }\n break;\n case MouseInteractions.TouchCancel:\n if (isSync) {\n this.touchActive = false;\n } else {\n this.mouse.classList.remove('touch-active');\n }\n break;\n default:\n target.dispatchEvent(event);\n }\n break;\n }\n case IncrementalSource.Scroll: {\n /**\n * Same as the situation of missing input target.\n */\n if (d.id === -1) {\n break;\n }\n if (isSync) {\n this.treeIndex.scroll(d);\n break;\n }\n this.applyScroll(d, false);\n break;\n }\n case IncrementalSource.ViewportResize:\n this.emitter.emit(ReplayerEvents.Resize, {\n width: d.width,\n height: d.height,\n });\n break;\n case IncrementalSource.Input: {\n /**\n * Input event on an unserialized node usually means the event\n * was synchrony triggered programmatically after the node was\n * created. This means there was not an user observable interaction\n * and we do not need to replay it.\n */\n if (d.id === -1) {\n break;\n }\n if (isSync) {\n this.treeIndex.input(d);\n break;\n }\n this.applyInput(d);\n break;\n }\n case IncrementalSource.MediaInteraction: {\n const target = this.mirror.getNode(d.id);\n if (!target) {\n return this.debugNodeNotFound(d, d.id);\n }\n const mediaEl = (target as Node) as HTMLMediaElement;\n try {\n if (d.currentTime) {\n mediaEl.currentTime = d.currentTime;\n }\n if (d.volume) {\n mediaEl.volume = d.volume;\n }\n if (d.muted) {\n mediaEl.muted = d.muted;\n }\n if (d.type === MediaInteractions.Pause) {\n mediaEl.pause();\n }\n if (d.type === MediaInteractions.Play) {\n // remove listener for 'canplay' event because play() is async and returns a promise\n // i.e. media will evntualy start to play when data is loaded\n // 'canplay' event fires even when currentTime attribute changes which may lead to\n // unexpeted behavior\n mediaEl.play();\n }\n } catch (error) {\n if (this.config.showWarning) {\n console.warn(\n `Failed to replay media interactions: ${error.message || error}`,\n );\n }\n }\n break;\n }\n case IncrementalSource.StyleSheetRule: {\n const target = this.mirror.getNode(d.id);\n if (!target) {\n return this.debugNodeNotFound(d, d.id);\n }\n\n const styleEl = (target as Node) as HTMLStyleElement;\n const parent = (target.parentNode as unknown) as INode;\n const usingVirtualParent = this.fragmentParentMap.has(parent);\n\n /**\n * Always use existing DOM node, when it's there.\n * In in-memory replay, there is virtual node, but it's `sheet` is inaccessible.\n * Hence, we buffer all style changes in virtualStyleRulesMap.\n */\n const styleSheet = usingVirtualParent ? null : styleEl.sheet;\n let rules: VirtualStyleRules;\n\n if (!styleSheet) {\n /**\n * styleEl.sheet is only accessible if the styleEl is part of the\n * dom. This doesn't work on DocumentFragments so we have to add the\n * style mutations to the virtualStyleRulesMap.\n */\n\n if (this.virtualStyleRulesMap.has(target)) {\n rules = this.virtualStyleRulesMap.get(target) as VirtualStyleRules;\n } else {\n rules = [];\n this.virtualStyleRulesMap.set(target, rules);\n }\n }\n\n if (d.adds) {\n d.adds.forEach(({ rule, index: nestedIndex }) => {\n if (styleSheet) {\n try {\n if (Array.isArray(nestedIndex)) {\n const { positions, index } = getPositionsAndIndex(\n nestedIndex,\n );\n const nestedRule = getNestedRule(\n styleSheet.cssRules,\n positions,\n );\n nestedRule.insertRule(rule, index);\n } else {\n const index =\n nestedIndex === undefined\n ? undefined\n : Math.min(nestedIndex, styleSheet.cssRules.length);\n styleSheet.insertRule(rule, index);\n }\n } catch (e) {\n /**\n * sometimes we may capture rules with browser prefix\n * insert rule with prefixs in other browsers may cause Error\n */\n /**\n * accessing styleSheet rules may cause SecurityError\n * for specific access control settings\n */\n }\n } else {\n rules?.push({\n cssText: rule,\n index: nestedIndex,\n type: StyleRuleType.Insert,\n });\n }\n });\n }\n\n if (d.removes) {\n d.removes.forEach(({ index: nestedIndex }) => {\n if (usingVirtualParent) {\n rules?.push({ index: nestedIndex, type: StyleRuleType.Remove });\n } else {\n try {\n if (Array.isArray(nestedIndex)) {\n const { positions, index } = getPositionsAndIndex(\n nestedIndex,\n );\n const nestedRule = getNestedRule(\n styleSheet!.cssRules,\n positions,\n );\n nestedRule.deleteRule(index || 0);\n } else {\n styleSheet?.deleteRule(nestedIndex);\n }\n } catch (e) {\n /**\n * same as insertRule\n */\n }\n }\n });\n }\n break;\n }\n case IncrementalSource.StyleDeclaration: {\n // same with StyleSheetRule\n const target = this.mirror.getNode(d.id);\n if (!target) {\n return this.debugNodeNotFound(d, d.id);\n }\n\n const styleEl = (target as Node) as HTMLStyleElement;\n const parent = (target.parentNode as unknown) as INode;\n const usingVirtualParent = this.fragmentParentMap.has(parent);\n\n const styleSheet = usingVirtualParent ? null : styleEl.sheet;\n let rules: VirtualStyleRules = [];\n\n if (!styleSheet) {\n if (this.virtualStyleRulesMap.has(target)) {\n rules = this.virtualStyleRulesMap.get(target) as VirtualStyleRules;\n } else {\n rules = [];\n this.virtualStyleRulesMap.set(target, rules);\n }\n }\n\n if (d.set) {\n if (styleSheet) {\n const rule = (getNestedRule(\n styleSheet.rules,\n d.index,\n ) as unknown) as CSSStyleRule;\n rule.style.setProperty(d.set.property, d.set.value, d.set.priority);\n } else {\n rules.push({\n type: StyleRuleType.SetProperty,\n index: d.index,\n ...d.set,\n });\n }\n }\n\n if (d.remove) {\n if (styleSheet) {\n const rule = (getNestedRule(\n styleSheet.rules,\n d.index,\n ) as unknown) as CSSStyleRule;\n rule.style.removeProperty(d.remove.property);\n } else {\n rules.push({\n type: StyleRuleType.RemoveProperty,\n index: d.index,\n ...d.remove,\n });\n }\n }\n break;\n }\n case IncrementalSource.CanvasMutation: {\n if (!this.config.UNSAFE_replayCanvas) {\n return;\n }\n const target = this.mirror.getNode(d.id);\n if (!target) {\n return this.debugNodeNotFound(d, d.id);\n }\n\n canvasMutation({\n event: e,\n mutation: d,\n target: (target as unknown) as HTMLCanvasElement,\n imageMap: this.imageMap,\n errorHandler: this.warnCanvasMutationFailed.bind(this),\n });\n\n break;\n }\n case IncrementalSource.Font: {\n try {\n const fontFace = new FontFace(\n d.family,\n d.buffer ? new Uint8Array(JSON.parse(d.fontSource)) : d.fontSource,\n d.descriptors,\n );\n this.iframe.contentDocument?.fonts.add(fontFace);\n } catch (error) {\n if (this.config.showWarning) {\n console.warn(error);\n }\n }\n break;\n }\n default:\n }\n }\n\n private applyMutation(d: mutationData, useVirtualParent: boolean) {\n d.removes.forEach((mutation) => {\n let target = this.mirror.getNode(mutation.id);\n if (!target) {\n if (d.removes.find((r) => r.id === mutation.parentId)) {\n // no need to warn, parent was already removed\n return;\n }\n return this.warnNodeNotFound(d, mutation.id);\n }\n if (this.virtualStyleRulesMap.has(target)) {\n this.virtualStyleRulesMap.delete(target);\n }\n let parent: INode | null | ShadowRoot = this.mirror.getNode(\n mutation.parentId,\n );\n if (!parent) {\n return this.warnNodeNotFound(d, mutation.parentId);\n }\n if (mutation.isShadow && hasShadowRoot(parent)) {\n parent = parent.shadowRoot;\n }\n // target may be removed with its parents before\n this.mirror.removeNodeFromMap(target);\n if (parent) {\n let realTarget = null;\n const realParent =\n '__sn' in parent ? this.fragmentParentMap.get(parent) : undefined;\n if (realParent && realParent.contains(target)) {\n parent = realParent;\n } else if (this.fragmentParentMap.has(target)) {\n /**\n * the target itself is a fragment document and it's not in the dom\n * so we should remove the real target from its parent\n */\n realTarget = this.fragmentParentMap.get(target)!;\n this.fragmentParentMap.delete(target);\n target = realTarget;\n }\n try {\n parent.removeChild(target);\n } catch (error) {\n if (error instanceof DOMException) {\n this.warn(\n 'parent could not remove child in mutation',\n parent,\n realParent,\n target,\n realTarget,\n d,\n );\n } else {\n throw error;\n }\n }\n }\n });\n\n // tslint:disable-next-line: variable-name\n const legacy_missingNodeMap: missingNodeMap = {\n ...this.legacy_missingNodeRetryMap,\n };\n const queue: addedNodeMutation[] = [];\n\n // next not present at this moment\n const nextNotInDOM = (mutation: addedNodeMutation) => {\n let next: Node | null = null;\n if (mutation.nextId) {\n next = this.mirror.getNode(mutation.nextId) as Node;\n }\n // next not present at this moment\n if (\n mutation.nextId !== null &&\n mutation.nextId !== undefined &&\n mutation.nextId !== -1 &&\n !next\n ) {\n return true;\n }\n return false;\n };\n\n const appendNode = (mutation: addedNodeMutation) => {\n if (!this.iframe.contentDocument) {\n return console.warn('Looks like your replayer has been destroyed.');\n }\n let parent: INode | null | ShadowRoot = this.mirror.getNode(\n mutation.parentId,\n );\n if (!parent) {\n if (mutation.node.type === NodeType.Document) {\n // is newly added document, maybe the document node of an iframe\n return this.newDocumentQueue.push(mutation);\n }\n return queue.push(mutation);\n }\n\n let parentInDocument = null;\n if (this.iframe.contentDocument.contains) {\n parentInDocument = this.iframe.contentDocument.contains(parent);\n } else if (this.iframe.contentDocument.body.contains) {\n // fix for IE\n // refer 'Internet Explorer notes' at https://developer.mozilla.org/zh-CN/docs/Web/API/Document\n parentInDocument = this.iframe.contentDocument.body.contains(parent);\n }\n\n const hasIframeChild =\n ((parent as unknown) as HTMLElement).getElementsByTagName?.('iframe')\n .length > 0;\n /**\n * Why !isIframeINode(parent)? If parent element is an iframe, iframe document can't be appended to virtual parent.\n * Why !hasIframeChild? If we move iframe elements from dom to fragment document, we will lose the contentDocument of iframe. So we need to disable the virtual dom optimization if a parent node contains iframe elements.\n */\n if (\n useVirtualParent &&\n parentInDocument &&\n !isIframeINode(parent) &&\n !hasIframeChild\n ) {\n const virtualParent = (document.createDocumentFragment() as unknown) as INode;\n this.mirror.map[mutation.parentId] = virtualParent;\n this.fragmentParentMap.set(virtualParent, parent);\n\n // store the state, like scroll position, of child nodes before they are unmounted from dom\n this.storeState(parent);\n\n while (parent.firstChild) {\n virtualParent.appendChild(parent.firstChild);\n }\n parent = virtualParent;\n }\n\n if (mutation.node.isShadow) {\n // If the parent is attached a shadow dom after it's created, it won't have a shadow root.\n if (!hasShadowRoot(parent)) {\n ((parent as Node) as HTMLElement).attachShadow({ mode: 'open' });\n parent = ((parent as Node) as HTMLElement).shadowRoot!;\n } else parent = parent.shadowRoot;\n }\n\n let previous: Node | null = null;\n let next: Node | null = null;\n if (mutation.previousId) {\n previous = this.mirror.getNode(mutation.previousId) as Node;\n }\n if (mutation.nextId) {\n next = this.mirror.getNode(mutation.nextId) as Node;\n }\n if (nextNotInDOM(mutation)) {\n return queue.push(mutation);\n }\n\n if (mutation.node.rootId && !this.mirror.getNode(mutation.node.rootId)) {\n return;\n }\n\n const targetDoc = mutation.node.rootId\n ? this.mirror.getNode(mutation.node.rootId)\n : this.iframe.contentDocument;\n if (isIframeINode(parent)) {\n this.attachDocumentToIframe(mutation, parent);\n return;\n }\n const target = buildNodeWithSN(mutation.node, {\n doc: targetDoc as Document,\n map: this.mirror.map,\n skipChild: true,\n hackCss: true,\n cache: this.cache,\n }) as INode;\n\n // legacy data, we should not have -1 siblings any more\n if (mutation.previousId === -1 || mutation.nextId === -1) {\n legacy_missingNodeMap[mutation.node.id] = {\n node: target,\n mutation,\n };\n return;\n }\n\n if (\n '__sn' in parent &&\n parent.__sn.type === NodeType.Element &&\n parent.__sn.tagName === 'textarea' &&\n mutation.node.type === NodeType.Text\n ) {\n // https://github.com/rrweb-io/rrweb/issues/745\n // parent is textarea, will only keep one child node as the value\n for (const c of Array.from(parent.childNodes)) {\n if (c.nodeType === parent.TEXT_NODE) {\n parent.removeChild(c);\n }\n }\n }\n\n if (previous && previous.nextSibling && previous.nextSibling.parentNode) {\n parent.insertBefore(target, previous.nextSibling);\n } else if (next && next.parentNode) {\n // making sure the parent contains the reference nodes\n // before we insert target before next.\n parent.contains(next)\n ? parent.insertBefore(target, next)\n : parent.insertBefore(target, null);\n } else {\n /**\n * Sometimes the document changes and the MutationObserver is disconnected, so the removal of child elements can't be detected and recorded. After the change of document, we may get another mutation which adds a new html element, while the old html element still exists in the dom, and we need to remove the old html element first to avoid collision.\n */\n if (parent === targetDoc) {\n while (targetDoc.firstChild) {\n targetDoc.removeChild(targetDoc.firstChild);\n }\n }\n\n parent.appendChild(target);\n }\n\n if (isIframeINode(target)) {\n const mutationInQueue = this.newDocumentQueue.find(\n (m) => m.parentId === target.__sn.id,\n );\n if (mutationInQueue) {\n this.attachDocumentToIframe(mutationInQueue, target);\n this.newDocumentQueue = this.newDocumentQueue.filter(\n (m) => m !== mutationInQueue,\n );\n }\n }\n\n if (mutation.previousId || mutation.nextId) {\n this.legacy_resolveMissingNode(\n legacy_missingNodeMap,\n parent,\n target,\n mutation,\n );\n }\n };\n\n d.adds.forEach((mutation) => {\n appendNode(mutation);\n });\n\n let startTime = Date.now();\n while (queue.length) {\n // transform queue to resolve tree\n const resolveTrees = queueToResolveTrees(queue);\n queue.length = 0;\n if (Date.now() - startTime > 500) {\n this.warn(\n 'Timeout in the loop, please check the resolve tree data:',\n resolveTrees,\n );\n break;\n }\n for (const tree of resolveTrees) {\n let parent = this.mirror.getNode(tree.value.parentId);\n if (!parent) {\n this.debug(\n 'Drop resolve tree since there is no parent for the root node.',\n tree,\n );\n } else {\n iterateResolveTree(tree, (mutation) => {\n appendNode(mutation);\n });\n }\n }\n }\n\n if (Object.keys(legacy_missingNodeMap).length) {\n Object.assign(this.legacy_missingNodeRetryMap, legacy_missingNodeMap);\n }\n\n d.texts.forEach((mutation) => {\n let target = this.mirror.getNode(mutation.id);\n if (!target) {\n if (d.removes.find((r) => r.id === mutation.id)) {\n // no need to warn, element was already removed\n return;\n }\n return this.warnNodeNotFound(d, mutation.id);\n }\n /**\n * apply text content to real parent directly\n */\n if (this.fragmentParentMap.has(target)) {\n target = this.fragmentParentMap.get(target)!;\n }\n target.textContent = mutation.value;\n });\n d.attributes.forEach((mutation) => {\n let target = this.mirror.getNode(mutation.id);\n if (!target) {\n if (d.removes.find((r) => r.id === mutation.id)) {\n // no need to warn, element was already removed\n return;\n }\n return this.warnNodeNotFound(d, mutation.id);\n }\n if (this.fragmentParentMap.has(target)) {\n target = this.fragmentParentMap.get(target)!;\n }\n for (const attributeName in mutation.attributes) {\n if (typeof attributeName === 'string') {\n const value = mutation.attributes[attributeName];\n if (value === null) {\n ((target as Node) as Element).removeAttribute(attributeName);\n } else if (typeof value === 'string') {\n try {\n ((target as Node) as Element).setAttribute(attributeName, value);\n } catch (error) {\n if (this.config.showWarning) {\n console.warn(\n 'An error occurred may due to the checkout feature.',\n error,\n );\n }\n }\n } else if (attributeName === 'style') {\n let styleValues = value as styleAttributeValue;\n const targetEl = (target as Node) as HTMLElement;\n for (var s in styleValues) {\n if (styleValues[s] === false) {\n targetEl.style.removeProperty(s);\n } else if (styleValues[s] instanceof Array) {\n const svp = styleValues[s] as styleValueWithPriority;\n targetEl.style.setProperty(s, svp[0], svp[1]);\n } else {\n const svs = styleValues[s] as string;\n targetEl.style.setProperty(s, svs);\n }\n }\n }\n }\n }\n });\n }\n\n /**\n * Apply the scroll data on real elements.\n * If the replayer is in sync mode, smooth scroll behavior should be disabled.\n * @param d the scroll data\n * @param isSync whether the replayer is in sync mode(fast-forward)\n */\n private applyScroll(d: scrollData, isSync: boolean) {\n const target = this.mirror.getNode(d.id);\n if (!target) {\n return this.debugNodeNotFound(d, d.id);\n }\n if ((target as Node) === this.iframe.contentDocument) {\n this.iframe.contentWindow!.scrollTo({\n top: d.y,\n left: d.x,\n behavior: isSync ? 'auto' : 'smooth',\n });\n } else if (target.__sn.type === NodeType.Document) {\n // nest iframe content document\n ((target as unknown) as Document).defaultView!.scrollTo({\n top: d.y,\n left: d.x,\n behavior: isSync ? 'auto' : 'smooth',\n });\n } else {\n try {\n ((target as Node) as Element).scrollTop = d.y;\n ((target as Node) as Element).scrollLeft = d.x;\n } catch (error) {\n /**\n * Seldomly we may found scroll target was removed before\n * its last scroll event.\n */\n }\n }\n }\n\n private applyInput(d: inputData) {\n const target = this.mirror.getNode(d.id);\n if (!target) {\n return this.debugNodeNotFound(d, d.id);\n }\n try {\n ((target as Node) as HTMLInputElement).checked = d.isChecked;\n ((target as Node) as HTMLInputElement).value = d.text;\n } catch (error) {\n // for safe\n }\n }\n\n private applyText(d: textMutation, mutation: mutationData) {\n const target = this.mirror.getNode(d.id);\n if (!target) {\n return this.debugNodeNotFound(mutation, d.id);\n }\n try {\n ((target as Node) as HTMLElement).textContent = d.value;\n } catch (error) {\n // for safe\n }\n }\n\n private legacy_resolveMissingNode(\n map: missingNodeMap,\n parent: Node,\n target: Node,\n targetMutation: addedNodeMutation,\n ) {\n const { previousId, nextId } = targetMutation;\n const previousInMap = previousId && map[previousId];\n const nextInMap = nextId && map[nextId];\n if (previousInMap) {\n const { node, mutation } = previousInMap as missingNode;\n parent.insertBefore(node, target);\n delete map[mutation.node.id];\n delete this.legacy_missingNodeRetryMap[mutation.node.id];\n if (mutation.previousId || mutation.nextId) {\n this.legacy_resolveMissingNode(map, parent, node as Node, mutation);\n }\n }\n if (nextInMap) {\n const { node, mutation } = nextInMap as missingNode;\n parent.insertBefore(node, target.nextSibling);\n delete map[mutation.node.id];\n delete this.legacy_missingNodeRetryMap[mutation.node.id];\n if (mutation.previousId || mutation.nextId) {\n this.legacy_resolveMissingNode(map, parent, node as Node, mutation);\n }\n }\n }\n\n private moveAndHover(\n x: number,\n y: number,\n id: number,\n isSync: boolean,\n debugData: incrementalData,\n ) {\n const target = this.mirror.getNode(id);\n if (!target) {\n return this.debugNodeNotFound(debugData, id);\n }\n\n const base = getBaseDimension(target, this.iframe);\n const _x = x * base.absoluteScale + base.x;\n const _y = y * base.absoluteScale + base.y;\n\n this.mouse.style.left = `${_x}px`;\n this.mouse.style.top = `${_y}px`;\n if (!isSync) {\n this.drawMouseTail({ x: _x, y: _y });\n }\n this.hoverElements((target as Node) as Element);\n }\n\n private drawMouseTail(position: { x: number; y: number }) {\n if (!this.mouseTail) {\n return;\n }\n\n const { lineCap, lineWidth, strokeStyle, duration } =\n this.config.mouseTail === true\n ? defaultMouseTailConfig\n : Object.assign({}, defaultMouseTailConfig, this.config.mouseTail);\n\n const draw = () => {\n if (!this.mouseTail) {\n return;\n }\n const ctx = this.mouseTail.getContext('2d');\n if (!ctx || !this.tailPositions.length) {\n return;\n }\n ctx.clearRect(0, 0, this.mouseTail.width, this.mouseTail.height);\n ctx.beginPath();\n ctx.lineWidth = lineWidth;\n ctx.lineCap = lineCap;\n ctx.strokeStyle = strokeStyle;\n ctx.moveTo(this.tailPositions[0].x, this.tailPositions[0].y);\n this.tailPositions.forEach((p) => ctx.lineTo(p.x, p.y));\n ctx.stroke();\n };\n\n this.tailPositions.push(position);\n draw();\n setTimeout(() => {\n this.tailPositions = this.tailPositions.filter((p) => p !== position);\n draw();\n }, duration / this.speedService.state.context.timer.speed);\n }\n\n private hoverElements(el: Element) {\n this.iframe.contentDocument\n ?.querySelectorAll('.\\\\:hover')\n .forEach((hoveredEl) => {\n hoveredEl.classList.remove(':hover');\n });\n let currentEl: Element | null = el;\n while (currentEl) {\n if (currentEl.classList) {\n currentEl.classList.add(':hover');\n }\n currentEl = currentEl.parentElement;\n }\n }\n\n private isUserInteraction(event: eventWithTime): boolean {\n if (event.type !== EventType.IncrementalSnapshot) {\n return false;\n }\n return (\n event.data.source > IncrementalSource.Mutation &&\n event.data.source <= IncrementalSource.Input\n );\n }\n\n private backToNormal() {\n this.nextUserInteractionEvent = null;\n if (this.speedService.state.matches('normal')) {\n return;\n }\n this.speedService.send({ type: 'BACK_TO_NORMAL' });\n this.emitter.emit(ReplayerEvents.SkipEnd, {\n speed: this.speedService.state.context.normalSpeed,\n });\n }\n\n /**\n * Replace the virtual parent with the real parent.\n * @param frag fragment document, the virtual parent\n * @param parent real parent element\n */\n private restoreRealParent(frag: INode, parent: INode) {\n this.mirror.map[parent.__sn.id] = parent;\n /**\n * If we have already set value attribute on textarea,\n * then we could not apply text content as default value any more.\n */\n if (\n parent.__sn.type === NodeType.Element &&\n parent.__sn.tagName === 'textarea' &&\n frag.textContent\n ) {\n ((parent as unknown) as HTMLTextAreaElement).value = frag.textContent;\n }\n parent.appendChild(frag);\n // restore state of elements after they are mounted\n this.restoreState(parent);\n }\n\n /**\n * store state of elements before unmounted from dom recursively\n * the state should be restored in the handler of event ReplayerEvents.Flush\n * e.g. browser would lose scroll position after the process that we add children of parent node to Fragment Document as virtual dom\n */\n private storeState(parent: INode) {\n if (parent) {\n if (parent.nodeType === parent.ELEMENT_NODE) {\n const parentElement = (parent as unknown) as HTMLElement;\n if (parentElement.scrollLeft || parentElement.scrollTop) {\n // store scroll position state\n this.elementStateMap.set(parent, {\n scroll: [parentElement.scrollLeft, parentElement.scrollTop],\n });\n }\n if (parentElement.tagName === 'STYLE')\n storeCSSRules(\n parentElement as HTMLStyleElement,\n this.virtualStyleRulesMap,\n );\n const children = parentElement.children;\n for (const child of Array.from(children)) {\n this.storeState((child as unknown) as INode);\n }\n }\n }\n }\n\n /**\n * restore the state of elements recursively, which was stored before elements were unmounted from dom in virtual parent mode\n * this function corresponds to function storeState\n */\n private restoreState(parent: INode) {\n if (parent.nodeType === parent.ELEMENT_NODE) {\n const parentElement = (parent as unknown) as HTMLElement;\n if (this.elementStateMap.has(parent)) {\n const storedState = this.elementStateMap.get(parent)!;\n // restore scroll position\n if (storedState.scroll) {\n parentElement.scrollLeft = storedState.scroll[0];\n parentElement.scrollTop = storedState.scroll[1];\n }\n this.elementStateMap.delete(parent);\n }\n const children = parentElement.children;\n for (const child of Array.from(children)) {\n this.restoreState((child as unknown) as INode);\n }\n }\n }\n\n private restoreNodeSheet(node: INode) {\n const storedRules = this.virtualStyleRulesMap.get(node);\n if (node.nodeName !== 'STYLE') {\n return;\n }\n\n if (!storedRules) {\n return;\n }\n\n const styleNode = (node as unknown) as HTMLStyleElement;\n\n applyVirtualStyleRulesToNode(storedRules, styleNode);\n }\n\n private warnNodeNotFound(d: incrementalData, id: number) {\n if (this.treeIndex.idRemoved(id)) {\n this.warn(`Node with id '${id}' was previously removed. `, d);\n } else {\n this.warn(`Node with id '${id}' not found. `, d);\n }\n }\n\n private warnCanvasMutationFailed(\n d: canvasMutationData | canvasMutationCommand,\n error: unknown,\n ) {\n this.warn(`Has error on canvas update`, error, 'canvas mutation:', d);\n }\n\n private debugNodeNotFound(d: incrementalData, id: number) {\n /**\n * There maybe some valid scenes of node not being found.\n * Because DOM events are macrotask and MutationObserver callback\n * is microtask, so events fired on a removed DOM may emit\n * snapshots in the reverse order.\n */\n if (this.treeIndex.idRemoved(id)) {\n this.debug(\n REPLAY_CONSOLE_PREFIX,\n `Node with id '${id}' was previously removed. `,\n d,\n );\n } else {\n this.debug(REPLAY_CONSOLE_PREFIX, `Node with id '${id}' not found. `, d);\n }\n }\n\n private warn(...args: Parameters) {\n if (!this.config.showWarning) {\n return;\n }\n console.warn(REPLAY_CONSOLE_PREFIX, ...args);\n }\n\n private debug(...args: Parameters) {\n if (!this.config.showDebug) {\n return;\n }\n // tslint:disable-next-line: no-console\n console.log(REPLAY_CONSOLE_PREFIX, ...args);\n }\n}\n","import { Replayer } from '..';\nimport {\n CanvasContext,\n canvasMutationCommand,\n canvasMutationData,\n} from '../../types';\nimport webglMutation from './webgl';\nimport canvas2DMutation from './2d';\n\nexport default function canvasMutation({\n event,\n mutation,\n target,\n imageMap,\n errorHandler,\n}: {\n event: Parameters[0];\n mutation: canvasMutationData;\n target: HTMLCanvasElement;\n imageMap: Replayer['imageMap'];\n errorHandler: Replayer['warnCanvasMutationFailed'];\n}): void {\n try {\n const mutations: canvasMutationCommand[] =\n 'commands' in mutation ? mutation.commands : [mutation];\n\n if ([CanvasContext.WebGL, CanvasContext.WebGL2].includes(mutation.type)) {\n return mutations.forEach((command) => {\n webglMutation({\n mutation: command,\n type: mutation.type,\n target,\n imageMap,\n errorHandler,\n });\n });\n }\n // default is '2d' for backwards compatibility (rrweb below 1.1.x)\n return mutations.forEach((command) => {\n canvas2DMutation({\n event,\n mutation: command,\n target,\n imageMap,\n errorHandler,\n });\n });\n } catch (error) {\n errorHandler(mutation, error);\n }\n}\n","import { Replayer } from '../';\nimport { canvasMutationCommand } from '../../types';\n\nexport default function canvasMutation({\n event,\n mutation,\n target,\n imageMap,\n errorHandler,\n}: {\n event: Parameters[0];\n mutation: canvasMutationCommand;\n target: HTMLCanvasElement;\n imageMap: Replayer['imageMap'];\n errorHandler: Replayer['warnCanvasMutationFailed'];\n}): void {\n try {\n const ctx = ((target as unknown) as HTMLCanvasElement).getContext('2d')!;\n\n if (mutation.setter) {\n // skip some read-only type checks\n // tslint:disable-next-line:no-any\n (ctx as any)[mutation.property] = mutation.args[0];\n return;\n }\n const original = ctx[\n mutation.property as Exclude\n ] as Function;\n\n /**\n * We have serialized the image source into base64 string during recording,\n * which has been preloaded before replay.\n * So we can get call drawImage SYNCHRONOUSLY which avoid some fragile cast.\n */\n if (\n mutation.property === 'drawImage' &&\n typeof mutation.args[0] === 'string'\n ) {\n const image = imageMap.get(event);\n mutation.args[0] = image;\n original.apply(ctx, mutation.args);\n } else {\n original.apply(ctx, mutation.args);\n }\n } catch (error) {\n errorHandler(mutation, error);\n }\n}\n","// DEFLATE is a complex format; to read this code, you should probably check the RFC first:\n// https://tools.ietf.org/html/rfc1951\n// You may also wish to take a look at the guide I made about this program:\n// https://gist.github.com/101arrowz/253f31eb5abc3d9275ab943003ffecad\n// Much of the following code is similar to that of UZIP.js:\n// https://github.com/photopea/UZIP.js\n// Many optimizations have been made, so the bundle size is ultimately smaller but performance is similar.\n// Sometimes 0 will appear where -1 would be more appropriate. This is because using a uint\n// is better for memory in most engines (I *think*).\nvar ch2 = {};\nvar wk = (function (c, id, msg, transfer, cb) {\n var u = ch2[id] || (ch2[id] = URL.createObjectURL(new Blob([c], { type: 'text/javascript' })));\n var w = new Worker(u);\n w.onerror = function (e) { return cb(e.error, null); };\n w.onmessage = function (e) { return cb(null, e.data); };\n w.postMessage(msg, transfer);\n return w;\n});\n\n// aliases for shorter compressed code (most minifers don't do this)\nvar u8 = Uint8Array, u16 = Uint16Array, u32 = Uint32Array;\n// fixed length extra bits\nvar fleb = new u8([0, 0, 0, 0, 0, 0, 0, 0, 1, 1, 1, 1, 2, 2, 2, 2, 3, 3, 3, 3, 4, 4, 4, 4, 5, 5, 5, 5, 0, /* unused */ 0, 0, /* impossible */ 0]);\n// fixed distance extra bits\n// see fleb note\nvar fdeb = new u8([0, 0, 0, 0, 1, 1, 2, 2, 3, 3, 4, 4, 5, 5, 6, 6, 7, 7, 8, 8, 9, 9, 10, 10, 11, 11, 12, 12, 13, 13, /* unused */ 0, 0]);\n// code length index map\nvar clim = new u8([16, 17, 18, 0, 8, 7, 9, 6, 10, 5, 11, 4, 12, 3, 13, 2, 14, 1, 15]);\n// get base, reverse index map from extra bits\nvar freb = function (eb, start) {\n var b = new u16(31);\n for (var i = 0; i < 31; ++i) {\n b[i] = start += 1 << eb[i - 1];\n }\n // numbers here are at max 18 bits\n var r = new u32(b[30]);\n for (var i = 1; i < 30; ++i) {\n for (var j = b[i]; j < b[i + 1]; ++j) {\n r[j] = ((j - b[i]) << 5) | i;\n }\n }\n return [b, r];\n};\nvar _a = freb(fleb, 2), fl = _a[0], revfl = _a[1];\n// we can ignore the fact that the other numbers are wrong; they never happen anyway\nfl[28] = 258, revfl[258] = 28;\nvar _b = freb(fdeb, 0), fd = _b[0], revfd = _b[1];\n// map of value to reverse (assuming 16 bits)\nvar rev = new u16(32768);\nfor (var i = 0; i < 32768; ++i) {\n // reverse table algorithm from SO\n var x = ((i & 0xAAAA) >>> 1) | ((i & 0x5555) << 1);\n x = ((x & 0xCCCC) >>> 2) | ((x & 0x3333) << 2);\n x = ((x & 0xF0F0) >>> 4) | ((x & 0x0F0F) << 4);\n rev[i] = (((x & 0xFF00) >>> 8) | ((x & 0x00FF) << 8)) >>> 1;\n}\n// create huffman tree from u8 \"map\": index -> code length for code index\n// mb (max bits) must be at most 15\n// TODO: optimize/split up?\nvar hMap = (function (cd, mb, r) {\n var s = cd.length;\n // index\n var i = 0;\n // u16 \"map\": index -> # of codes with bit length = index\n var l = new u16(mb);\n // length of cd must be 288 (total # of codes)\n for (; i < s; ++i)\n ++l[cd[i] - 1];\n // u16 \"map\": index -> minimum code for bit length = index\n var le = new u16(mb);\n for (i = 0; i < mb; ++i) {\n le[i] = (le[i - 1] + l[i - 1]) << 1;\n }\n var co;\n if (r) {\n // u16 \"map\": index -> number of actual bits, symbol for code\n co = new u16(1 << mb);\n // bits to remove for reverser\n var rvb = 15 - mb;\n for (i = 0; i < s; ++i) {\n // ignore 0 lengths\n if (cd[i]) {\n // num encoding both symbol and bits read\n var sv = (i << 4) | cd[i];\n // free bits\n var r_1 = mb - cd[i];\n // start value\n var v = le[cd[i] - 1]++ << r_1;\n // m is end value\n for (var m = v | ((1 << r_1) - 1); v <= m; ++v) {\n // every 16 bit value starting with the code yields the same result\n co[rev[v] >>> rvb] = sv;\n }\n }\n }\n }\n else {\n co = new u16(s);\n for (i = 0; i < s; ++i)\n co[i] = rev[le[cd[i] - 1]++] >>> (15 - cd[i]);\n }\n return co;\n});\n// fixed length tree\nvar flt = new u8(288);\nfor (var i = 0; i < 144; ++i)\n flt[i] = 8;\nfor (var i = 144; i < 256; ++i)\n flt[i] = 9;\nfor (var i = 256; i < 280; ++i)\n flt[i] = 7;\nfor (var i = 280; i < 288; ++i)\n flt[i] = 8;\n// fixed distance tree\nvar fdt = new u8(32);\nfor (var i = 0; i < 32; ++i)\n fdt[i] = 5;\n// fixed length map\nvar flm = /*#__PURE__*/ hMap(flt, 9, 0), flrm = /*#__PURE__*/ hMap(flt, 9, 1);\n// fixed distance map\nvar fdm = /*#__PURE__*/ hMap(fdt, 5, 0), fdrm = /*#__PURE__*/ hMap(fdt, 5, 1);\n// find max of array\nvar max = function (a) {\n var m = a[0];\n for (var i = 1; i < a.length; ++i) {\n if (a[i] > m)\n m = a[i];\n }\n return m;\n};\n// read d, starting at bit p and mask with m\nvar bits = function (d, p, m) {\n var o = (p / 8) >> 0;\n return ((d[o] | (d[o + 1] << 8)) >>> (p & 7)) & m;\n};\n// read d, starting at bit p continuing for at least 16 bits\nvar bits16 = function (d, p) {\n var o = (p / 8) >> 0;\n return ((d[o] | (d[o + 1] << 8) | (d[o + 2] << 16)) >>> (p & 7));\n};\n// get end of byte\nvar shft = function (p) { return ((p / 8) >> 0) + (p & 7 && 1); };\n// typed array slice - allows garbage collector to free original reference,\n// while being more compatible than .slice\nvar slc = function (v, s, e) {\n if (s == null || s < 0)\n s = 0;\n if (e == null || e > v.length)\n e = v.length;\n // can't use .constructor in case user-supplied\n var n = new (v instanceof u16 ? u16 : v instanceof u32 ? u32 : u8)(e - s);\n n.set(v.subarray(s, e));\n return n;\n};\n// expands raw DEFLATE data\nvar inflt = function (dat, buf, st) {\n // source length\n var sl = dat.length;\n // have to estimate size\n var noBuf = !buf || st;\n // no state\n var noSt = !st || st.i;\n if (!st)\n st = {};\n // Assumes roughly 33% compression ratio average\n if (!buf)\n buf = new u8(sl * 3);\n // ensure buffer can fit at least l elements\n var cbuf = function (l) {\n var bl = buf.length;\n // need to increase size to fit\n if (l > bl) {\n // Double or set to necessary, whichever is greater\n var nbuf = new u8(Math.max(bl * 2, l));\n nbuf.set(buf);\n buf = nbuf;\n }\n };\n // last chunk bitpos bytes\n var final = st.f || 0, pos = st.p || 0, bt = st.b || 0, lm = st.l, dm = st.d, lbt = st.m, dbt = st.n;\n // total bits\n var tbts = sl * 8;\n do {\n if (!lm) {\n // BFINAL - this is only 1 when last chunk is next\n st.f = final = bits(dat, pos, 1);\n // type: 0 = no compression, 1 = fixed huffman, 2 = dynamic huffman\n var type = bits(dat, pos + 1, 3);\n pos += 3;\n if (!type) {\n // go to end of byte boundary\n var s = shft(pos) + 4, l = dat[s - 4] | (dat[s - 3] << 8), t = s + l;\n if (t > sl) {\n if (noSt)\n throw 'unexpected EOF';\n break;\n }\n // ensure size\n if (noBuf)\n cbuf(bt + l);\n // Copy over uncompressed data\n buf.set(dat.subarray(s, t), bt);\n // Get new bitpos, update byte count\n st.b = bt += l, st.p = pos = t * 8;\n continue;\n }\n else if (type == 1)\n lm = flrm, dm = fdrm, lbt = 9, dbt = 5;\n else if (type == 2) {\n // literal lengths\n var hLit = bits(dat, pos, 31) + 257, hcLen = bits(dat, pos + 10, 15) + 4;\n var tl = hLit + bits(dat, pos + 5, 31) + 1;\n pos += 14;\n // length+distance tree\n var ldt = new u8(tl);\n // code length tree\n var clt = new u8(19);\n for (var i = 0; i < hcLen; ++i) {\n // use index map to get real code\n clt[clim[i]] = bits(dat, pos + i * 3, 7);\n }\n pos += hcLen * 3;\n // code lengths bits\n var clb = max(clt), clbmsk = (1 << clb) - 1;\n if (!noSt && pos + tl * (clb + 7) > tbts)\n break;\n // code lengths map\n var clm = hMap(clt, clb, 1);\n for (var i = 0; i < tl;) {\n var r = clm[bits(dat, pos, clbmsk)];\n // bits read\n pos += r & 15;\n // symbol\n var s = r >>> 4;\n // code length to copy\n if (s < 16) {\n ldt[i++] = s;\n }\n else {\n // copy count\n var c = 0, n = 0;\n if (s == 16)\n n = 3 + bits(dat, pos, 3), pos += 2, c = ldt[i - 1];\n else if (s == 17)\n n = 3 + bits(dat, pos, 7), pos += 3;\n else if (s == 18)\n n = 11 + bits(dat, pos, 127), pos += 7;\n while (n--)\n ldt[i++] = c;\n }\n }\n // length tree distance tree\n var lt = ldt.subarray(0, hLit), dt = ldt.subarray(hLit);\n // max length bits\n lbt = max(lt);\n // max dist bits\n dbt = max(dt);\n lm = hMap(lt, lbt, 1);\n dm = hMap(dt, dbt, 1);\n }\n else\n throw 'invalid block type';\n if (pos > tbts)\n throw 'unexpected EOF';\n }\n // Make sure the buffer can hold this + the largest possible addition\n // Maximum chunk size (practically, theoretically infinite) is 2^17;\n if (noBuf)\n cbuf(bt + 131072);\n var lms = (1 << lbt) - 1, dms = (1 << dbt) - 1;\n var mxa = lbt + dbt + 18;\n while (noSt || pos + mxa < tbts) {\n // bits read, code\n var c = lm[bits16(dat, pos) & lms], sym = c >>> 4;\n pos += c & 15;\n if (pos > tbts)\n throw 'unexpected EOF';\n if (!c)\n throw 'invalid length/literal';\n if (sym < 256)\n buf[bt++] = sym;\n else if (sym == 256) {\n lm = null;\n break;\n }\n else {\n var add = sym - 254;\n // no extra bits needed if less\n if (sym > 264) {\n // index\n var i = sym - 257, b = fleb[i];\n add = bits(dat, pos, (1 << b) - 1) + fl[i];\n pos += b;\n }\n // dist\n var d = dm[bits16(dat, pos) & dms], dsym = d >>> 4;\n if (!d)\n throw 'invalid distance';\n pos += d & 15;\n var dt = fd[dsym];\n if (dsym > 3) {\n var b = fdeb[dsym];\n dt += bits16(dat, pos) & ((1 << b) - 1), pos += b;\n }\n if (pos > tbts)\n throw 'unexpected EOF';\n if (noBuf)\n cbuf(bt + 131072);\n var end = bt + add;\n for (; bt < end; bt += 4) {\n buf[bt] = buf[bt - dt];\n buf[bt + 1] = buf[bt + 1 - dt];\n buf[bt + 2] = buf[bt + 2 - dt];\n buf[bt + 3] = buf[bt + 3 - dt];\n }\n bt = end;\n }\n }\n st.l = lm, st.p = pos, st.b = bt;\n if (lm)\n final = 1, st.m = lbt, st.d = dm, st.n = dbt;\n } while (!final);\n return bt == buf.length ? buf : slc(buf, 0, bt);\n};\n// starting at p, write the minimum number of bits that can hold v to d\nvar wbits = function (d, p, v) {\n v <<= p & 7;\n var o = (p / 8) >> 0;\n d[o] |= v;\n d[o + 1] |= v >>> 8;\n};\n// starting at p, write the minimum number of bits (>8) that can hold v to d\nvar wbits16 = function (d, p, v) {\n v <<= p & 7;\n var o = (p / 8) >> 0;\n d[o] |= v;\n d[o + 1] |= v >>> 8;\n d[o + 2] |= v >>> 16;\n};\n// creates code lengths from a frequency table\nvar hTree = function (d, mb) {\n // Need extra info to make a tree\n var t = [];\n for (var i = 0; i < d.length; ++i) {\n if (d[i])\n t.push({ s: i, f: d[i] });\n }\n var s = t.length;\n var t2 = t.slice();\n if (!s)\n return [new u8(0), 0];\n if (s == 1) {\n var v = new u8(t[0].s + 1);\n v[t[0].s] = 1;\n return [v, 1];\n }\n t.sort(function (a, b) { return a.f - b.f; });\n // after i2 reaches last ind, will be stopped\n // freq must be greater than largest possible number of symbols\n t.push({ s: -1, f: 25001 });\n var l = t[0], r = t[1], i0 = 0, i1 = 1, i2 = 2;\n t[0] = { s: -1, f: l.f + r.f, l: l, r: r };\n // efficient algorithm from UZIP.js\n // i0 is lookbehind, i2 is lookahead - after processing two low-freq\n // symbols that combined have high freq, will start processing i2 (high-freq,\n // non-composite) symbols instead\n // see https://reddit.com/r/photopea/comments/ikekht/uzipjs_questions/\n while (i1 != s - 1) {\n l = t[t[i0].f < t[i2].f ? i0++ : i2++];\n r = t[i0 != i1 && t[i0].f < t[i2].f ? i0++ : i2++];\n t[i1++] = { s: -1, f: l.f + r.f, l: l, r: r };\n }\n var maxSym = t2[0].s;\n for (var i = 1; i < s; ++i) {\n if (t2[i].s > maxSym)\n maxSym = t2[i].s;\n }\n // code lengths\n var tr = new u16(maxSym + 1);\n // max bits in tree\n var mbt = ln(t[i1 - 1], tr, 0);\n if (mbt > mb) {\n // more algorithms from UZIP.js\n // TODO: find out how this code works (debt)\n // ind debt\n var i = 0, dt = 0;\n // left cost\n var lft = mbt - mb, cst = 1 << lft;\n t2.sort(function (a, b) { return tr[b.s] - tr[a.s] || a.f - b.f; });\n for (; i < s; ++i) {\n var i2_1 = t2[i].s;\n if (tr[i2_1] > mb) {\n dt += cst - (1 << (mbt - tr[i2_1]));\n tr[i2_1] = mb;\n }\n else\n break;\n }\n dt >>>= lft;\n while (dt > 0) {\n var i2_2 = t2[i].s;\n if (tr[i2_2] < mb)\n dt -= 1 << (mb - tr[i2_2]++ - 1);\n else\n ++i;\n }\n for (; i >= 0 && dt; --i) {\n var i2_3 = t2[i].s;\n if (tr[i2_3] == mb) {\n --tr[i2_3];\n ++dt;\n }\n }\n mbt = mb;\n }\n return [new u8(tr), mbt];\n};\n// get the max length and assign length codes\nvar ln = function (n, l, d) {\n return n.s == -1\n ? Math.max(ln(n.l, l, d + 1), ln(n.r, l, d + 1))\n : (l[n.s] = d);\n};\n// length codes generation\nvar lc = function (c) {\n var s = c.length;\n // Note that the semicolon was intentional\n while (s && !c[--s])\n ;\n var cl = new u16(++s);\n // ind num streak\n var cli = 0, cln = c[0], cls = 1;\n var w = function (v) { cl[cli++] = v; };\n for (var i = 1; i <= s; ++i) {\n if (c[i] == cln && i != s)\n ++cls;\n else {\n if (!cln && cls > 2) {\n for (; cls > 138; cls -= 138)\n w(32754);\n if (cls > 2) {\n w(cls > 10 ? ((cls - 11) << 5) | 28690 : ((cls - 3) << 5) | 12305);\n cls = 0;\n }\n }\n else if (cls > 3) {\n w(cln), --cls;\n for (; cls > 6; cls -= 6)\n w(8304);\n if (cls > 2)\n w(((cls - 3) << 5) | 8208), cls = 0;\n }\n while (cls--)\n w(cln);\n cls = 1;\n cln = c[i];\n }\n }\n return [cl.subarray(0, cli), s];\n};\n// calculate the length of output from tree, code lengths\nvar clen = function (cf, cl) {\n var l = 0;\n for (var i = 0; i < cl.length; ++i)\n l += cf[i] * cl[i];\n return l;\n};\n// writes a fixed block\n// returns the new bit pos\nvar wfblk = function (out, pos, dat) {\n // no need to write 00 as type: TypedArray defaults to 0\n var s = dat.length;\n var o = shft(pos + 2);\n out[o] = s & 255;\n out[o + 1] = s >>> 8;\n out[o + 2] = out[o] ^ 255;\n out[o + 3] = out[o + 1] ^ 255;\n for (var i = 0; i < s; ++i)\n out[o + i + 4] = dat[i];\n return (o + 4 + s) * 8;\n};\n// writes a block\nvar wblk = function (dat, out, final, syms, lf, df, eb, li, bs, bl, p) {\n wbits(out, p++, final);\n ++lf[256];\n var _a = hTree(lf, 15), dlt = _a[0], mlb = _a[1];\n var _b = hTree(df, 15), ddt = _b[0], mdb = _b[1];\n var _c = lc(dlt), lclt = _c[0], nlc = _c[1];\n var _d = lc(ddt), lcdt = _d[0], ndc = _d[1];\n var lcfreq = new u16(19);\n for (var i = 0; i < lclt.length; ++i)\n lcfreq[lclt[i] & 31]++;\n for (var i = 0; i < lcdt.length; ++i)\n lcfreq[lcdt[i] & 31]++;\n var _e = hTree(lcfreq, 7), lct = _e[0], mlcb = _e[1];\n var nlcc = 19;\n for (; nlcc > 4 && !lct[clim[nlcc - 1]]; --nlcc)\n ;\n var flen = (bl + 5) << 3;\n var ftlen = clen(lf, flt) + clen(df, fdt) + eb;\n var dtlen = clen(lf, dlt) + clen(df, ddt) + eb + 14 + 3 * nlcc + clen(lcfreq, lct) + (2 * lcfreq[16] + 3 * lcfreq[17] + 7 * lcfreq[18]);\n if (flen <= ftlen && flen <= dtlen)\n return wfblk(out, p, dat.subarray(bs, bs + bl));\n var lm, ll, dm, dl;\n wbits(out, p, 1 + (dtlen < ftlen)), p += 2;\n if (dtlen < ftlen) {\n lm = hMap(dlt, mlb, 0), ll = dlt, dm = hMap(ddt, mdb, 0), dl = ddt;\n var llm = hMap(lct, mlcb, 0);\n wbits(out, p, nlc - 257);\n wbits(out, p + 5, ndc - 1);\n wbits(out, p + 10, nlcc - 4);\n p += 14;\n for (var i = 0; i < nlcc; ++i)\n wbits(out, p + 3 * i, lct[clim[i]]);\n p += 3 * nlcc;\n var lcts = [lclt, lcdt];\n for (var it = 0; it < 2; ++it) {\n var clct = lcts[it];\n for (var i = 0; i < clct.length; ++i) {\n var len = clct[i] & 31;\n wbits(out, p, llm[len]), p += lct[len];\n if (len > 15)\n wbits(out, p, (clct[i] >>> 5) & 127), p += clct[i] >>> 12;\n }\n }\n }\n else {\n lm = flm, ll = flt, dm = fdm, dl = fdt;\n }\n for (var i = 0; i < li; ++i) {\n if (syms[i] > 255) {\n var len = (syms[i] >>> 18) & 31;\n wbits16(out, p, lm[len + 257]), p += ll[len + 257];\n if (len > 7)\n wbits(out, p, (syms[i] >>> 23) & 31), p += fleb[len];\n var dst = syms[i] & 31;\n wbits16(out, p, dm[dst]), p += dl[dst];\n if (dst > 3)\n wbits16(out, p, (syms[i] >>> 5) & 8191), p += fdeb[dst];\n }\n else {\n wbits16(out, p, lm[syms[i]]), p += ll[syms[i]];\n }\n }\n wbits16(out, p, lm[256]);\n return p + ll[256];\n};\n// deflate options (nice << 13) | chain\nvar deo = /*#__PURE__*/ new u32([65540, 131080, 131088, 131104, 262176, 1048704, 1048832, 2114560, 2117632]);\n// empty\nvar et = /*#__PURE__*/ new u8(0);\n// compresses data into a raw DEFLATE buffer\nvar dflt = function (dat, lvl, plvl, pre, post, lst) {\n var s = dat.length;\n var o = new u8(pre + s + 5 * (1 + Math.floor(s / 7000)) + post);\n // writing to this writes to the output buffer\n var w = o.subarray(pre, o.length - post);\n var pos = 0;\n if (!lvl || s < 8) {\n for (var i = 0; i <= s; i += 65535) {\n // end\n var e = i + 65535;\n if (e < s) {\n // write full block\n pos = wfblk(w, pos, dat.subarray(i, e));\n }\n else {\n // write final block\n w[i] = lst;\n pos = wfblk(w, pos, dat.subarray(i, s));\n }\n }\n }\n else {\n var opt = deo[lvl - 1];\n var n = opt >>> 13, c = opt & 8191;\n var msk_1 = (1 << plvl) - 1;\n // prev 2-byte val map curr 2-byte val map\n var prev = new u16(32768), head = new u16(msk_1 + 1);\n var bs1_1 = Math.ceil(plvl / 3), bs2_1 = 2 * bs1_1;\n var hsh = function (i) { return (dat[i] ^ (dat[i + 1] << bs1_1) ^ (dat[i + 2] << bs2_1)) & msk_1; };\n // 24576 is an arbitrary number of maximum symbols per block\n // 424 buffer for last block\n var syms = new u32(25000);\n // length/literal freq distance freq\n var lf = new u16(288), df = new u16(32);\n // l/lcnt exbits index l/lind waitdx bitpos\n var lc_1 = 0, eb = 0, i = 0, li = 0, wi = 0, bs = 0;\n for (; i < s; ++i) {\n // hash value\n var hv = hsh(i);\n // index mod 32768\n var imod = i & 32767;\n // previous index with this value\n var pimod = head[hv];\n prev[imod] = pimod;\n head[hv] = imod;\n // We always should modify head and prev, but only add symbols if\n // this data is not yet processed (\"wait\" for wait index)\n if (wi <= i) {\n // bytes remaining\n var rem = s - i;\n if ((lc_1 > 7000 || li > 24576) && rem > 423) {\n pos = wblk(dat, w, 0, syms, lf, df, eb, li, bs, i - bs, pos);\n li = lc_1 = eb = 0, bs = i;\n for (var j = 0; j < 286; ++j)\n lf[j] = 0;\n for (var j = 0; j < 30; ++j)\n df[j] = 0;\n }\n // len dist chain\n var l = 2, d = 0, ch_1 = c, dif = (imod - pimod) & 32767;\n if (rem > 2 && hv == hsh(i - dif)) {\n var maxn = Math.min(n, rem) - 1;\n var maxd = Math.min(32767, i);\n // max possible length\n // not capped at dif because decompressors implement \"rolling\" index population\n var ml = Math.min(258, rem);\n while (dif <= maxd && --ch_1 && imod != pimod) {\n if (dat[i + l] == dat[i + l - dif]) {\n var nl = 0;\n for (; nl < ml && dat[i + nl] == dat[i + nl - dif]; ++nl)\n ;\n if (nl > l) {\n l = nl, d = dif;\n // break out early when we reach \"nice\" (we are satisfied enough)\n if (nl > maxn)\n break;\n // now, find the rarest 2-byte sequence within this\n // length of literals and search for that instead.\n // Much faster than just using the start\n var mmd = Math.min(dif, nl - 2);\n var md = 0;\n for (var j = 0; j < mmd; ++j) {\n var ti = (i - dif + j + 32768) & 32767;\n var pti = prev[ti];\n var cd = (ti - pti + 32768) & 32767;\n if (cd > md)\n md = cd, pimod = ti;\n }\n }\n }\n // check the previous match\n imod = pimod, pimod = prev[imod];\n dif += (imod - pimod + 32768) & 32767;\n }\n }\n // d will be nonzero only when a match was found\n if (d) {\n // store both dist and len data in one Uint32\n // Make sure this is recognized as a len/dist with 28th bit (2^28)\n syms[li++] = 268435456 | (revfl[l] << 18) | revfd[d];\n var lin = revfl[l] & 31, din = revfd[d] & 31;\n eb += fleb[lin] + fdeb[din];\n ++lf[257 + lin];\n ++df[din];\n wi = i + l;\n ++lc_1;\n }\n else {\n syms[li++] = dat[i];\n ++lf[dat[i]];\n }\n }\n }\n pos = wblk(dat, w, lst, syms, lf, df, eb, li, bs, i - bs, pos);\n // this is the easiest way to avoid needing to maintain state\n if (!lst)\n pos = wfblk(w, pos, et);\n }\n return slc(o, 0, pre + shft(pos) + post);\n};\n// CRC32 table\nvar crct = /*#__PURE__*/ (function () {\n var t = new u32(256);\n for (var i = 0; i < 256; ++i) {\n var c = i, k = 9;\n while (--k)\n c = ((c & 1) && 0xEDB88320) ^ (c >>> 1);\n t[i] = c;\n }\n return t;\n})();\n// CRC32\nvar crc = function () {\n var c = 0xFFFFFFFF;\n return {\n p: function (d) {\n // closures have awful performance\n var cr = c;\n for (var i = 0; i < d.length; ++i)\n cr = crct[(cr & 255) ^ d[i]] ^ (cr >>> 8);\n c = cr;\n },\n d: function () { return c ^ 0xFFFFFFFF; }\n };\n};\n// Alder32\nvar adler = function () {\n var a = 1, b = 0;\n return {\n p: function (d) {\n // closures have awful performance\n var n = a, m = b;\n var l = d.length;\n for (var i = 0; i != l;) {\n var e = Math.min(i + 5552, l);\n for (; i < e; ++i)\n n += d[i], m += n;\n n %= 65521, m %= 65521;\n }\n a = n, b = m;\n },\n d: function () { return ((a >>> 8) << 16 | (b & 255) << 8 | (b >>> 8)) + ((a & 255) << 23) * 2; }\n };\n};\n;\n// deflate with opts\nvar dopt = function (dat, opt, pre, post, st) {\n return dflt(dat, opt.level == null ? 6 : opt.level, opt.mem == null ? Math.ceil(Math.max(8, Math.min(13, Math.log(dat.length))) * 1.5) : (12 + opt.mem), pre, post, !st);\n};\n// Walmart object spread\nvar mrg = function (a, b) {\n var o = {};\n for (var k in a)\n o[k] = a[k];\n for (var k in b)\n o[k] = b[k];\n return o;\n};\n// worker clone\n// This is possibly the craziest part of the entire codebase, despite how simple it may seem.\n// The only parameter to this function is a closure that returns an array of variables outside of the function scope.\n// We're going to try to figure out the variable names used in the closure as strings because that is crucial for workerization.\n// We will return an object mapping of true variable name to value (basically, the current scope as a JS object).\n// The reason we can't just use the original variable names is minifiers mangling the toplevel scope.\n// This took me three weeks to figure out how to do.\nvar wcln = function (fn, fnStr, td) {\n var dt = fn();\n var st = fn.toString();\n var ks = st.slice(st.indexOf('[') + 1, st.lastIndexOf(']')).replace(/ /g, '').split(',');\n for (var i = 0; i < dt.length; ++i) {\n var v = dt[i], k = ks[i];\n if (typeof v == 'function') {\n fnStr += ';' + k + '=';\n var st_1 = v.toString();\n if (v.prototype) {\n // for global objects\n if (st_1.indexOf('[native code]') != -1) {\n var spInd = st_1.indexOf(' ', 8) + 1;\n fnStr += st_1.slice(spInd, st_1.indexOf('(', spInd));\n }\n else {\n fnStr += st_1;\n for (var t in v.prototype)\n fnStr += ';' + k + '.prototype.' + t + '=' + v.prototype[t].toString();\n }\n }\n else\n fnStr += st_1;\n }\n else\n td[k] = v;\n }\n return [fnStr, td];\n};\nvar ch = [];\n// clone bufs\nvar cbfs = function (v) {\n var tl = [];\n for (var k in v) {\n if (v[k] instanceof u8 || v[k] instanceof u16 || v[k] instanceof u32)\n tl.push((v[k] = new v[k].constructor(v[k])).buffer);\n }\n return tl;\n};\n// use a worker to execute code\nvar wrkr = function (fns, init, id, cb) {\n var _a;\n if (!ch[id]) {\n var fnStr = '', td_1 = {}, m = fns.length - 1;\n for (var i = 0; i < m; ++i)\n _a = wcln(fns[i], fnStr, td_1), fnStr = _a[0], td_1 = _a[1];\n ch[id] = wcln(fns[m], fnStr, td_1);\n }\n var td = mrg({}, ch[id][1]);\n return wk(ch[id][0] + ';onmessage=function(e){for(var k in e.data)self[k]=e.data[k];onmessage=' + init.toString() + '}', id, td, cbfs(td), cb);\n};\n// base async inflate fn\nvar bInflt = function () { return [u8, u16, u32, fleb, fdeb, clim, fl, fd, flrm, fdrm, rev, hMap, max, bits, bits16, shft, slc, inflt, inflateSync, pbf, gu8]; };\nvar bDflt = function () { return [u8, u16, u32, fleb, fdeb, clim, revfl, revfd, flm, flt, fdm, fdt, rev, deo, et, hMap, wbits, wbits16, hTree, ln, lc, clen, wfblk, wblk, shft, slc, dflt, dopt, deflateSync, pbf]; };\n// gzip extra\nvar gze = function () { return [gzh, gzhl, wbytes, crc, crct]; };\n// gunzip extra\nvar guze = function () { return [gzs, gzl]; };\n// zlib extra\nvar zle = function () { return [zlh, wbytes, adler]; };\n// unzlib extra\nvar zule = function () { return [zlv]; };\n// post buf\nvar pbf = function (msg) { return postMessage(msg, [msg.buffer]); };\n// get u8\nvar gu8 = function (o) { return o && o.size && new u8(o.size); };\n// async helper\nvar cbify = function (dat, opts, fns, init, id, cb) {\n var w = wrkr(fns, init, id, function (err, dat) {\n w.terminate();\n cb(err, dat);\n });\n if (!opts.consume)\n dat = new u8(dat);\n w.postMessage([dat, opts], [dat.buffer]);\n return function () { w.terminate(); };\n};\n// auto stream\nvar astrm = function (strm) {\n strm.ondata = function (dat, final) { return postMessage([dat, final], [dat.buffer]); };\n return function (ev) { return strm.push(ev.data[0], ev.data[1]); };\n};\n// async stream attach\nvar astrmify = function (fns, strm, opts, init, id) {\n var t;\n var w = wrkr(fns, init, id, function (err, dat) {\n if (err)\n w.terminate(), strm.ondata.call(strm, err);\n else {\n if (dat[1])\n w.terminate();\n strm.ondata.call(strm, err, dat[0], dat[1]);\n }\n });\n w.postMessage(opts);\n strm.push = function (d, f) {\n if (t)\n throw 'stream finished';\n if (!strm.ondata)\n throw 'no stream handler';\n w.postMessage([d, t = f], [d.buffer]);\n };\n strm.terminate = function () { w.terminate(); };\n};\n// read 2 bytes\nvar b2 = function (d, b) { return d[b] | (d[b + 1] << 8); };\n// read 4 bytes\nvar b4 = function (d, b) { return (d[b] | (d[b + 1] << 8) | (d[b + 2] << 16)) + (d[b + 3] << 23) * 2; };\n// write bytes\nvar wbytes = function (d, b, v) {\n for (; v; ++b)\n d[b] = v, v >>>= 8;\n};\n// gzip header\nvar gzh = function (c, o) {\n var fn = o.filename;\n c[0] = 31, c[1] = 139, c[2] = 8, c[8] = o.level < 2 ? 4 : o.level == 9 ? 2 : 0, c[9] = 3; // assume Unix\n if (o.mtime != 0)\n wbytes(c, 4, Math.floor(new Date(o.mtime || Date.now()) / 1000));\n if (fn) {\n c[3] = 8;\n for (var i = 0; i <= fn.length; ++i)\n c[i + 10] = fn.charCodeAt(i);\n }\n};\n// gzip footer: -8 to -4 = CRC, -4 to -0 is length\n// gzip start\nvar gzs = function (d) {\n if (d[0] != 31 || d[1] != 139 || d[2] != 8)\n throw 'invalid gzip data';\n var flg = d[3];\n var st = 10;\n if (flg & 4)\n st += d[10] | (d[11] << 8) + 2;\n for (var zs = (flg >> 3 & 1) + (flg >> 4 & 1); zs > 0; zs -= !d[st++])\n ;\n return st + (flg & 2);\n};\n// gzip length\nvar gzl = function (d) {\n var l = d.length;\n return (d[l - 4] | d[l - 3] << 8 | d[l - 2] << 16) + (2 * (d[l - 1] << 23));\n};\n// gzip header length\nvar gzhl = function (o) { return 10 + ((o.filename && (o.filename.length + 1)) || 0); };\n// zlib header\nvar zlh = function (c, o) {\n var lv = o.level, fl = lv == 0 ? 0 : lv < 6 ? 1 : lv == 9 ? 3 : 2;\n c[0] = 120, c[1] = (fl << 6) | (fl ? (32 - 2 * fl) : 1);\n};\n// zlib valid\nvar zlv = function (d) {\n if ((d[0] & 15) != 8 || (d[0] >>> 4) > 7 || ((d[0] << 8 | d[1]) % 31))\n throw 'invalid zlib data';\n if (d[1] & 32)\n throw 'invalid zlib data: preset dictionaries not supported';\n};\nfunction AsyncCmpStrm(opts, cb) {\n if (!cb && typeof opts == 'function')\n cb = opts, opts = {};\n this.ondata = cb;\n return opts;\n}\n// zlib footer: -4 to -0 is Adler32\n/**\n * Streaming DEFLATE compression\n */\nvar Deflate = /*#__PURE__*/ (function () {\n function Deflate(opts, cb) {\n if (!cb && typeof opts == 'function')\n cb = opts, opts = {};\n this.ondata = cb;\n this.o = opts || {};\n }\n Deflate.prototype.p = function (c, f) {\n this.ondata(dopt(c, this.o, 0, 0, !f), f);\n };\n /**\n * Pushes a chunk to be deflated\n * @param chunk The chunk to push\n * @param final Whether this is the last chunk\n */\n Deflate.prototype.push = function (chunk, final) {\n if (this.d)\n throw 'stream finished';\n if (!this.ondata)\n throw 'no stream handler';\n this.d = final;\n this.p(chunk, final || false);\n };\n return Deflate;\n}());\nexport { Deflate };\n/**\n * Asynchronous streaming DEFLATE compression\n */\nvar AsyncDeflate = /*#__PURE__*/ (function () {\n function AsyncDeflate(opts, cb) {\n astrmify([\n bDflt,\n function () { return [astrm, Deflate]; }\n ], this, AsyncCmpStrm.call(this, opts, cb), function (ev) {\n var strm = new Deflate(ev.data);\n onmessage = astrm(strm);\n }, 6);\n }\n return AsyncDeflate;\n}());\nexport { AsyncDeflate };\nexport function deflate(data, opts, cb) {\n if (!cb)\n cb = opts, opts = {};\n if (typeof cb != 'function')\n throw 'no callback';\n return cbify(data, opts, [\n bDflt,\n ], function (ev) { return pbf(deflateSync(ev.data[0], ev.data[1])); }, 0, cb);\n}\n/**\n * Compresses data with DEFLATE without any wrapper\n * @param data The data to compress\n * @param opts The compression options\n * @returns The deflated version of the data\n */\nexport function deflateSync(data, opts) {\n if (opts === void 0) { opts = {}; }\n return dopt(data, opts, 0, 0);\n}\n/**\n * Streaming DEFLATE decompression\n */\nvar Inflate = /*#__PURE__*/ (function () {\n /**\n * Creates an inflation stream\n * @param cb The callback to call whenever data is inflated\n */\n function Inflate(cb) {\n this.s = {};\n this.p = new u8(0);\n this.ondata = cb;\n }\n Inflate.prototype.e = function (c) {\n if (this.d)\n throw 'stream finished';\n if (!this.ondata)\n throw 'no stream handler';\n var l = this.p.length;\n var n = new u8(l + c.length);\n n.set(this.p), n.set(c, l), this.p = n;\n };\n Inflate.prototype.c = function (final) {\n this.d = this.s.i = final || false;\n var bts = this.s.b;\n var dt = inflt(this.p, this.o, this.s);\n this.ondata(slc(dt, bts, this.s.b), this.d);\n this.o = slc(dt, this.s.b - 32768), this.s.b = this.o.length;\n this.p = slc(this.p, (this.s.p / 8) >> 0), this.s.p &= 7;\n };\n /**\n * Pushes a chunk to be inflated\n * @param chunk The chunk to push\n * @param final Whether this is the final chunk\n */\n Inflate.prototype.push = function (chunk, final) {\n this.e(chunk), this.c(final);\n };\n return Inflate;\n}());\nexport { Inflate };\n/**\n * Asynchronous streaming DEFLATE decompression\n */\nvar AsyncInflate = /*#__PURE__*/ (function () {\n /**\n * Creates an asynchronous inflation stream\n * @param cb The callback to call whenever data is deflated\n */\n function AsyncInflate(cb) {\n this.ondata = cb;\n astrmify([\n bInflt,\n function () { return [astrm, Inflate]; }\n ], this, 0, function () {\n var strm = new Inflate();\n onmessage = astrm(strm);\n }, 7);\n }\n return AsyncInflate;\n}());\nexport { AsyncInflate };\nexport function inflate(data, opts, cb) {\n if (!cb)\n cb = opts, opts = {};\n if (typeof cb != 'function')\n throw 'no callback';\n return cbify(data, opts, [\n bInflt\n ], function (ev) { return pbf(inflateSync(ev.data[0], gu8(ev.data[1]))); }, 1, cb);\n}\n/**\n * Expands DEFLATE data with no wrapper\n * @param data The data to decompress\n * @param out Where to write the data. Saves memory if you know the decompressed size and provide an output buffer of that length.\n * @returns The decompressed version of the data\n */\nexport function inflateSync(data, out) {\n return inflt(data, out);\n}\n// before you yell at me for not just using extends, my reason is that TS inheritance is hard to workerize.\n/**\n * Streaming GZIP compression\n */\nvar Gzip = /*#__PURE__*/ (function () {\n function Gzip(opts, cb) {\n this.c = crc();\n this.l = 0;\n this.v = 1;\n Deflate.call(this, opts, cb);\n }\n /**\n * Pushes a chunk to be GZIPped\n * @param chunk The chunk to push\n * @param final Whether this is the last chunk\n */\n Gzip.prototype.push = function (chunk, final) {\n Deflate.prototype.push.call(this, chunk, final);\n };\n Gzip.prototype.p = function (c, f) {\n this.c.p(c);\n this.l += c.length;\n var raw = dopt(c, this.o, this.v && gzhl(this.o), f && 8, !f);\n if (this.v)\n gzh(raw, this.o), this.v = 0;\n if (f)\n wbytes(raw, raw.length - 8, this.c.d()), wbytes(raw, raw.length - 4, this.l);\n this.ondata(raw, f);\n };\n return Gzip;\n}());\nexport { Gzip };\n/**\n * Asynchronous streaming GZIP compression\n */\nvar AsyncGzip = /*#__PURE__*/ (function () {\n function AsyncGzip(opts, cb) {\n astrmify([\n bDflt,\n gze,\n function () { return [astrm, Deflate, Gzip]; }\n ], this, AsyncCmpStrm.call(this, opts, cb), function (ev) {\n var strm = new Gzip(ev.data);\n onmessage = astrm(strm);\n }, 8);\n }\n return AsyncGzip;\n}());\nexport { AsyncGzip };\nexport function gzip(data, opts, cb) {\n if (!cb)\n cb = opts, opts = {};\n if (typeof cb != 'function')\n throw 'no callback';\n return cbify(data, opts, [\n bDflt,\n gze,\n function () { return [gzipSync]; }\n ], function (ev) { return pbf(gzipSync(ev.data[0], ev.data[1])); }, 2, cb);\n}\n/**\n * Compresses data with GZIP\n * @param data The data to compress\n * @param opts The compression options\n * @returns The gzipped version of the data\n */\nexport function gzipSync(data, opts) {\n if (opts === void 0) { opts = {}; }\n var c = crc(), l = data.length;\n c.p(data);\n var d = dopt(data, opts, gzhl(opts), 8), s = d.length;\n return gzh(d, opts), wbytes(d, s - 8, c.d()), wbytes(d, s - 4, l), d;\n}\n/**\n * Streaming GZIP decompression\n */\nvar Gunzip = /*#__PURE__*/ (function () {\n /**\n * Creates a GUNZIP stream\n * @param cb The callback to call whenever data is inflated\n */\n function Gunzip(cb) {\n this.v = 1;\n Inflate.call(this, cb);\n }\n /**\n * Pushes a chunk to be GUNZIPped\n * @param chunk The chunk to push\n * @param final Whether this is the last chunk\n */\n Gunzip.prototype.push = function (chunk, final) {\n Inflate.prototype.e.call(this, chunk);\n if (this.v) {\n var s = gzs(this.p);\n if (s >= this.p.length && !final)\n return;\n this.p = this.p.subarray(s), this.v = 0;\n }\n if (final) {\n if (this.p.length < 8)\n throw 'invalid gzip stream';\n this.p = this.p.subarray(0, -8);\n }\n // necessary to prevent TS from using the closure value\n // This allows for workerization to function correctly\n Inflate.prototype.c.call(this, final);\n };\n return Gunzip;\n}());\nexport { Gunzip };\n/**\n * Asynchronous streaming GZIP decompression\n */\nvar AsyncGunzip = /*#__PURE__*/ (function () {\n /**\n * Creates an asynchronous GUNZIP stream\n * @param cb The callback to call whenever data is deflated\n */\n function AsyncGunzip(cb) {\n this.ondata = cb;\n astrmify([\n bInflt,\n guze,\n function () { return [astrm, Inflate, Gunzip]; }\n ], this, 0, function () {\n var strm = new Gunzip();\n onmessage = astrm(strm);\n }, 9);\n }\n return AsyncGunzip;\n}());\nexport { AsyncGunzip };\nexport function gunzip(data, opts, cb) {\n if (!cb)\n cb = opts, opts = {};\n if (typeof cb != 'function')\n throw 'no callback';\n return cbify(data, opts, [\n bInflt,\n guze,\n function () { return [gunzipSync]; }\n ], function (ev) { return pbf(gunzipSync(ev.data[0])); }, 3, cb);\n}\n/**\n * Expands GZIP data\n * @param data The data to decompress\n * @param out Where to write the data. GZIP already encodes the output size, so providing this doesn't save memory.\n * @returns The decompressed version of the data\n */\nexport function gunzipSync(data, out) {\n return inflt(data.subarray(gzs(data), -8), out || new u8(gzl(data)));\n}\n/**\n * Streaming Zlib compression\n */\nvar Zlib = /*#__PURE__*/ (function () {\n function Zlib(opts, cb) {\n this.c = adler();\n this.v = 1;\n Deflate.call(this, opts, cb);\n }\n /**\n * Pushes a chunk to be zlibbed\n * @param chunk The chunk to push\n * @param final Whether this is the last chunk\n */\n Zlib.prototype.push = function (chunk, final) {\n Deflate.prototype.push.call(this, chunk, final);\n };\n Zlib.prototype.p = function (c, f) {\n this.c.p(c);\n var raw = dopt(c, this.o, this.v && 2, f && 4, !f);\n if (this.v)\n zlh(raw, this.o), this.v = 0;\n if (f)\n wbytes(raw, raw.length - 4, this.c.d());\n this.ondata(raw, f);\n };\n return Zlib;\n}());\nexport { Zlib };\n/**\n * Asynchronous streaming Zlib compression\n */\nvar AsyncZlib = /*#__PURE__*/ (function () {\n function AsyncZlib(opts, cb) {\n astrmify([\n bDflt,\n zle,\n function () { return [astrm, Deflate, Zlib]; }\n ], this, AsyncCmpStrm.call(this, opts, cb), function (ev) {\n var strm = new Zlib(ev.data);\n onmessage = astrm(strm);\n }, 10);\n }\n return AsyncZlib;\n}());\nexport { AsyncZlib };\nexport function zlib(data, opts, cb) {\n if (!cb)\n cb = opts, opts = {};\n if (typeof cb != 'function')\n throw 'no callback';\n return cbify(data, opts, [\n bDflt,\n zle,\n function () { return [zlibSync]; }\n ], function (ev) { return pbf(zlibSync(ev.data[0], ev.data[1])); }, 4, cb);\n}\n/**\n * Compress data with Zlib\n * @param data The data to compress\n * @param opts The compression options\n * @returns The zlib-compressed version of the data\n */\nexport function zlibSync(data, opts) {\n if (opts === void 0) { opts = {}; }\n var a = adler();\n a.p(data);\n var d = dopt(data, opts, 2, 4);\n return zlh(d, opts), wbytes(d, d.length - 4, a.d()), d;\n}\n/**\n * Streaming Zlib decompression\n */\nvar Unzlib = /*#__PURE__*/ (function () {\n /**\n * Creates a Zlib decompression stream\n * @param cb The callback to call whenever data is inflated\n */\n function Unzlib(cb) {\n this.v = 1;\n Inflate.call(this, cb);\n }\n /**\n * Pushes a chunk to be unzlibbed\n * @param chunk The chunk to push\n * @param final Whether this is the last chunk\n */\n Unzlib.prototype.push = function (chunk, final) {\n Inflate.prototype.e.call(this, chunk);\n if (this.v) {\n if (this.p.length < 2 && !final)\n return;\n this.p = this.p.subarray(2), this.v = 0;\n }\n if (final) {\n if (this.p.length < 4)\n throw 'invalid zlib stream';\n this.p = this.p.subarray(0, -4);\n }\n // necessary to prevent TS from using the closure value\n // This allows for workerization to function correctly\n Inflate.prototype.c.call(this, final);\n };\n return Unzlib;\n}());\nexport { Unzlib };\n/**\n * Asynchronous streaming Zlib decompression\n */\nvar AsyncUnzlib = /*#__PURE__*/ (function () {\n /**\n * Creates an asynchronous Zlib decompression stream\n * @param cb The callback to call whenever data is deflated\n */\n function AsyncUnzlib(cb) {\n this.ondata = cb;\n astrmify([\n bInflt,\n zule,\n function () { return [astrm, Inflate, Unzlib]; }\n ], this, 0, function () {\n var strm = new Unzlib();\n onmessage = astrm(strm);\n }, 11);\n }\n return AsyncUnzlib;\n}());\nexport { AsyncUnzlib };\nexport function unzlib(data, opts, cb) {\n if (!cb)\n cb = opts, opts = {};\n if (typeof cb != 'function')\n throw 'no callback';\n return cbify(data, opts, [\n bInflt,\n zule,\n function () { return [unzlibSync]; }\n ], function (ev) { return pbf(unzlibSync(ev.data[0], gu8(ev.data[1]))); }, 5, cb);\n}\n/**\n * Expands Zlib data\n * @param data The data to decompress\n * @param out Where to write the data. Saves memory if you know the decompressed size and provide an output buffer of that length.\n * @returns The decompressed version of the data\n */\nexport function unzlibSync(data, out) {\n return inflt((zlv(data), data.subarray(2, -4)), out);\n}\n// Default algorithm for compression (used because having a known output size allows faster decompression)\nexport { gzip as compress, AsyncGzip as AsyncCompress };\n// Default algorithm for compression (used because having a known output size allows faster decompression)\nexport { gzipSync as compressSync, Gzip as Compress };\n/**\n * Streaming GZIP, Zlib, or raw DEFLATE decompression\n */\nvar Decompress = /*#__PURE__*/ (function () {\n /**\n * Creates a decompression stream\n * @param cb The callback to call whenever data is decompressed\n */\n function Decompress(cb) {\n this.G = Gunzip;\n this.I = Inflate;\n this.Z = Unzlib;\n this.ondata = cb;\n }\n /**\n * Pushes a chunk to be decompressed\n * @param chunk The chunk to push\n * @param final Whether this is the last chunk\n */\n Decompress.prototype.push = function (chunk, final) {\n if (!this.ondata)\n throw 'no stream handler';\n if (!this.s) {\n if (this.p && this.p.length) {\n var n = new u8(this.p.length + chunk.length);\n n.set(this.p), n.set(chunk, this.p.length);\n }\n else\n this.p = chunk;\n if (this.p.length > 2) {\n var _this_1 = this;\n var cb = function () { _this_1.ondata.apply(_this_1, arguments); };\n this.s = (this.p[0] == 31 && this.p[1] == 139 && this.p[2] == 8)\n ? new this.G(cb)\n : ((this.p[0] & 15) != 8 || (this.p[0] >> 4) > 7 || ((this.p[0] << 8 | this.p[1]) % 31))\n ? new this.I(cb)\n : new this.Z(cb);\n this.s.push(this.p, final);\n this.p = null;\n }\n }\n else\n this.s.push(chunk, final);\n };\n return Decompress;\n}());\nexport { Decompress };\n/**\n * Asynchronous streaming GZIP, Zlib, or raw DEFLATE decompression\n */\nvar AsyncDecompress = /*#__PURE__*/ (function () {\n /**\n * Creates an asynchronous decompression stream\n * @param cb The callback to call whenever data is decompressed\n */\n function AsyncDecompress(cb) {\n this.G = AsyncGunzip;\n this.I = AsyncInflate;\n this.Z = AsyncUnzlib;\n this.ondata = cb;\n }\n /**\n * Pushes a chunk to be decompressed\n * @param chunk The chunk to push\n * @param final Whether this is the last chunk\n */\n AsyncDecompress.prototype.push = function (chunk, final) {\n Decompress.prototype.push.call(this, chunk, final);\n };\n return AsyncDecompress;\n}());\nexport { AsyncDecompress };\nexport function decompress(data, opts, cb) {\n if (!cb)\n cb = opts, opts = {};\n if (typeof cb != 'function')\n throw 'no callback';\n return (data[0] == 31 && data[1] == 139 && data[2] == 8)\n ? gunzip(data, opts, cb)\n : ((data[0] & 15) != 8 || (data[0] >> 4) > 7 || ((data[0] << 8 | data[1]) % 31))\n ? inflate(data, opts, cb)\n : unzlib(data, opts, cb);\n}\n/**\n * Expands compressed GZIP, Zlib, or raw DEFLATE data, automatically detecting the format\n * @param data The data to decompress\n * @param out Where to write the data. Saves memory if you know the decompressed size and provide an output buffer of that length.\n * @returns The decompressed version of the data\n */\nexport function decompressSync(data, out) {\n return (data[0] == 31 && data[1] == 139 && data[2] == 8)\n ? gunzipSync(data, out)\n : ((data[0] & 15) != 8 || (data[0] >> 4) > 7 || ((data[0] << 8 | data[1]) % 31))\n ? inflateSync(data, out)\n : unzlibSync(data, out);\n}\n// flatten a directory structure\nvar fltn = function (d, p, t, o) {\n for (var k in d) {\n var val = d[k], n = p + k;\n if (val instanceof u8)\n t[n] = [val, o];\n else if (Array.isArray(val))\n t[n] = [val[0], mrg(o, val[1])];\n else\n fltn(val, n + '/', t, o);\n }\n};\n/**\n * Converts a string into a Uint8Array for use with compression/decompression methods\n * @param str The string to encode\n * @param latin1 Whether or not to interpret the data as Latin-1. This should\n * not need to be true unless decoding a binary string.\n * @returns The string encoded in UTF-8/Latin-1 binary\n */\nexport function strToU8(str, latin1) {\n var l = str.length;\n if (!latin1 && typeof TextEncoder != 'undefined')\n return new TextEncoder().encode(str);\n var ar = new u8(str.length + (str.length >>> 1));\n var ai = 0;\n var w = function (v) { ar[ai++] = v; };\n for (var i = 0; i < l; ++i) {\n if (ai + 5 > ar.length) {\n var n = new u8(ai + 8 + ((l - i) << 1));\n n.set(ar);\n ar = n;\n }\n var c = str.charCodeAt(i);\n if (c < 128 || latin1)\n w(c);\n else if (c < 2048)\n w(192 | (c >>> 6)), w(128 | (c & 63));\n else if (c > 55295 && c < 57344)\n c = 65536 + (c & 1023 << 10) | (str.charCodeAt(++i) & 1023),\n w(240 | (c >>> 18)), w(128 | ((c >>> 12) & 63)), w(128 | ((c >>> 6) & 63)), w(128 | (c & 63));\n else\n w(224 | (c >>> 12)), w(128 | ((c >>> 6) & 63)), w(128 | (c & 63));\n }\n return slc(ar, 0, ai);\n}\n/**\n * Converts a Uint8Array to a string\n * @param dat The data to decode to string\n * @param latin1 Whether or not to interpret the data as Latin-1. This should\n * not need to be true unless encoding to binary string.\n * @returns The original UTF-8/Latin-1 string\n */\nexport function strFromU8(dat, latin1) {\n var r = '';\n if (!latin1 && typeof TextDecoder != 'undefined')\n return new TextDecoder().decode(dat);\n for (var i = 0; i < dat.length;) {\n var c = dat[i++];\n if (c < 128 || latin1)\n r += String.fromCharCode(c);\n else if (c < 224)\n r += String.fromCharCode((c & 31) << 6 | (dat[i++] & 63));\n else if (c < 240)\n r += String.fromCharCode((c & 15) << 12 | (dat[i++] & 63) << 6 | (dat[i++] & 63));\n else\n c = ((c & 15) << 18 | (dat[i++] & 63) << 12 | (dat[i++] & 63) << 6 | (dat[i++] & 63)) - 65536,\n r += String.fromCharCode(55296 | (c >> 10), 56320 | (c & 1023));\n }\n return r;\n}\n;\n// skip local zip header\nvar slzh = function (d, b) { return b + 30 + b2(d, b + 26) + b2(d, b + 28); };\n// read zip header\nvar zh = function (d, b, z) {\n var fnl = b2(d, b + 28), fn = strFromU8(d.subarray(b + 46, b + 46 + fnl), !(b2(d, b + 8) & 2048)), es = b + 46 + fnl;\n var _a = z ? z64e(d, es) : [b4(d, b + 20), b4(d, b + 24), b4(d, b + 42)], sc = _a[0], su = _a[1], off = _a[2];\n return [b2(d, b + 10), sc, su, fn, es + b2(d, b + 30) + b2(d, b + 32), off];\n};\n// read zip64 extra field\nvar z64e = function (d, b) {\n for (; b2(d, b) != 1; b += 4 + b2(d, b + 2))\n ;\n return [b4(d, b + 12), b4(d, b + 4), b4(d, b + 20)];\n};\n// write zip header\nvar wzh = function (d, b, c, cmp, su, fn, u, o, ce, t) {\n var fl = fn.length, l = cmp.length;\n wbytes(d, b, ce != null ? 0x2014B50 : 0x4034B50), b += 4;\n if (ce != null)\n d[b] = 20, b += 2;\n d[b] = 20, b += 2; // spec compliance? what's that?\n d[b++] = (t == 8 && (o.level == 1 ? 6 : o.level < 6 ? 4 : o.level == 9 ? 2 : 0)), d[b++] = u && 8;\n d[b] = t, b += 2;\n var dt = new Date(o.mtime || Date.now()), y = dt.getFullYear() - 1980;\n if (y < 0 || y > 119)\n throw 'date not in range 1980-2099';\n wbytes(d, b, ((y << 24) * 2) | ((dt.getMonth() + 1) << 21) | (dt.getDate() << 16) | (dt.getHours() << 11) | (dt.getMinutes() << 5) | (dt.getSeconds() >>> 1));\n b += 4;\n wbytes(d, b, c);\n wbytes(d, b + 4, l);\n wbytes(d, b + 8, su);\n wbytes(d, b + 12, fl), b += 16; // skip extra field, comment\n if (ce != null)\n wbytes(d, b += 10, ce), b += 4;\n d.set(fn, b);\n b += fl;\n if (ce == null)\n d.set(cmp, b);\n};\n// write zip footer (end of central directory)\nvar wzf = function (o, b, c, d, e) {\n wbytes(o, b, 0x6054B50); // skip disk\n wbytes(o, b + 8, c);\n wbytes(o, b + 10, c);\n wbytes(o, b + 12, d);\n wbytes(o, b + 16, e);\n};\nexport function zip(data, opts, cb) {\n if (!cb)\n cb = opts, opts = {};\n if (typeof cb != 'function')\n throw 'no callback';\n var r = {};\n fltn(data, '', r, opts);\n var k = Object.keys(r);\n var lft = k.length, o = 0, tot = 0;\n var slft = lft, files = new Array(lft);\n var term = [];\n var tAll = function () {\n for (var i = 0; i < term.length; ++i)\n term[i]();\n };\n var cbf = function () {\n var out = new u8(tot + 22), oe = o, cdl = tot - o;\n tot = 0;\n for (var i = 0; i < slft; ++i) {\n var f = files[i];\n try {\n wzh(out, tot, f.c, f.d, f.m, f.n, f.u, f.p, null, f.t);\n wzh(out, o, f.c, f.d, f.m, f.n, f.u, f.p, tot, f.t), o += 46 + f.n.length, tot += 30 + f.n.length + f.d.length;\n }\n catch (e) {\n return cb(e, null);\n }\n }\n wzf(out, o, files.length, cdl, oe);\n cb(null, out);\n };\n if (!lft)\n cbf();\n var _loop_1 = function (i) {\n var fn = k[i];\n var _a = r[fn], file = _a[0], p = _a[1];\n var c = crc(), m = file.length;\n c.p(file);\n var n = strToU8(fn), s = n.length;\n var t = p.level == 0 ? 0 : 8;\n var cbl = function (e, d) {\n if (e) {\n tAll();\n cb(e, null);\n }\n else {\n var l = d.length;\n files[i] = {\n t: t,\n d: d,\n m: m,\n c: c.d(),\n u: fn.length != l,\n n: n,\n p: p\n };\n o += 30 + s + l;\n tot += 76 + 2 * s + l;\n if (!--lft)\n cbf();\n }\n };\n if (n.length > 65535)\n cbl('filename too long', null);\n if (!t)\n cbl(null, file);\n else if (m < 160000) {\n try {\n cbl(null, deflateSync(file, p));\n }\n catch (e) {\n cbl(e, null);\n }\n }\n else\n term.push(deflate(file, p, cbl));\n };\n // Cannot use lft because it can decrease\n for (var i = 0; i < slft; ++i) {\n _loop_1(i);\n }\n return tAll;\n}\n/**\n * Synchronously creates a ZIP file. Prefer using `zip` for better performance\n * with more than one file.\n * @param data The directory structure for the ZIP archive\n * @param opts The main options, merged with per-file options\n * @returns The generated ZIP archive\n */\nexport function zipSync(data, opts) {\n if (opts === void 0) { opts = {}; }\n var r = {};\n var files = [];\n fltn(data, '', r, opts);\n var o = 0;\n var tot = 0;\n for (var fn in r) {\n var _a = r[fn], file = _a[0], p = _a[1];\n var t = p.level == 0 ? 0 : 8;\n var n = strToU8(fn), s = n.length;\n if (n.length > 65535)\n throw 'filename too long';\n var d = t ? deflateSync(file, p) : file, l = d.length;\n var c = crc();\n c.p(file);\n files.push({\n t: t,\n d: d,\n m: file.length,\n c: c.d(),\n u: fn.length != s,\n n: n,\n o: o,\n p: p\n });\n o += 30 + s + l;\n tot += 76 + 2 * s + l;\n }\n var out = new u8(tot + 22), oe = o, cdl = tot - o;\n for (var i = 0; i < files.length; ++i) {\n var f = files[i];\n wzh(out, f.o, f.c, f.d, f.m, f.n, f.u, f.p, null, f.t);\n wzh(out, o, f.c, f.d, f.m, f.n, f.u, f.p, f.o, f.t), o += 46 + f.n.length;\n }\n wzf(out, o, files.length, cdl, oe);\n return out;\n}\n/**\n * Asynchronously decompresses a ZIP archive\n * @param data The raw compressed ZIP file\n * @param cb The callback to call with the decompressed files\n * @returns A function that can be used to immediately terminate the unzipping\n */\nexport function unzip(data, cb) {\n if (typeof cb != 'function')\n throw 'no callback';\n var term = [];\n var tAll = function () {\n for (var i = 0; i < term.length; ++i)\n term[i]();\n };\n var files = {};\n var e = data.length - 22;\n for (; b4(data, e) != 0x6054B50; --e) {\n if (!e || data.length - e > 65558) {\n cb('invalid zip file', null);\n return;\n }\n }\n ;\n var lft = b2(data, e + 8);\n if (!lft)\n cb(null, {});\n var c = lft;\n var o = b4(data, e + 16);\n var z = o == 4294967295;\n if (z) {\n e = b4(data, e - 12);\n if (b4(data, e) != 0x6064B50)\n throw 'invalid zip file';\n c = lft = b4(data, e + 32);\n o = b4(data, e + 48);\n }\n var _loop_2 = function (i) {\n var _a = zh(data, o, z), c_1 = _a[0], sc = _a[1], su = _a[2], fn = _a[3], no = _a[4], off = _a[5], b = slzh(data, off);\n o = no;\n var cbl = function (e, d) {\n if (e) {\n tAll();\n cb(e, null);\n }\n else {\n files[fn] = d;\n if (!--lft)\n cb(null, files);\n }\n };\n if (!c_1)\n cbl(null, slc(data, b, b + sc));\n else if (c_1 == 8) {\n var infl = data.subarray(b, b + sc);\n if (sc < 320000) {\n try {\n cbl(null, inflateSync(infl, new u8(su)));\n }\n catch (e) {\n cbl(e, null);\n }\n }\n else\n term.push(inflate(infl, { size: su }, cbl));\n }\n else\n cbl('unknown compression type ' + c_1, null);\n };\n for (var i = 0; i < c; ++i) {\n _loop_2(i);\n }\n return tAll;\n}\n/**\n * Synchronously decompresses a ZIP archive. Prefer using `unzip` for better\n * performance with more than one file.\n * @param data The raw compressed ZIP file\n * @returns The decompressed files\n */\nexport function unzipSync(data) {\n var files = {};\n var e = data.length - 22;\n for (; b4(data, e) != 0x6054B50; --e) {\n if (!e || data.length - e > 65558)\n throw 'invalid zip file';\n }\n ;\n var c = b2(data, e + 8);\n if (!c)\n return {};\n var o = b4(data, e + 16);\n var z = o == 4294967295;\n if (z) {\n e = b4(data, e - 12);\n if (b4(data, e) != 0x6064B50)\n throw 'invalid zip file';\n c = b4(data, e + 32);\n o = b4(data, e + 48);\n }\n for (var i = 0; i < c; ++i) {\n var _a = zh(data, o, z), c_2 = _a[0], sc = _a[1], su = _a[2], fn = _a[3], no = _a[4], off = _a[5], b = slzh(data, off);\n o = no;\n if (!c_2)\n files[fn] = slc(data, b, b + sc);\n else if (c_2 == 8)\n files[fn] = inflateSync(data.subarray(b, b + sc), new u8(su));\n else\n throw 'unknown compression type ' + c_2;\n }\n return files;\n}\n","import { strFromU8, strToU8, unzlibSync } from 'fflate';\nimport { UnpackFn, eventWithTimeAndPacker, MARK } from './base';\nimport { eventWithTime } from '../types';\n\nexport const unpack: UnpackFn = (raw: string) => {\n if (typeof raw !== 'string') {\n return raw;\n }\n try {\n const e: eventWithTime = JSON.parse(raw);\n if (e.timestamp) {\n return e;\n }\n } catch (error) {\n // ignore and continue\n }\n try {\n const e: eventWithTimeAndPacker = JSON.parse(\n strFromU8(unzlibSync(strToU8(raw, true)))\n );\n if (e.v === MARK) {\n return e;\n }\n throw new Error(\n `These events were packed with packer ${e.v} which is incompatible with current packer ${MARK}.`,\n );\n } catch (error) {\n console.error(error);\n throw new Error('Unknown data format.');\n }\n};\n","import { eventWithTime } from '../types';\n\nexport type PackFn = (event: eventWithTime) => string;\nexport type UnpackFn = (raw: string) => eventWithTime;\n\nexport type eventWithTimeAndPacker = eventWithTime & {\n v: string;\n};\n\nexport const MARK = 'v1';\n"],"names":["NodeType","__assign","Object","assign","t","s","i","n","arguments","length","p","prototype","hasOwnProperty","call","apply","this","__values","o","Symbol","iterator","m","next","value","done","TypeError","__read","r","e","ar","push","error","__spreadArray","to","from","pack","l","Array","slice","concat","isElement","nodeType","ELEMENT_NODE","commentre","parse","css","options","lineno","column","updatePosition","str","lines","match","lastIndexOf","position","start","line","node","Position","whitespace","end","source","content","errorsList","msg","err","Error","reason","filename","silent","open","close","rules","comments","charAt","atrule","rule","re","exec","c","comment","pos","type","selector","trim","replace","split","map","declaration","propMatch","prop","val","ret","property","declarations","decl","decls","keyframe","vals","values","rulesList","atimport","_compileAtrule","atcharset","atnamespace","name","RegExp","vendor","frame","frames","keyframes","atkeyframes","media","style","atmedia","atcustommedia","supports","atsupports","doc","document","atdocument","sel","selectors","atpage","athost","atfontface","addParent","stylesheet","parsingErrors","obj","parent","isNode","childParent","_i","_a","keys","isArray","forEach","v","defineProperty","configurable","writable","enumerable","tagMap","script","altglyph","altglyphdef","altglyphitem","animatecolor","animatemotion","animatetransform","clippath","feblend","fecolormatrix","fecomponenttransfer","fecomposite","feconvolvematrix","fediffuselighting","fedisplacementmap","fedistantlight","fedropshadow","feflood","fefunca","fefuncb","fefuncg","fefuncr","fegaussianblur","feimage","femerge","femergenode","femorphology","feoffset","fepointlight","fespecularlighting","fespotlight","fetile","feturbulence","foreignobject","glyphref","lineargradient","radialgradient","HOVER_SELECTOR","HOVER_SELECTOR_GLOBAL","addHoverClass","cssText","cache","cachedStyle","stylesWithHoverClass","get","ast","test","selectorMatcher","filter","index","indexOf","sort","a","b","join","result","newSelector","set","createCache","Map","buildNode","hackCss","Document","implementation","createDocument","DocumentType","createDocumentType","publicId","systemId","Element","node_1","tagName","attributes","_cssText","getTagName","isSVG","createElementNS","createElement","_loop_1","name_1","startsWith","image_1","src","onload","ctx","getContext","drawImage","width","height","image","currentSrc","setAttribute","currentTime","rr_mediaCurrentTime","play","console","warn","pause","isTextarea","isRemoteOrDynamicCss","child","createTextNode","childNodes","TEXT_NODE","removeChild","appendChild","setAttributeNS","substring","rel","as","href","endsWith","srcset","rr_dataURL","isShadowHost","shadowRoot","firstChild","attachShadow","mode","Text","isStyle","textContent","CDATA","createCDATASection","Comment","createComment","buildNodeWithSN","skipChild","_b","afterAppend","rootId","assert","compatMode","xmlns","write","__sn","id","_c","childN","childNode","isShadow","rebuild","onVisit","idNodeMap","key","visit","visitedNode","el","name_2","scrollLeft","scrollTop","handleScroll","mitt","all","create","on","handler","off","splice","emit","evt","EventType","IncrementalSource","MouseInteractions","CanvasContext","MediaInteractions","ReplayerEvents","polyfill","w","d","documentElement","__forceSmoothScrollPolyfill__","userAgent","HTMLElement","original","scroll","scrollTo","scrollBy","elementScroll","scrollElement","scrollIntoView","now","performance","bind","Date","ROUNDING_TOLERANCE","navigator","undefined","shouldBailOut","smoothScroll","body","left","scrollX","pageXOffset","top","scrollY","pageYOffset","SyntaxError","behavior","scrollableParent","findScrollableParent","parentRects","getBoundingClientRect","clientRects","getComputedStyle","x","y","firstArg","hasScrollableSpace","axis","clientHeight","scrollHeight","clientWidth","scrollWidth","canOverflow","overflowValue","isScrollable","isScrollableY","isScrollableX","parentNode","host","step","context","currentX","currentY","k","elapsed","startTime","Math","cos","PI","startX","startY","method","scrollable","requestAnimationFrame","actions","speed","Timer","action","findActionIndex","timeOffset","lastTimestamp","self","raf","check","time","delay","shift","doAction","liveMode","cancelAnimationFrame","mid","floor","addDelay","event","baselineTime","IncrementalSnapshot","data","MouseMove","firstOffset","positions","firstTimestamp","timestamp","return","NotStarted","Running","Stopped","assignment","u","changed","matches","f","states","initial","entry","config","_options","initialState","transition","g","h","S","target","j","E","R","N","cond","O","_","T","q","exit","z","A","B","C","Set","_machine","send","subscribe","add","unsubscribe","delete","stop","clear","state","status","createPlayerService","getCastFn","applyEventsSynchronously","emitter","interpret","createMachine","playing","PAUSE","CAST_EVENT","END","ADD_EVENT","paused","PLAY","TO_LIVE","live","castEvent","lastPlayedEvent","payload","recordTimeOffset","events","timer","events_1","neededEvents","idx","event_1","Meta","discardPriorSnapshots","lastPlayedTimestamp","PlayBack","syncEvents","event_3","castFn_1","neededEvents_1","Flush","addActions","resetLastPlayedEvent","startLive","toggleLiveMode","addEvent","machineEvent","event_4","insertionIndex","isSync","castFn_2","isActive","addAction","DEPARTED_MIRROR_ACCESS_WARNING","_mirror","getId","getNode","removeNodeFromMap","has","reset","window","Proxy","Reflect","receiver","TreeIndex","mutation","parentTreeNode","indexes","parentId","treeNode","children","texts","tree","mirror","deepRemoveFromMirror","_this","removeIdSet","deepRemoveFromTreeIndex","_treeNode","_parentTreeNode","removeNodeMutations","textMutations","attributeMutations","scrollMap","inputMap","batchMutationData","Mutation","removes","adds","walk","removed","_d","_f","mutationData","queueToResolveTrees","queue","queueNodeMap","putIntoMap","nodeInTree","queueNodeTrees","queue_1","nextId","nextInTree","parentInTree","iterateResolveTree","cb","isIframeINode","getBaseDimension","rootIframe","frameElement","ownerDocument","defaultView","relativeScale","absoluteScale","frameDimension","frameBaseDimension","hasShadowRoot","Boolean","StyleRuleType","getNestedRule","cssRules","getPositionsAndIndex","nestedIndex","pop","applyVirtualStyleRulesToNode","storedRules","styleNode","sheet","Insert","insertRule","Remove","deleteRule","Snapshot","cssTexts","existingRules","existingRulesReversed","entries","reverse","lastMatch_1","Number","restoreSnapshotOfStyleRulesToNode","SetProperty","setProperty","priority","RemoveProperty","removeProperty","chars","lookup","Uint8Array","charCodeAt","webGLVarMap","variableListFor","ctor","contextMap","WebGLVariableConstructorsNames","deserializeArg","imageMap","arg","args","base64","encoded1","encoded2","encoded3","encoded4","bufferLength","len","arraybuffer","ArrayBuffer","bytes","decode","Image","webglMutation","errorHandler","WebGL","setter","constructor","includes","variables","saveToWebGLVarMap","mittProxy.default","mittProxy","REPLAY_CONSOLE_PREFIX","defaultMouseTailConfig","duration","lineCap","lineWidth","strokeStyle","indicatesTouchDevice","TouchMove","MouseInteraction","TouchStart","defaultConfig","maxSpeed","root","loadTimeout","skipInactive","showWarning","showDebug","blockClass","insertStyleRules","triggerFocus","UNSAFE_replayCanvas","pauseAnimation","mouseTail","handleResize","Resize","setupDom","treeIndex","fragmentParentMap","elementStateMap","virtualStyleRulesMap","_e","flush","frag","restoreRealParent","applyText","_h","restoreNodeSheet","_k","applyScroll","_m","applyInput","firstFullSnapshot","service","unpackFn","a1","a2","StateChange","player","speedService","normalSpeed","normal","FAST_FORWARD","SET_SPEED","skipping","BACK_TO_NORMAL","setSpeed","recordSpeed","restoreSpeed","firstMeta","find","firstFullsnapshot","FullSnapshot","width_1","height_1","setTimeout","rebuildFullSnapshot","iframe","contentWindow","initialOffset","mouse","classList","Replayer","backToNormal","display","parseFloat","wrapper","insertBefore","firstEvent","lastEvent","endTime","totalTime","getTimeOffset","contentDocument","getElementsByTagName","remove","Start","Pause","Resume","rawEvent","Promise","resolve","then","pointerEvents","win","disableInteract","smoothscrollPolyfill","NodeList","DOMTokenList","Node","contains","dimension","String","DomContentLoaded","Load","Custom","Plugin","MediaInteraction","castFn","mousePos","moveAndHover","debugData","touchActive","CustomEvent","applyIncremental","nextUserInteractionEvent","_event","isUserInteraction","skipTime","min","round","SkipStart","plugins","replayer","last_index","finish_1","Finish","max","EventCast","legacy_missingNodeRetryMap","collected","builtNode","collectIframeAndAttachDocument","mutationInQueue","this_1","attachDocumentToIframe","newDocumentQueue","collected_1","head","FullsnapshotRebuilded","waitForStylesheetLoad","preloadAllImages","styleEl","injectStylesRules","iframeEl","parent_1","realParent","toUpperCase","this_2","collected_2","timer_1","unloadSheets_1","beforeLoadState_1","stateHandler_1","unsubscribe_1","querySelectorAll","addEventListener","size","getCurrentTime","LoadStylesheetEnd","clearTimeout","LoadStylesheetStart","args_1","hasImageArg","rr_type","images","args_2","getImageArgs","stateHandler","event_2","CanvasMutation","commands","preloadImages","this_3","url","canvas","imgd","createImageData","JSON","putImageData","text","attribute","applyMutation","message","Drag","lastPosition","Event","toLowerCase","debugNodeNotFound","Blur","blur","Focus","focus","preventScroll","Click","TouchEnd","tailPositions","offsetWidth","TouchCancel","dispatchEvent","Scroll","ViewportResize","Input","input","mediaEl","volume","muted","StyleSheetRule","rules_1","parent_2","usingVirtualParent_1","styleSheet_1","StyleDeclaration","parent_3","styleSheet","mutations","WebGL2","command","canvas2DMutation","canvasMutation","warnCanvasMutationFailed","Font","fontFace","FontFace","family","buffer","fontSource","descriptors","fonts","useVirtualParent","warnNodeNotFound","realTarget","DOMException","legacy_missingNodeMap","appendNode","parentInDocument","hasIframeChild","virtualParent","createDocumentFragment","storeState","previous","previousId","nextNotInDOM","targetDoc","nextSibling","mutationInQueue_1","legacy_resolveMissingNode","resolveTrees","resolveTrees_1","debug","attributeName","removeAttribute","styleValues","targetEl","svp","svs","checked","isChecked","targetMutation","previousInMap","nextInMap","base","_x","_y","drawMouseTail","hoverElements","draw","clearRect","beginPath","moveTo","lineTo","stroke","hoveredEl","currentEl","parentElement","SkipEnd","restoreState","storeCSSRules","storedState","nodeName","idRemoved","log","u8","u16","Uint16Array","u32","Uint32Array","fleb","fdeb","clim","freb","eb","fl","revfl","fd","rev","hMap","cd","mb","co","le","rvb","sv","r_1","flt","fdt","flrm","fdrm","bits","bits16","slc","subarray","unzlibSync","out","dat","buf","st","sl","noBuf","noSt","cbuf","bl","nbuf","final","bt","lm","dm","lbt","dbt","tbts","hLit","hcLen","tl","ldt","clt","clb","clbmsk","clm","lt","dt","lms","dms","mxa","sym","dsym","inflt","zlv","raw","latin1","TextDecoder","fromCharCode","strFromU8","TextEncoder","encode","ai","strToU8"],"mappings":";;;;;;;;;;;;;;oFA+BO,IC/BHA,ED+BOC,EAAW,WAQlB,OAPAA,EAAWC,OAAOC,QAAU,SAAkBC,GAC1C,IAAK,IAAIC,EAAGC,EAAI,EAAGC,EAAIC,UAAUC,OAAQH,EAAIC,EAAGD,IAE5C,IAAK,IAAII,KADTL,EAAIG,UAAUF,GACOJ,OAAOS,UAAUC,eAAeC,KAAKR,EAAGK,KAAIN,EAAEM,GAAKL,EAAEK,IAE9E,OAAON,IAEKU,MAAMC,KAAMP,YAgFzB,SAASQ,EAASC,GACrB,IAAIZ,EAAsB,mBAAXa,QAAyBA,OAAOC,SAAUC,EAAIf,GAAKY,EAAEZ,GAAIC,EAAI,EAC5E,GAAIc,EAAG,OAAOA,EAAEP,KAAKI,GACrB,GAAIA,GAAyB,iBAAbA,EAAER,OAAqB,MAAO,CAC1CY,KAAM,WAEF,OADIJ,GAAKX,GAAKW,EAAER,SAAQQ,OAAI,GACrB,CAAEK,MAAOL,GAAKA,EAAEX,KAAMiB,MAAON,KAG5C,MAAM,IAAIO,UAAUnB,EAAI,0BAA4B,mCAGjD,SAASoB,EAAOR,EAAGV,GACtB,IAAIa,EAAsB,mBAAXF,QAAyBD,EAAEC,OAAOC,UACjD,IAAKC,EAAG,OAAOH,EACf,IAAmBS,EAAYC,EAA3BrB,EAAIc,EAAEP,KAAKI,GAAOW,EAAK,GAC3B,IACI,WAAc,IAANrB,GAAgBA,KAAM,MAAQmB,EAAIpB,EAAEe,QAAQE,MAAMK,EAAGC,KAAKH,EAAEJ,OAExE,MAAOQ,GAASH,EAAI,CAAEG,MAAOA,WAEzB,IACQJ,IAAMA,EAAEH,OAASH,EAAId,EAAU,SAAIc,EAAEP,KAAKP,WAExC,GAAIqB,EAAG,MAAMA,EAAEG,OAE7B,OAAOF,EAmBJ,SAASG,EAAcC,EAAIC,EAAMC,GACpC,GAAIA,GAA6B,IAArB1B,UAAUC,OAAc,IAAK,IAA4BmB,EAAxBtB,EAAI,EAAG6B,EAAIF,EAAKxB,OAAYH,EAAI6B,EAAG7B,KACxEsB,GAAQtB,KAAK2B,IACRL,IAAIA,EAAKQ,MAAMzB,UAAU0B,MAAMxB,KAAKoB,EAAM,EAAG3B,IAClDsB,EAAGtB,GAAK2B,EAAK3B,IAGrB,OAAO0B,EAAGM,OAAOV,GAAMQ,MAAMzB,UAAU0B,MAAMxB,KAAKoB,ICjKtD,SAASM,EAAUhC,GACf,OAAOA,EAAEiC,WAAajC,EAAEkC,cAV5B,SAAWzC,GACPA,EAASA,EAAmB,SAAI,GAAK,WACrCA,EAASA,EAAuB,aAAI,GAAK,eACzCA,EAASA,EAAkB,QAAI,GAAK,UACpCA,EAASA,EAAe,KAAI,GAAK,OACjCA,EAASA,EAAgB,MAAI,GAAK,QAClCA,EAASA,EAAkB,QAAI,GAAK,UANxC,CAOGA,IAAaA,EAAW,KAm1B3B,IAAI0C,EAAY,kCAChB,SAASC,EAAMC,EAAKC,QACA,IAAZA,IAAsBA,EAAU,IACpC,IAAIC,EAAS,EACTC,EAAS,EACb,SAASC,EAAeC,GACpB,IAAIC,EAAQD,EAAIE,MAAM,OAClBD,IACAJ,GAAUI,EAAMzC,QAEpB,IAAIH,EAAI2C,EAAIG,YAAY,MACxBL,GAAgB,IAAPzC,EAAWyC,EAASE,EAAIxC,OAASwC,EAAIxC,OAASH,EAE3D,SAAS+C,IACL,IAAIC,EAAQ,CAAEC,KAAMT,EAAQC,OAAQA,GACpC,OAAO,SAAUS,GAGb,OAFAA,EAAKH,SAAW,IAAII,EAASH,GAC7BI,IACOF,GAGf,IAAIC,EACA,SAAkBH,GACdvC,KAAKuC,MAAQA,EACbvC,KAAK4C,IAAM,CAAEJ,KAAMT,EAAQC,OAAQA,GACnChC,KAAK6C,OAASf,EAAQe,QAI9BH,EAAS9C,UAAUkD,QAAUjB,EAC7B,IAAIkB,EAAa,GACjB,SAAShC,EAAMiC,GACX,IAAIC,EAAM,IAAIC,MAAMpB,EAAQe,OAAS,IAAMd,EAAS,IAAMC,EAAS,KAAOgB,GAM1E,GALAC,EAAIE,OAASH,EACbC,EAAIG,SAAWtB,EAAQe,OACvBI,EAAIT,KAAOT,EACXkB,EAAIjB,OAASA,EACbiB,EAAIJ,OAAShB,GACTC,EAAQuB,OAIR,MAAMJ,EAHNF,EAAWjC,KAAKmC,GAiBxB,SAASK,IACL,OAAOlB,EAAM,SAEjB,SAASmB,IACL,OAAOnB,EAAM,MAEjB,SAASoB,IACL,IAAIf,EACAe,EAAQ,GAGZ,IAFAb,IACAc,EAASD,GACF3B,EAAInC,QAA4B,MAAlBmC,EAAI6B,OAAO,KAAejB,EAAOkB,KAAYC,OACjD,IAATnB,IACAe,EAAM1C,KAAK2B,GACXgB,EAASD,IAGjB,OAAOA,EAEX,SAASpB,EAAMyB,GACX,IAAIxD,EAAIwD,EAAGC,KAAKjC,GAChB,GAAKxB,EAAL,CAGA,IAAI6B,EAAM7B,EAAE,GAGZ,OAFA4B,EAAeC,GACfL,EAAMA,EAAIP,MAAMY,EAAIxC,QACbW,GAEX,SAASsC,IACLP,EAAM,QAEV,SAASqB,EAASD,GAEd,IAAIO,EACJ,SAFc,IAAVP,IAAoBA,EAAQ,IAExBO,EAAIC,MACE,IAAND,GACAP,EAAM1C,KAAKiD,GAEfA,EAAIC,IAER,OAAOR,EAEX,SAASQ,IACL,IAAIC,EAAM3B,IACV,GAAI,MAAQT,EAAI6B,OAAO,IAAM,MAAQ7B,EAAI6B,OAAO,GAAhD,CAIA,IADA,IAAInE,EAAI,EACD,KAAOsC,EAAI6B,OAAOnE,KACpB,MAAQsC,EAAI6B,OAAOnE,IAAM,MAAQsC,EAAI6B,OAAOnE,EAAI,OAC/CA,EAGN,GADAA,GAAK,EACD,KAAOsC,EAAI6B,OAAOnE,EAAI,GACtB,OAAOwB,EAAM,0BAEjB,IAAImB,EAAML,EAAIP,MAAM,EAAG/B,EAAI,GAK3B,OAJAyC,GAAU,EACVC,EAAeC,GACfL,EAAMA,EAAIP,MAAM/B,GAChByC,GAAU,EACHiC,EAAI,CACPC,KAAM,UACNF,QAAS9B,KAGjB,SAASiC,IACL,IAAI9D,EAAI+B,EAAM,YACd,GAAK/B,EAGL,OAAO+D,EAAK/D,EAAE,IACTgE,QAAQ,+CAAgD,IACxDA,QAAQ,oCAAoC,SAAUhE,GACvD,OAAOA,EAAEgE,QAAQ,KAAM,QAEtBC,MAAM,sBACNC,KAAI,SAAUjF,GACf,OAAOA,EAAE+E,QAAQ,UAAW,QAGpC,SAASG,IACL,IAAIP,EAAM3B,IACNmC,EAAYrC,EAAM,4CACtB,GAAKqC,EAAL,CAGA,IAAIC,EAAON,EAAKK,EAAU,IAC1B,IAAKrC,EAAM,SACP,OAAOrB,EAAM,wBAEjB,IAAI4D,EAAMvC,EAAM,yDACZwC,EAAMX,EAAI,CACVC,KAAM,cACNW,SAAUH,EAAKL,QAAQ1C,EAAW,IAClCpB,MAAOoE,EAAMP,EAAKO,EAAI,IAAIN,QAAQ1C,EAAW,IAAM,KAGvD,OADAS,EAAM,WACCwC,GAEX,SAASE,IACL,IAKIC,EALAC,EAAQ,GACZ,IAAK1B,IACD,OAAOvC,EAAM,eAIjB,IAFA0C,EAASuB,GAEDD,EAAOP,MACE,IAATO,IACAC,EAAMlE,KAAKiE,GACXtB,EAASuB,IAEbD,EAAOP,IAEX,OAAKjB,IAGEyB,EAFIjE,EAAM,eAIrB,SAASkE,IAIL,IAHA,IAAI5E,EACA6E,EAAO,GACPjB,EAAM3B,IACFjC,EAAI+B,EAAM,wCACd8C,EAAKpE,KAAKT,EAAE,IACZ+B,EAAM,SAEV,GAAK8C,EAAKxF,OAGV,OAAOuE,EAAI,CACPC,KAAM,WACNiB,OAAQD,EACRJ,aAAcA,MA8KtB,IA9TQM,EA8TJC,EAAWC,EAAe,UAC1BC,EAAYD,EAAe,WAC3BE,EAAcF,EAAe,aACjC,SAASA,EAAeG,GACpB,IAAI5B,EAAK,IAAI6B,OAAO,KAAOD,EAAO,gBAClC,OAAO,WACH,IAAIxB,EAAM3B,IACNjC,EAAI+B,EAAMyB,GACd,GAAKxD,EAAL,CAGA,IAAIuE,EAAM,CAAEV,KAAMuB,GAElB,OADAb,EAAIa,GAAQpF,EAAE,GAAG+D,OACVH,EAAIW,KAGnB,SAASjB,IACL,GAAe,MAAX9B,EAAI,GAGR,OA/LJ,WACI,IAAIoC,EAAM3B,IACNjC,EAAI+B,EAAM,2BACd,GAAK/B,EAAL,CAGA,IAAIsF,EAAStF,EAAE,GAEf,KADAA,EAAI+B,EAAM,iBAEN,OAAOrB,EAAM,2BAEjB,IAII6E,EAJAH,EAAOpF,EAAE,GACb,IAAKiD,IACD,OAAOvC,EAAM,0BAIjB,IADA,IAAI8E,EAASpC,IACLmC,EAAQX,KACZY,EAAO/E,KAAK8E,GACZC,EAASA,EAAOtE,OAAOkC,KAE3B,OAAKF,IAGEU,EAAI,CACPC,KAAM,YACNuB,KAAMA,EACNE,OAAQA,EACRG,UAAWD,IANJ9E,EAAM,2BAyKTgF,IA1HZ,WACI,IAAI9B,EAAM3B,IACNjC,EAAI+B,EAAM,oBACd,GAAK/B,EAAL,CAGA,IAAI2F,EAAQ5B,EAAK/D,EAAE,IACnB,IAAKiD,IACD,OAAOvC,EAAM,sBAEjB,IAAIkF,EAAQxC,IAAWlC,OAAOiC,KAC9B,OAAKD,IAGEU,EAAI,CACPC,KAAM,QACN8B,MAAOA,EACPxC,MAAOyC,IALAlF,EAAM,uBA+GbmF,IAvGR,WACI,IAAIjC,EAAM3B,IACNjC,EAAI+B,EAAM,2CACd,GAAK/B,EAGL,OAAO4D,EAAI,CACPC,KAAM,eACNuB,KAAMrB,EAAK/D,EAAE,IACb2F,MAAO5B,EAAK/D,EAAE,MA+Fd8F,IAlKR,WACI,IAAIlC,EAAM3B,IACNjC,EAAI+B,EAAM,uBACd,GAAK/B,EAAL,CAGA,IAAI+F,EAAWhC,EAAK/D,EAAE,IACtB,IAAKiD,IACD,OAAOvC,EAAM,yBAEjB,IAAIkF,EAAQxC,IAAWlC,OAAOiC,KAC9B,OAAKD,IAGEU,EAAI,CACPC,KAAM,WACNkC,SAAUA,EACV5C,MAAOyC,IALAlF,EAAM,0BAuJbsF,IACAhB,KACAE,KACAC,KAvER,WACI,IAAIvB,EAAM3B,IACNjC,EAAI+B,EAAM,gCACd,GAAK/B,EAAL,CAGA,IAAIsF,EAASvB,EAAK/D,EAAE,IAChBiG,EAAMlC,EAAK/D,EAAE,IACjB,IAAKiD,IACD,OAAOvC,EAAM,yBAEjB,IAAIkF,EAAQxC,IAAWlC,OAAOiC,KAC9B,OAAKD,IAGEU,EAAI,CACPC,KAAM,WACNqC,SAAUD,EACVX,OAAQA,EACRnC,MAAOyC,IANAlF,EAAM,0BA2DbyF,IAjGR,WACI,IAAIvC,EAAM3B,IAEV,GADQF,EAAM,YACd,CAGA,IAAIqE,EAAMtC,KAAc,GACxB,IAAKb,IACD,OAAOvC,EAAM,qBAIjB,IAFA,IACIgE,EADAC,EAAQvB,IAEJsB,EAAOP,KACXQ,EAAMlE,KAAKiE,GACXC,EAAQA,EAAMzD,OAAOkC,KAEzB,OAAKF,IAGEU,EAAI,CACPC,KAAM,OACNwC,UAAWD,EACX3B,aAAcE,IALPjE,EAAM,sBAiFb4F,IApJR,WACI,IAAI1C,EAAM3B,IAEV,GADQF,EAAM,aACd,CAGA,IAAKkB,IACD,OAAOvC,EAAM,qBAEjB,IAAIkF,EAAQxC,IAAWlC,OAAOiC,KAC9B,OAAKD,IAGEU,EAAI,CACPC,KAAM,OACNV,MAAOyC,IAJAlF,EAAM,sBA0Ib6F,IApDR,WACI,IAAI3C,EAAM3B,IAEV,GADQF,EAAM,kBACd,CAGA,IAAKkB,IACD,OAAOvC,EAAM,0BAIjB,IAFA,IACIgE,EADAC,EAAQvB,IAEJsB,EAAOP,KACXQ,EAAMlE,KAAKiE,GACXC,EAAQA,EAAMzD,OAAOkC,KAEzB,OAAKF,IAGEU,EAAI,CACPC,KAAM,YACNY,aAAcE,IAJPjE,EAAM,2BAqCb8F,GAER,SAASjD,IACL,IAAIK,EAAM3B,IACNmE,EAAMtC,IACV,OAAKsC,GAGLhD,IACOQ,EAAI,CACPC,KAAM,OACNwC,UAAWD,EACX3B,aAAcA,OANP/D,EAAM,oBASrB,OAAO+F,GA3WC1B,EAAY5B,IACT,CACHU,KAAM,aACN6C,WAAY,CACRlE,OAAQf,EAAQe,OAChBW,MAAO4B,EACP4B,cAAejE,MAuW/B,SAASqB,EAAKlC,GACV,OAAOA,EAAMA,EAAImC,QAAQ,aAAc,IAAM,GAEjD,SAASyC,EAAUG,EAAKC,GAGpB,IAFA,IAAIC,EAASF,GAA2B,iBAAbA,EAAI/C,KAC3BkD,EAAcD,EAASF,EAAMC,EACxBG,EAAK,EAAGC,EAAKnI,OAAOoI,KAAKN,GAAMI,EAAKC,EAAG5H,OAAQ2H,IAAM,CAC1D,IACI9G,EAAQ0G,EADJK,EAAGD,IAEPhG,MAAMmG,QAAQjH,GACdA,EAAMkH,SAAQ,SAAUC,GACpBZ,EAAUY,EAAGN,MAGZ7G,GAA0B,iBAAVA,GACrBuG,EAAUvG,EAAO6G,GAWzB,OARID,GACAhI,OAAOwI,eAAeV,EAAK,SAAU,CACjCW,cAAc,EACdC,UAAU,EACVC,YAAY,EACZvH,MAAO2G,GAAU,OAGlBD,EAGX,IAAIc,EAAS,CACTC,OAAQ,WACRC,SAAU,WACVC,YAAa,cACbC,aAAc,eACdC,aAAc,eACdC,cAAe,gBACfC,iBAAkB,mBAClBC,SAAU,WACVC,QAAS,UACTC,cAAe,gBACfC,oBAAqB,sBACrBC,YAAa,cACbC,iBAAkB,mBAClBC,kBAAmB,oBACnBC,kBAAmB,oBACnBC,eAAgB,iBAChBC,aAAc,eACdC,QAAS,UACTC,QAAS,UACTC,QAAS,UACTC,QAAS,UACTC,QAAS,UACTC,eAAgB,iBAChBC,QAAS,UACTC,QAAS,UACTC,YAAa,cACbC,aAAc,eACdC,SAAU,WACVC,aAAc,eACdC,mBAAoB,qBACpBC,YAAa,cACbC,OAAQ,SACRC,aAAc,eACdC,cAAe,gBACfC,SAAU,WACVC,eAAgB,iBAChBC,eAAgB,kBAYpB,IAAIC,EAAiB,gBACjBC,EAAwB,IAAI5E,OAAO2E,EAAexH,OAAQ,KAC9D,SAAS0H,EAAcC,EAASC,GAC5B,IAAIC,EAAcD,MAAAA,OAAqC,EAASA,EAAME,qBAAqBC,IAAIJ,GAC/F,GAAIE,EACA,OAAOA,EACX,IAAIG,EAAMjJ,EAAM4I,EAAS,CACrBnH,QAAQ,IAEZ,IAAKwH,EAAI9D,WACL,OAAOyD,EAEX,IAAI9D,EAAY,GAUhB,GATAmE,EAAI9D,WAAWvD,MAAMiE,SAAQ,SAAU7D,GAC/B,cAAeA,IACdA,EAAK8C,WAAa,IAAIe,SAAQ,SAAUtD,GACjCkG,EAAeS,KAAK3G,IACpBuC,EAAU5F,KAAKqD,SAKN,IAArBuC,EAAUhH,OACV,OAAO8K,EAEX,IAAIO,EAAkB,IAAIrF,OAAOgB,EAC5BsE,QAAO,SAAU7G,EAAU8G,GAAS,OAAOvE,EAAUwE,QAAQ/G,KAAc8G,KAC3EE,MAAK,SAAUC,EAAGC,GAAK,OAAOA,EAAE3L,OAAS0L,EAAE1L,UAC3C6E,KAAI,SAAUJ,GACf,OAAoBA,EA/BbE,QAAQ,sBAAuB,WAiCrCiH,KAAK,KAAM,KACZC,EAASf,EAAQnG,QAAQ0G,GAAiB,SAAU5G,GACpD,IAAIqH,EAAcrH,EAASE,QAAQiG,EAAuB,eAC1D,OAAOnG,EAAW,KAAOqH,KAG7B,OADAf,MAAAA,GAA8CA,EAAME,qBAAqBc,IAAIjB,EAASe,GAC/EA,EAEX,SAASG,IAEL,MAAO,CACHf,qBAFuB,IAAIgB,KAKnC,SAASC,EAAUpM,EAAGsC,GAClB,IAAIwE,EAAMxE,EAAQwE,IAAKuF,EAAU/J,EAAQ+J,QAASpB,EAAQ3I,EAAQ2I,MAClE,OAAQjL,EAAE0E,MACN,KAAKjF,EAAS6M,SACV,OAAOxF,EAAIyF,eAAeC,eAAe,KAAM,GAAI,MACvD,KAAK/M,EAASgN,aACV,OAAO3F,EAAIyF,eAAeG,mBAAmB1M,EAAEiG,MAAQ,OAAQjG,EAAE2M,SAAU3M,EAAE4M,UACjF,KAAKnN,EAASoN,QACV,IACIC,EADAC,EA/DhB,SAAoB/M,GAChB,IAAI+M,EAAUxE,EAAOvI,EAAE+M,SAAWxE,EAAOvI,EAAE+M,SAAW/M,EAAE+M,QAIxD,MAHgB,SAAZA,GAAsB/M,EAAEgN,WAAWC,WACnCF,EAAU,SAEPA,EA0DeG,CAAWlN,GAGrB8M,EADA9M,EAAEmN,MACOrG,EAAIsG,gBAAgB,6BAA8BL,GAGlDjG,EAAIuG,cAAcN,GAE/B,IAAIO,EAAU,SAAUC,GACpB,IAAKvN,EAAEgN,WAAW3M,eAAekN,GAC7B,MAAO,WAEX,IAAIxM,EAAQf,EAAEgN,WAAWO,GACzB,GAAgB,WAAZR,GAAmC,aAAXQ,IAAmC,IAAVxM,EACjD,MAAO,WAIX,GAFAA,EACqB,kBAAVA,GAAwC,iBAAVA,EAAqB,GAAKA,EAC9DwM,EAAOC,WAAW,OAqDlB,CACD,GAAgB,WAAZT,GAAmC,eAAXQ,EAAyB,CACjD,IAAIE,EAAU1G,SAASsG,cAAc,OACrCI,EAAQC,IAAM3M,EACd0M,EAAQE,OAAS,WACb,IAAIC,EAAMd,EAAOe,WAAW,MACxBD,GACAA,EAAIE,UAAUL,EAAS,EAAG,EAAGA,EAAQM,MAAON,EAAQO,cAI3D,GAAgB,QAAZjB,GAAgC,eAAXQ,EAAyB,CACnD,IAAIU,EAAQnB,EACPmB,EAAMC,WAAWV,WAAW,WAC7BS,EAAME,aAAa,qBAAsBnO,EAAEgN,WAAWU,KACtDO,EAAMP,IAAM3M,GAGpB,GAAe,aAAXwM,EACAT,EAAOrG,MAAMsH,MAAQhN,OAEpB,GAAe,cAAXwM,EACLT,EAAOrG,MAAMuH,OAASjN,OAErB,GAAe,wBAAXwM,EACLT,EAAOsB,YAAcpO,EAAEgN,WAClBqB,yBAEJ,GAAe,kBAAXd,EACL,OAAQxM,GACJ,IAAK,SACD+L,EACKwB,OAAc,OAAE,SAAUlN,GAAK,OAAOmN,QAAQC,KAAK,uBAAwBpN,MAChF,MACJ,IAAK,SACD0L,EAAO2B,aAxFQ,CAC3B,IAAIC,EAAyB,aAAZ3B,GAAqC,UAAXQ,EACvCoB,EAAmC,UAAZ5B,GAAkC,aAAXQ,EAIlD,GAHIoB,GAAwBtC,IACxBtL,EAAQgK,EAAchK,EAAOkK,IAE7ByD,GAAcC,EAAsB,CAEpC,IADA,IAAIC,EAAQ9H,EAAI+H,eAAe9N,GACtB8G,EAAK,EAAGC,EAAKjG,MAAMH,KAAKoL,EAAOgC,YAAajH,EAAKC,EAAG5H,OAAQ2H,IAAM,CACvE,IAAItD,EAAIuD,EAAGD,GACPtD,EAAEtC,WAAa6K,EAAOiC,WACtBjC,EAAOkC,YAAYzK,GAI3B,OADAuI,EAAOmC,YAAYL,GACZ,WAEX,IACI,GAAI5O,EAAEmN,OAAoB,eAAXI,EACXT,EAAOoC,eAAe,+BAAgC3B,EAAQxM,QAE7D,GAAe,WAAXwM,GACM,YAAXA,GAC2B,YAA3BA,EAAO4B,UAAU,EAAG,GACpBrC,EAAOqB,aAAa,IAAMZ,EAAQxM,OAEjC,CAAA,GAAgB,SAAZgM,GAC0B,4BAA/B/M,EAAEgN,WAAW,eACF,YAAXO,EAEA,OADAT,EAAOqB,aAAa,cAAepN,GAC5B,WAEU,SAAZgM,GACgB,YAArB/M,EAAEgN,WAAWoC,KACO,WAApBpP,EAAEgN,WAAWqC,IAEI,SAAZtC,GACgB,aAArB/M,EAAEgN,WAAWoC,KACgB,iBAAtBpP,EAAEgN,WAAWsC,MACpBtP,EAAEgN,WAAWsC,KAAKC,SAAS,SAEV,QAAZxC,GACL/M,EAAEgN,WAAWwC,QACbxP,EAAEgN,WAAWyC,WACb3C,EAAOqB,aAAa,wBAAyBnO,EAAEgN,WAAWwC,QAG1D1C,EAAOqB,aAAaZ,EAAQxM,KAGpC,MAAOQ,OA4Cf,IAAK,IAAIgM,KAAUvN,EAAEgN,WACjBM,EAAQC,GAEZ,GAAIvN,EAAE0P,aACF,GAAK5C,EAAO6C,WAIR,KAAO7C,EAAO6C,WAAWC,YACrB9C,EAAO6C,WAAWX,YAAYlC,EAAO6C,WAAWC,iBAJpD9C,EAAO+C,aAAa,CAAEC,KAAM,SAQpC,OAAOhD,EACX,KAAKrN,EAASsQ,KACV,OAAOjJ,EAAI+H,eAAe7O,EAAEgQ,SAAW3D,EACjCtB,EAAc/K,EAAEiQ,YAAahF,GAC7BjL,EAAEiQ,aACZ,KAAKxQ,EAASyQ,MACV,OAAOpJ,EAAIqJ,mBAAmBnQ,EAAEiQ,aACpC,KAAKxQ,EAAS2Q,QACV,OAAOtJ,EAAIuJ,cAAcrQ,EAAEiQ,aAC/B,QACI,OAAO,MAGnB,SAASK,EAAgBtQ,EAAGsC,GACxB,IAAIwE,EAAMxE,EAAQwE,IAAK/B,EAAMzC,EAAQyC,IAAK+C,EAAKxF,EAAQiO,UAAWA,OAAmB,IAAPzI,GAAwBA,EAAI0I,EAAKlO,EAAQ+J,QAASA,OAAiB,IAAPmE,GAAuBA,EAAIC,EAAcnO,EAAQmO,YAAaxF,EAAQ3I,EAAQ2I,MACpNhI,EAAOmJ,EAAUpM,EAAG,CAAE8G,IAAKA,EAAKuF,QAASA,EAASpB,MAAOA,IAC7D,IAAKhI,EACD,OAAO,KAwBX,GAtBIjD,EAAE0Q,QACFnC,QAAQoC,OAAO5L,EAAI/E,EAAE0Q,UAAY5J,EAAK,gDAEtC9G,EAAE0E,OAASjF,EAAS6M,WACpBxF,EAAI/C,QACJ+C,EAAIhD,OACiB,eAAjB9D,EAAE4Q,YACF5Q,EAAE8O,YACF9O,EAAE8O,WAAW,GAAGpK,OAASjF,EAASgN,eAC9BzM,EAAE8O,WAAW,GAAGpK,OAASjF,EAASoN,SAClC,UAAW7M,EAAE8O,WAAW,GAAG9B,YACU,iCAArChN,EAAE8O,WAAW,GAAG9B,WAAW6D,MAC3B/J,EAAIgK,MAAM,sEAGVhK,EAAIgK,MAAM,sEAGlB7N,EAAO6D,GAEX7D,EAAK8N,KAAO/Q,EACZ+E,EAAI/E,EAAEgR,IAAM/N,GACPjD,EAAE0E,OAASjF,EAAS6M,UAAYtM,EAAE0E,OAASjF,EAASoN,WACpD0D,EACD,IAAK,IAAI1I,EAAK,EAAGoJ,EAAKjR,EAAE8O,WAAYjH,EAAKoJ,EAAG/Q,OAAQ2H,IAAM,CACtD,IAAIqJ,EAASD,EAAGpJ,GACZsJ,EAAYb,EAAgBY,EAAQ,CACpCpK,IAAKA,EACL/B,IAAKA,EACLwL,WAAW,EACXlE,QAASA,EACToE,YAAaA,EACbxF,MAAOA,IAENkG,GAIDD,EAAOE,UAAYpP,EAAUiB,IAASA,EAAK0M,WAC3C1M,EAAK0M,WAAWV,YAAYkC,GAG5BlO,EAAKgM,YAAYkC,GAEjBV,GACAA,EAAYU,IAVZ5C,QAAQC,KAAK,oBAAqB0C,GAc9C,OAAOjO,EA+BX,SAASoO,EAAQrR,EAAGsC,GAChB,IAAIwE,EAAMxE,EAAQwE,IAAKwK,EAAUhP,EAAQgP,QAASxJ,EAAKxF,EAAQ+J,QAC3DkF,EAAY,GACZtO,EAAOqN,EAAgBtQ,EAAG,CAC1B8G,IAAKA,EACL/B,IAAKwM,EACLhB,WAAW,EACXlE,aANqF,IAAPvE,GAAuBA,EAOrG2I,YAPuHnO,EAAQmO,YAQ/HxF,MARoJ3I,EAAQ2I,QAgBhK,OA9CJ,SAAesG,EAAWD,GAItB,IAAK,IAAIE,KAAOD,EACRA,EAAUC,KAJJvO,EAKDsO,EAAUC,GAJnBF,EAAQrO,IADZ,IAAcA,EAuCdwO,CAAMF,GAAW,SAAUG,GACnBJ,GACAA,EAAQI,GAhCpB,SAAsBzO,GAClB,IAAIjD,EAAIiD,EAAK8N,KACb,GAAI/Q,EAAE0E,OAASjF,EAASoN,QAAxB,CAGA,IAAI8E,EAAK1O,EACT,IAAK,IAAI2O,KAAU5R,EAAEgN,WACjB,GAAMhN,EAAEgN,WAAW3M,eAAeuR,IAAWA,EAAOpE,WAAW,OAA/D,CAGA,IAAIzM,EAAQf,EAAEgN,WAAW4E,GACV,kBAAXA,IACAD,EAAGE,WAAa9Q,GAEL,iBAAX6Q,IACAD,EAAGG,UAAY/Q,KAmBnBgR,CAAaL,MAEV,CAACzO,EAAMsO,GCvlDlB,SAASS,EAAKC,GAGb,OAFAA,EAAMA,GAAOtS,OAAOuS,OAAO,MAEpB,CAQNC,GAAI,SAAYzN,EAAc0N,IAC5BH,EAAIvN,KAAUuN,EAAIvN,GAAQ,KAAKpD,KAAK8Q,IAUtCC,IAAK,SAAa3N,EAAc0N,GAC3BH,EAAIvN,IACPuN,EAAIvN,GAAM4N,OAAOL,EAAIvN,GAAMgH,QAAQ0G,KAAa,EAAG,IAYrDG,KAAM,SAAc7N,EAAc8N,IAChCP,EAAIvN,IAAS,IAAI5C,QAAQiD,KAAI,SAAUqN,GAAWA,EAAQI,OAC1DP,EAAI,MAAQ,IAAInQ,QAAQiD,KAAI,SAAUqN,GAAWA,EAAQ1N,EAAM8N,YC1CvDC,EA+DAC,EAgUAC,EAcAC,EAuIMC,EA2GNC,uDCvoBIC,EAASC,EAAoBC,GAE3C,gBAFuBD,uBAAoBC,cAGzC,mBAAoBA,EAAEC,gBAAgBzM,SACF,IAApCuM,EAAEG,8BAFJ,CAQA,IAuB4BC,EAvBxBvG,EAAUmG,EAAEK,aAAeL,EAAEnG,QAI7ByG,EAAW,CACbC,OAAQP,EAAEO,QAAUP,EAAEQ,SACtBC,SAAUT,EAAES,SACZC,cAAe7G,EAAQzM,UAAUmT,QAAUI,EAC3CC,eAAgB/G,EAAQzM,UAAUwT,gBAIhCC,EACFb,EAAEc,aAAed,EAAEc,YAAYD,IAC3Bb,EAAEc,YAAYD,IAAIE,KAAKf,EAAEc,aACzBE,KAAKH,IAmBPI,GAXwBb,EAWgBJ,EAAEkB,UAAUd,UAR/C,IAAIlN,OAFa,CAAC,QAAS,WAAY,SAEV4F,KAAK,MAAMR,KAAK8H,GAQe,EAAI,GA0LzEJ,EAAEO,OAASP,EAAEQ,SAAW,gBAEDW,IAAjBlU,UAAU,MAKsB,IAAhCmU,EAAcnU,UAAU,IAoB5BoU,EAAa/T,KACX0S,EACAC,EAAEqB,UACoBH,IAAtBlU,UAAU,GAAGsU,OACPtU,UAAU,GAAGsU,KACfvB,EAAEwB,SAAWxB,EAAEyB,iBACEN,IAArBlU,UAAU,GAAGyU,MACPzU,UAAU,GAAGyU,IACf1B,EAAE2B,SAAW3B,EAAE4B,aA3BnBtB,EAASC,OAAOjT,KACd0S,OACsBmB,IAAtBlU,UAAU,GAAGsU,KACTtU,UAAU,GAAGsU,KACW,iBAAjBtU,UAAU,GACjBA,UAAU,GACV+S,EAAEwB,SAAWxB,EAAEyB,iBAEEN,IAArBlU,UAAU,GAAGyU,IACTzU,UAAU,GAAGyU,SACIP,IAAjBlU,UAAU,GACVA,UAAU,GACV+S,EAAE2B,SAAW3B,EAAE4B,eAoBzB5B,EAAES,SAAW,gBAEUU,IAAjBlU,UAAU,KAKVmU,EAAcnU,UAAU,IAC1BqT,EAASG,SAASnT,KAChB0S,OACsBmB,IAAtBlU,UAAU,GAAGsU,KACTtU,UAAU,GAAGsU,KACW,iBAAjBtU,UAAU,GACjBA,UAAU,GACV,OACiBkU,IAArBlU,UAAU,GAAGyU,IACTzU,UAAU,GAAGyU,SACIP,IAAjBlU,UAAU,GACVA,UAAU,GACV,GAORoU,EAAa/T,KACX0S,EACAC,EAAEqB,OACArU,UAAU,GAAGsU,MAAQvB,EAAEwB,SAAWxB,EAAEyB,eACpCxU,UAAU,GAAGyU,KAAO1B,EAAE2B,SAAW3B,EAAE4B,gBAKzC/H,EAAQzM,UAAUmT,OAAS1G,EAAQzM,UAAUoT,SAAW,WAEtD,QAAqBW,IAAjBlU,UAAU,GAKd,IAAoC,IAAhCmU,EAAcnU,UAAU,IAA5B,CAyBA,IAAIsU,EAAOtU,UAAU,GAAGsU,KACpBG,EAAMzU,UAAU,GAAGyU,IAGvBL,EAAa/T,KACXE,KACAA,UACgB,IAAT+T,EAAuB/T,KAAKqR,aAAe0C,OACnC,IAARG,EAAsBlU,KAAKsR,YAAc4C,OAjClD,CAEE,GAA4B,iBAAjBzU,UAAU,SAAoCkU,IAAjBlU,UAAU,GAChD,MAAM,IAAI4U,YAAY,gCAGxBvB,EAASI,cAAcpT,KACrBE,UAEsB2T,IAAtBlU,UAAU,GAAGsU,OACPtU,UAAU,GAAGsU,KACS,iBAAjBtU,UAAU,KACfA,UAAU,GACZO,KAAKqR,gBAEYsC,IAArBlU,UAAU,GAAGyU,MACPzU,UAAU,GAAGyU,SACEP,IAAjBlU,UAAU,KACRA,UAAU,GACZO,KAAKsR,aAmBfjF,EAAQzM,UAAUqT,SAAW,gBAENU,IAAjBlU,UAAU,MAKsB,IAAhCmU,EAAcnU,UAAU,IAc5BO,KAAK+S,OAAO,CACVgB,OAAQtU,UAAU,GAAGsU,KAAO/T,KAAKqR,WACjC6C,MAAOzU,UAAU,GAAGyU,IAAMlU,KAAKsR,UAC/BgD,SAAU7U,UAAU,GAAG6U,WAhBvBxB,EAASI,cAAcpT,KACrBE,UACsB2T,IAAtBlU,UAAU,GAAGsU,OACPtU,UAAU,GAAGsU,KAAO/T,KAAKqR,aACzB5R,UAAU,GAAKO,KAAKqR,gBACLsC,IAArBlU,UAAU,GAAGyU,MACPzU,UAAU,GAAGyU,IAAMlU,KAAKsR,YACxB7R,UAAU,GAAKO,KAAKsR,aAchCjF,EAAQzM,UAAUwT,eAAiB,WAEjC,IAAoC,IAAhCQ,EAAcnU,UAAU,IAA5B,CAUA,IAAI8U,EAAmBC,EAAqBxU,MACxCyU,EAAcF,EAAiBG,wBAC/BC,EAAc3U,KAAK0U,wBAEnBH,IAAqB9B,EAAEqB,MAEzBD,EAAa/T,KACXE,KACAuU,EACAA,EAAiBlD,WAAasD,EAAYZ,KAAOU,EAAYV,KAC7DQ,EAAiBjD,UAAYqD,EAAYT,IAAMO,EAAYP,KAIP,UAAlD1B,EAAEoC,iBAAiBL,GAAkBjS,UACvCkQ,EAAES,SAAS,CACTc,KAAMU,EAAYV,KAClBG,IAAKO,EAAYP,IACjBI,SAAU,YAKd9B,EAAES,SAAS,CACTc,KAAMY,EAAYZ,KAClBG,IAAKS,EAAYT,IACjBI,SAAU,gBAnCZxB,EAASM,eAAetT,KACtBE,UACiB2T,IAAjBlU,UAAU,IAA0BA,UAAU,KA3UpD,SAAS0T,EAAc0B,EAAGC,GACxB9U,KAAKqR,WAAawD,EAClB7U,KAAKsR,UAAYwD,EAmBnB,SAASlB,EAAcmB,GACrB,GACe,OAAbA,GACoB,iBAAbA,QACepB,IAAtBoB,EAAST,UACa,SAAtBS,EAAST,UACa,YAAtBS,EAAST,SAIT,OAAO,EAGT,GAAwB,iBAAbS,GAA+C,WAAtBA,EAAST,SAE3C,OAAO,EAIT,MAAM,IAAI7T,UACR,oCACEsU,EAAST,SACT,yDAWN,SAASU,EAAmB7D,EAAI8D,GAC9B,MAAa,MAATA,EACK9D,EAAG+D,aAAezB,EAAqBtC,EAAGgE,aAGtC,MAATF,EACK9D,EAAGiE,YAAc3B,EAAqBtC,EAAGkE,iBADlD,EAYF,SAASC,EAAYnE,EAAI8D,GACvB,IAAIM,EAAgB/C,EAAEoC,iBAAiBzD,EAAI,MAAM,WAAa8D,GAE9D,MAAyB,SAAlBM,GAA8C,WAAlBA,EAUrC,SAASC,EAAarE,GACpB,IAAIsE,EAAgBT,EAAmB7D,EAAI,MAAQmE,EAAYnE,EAAI,KAC/DuE,EAAgBV,EAAmB7D,EAAI,MAAQmE,EAAYnE,EAAI,KAEnE,OAAOsE,GAAiBC,EAS1B,SAASlB,EAAqBrD,GAC5B,KAAOA,IAAOsB,EAAEqB,OAA6B,IAArB0B,EAAarE,IACnCA,EAAKA,EAAGwE,YAAcxE,EAAGyE,KAG3B,OAAOzE,EAST,SAAS0E,EAAKC,GACZ,IACIvV,EACAwV,EACAC,EAxGQC,EAyGRC,GAJO7C,IAIWyC,EAAQK,WA9Jd,IAqDJF,EA4GZC,EAAUA,EAAU,EAAI,EAAIA,EAG5B3V,EA9GO,IAAO,EAAI6V,KAAKC,IAAID,KAAKE,GAAKL,IAgHrCF,EAAWD,EAAQS,QAAUT,EAAQjB,EAAIiB,EAAQS,QAAUhW,EAC3DyV,EAAWF,EAAQU,QAAUV,EAAQhB,EAAIgB,EAAQU,QAAUjW,EAE3DuV,EAAQW,OAAO3W,KAAKgW,EAAQY,WAAYX,EAAUC,GAG9CD,IAAaD,EAAQjB,GAAKmB,IAAaF,EAAQhB,GACjDtC,EAAEmE,sBAAsBd,EAAKtC,KAAKf,EAAGsD,IAYzC,SAASjC,EAAa1C,EAAI0D,EAAGC,GAC3B,IAAI4B,EACAH,EACAC,EACAC,EACAN,EAAY9C,IAGZlC,IAAOsB,EAAEqB,MACX4C,EAAalE,EACb+D,EAAS/D,EAAEwB,SAAWxB,EAAEyB,YACxBuC,EAAShE,EAAE2B,SAAW3B,EAAE4B,YACxBqC,EAAS3D,EAASC,SAElB2D,EAAavF,EACboF,EAASpF,EAAGE,WACZmF,EAASrF,EAAGG,UACZmF,EAAStD,GAIX0C,EAAK,CACHa,WAAYA,EACZD,OAAQA,EACRN,UAAWA,EACXI,OAAQA,EACRC,OAAQA,EACR3B,EAAGA,EACHC,EAAGA,MDxNT,SAAY7C,GACVA,2CACAA,mBACAA,mCACAA,iDACAA,mBACAA,uBACAA,uBAPF,CAAYA,IAAAA,OA+DZ,SAAYC,GACVA,2BACAA,6BACAA,2CACAA,uBACAA,uCACAA,qBACAA,6BACAA,2CACAA,uCACAA,uCACAA,oBACAA,kBACAA,oBACAA,4CAdF,CAAYA,IAAAA,OAgUZ,SAAYC,GACVA,yBACAA,6BACAA,qBACAA,iCACAA,2BACAA,qBACAA,mBACAA,+BACAA,+CACAA,2BACAA,kCAXF,CAAYA,IAAAA,OAcZ,SAAYC,GACVA,kBACAA,qBACAA,uBAHF,CAAYA,IAAAA,OAuIZ,SAAkBC,GAChBA,mBACAA,qBACAA,uBACAA,mCAJF,CAAkBA,IAAAA,OA2GlB,SAAYC,GACVA,gBACAA,gBACAA,kBACAA,kBACAA,kBACAA,iDACAA,8CACAA,0CACAA,yBACAA,qBACAA,uCACAA,yBACAA,6BACAA,gBACAA,6BACAA,uBAhBF,CAAYA,IAAAA,OEvoBZ,ICO6R9S,eDC3R,WAAYoX,EAAiCC,gBAAjCD,MAPL5W,gBAAqB,EAIpBA,SAAqB,KAI3BA,KAAK4W,QAAUA,EACf5W,KAAK6W,MAAQA,EAiFjB,OA3ESC,sBAAP,SAAiBC,GACf,IAAM9L,EAAQjL,KAAKgX,gBAAgBD,GACnC/W,KAAK4W,QAAQ9E,OAAO7G,EAAO,EAAG8L,IAMzBD,uBAAP,SAAkBF,GAChB5W,KAAK4W,QAAU5W,KAAK4W,QAAQrV,OAAOqV,IAG9BE,kBAAP,WACE9W,KAAKiX,WAAa,EAClB,IAAIC,EAAgB5D,YAAYD,MACxBuD,EAAY5W,aACdmX,EAAOnX,KAmBbA,KAAKoX,IAAMT,uBAlBX,SAASU,IACP,IAAMC,EAAOhE,YAAYD,MAGzB,IAFA8D,EAAKF,aAAeK,EAAOJ,GAAiBC,EAAKN,MACjDK,EAAgBI,EACTV,EAAQlX,QAAQ,CACrB,IAAMqX,EAASH,EAAQ,GAEvB,KAAIO,EAAKF,YAAcF,EAAOQ,OAI5B,MAHAX,EAAQY,QACRT,EAAOU,YAKPb,EAAQlX,OAAS,GAAKyX,EAAKO,YAC7BP,EAAKC,IAAMT,sBAAsBU,QAMhCP,kBAAP,WACM9W,KAAKoX,MACPO,qBAAqB3X,KAAKoX,KAC1BpX,KAAKoX,IAAM,MAEbpX,KAAK4W,QAAQlX,OAAS,GAGjBoX,qBAAP,SAAgBD,GACd7W,KAAK6W,MAAQA,GAGRC,2BAAP,SAAsBxH,GACpBtP,KAAK0X,SAAWpI,GAGXwH,qBAAP,WACE,OAAoB,OAAb9W,KAAKoX,KAGNN,4BAAR,SAAwBC,GAGtB,IAFA,IAAIxU,EAAQ,EACRK,EAAM5C,KAAK4W,QAAQlX,OAAS,EACzB6C,GAASK,GAAK,CACnB,IAAIgV,EAAMxB,KAAKyB,OAAOtV,EAAQK,GAAO,GACrC,GAAI5C,KAAK4W,QAAQgB,GAAKL,MAAQR,EAAOQ,MACnChV,EAAQqV,EAAM,MACT,CAAA,KAAI5X,KAAK4W,QAAQgB,GAAKL,MAAQR,EAAOQ,OAK1C,OAAOK,EAAM,EAJbhV,EAAMgV,EAAM,GAOhB,OAAOrV,iBAKKuV,EAASC,EAAsBC,GAG7C,GACED,EAAM7T,OAAS+N,EAAUgG,qBACzBF,EAAMG,KAAKrV,SAAWqP,EAAkBiG,UACxC,CACA,IAAMC,EAAcL,EAAMG,KAAKG,UAAU,GAAGpB,WAEtCqB,EAAiBP,EAAMQ,UAAYH,EAEzC,OADAL,EAAMR,MAAQe,EAAiBN,EACxBM,EAAiBN,EAI1B,OADAD,EAAMR,MAAQQ,EAAMQ,UAAYP,EACzBD,EAAMR;;;;;;;;;;;;;;oFCtGf,SAASlY,EAAEA,EAAEG,GAAG,IAAIoB,EAAE,mBAAmBT,QAAQd,EAAEc,OAAOC,UAAU,IAAIQ,EAAE,OAAOvB,EAAE,IAAIsB,EAAET,EAAEX,EAAEqB,EAAEd,KAAKT,GAAG+L,EAAE,GAAG,IAAI,WAAM,IAAS5L,GAAGA,KAAK,MAAMmB,EAAEpB,EAAEe,QAAQE,MAAM4K,EAAEtK,KAAKH,EAAEJ,OAAO,MAAMlB,GAAGa,EAAE,CAACa,MAAM1B,GAAG,QAAQ,IAAIsB,IAAIA,EAAEH,OAAOI,EAAErB,EAAEiZ,SAAS5X,EAAEd,KAAKP,GAAG,QAAQ,GAAGW,EAAE,MAAMA,EAAEa,OAAO,OAAOqK,GAAS,SAAS/L,GAAGA,EAAEA,EAAEoZ,WAAW,GAAG,aAAapZ,EAAEA,EAAEqZ,QAAQ,GAAG,UAAUrZ,EAAEA,EAAEsZ,QAAQ,GAAG,UAAnF,CAA8FnZ,IAAIA,EAAE,KAAK,IAAIoB,EAAE,CAACsD,KAAK,eAAe,SAASvD,EAAEtB,GAAG,YAAO,IAASA,EAAE,GAAG,GAAGkC,OAAOlC,GAAG,SAASa,EAAEb,GAAG,MAAM,CAAC6E,KAAK,gBAAgB0U,WAAWvZ,GAAG,SAASE,EAAEF,EAAEG,GAAG,MAAM,iBAAiBH,EAAE,iBAAiBA,GAAGG,GAAGA,EAAEH,GAAGG,EAAEH,GAAGA,GAAG,CAAC6E,KAAK7E,GAAG,mBAAmBA,EAAE,CAAC6E,KAAK7E,EAAEoG,KAAK3B,KAAKzE,GAAGA,EAAE,SAAS+L,EAAE/L,GAAG,OAAO,SAASG,GAAG,OAAOH,IAAIG,GAAG,SAASqZ,EAAExZ,GAAG,MAAM,iBAAiBA,EAAE,CAAC6E,KAAK7E,GAAGA,EAAE,SAAS0E,EAAE1E,EAAEG,GAAG,MAAM,CAACe,MAAMlB,EAAEyW,QAAQtW,EAAEoX,QAAQ,GAAGkC,SAAQ,EAAGC,QAAQ3N,EAAE/L,IAAI,SAAS2Z,EAAE3Z,EAAEG,EAAEoB,GAAG,IAAID,EAAEnB,EAAEU,GAAE,EAAG,MAAM,CAACb,EAAE2L,iBAAiB3L,GAAG,GAAG,kBAAkBA,EAAE6E,KAAK,CAAChE,GAAE,EAAG,IAAIV,EAAEL,OAAOC,OAAO,GAAGuB,GAAG,MAAM,mBAAmBtB,EAAEuZ,WAAWpZ,EAAEH,EAAEuZ,WAAWjY,EAAEC,GAAGzB,OAAOoI,KAAKlI,EAAEuZ,YAAYnR,kBAAkBvH,GAAGV,EAAEU,GAAG,mBAAmBb,EAAEuZ,WAAW1Y,GAAGb,EAAEuZ,WAAW1Y,GAAGS,EAAEC,GAAGvB,EAAEuZ,WAAW1Y,MAAMS,EAAEnB,GAAE,EAAG,OAAM,KAAMmB,EAAET,GAAG,SAASZ,EAAEE,EAAEU,QAAG,IAASA,IAAIA,EAAE,IAAI,IAAIZ,EAAED,EAAE2Z,EAAErY,EAAEnB,EAAEyZ,OAAOzZ,EAAE0Z,SAASC,OAAO5U,cAAclF,GAAG,OAAOE,EAAEF,EAAEa,EAAE0W,YAAYpX,EAAEsW,QAAQlV,GAAG,GAAGQ,EAAE9B,EAAE,GAAGoI,EAAEpI,EAAE,GAAGwV,EAAE,CAACsE,OAAO5Z,EAAE6Z,SAASnZ,EAAEoZ,aAAa,CAAC/Y,MAAMf,EAAE0Z,QAAQtC,QAAQxV,EAAE0U,QAAQpO,EAAEqR,QAAQ3N,EAAE5L,EAAE0Z,UAAUK,WAAW,SAAS3Y,EAAEV,GAAG,IAAIZ,EAAE8B,EAAEsG,EAAE,iBAAiB9G,EAAE,CAACL,MAAMK,EAAEkV,QAAQtW,EAAEsW,SAASlV,EAAEjB,EAAE+H,EAAEnH,MAAMiZ,EAAE9R,EAAEoO,QAAQrD,EAAEoG,EAAE3Y,GAAG2U,EAAErV,EAAEyZ,OAAOtZ,GAAG,GAAGkV,EAAElD,GAAG,CAAC,IAAItR,EAAEM,EAAEkU,EAAElD,GAAGc,EAAEvO,OAAO,IAAI,IAAI,IAAIuV,EAAE,SAASpa,GAAG,IAAIG,EAAE,mBAAmBW,QAAQA,OAAOC,SAASQ,EAAEpB,GAAGH,EAAEG,GAAGmB,EAAE,EAAE,GAAGC,EAAE,OAAOA,EAAEd,KAAKT,GAAG,GAAGA,GAAG,iBAAiBA,EAAEK,OAAO,MAAM,CAACY,KAAK,WAAW,OAAOjB,GAAGsB,GAAGtB,EAAEK,SAASL,OAAE,GAAQ,CAACkB,MAAMlB,GAAGA,EAAEsB,KAAKH,MAAMnB,KAAK,MAAM,IAAIoB,UAAUjB,EAAE,0BAA0B,mCAAtQ,CAA0Sa,GAAGgL,EAAEoO,EAAEnZ,QAAQ+K,EAAE7K,KAAK6K,EAAEoO,EAAEnZ,OAAO,CAAC,IAAIoZ,EAAErO,EAAE9K,MAAM,QAAG,IAASmZ,EAAE,OAAO3V,EAAEpE,EAAE6Z,GAAG,IAAIhH,EAAE,iBAAiBkH,EAAE,CAACC,OAAOD,GAAGA,EAAEE,EAAEpH,EAAEmH,OAAOE,EAAErH,EAAEoE,QAAQkD,OAAE,IAASD,EAAE,GAAGA,EAAEE,EAAEvH,EAAEwH,KAAKC,OAAE,IAASF,EAAE,WAAW,OAAM,GAAIA,EAAEG,OAAE,IAASN,EAAE3D,EAAE,MAAM2D,EAAEA,EAAEja,EAAEwa,EAAE3a,EAAEyZ,OAAOhD,GAAG,GAAGgE,EAAET,EAAE/G,GAAG,CAAC,IAAI2H,EAAE/a,EAAE2Z,GAAGkB,EAAEvZ,EAAEmZ,GAAG,GAAGvY,OAAOsT,EAAEwF,KAAKP,EAAEK,EAAEhB,OAAOnO,iBAAiB3L,GAAG,OAAOA,MAAMkF,cAAclF,GAAG,OAAOE,EAAEF,EAAEyV,EAAEuE,SAASzC,YAAY4C,EAAE/G,GAAG,GAAG6H,EAAEF,EAAE,GAAGG,EAAEH,EAAE,GAAGI,EAAEJ,EAAE,GAAGK,EAAE,MAAMb,EAAEA,EAAEja,EAAE,MAAM,CAACY,MAAMka,EAAE3E,QAAQyE,EAAE3D,QAAQ0D,EAAExB,QAAQc,IAAIja,GAAG2a,EAAE5a,OAAO,GAAG8a,EAAEzB,QAAQ3N,EAAEqP,MAAM,MAAMpb,GAAGC,EAAE,CAACyB,MAAM1B,GAAG,QAAQ,IAAIgM,IAAIA,EAAE7K,OAAOY,EAAEqY,EAAEjB,SAASpX,EAAEtB,KAAK2Z,GAAG,QAAQ,GAAGna,EAAE,MAAMA,EAAEyB,QAAQ,OAAOgD,EAAEpE,EAAE6Z,KAAK,OAAO1E,EAAE,IAAI1T,EAAE,SAAS/B,EAAEG,GAAG,OAAOH,EAAEuX,QAAQnP,kBAAkB7G,GAAG,IAAID,EAAEC,EAAEkD,KAAK,OAAOnD,GAAGA,EAAEtB,EAAEyW,QAAQtW,OAAO,SAASkI,EAAErI,GAAG,IAAIsB,EAAEtB,EAAEia,aAAapZ,EAAEV,EAAEiZ,WAAWlZ,EAAE,IAAImb,IAAI3W,EAAE,CAAC4W,SAAStb,EAAEub,KAAK,SAASha,GAAGV,IAAIV,EAAEkZ,UAAU/X,EAAEtB,EAAEka,WAAW5Y,EAAEC,GAAGQ,EAAET,EAAEkY,EAAEjY,IAAIrB,EAAEkI,kBAAkBpI,GAAG,OAAOA,EAAEsB,QAAQka,UAAU,SAASxb,GAAG,OAAOE,EAAEub,IAAIzb,GAAGA,EAAEsB,GAAG,CAACoa,YAAY,WAAW,OAAOxb,EAAEyb,OAAO3b,MAAMkD,MAAM,SAAShD,GAAG,GAAGA,EAAE,CAAC,IAAIsZ,EAAE,iBAAiBtZ,EAAEA,EAAE,CAACuW,QAAQzW,EAAE+Z,OAAOtD,QAAQvV,MAAMhB,GAAGoB,EAAE,CAACJ,MAAMsY,EAAEtY,MAAMqW,QAAQ,GAAGd,QAAQ+C,EAAE/C,QAAQiD,QAAQ3N,EAAEyN,EAAEtY,QAAQ,OAAOL,EAAEV,EAAEkZ,QAAQtX,EAAET,EAAEC,GAAGmD,GAAGkX,KAAK,WAAW,OAAO/a,EAAEV,EAAEmZ,QAAQpZ,EAAE2b,QAAQnX,GAAGoX,YAAY,OAAOxa,GAAGya,aAAa,OAAOlb,IAAI,OAAO6D,WCmExjGsX,EACdvF,EACAxO,OAAEgU,cAAWC,6BAA0BC,YAsMvC,OAAOC,EApMeC,EACpB,CACElL,GAAI,SACJsF,UACAoD,QAAS,SACTD,OAAQ,CACN0C,QAAS,CACPhK,GAAI,CACFiK,MAAO,CACLjC,OAAQ,SACR/C,QAAS,CAAC,UAEZiF,WAAY,CACVlC,OAAQ,UACR/C,QAAS,aAEXkF,IAAK,CACHnC,OAAQ,SACR/C,QAAS,CAAC,uBAAwB,UAEpCmF,UAAW,CACTpC,OAAQ,UACR/C,QAAS,CAAC,eAIhBoF,OAAQ,CACNrK,GAAI,CACFsK,KAAM,CACJtC,OAAQ,UACR/C,QAAS,CAAC,mBAAoB,SAEhCiF,WAAY,CACVlC,OAAQ,SACR/C,QAAS,aAEXsF,QAAS,CACPvC,OAAQ,OACR/C,QAAS,CAAC,cAEZmF,UAAW,CACTpC,OAAQ,SACR/C,QAAS,CAAC,eAIhBuF,KAAM,CACJxK,GAAI,CACFoK,UAAW,CACTpC,OAAQ,OACR/C,QAAS,CAAC,aAEZiF,WAAY,CACVlC,OAAQ,OACR/C,QAAS,CAAC,kBAMpB,CACEA,QAAS,CACPwF,UAAWhd,EAAO,CAChBid,gBAAiB,SAACjP,EAAK2K,GACrB,MAAmB,eAAfA,EAAM7T,KACD6T,EAAMuE,QAAQvE,MAEhB3K,EAAIiP,mBAGfE,iBAAkBnd,GAAO,SAACgO,EAAK2K,GAC7B,IAAId,EAAa7J,EAAI6J,WAIrB,MAHI,YAAac,GAAS,eAAgBA,EAAMuE,UAC9CrF,EAAac,EAAMuE,QAAQrF,mBAGxB7J,IACH6J,aACAe,aAAc5K,EAAIoP,OAAO,GAAGjE,UAAYtB,OAG5CnJ,KAAA,SAAKV,iBACKqP,EAAiDrP,QAA1CoP,EAA0CpP,SAAlC4K,EAAkC5K,eAApBiP,EAAoBjP,kBACzDqP,EAAMvB,YAEN,IAAoB,IAAAwB,EAAAzc,EAAAuc,iCAAQ,CAE1B1E,UAAgBE,qGAElB,IAAM2E,WAhHdH,EACAxE,GAEA,IAAK,IAAI4E,EAAMJ,EAAO9c,OAAS,EAAGkd,GAAO,EAAGA,IAAO,CACjD,IAAMC,EAAQL,EAAOI,GACrB,GAAIC,EAAM3Y,OAAS+N,EAAU6K,MACvBD,EAAMtE,WAAaP,EACrB,OAAOwE,EAAOlb,MAAMsb,GAI1B,OAAOJ,EAqGsBO,CAAsBP,EAAQxE,GAE/CgF,EAAsBX,MAAAA,SAAAA,EAAiB9D,WAEzC8D,MAAAA,SAAAA,EAAiBnY,QAAS+N,EAAUgG,qBACpCoE,EAAgBnE,KAAKrV,SAAWqP,EAAkBiG,YAElD6E,EACEX,EAAgB9D,qBAChB8D,EAAgBnE,KAAKG,UAAU,yBAAIpB,aAEnCe,GAAgBgF,GAAuB,IACzCxB,EAAQzJ,KAAKO,EAAe2K,UAG9B,IAAMC,EAAa,IAAI7b,MACjBuV,EAAU,IAAIvV,iBACT8b,GACT,GACEH,GACAA,EAAsBhF,IACrBmF,EAAM5E,WAAayE,GAClBG,IAAUd,oBAId,GAAIc,EAAM5E,UAAYP,EACpBkF,EAAWpc,KAAKqc,OACX,CACL,IAAMC,EAAS9B,EAAU6B,GAAO,GAChCvG,EAAQ9V,KAAK,CACX2W,SAAU,WACR2F,KAEF7F,MAAO4F,EAAM5F,cAjBnB,IAAoB,IAAA8F,EAAApd,EAAA0c,+IAqBpBpB,EAAyB2B,GACzB1B,EAAQzJ,KAAKO,EAAegL,OAC5Bb,EAAMc,WAAW3G,GACjB6F,EAAMla,SAER0L,eAAMb,GACJA,EAAIqP,MAAMvB,SAEZsC,qBAAsBpe,GAAO,SAACgO,GAC5B,cACKA,IACHiP,gBAAiB,UAGrBoB,UAAWre,EAAO,CAChB4Y,aAAc,SAAC5K,EAAK2K,GAGlB,OAFA3K,EAAIqP,MAAMiB,gBAAe,GACzBtQ,EAAIqP,MAAMla,QACS,YAAfwV,EAAM7T,MAAsB6T,EAAMuE,QAAQtE,aACrCD,EAAMuE,QAAQtE,aAEhBxE,KAAKH,SAGhBsK,SAAUve,GAAO,SAACgO,EAAKwQ,GACb,IAAA5F,EAAgC5K,eAAlBqP,EAAkBrP,QAAXoP,EAAWpP,SACxC,GAA0B,cAAtBwQ,EAAa1Z,KAAsB,CAC7B,IAAA2Z,EAAUD,EAAatB,cAC/BxE,EAAS+F,EAAO7F,GAEhB,IAAIpV,EAAM4Z,EAAO9c,OAAS,EAC1B,IAAK8c,EAAO5Z,IAAQ4Z,EAAO5Z,GAAK2V,WAAasF,EAAMtF,UAEjDiE,EAAO1b,KAAK+c,OACP,CAGL,IAFA,IAAIC,GAAkB,EAClBvb,EAAQ,EACLA,GAASK,GAAK,CACnB,IAAIgV,EAAMxB,KAAKyB,OAAOtV,EAAQK,GAAO,GACjC4Z,EAAO5E,GAAKW,WAAasF,EAAMtF,UACjChW,EAAQqV,EAAM,EAEdhV,EAAMgV,EAAM,GAGQ,IAApBkG,IACFA,EAAiBvb,GAEnBia,EAAO1K,OAAOgM,EAAgB,EAAGD,GAGnC,IAAME,EAASF,EAAMtF,UAAYP,EAC3BgG,EAAS1C,EAAUuC,EAAOE,GAC5BA,EACFC,IACSvB,EAAMwB,YACfxB,EAAMyB,UAAU,CACdzG,SAAU,WACRuG,KAEFzG,MAAOsG,EAAMtG,QAInB,cAAYnK,IAAKoP,kBChN3B,IAAM2B,EACJ,4NAKSC,EAAkB,CAC3B7Z,IAAK,GACL8Z,iBAEE,OADAtQ,QAAQhN,MAAMod,IACN,GAEVG,mBAEE,OADAvQ,QAAQhN,MAAMod,GACP,MAETI,6BACExQ,QAAQhN,MAAMod,IAEhBK,eAEE,OADAzQ,QAAQhN,MAAMod,IACP,GAETM,iBACE1Q,QAAQhN,MAAMod,KAGI,oBAAXO,QAA0BA,OAAOC,OAASD,OAAOE,UAC1DR,EAAU,IAAIO,MAAMP,EAAS,CAC3BxT,aAAI+O,EAAQjV,EAAMma,GAIhB,MAHa,QAATna,GACFqJ,QAAQhN,MAAMod,GAETS,QAAQhU,IAAI+O,EAAQjV,EAAMma,OAkOvC,iBAWE,aACE7e,KAAKye,QA4KT,OAzKSK,gBAAP,SAAWC,GACT,IAAMC,EAAiBhf,KAAKif,QAAQrU,IAAImU,EAASG,UAC3CC,EAAqB,CACzB3O,GAAIuO,EAAStc,KAAK+N,GAClBuO,WACAK,SAAU,GACVC,MAAO,GACP7S,WAAY,IAETwS,GAGHG,EAASjY,OAAS8X,EAClBA,EAAeI,SAASD,EAAS3O,IAAM2O,GAHvCnf,KAAKsf,KAAKH,EAAS3O,IAAM2O,EAK3Bnf,KAAKif,QAAQxT,IAAI0T,EAAS3O,GAAI2O,IAGzBL,mBAAP,SAAcC,EAA+BQ,GAA7C,WACQP,EAAiBhf,KAAKif,QAAQrU,IAAImU,EAASG,UAC3CC,EAAWnf,KAAKif,QAAQrU,IAAImU,EAASvO,IAErCgP,EAAuB,SAAChP,GAC5BiP,EAAKC,YAAY5E,IAAItK,GACrB,IAAM/N,EAAO8c,EAAOjB,QAAQ9N,GAC5B/N,MAAAA,GAAAA,EAAM6L,WAAW7G,SAAQ,SAACkJ,GACpB,SAAUA,GACZ6O,EAAuB7O,EAAgCJ,KAAKC,QAI5DmP,EAA0B,SAACld,GAC/Bgd,EAAKC,YAAY5E,IAAIrY,EAAK+N,IAC1BrR,OAAOgG,OAAO1C,EAAK2c,UAAU3X,SAAQ,SAACjI,GAAM,OAAAmgB,EAAwBngB,MACpE,IAAMogB,EAAYH,EAAKR,QAAQrU,IAAInI,EAAK+N,IACxC,GAAIoP,EAAW,CACb,IAAMC,EAAkBD,EAAU1Y,OAC9B2Y,WACKD,EAAU1Y,cACV2Y,EAAgBT,SAASQ,EAAUpP,IAC1CiP,EAAKR,QAAQjE,OAAO+D,EAASvO,OAK9B2O,EAGOH,UAKHG,EAASjY,cACT8X,EAAeI,SAASD,EAAS3O,IACxCxQ,KAAKif,QAAQjE,OAAO+D,EAASvO,IAC7BmP,EAAwBR,YAPjBnf,KAAKsf,KAAKH,EAAS3O,IAC1BxQ,KAAKif,QAAQjE,OAAOmE,EAAS3O,IAC7BmP,EAAwBR,KALxBnf,KAAK8f,oBAAoBhf,KAAKie,GAC9BS,EAAqBT,EAASvO,MAa3BsO,iBAAP,SAAYC,GACV,IAAMI,EAAWnf,KAAKif,QAAQrU,IAAImU,EAASvO,IACvC2O,EACFA,EAASE,MAAMve,KAAKie,GAEpB/e,KAAK+f,cAAcjf,KAAKie,IAIrBD,sBAAP,SAAiBC,GACf,IAAMI,EAAWnf,KAAKif,QAAQrU,IAAImU,EAASvO,IACvC2O,EACFA,EAAS3S,WAAW1L,KAAKie,GAEzB/e,KAAKggB,mBAAmBlf,KAAKie,IAI1BD,mBAAP,SAAcrM,GACZzS,KAAKigB,UAAUxU,IAAIgH,EAAEjC,GAAIiC,IAGpBqM,kBAAP,SAAarM,GACXzS,KAAKkgB,SAASzU,IAAIgH,EAAEjC,GAAIiC,IAGnBqM,kBAAP,8BAKQrO,EAKFzQ,KAJFsf,SACAQ,wBACAC,kBACAC,uBAGIG,EAAkC,CACtCtd,OAAQqP,EAAkBkO,SAC1BC,QAASP,EACTT,MAAOU,EACPvT,WAAYwT,EACZM,KAAM,IAGFC,EAAO,SAACpB,EAAoBqB,GAC5BA,GACFf,EAAKC,YAAY5E,IAAIqE,EAAS3O,IAEhC2P,EAAkBd,MAAQc,EAAkBd,MACzC9d,OAAOif,EAAU,GAAKrB,EAASE,OAC/BrU,QAAO,SAAC3K,GAAM,OAACof,EAAKC,YAAYlB,IAAIne,EAAEmQ,OACzC2P,EAAkB3T,WAAa2T,EAAkB3T,WAC9CjL,OAAOif,EAAU,GAAKrB,EAAS3S,YAC/BxB,QAAO,SAAC3K,GAAM,OAACof,EAAKC,YAAYlB,IAAIne,EAAEmQ,OAEtCiP,EAAKC,YAAYlB,IAAIW,EAAS3O,KAC9BiP,EAAKC,YAAYlB,IAAIW,EAASJ,SAASG,WACvCsB,EAODrhB,OAAOgG,OAAOga,EAASC,UAAU3X,SAAQ,SAACjI,GAAM,OAAA+gB,EAAK/gB,GAAG,OALxD2gB,EAAkBG,KAAKxf,KAAKqe,EAASJ,UACjCI,EAASC,UACXjgB,OAAOgG,OAAOga,EAASC,UAAU3X,SAAQ,SAACjI,GAAM,OAAA+gB,EAAK/gB,GAAG,QAO9DL,OAAOgG,OAAOma,GAAM7X,SAAQ,SAACjI,GAAM,OAAA+gB,EAAK/gB,GAAG,UAE3C,IAAiB,IAAAihB,EAAAxgB,EAAAD,KAAKigB,UAAU1Y,sCAAQ,CAAnC,IAAMiJ,UACLxQ,KAAK0f,YAAYlB,IAAIhO,IACvBxQ,KAAKigB,UAAUjF,OAAOxK,yGAG1B,IAAiB,IAAAkQ,EAAAzgB,EAAAD,KAAKkgB,SAAS3Y,sCAAQ,CAA5BiJ,UACLxQ,KAAK0f,YAAYlB,IAAIhO,IACvBxQ,KAAKkgB,SAASlF,OAAOxK,qGAIzB,IAAMyP,EAAY,IAAItU,IAAI3L,KAAKigB,WACzBC,EAAW,IAAIvU,IAAI3L,KAAKkgB,UAI9B,OAFAlgB,KAAKye,QAEE,CACLkC,aAAcR,EACdF,YACAC,aAIIpB,kBAAR,WACE9e,KAAKsf,KAAO,GACZtf,KAAKif,QAAU,IAAItT,IACnB3L,KAAK8f,oBAAsB,GAC3B9f,KAAK+f,cAAgB,GACrB/f,KAAKggB,mBAAqB,GAC1BhgB,KAAK0f,YAAc,IAAIhF,IACvB1a,KAAKigB,UAAY,IAAItU,IACrB3L,KAAKkgB,SAAW,IAAIvU,KAGfmT,sBAAP,SAAiBtO,GACf,OAAOxQ,KAAK0f,YAAYlB,IAAIhO,kBAUhBoQ,EAAoBC,WAC5BC,EAA4C,GAC5CC,EAAa,SACjB1gB,EACA6G,GAEA,IAAM8Z,EAA0B,CAC9BzgB,MAAOF,EACP6G,SACAkY,SAAU,IAGZ,OADA0B,EAAazgB,EAAEoC,KAAK+N,IAAMwQ,EACnBA,GAGHC,EAAgC,OACtC,IAAuB,IAAAC,EAAAjhB,EAAA4gB,iCAAO,CAAzB,IAAM9B,UACDoC,EAAqBpC,SAAbG,EAAaH,WAC7B,GAAIoC,GAAUA,KAAUL,EAAxB,CACE,IAAMM,EAAaN,EAAaK,GAChC,GAAIC,EAAWla,OAAQ,CACrB,IAAM0V,EAAMwE,EAAWla,OAAOkY,SAASlU,QAAQkW,GAC/CA,EAAWla,OAAOkY,SAAStN,OACzB8K,EACA,EACAmE,EAAWhC,EAAUqC,EAAWla,aAE7B,CACC0V,EAAMqE,EAAe/V,QAAQkW,GACnCH,EAAenP,OAAO8K,EAAK,EAAGmE,EAAWhC,EAAU,aAIvD,GAAIG,KAAY4B,EAAhB,CACE,IAAMO,EAAeP,EAAa5B,GAClCmC,EAAajC,SAASte,KAAKigB,EAAWhC,EAAUsC,SAGlDJ,EAAengB,KAAKigB,EAAWhC,EAAU,yGAG3C,OAAOkC,WAGOK,EACdhC,EACAiC,GAEAA,EAAGjC,EAAK/e,OAMR,IAAK,IAAIhB,EAAI+f,EAAKF,SAAS1f,OAAS,EAAGH,GAAK,EAAGA,IAC7C+hB,EAAmBhC,EAAKF,SAAS7f,GAAIgiB,YAYzBC,EACd/e,GAEA,MAAI,SAAUA,IAEVA,EAAK8N,KAAKrM,OAASjF,EAASoN,SAAiC,WAAtB5J,EAAK8N,KAAKhE,kBAOvCkV,EACdhf,EACAif,WAEMC,sBAAelf,EAAKmf,oCAAeC,kCAAaF,aACtD,IAAKA,GAAgBA,IAAiBD,EACpC,MAAO,CACL7M,EAAG,EACHC,EAAG,EACHgN,cAAe,EACfC,cAAe,GAInB,IAAMC,EAAiBL,EAAajN,wBAC9BuN,EAAqBR,EAAiBE,EAAcD,GAEpDI,EAAgBE,EAAexU,OAASmU,EAAazM,aAC3D,MAAO,CACLL,EACEmN,EAAenN,EAAIoN,EAAmBH,cACtCG,EAAmBpN,EACrBC,EACEkN,EAAelN,EAAImN,EAAmBH,cACtCG,EAAmBnN,EACrBgN,gBACAC,cAAeE,EAAmBF,cAAgBD,YAItCI,EACd1iB,GAEA,OAAO2iB,QAAU3iB,MAAAA,SAAAA,EAA2B2P,YCvnB9C,ICEYiT,WAuCIC,EACd7e,EACAlB,GAEA,IAAMsB,EAAOJ,EAAMlB,EAAS,IAC5B,OAAwB,IAApBA,EAAS5C,OACJkE,EAEAye,EACHze,EAAyB0e,SAAShgB,EAAS,IAC1CggB,SACHhgB,EAAShB,MAAM,aAKLihB,GAAqBC,GACnC,IAAMnK,SAAgBmK,OAChBvX,EAAQoN,EAAUoK,MACxB,MAAO,CAAEpK,YAAWpN,kBAGNyX,GACdC,EACAC,GAEQ,IAAAC,EAAUD,QACbC,GAMLF,EAAYlb,SAAQ,SAAC7D,GACnB,GAAIA,EAAKM,OAASke,EAAcU,OAC9B,IACE,GAAIzhB,MAAMmG,QAAQ5D,EAAKqH,OAAQ,CACvB,IAAA3D,EAAuBib,GAAqB3e,EAAKqH,OAA/CoN,cAAWpN,UACAoX,EAAcQ,EAAMP,SAAUjK,GACtC0K,WAAWnf,EAAK4G,QAASS,QAEpC4X,EAAME,WAAWnf,EAAK4G,QAAS5G,EAAKqH,OAEtC,MAAOrK,SAMJ,GAAIgD,EAAKM,OAASke,EAAcY,OACrC,IACE,GAAI3hB,MAAMmG,QAAQ5D,EAAKqH,OAAQ,CACvB,IAAA+E,EAAuBuS,GAAqB3e,EAAKqH,OAA/CoN,cAAWpN,UACAoX,EAAcQ,EAAMP,SAAUjK,GACtC4K,WAAWhY,GAAS,QAE/B4X,EAAMI,WAAWrf,EAAKqH,OAExB,MAAOrK,SAMJ,GAAIgD,EAAKM,OAASke,EAAcc,UAkB3C,SACEC,EACAP,SAEA,IACE,IAAMQ,EAAgB/hB,MAAMH,gBAAK0hB,EAAUC,4BAAOP,WAAY,IAAI/d,KAChE,SAACX,GAAS,OAAAA,EAAK4G,WAEX6Y,EAAwBlkB,OAAOmkB,QAAQF,GAAeG,UACxDC,EAAYJ,EAAc1jB,OAC9B2jB,EAAsB5b,SAAQ,SAACH,SAAAmJ,EAAA/P,OAACuK,OAAOrH,OAC/BsH,EAAUiY,EAASjY,QAAQtH,GACjC,IAAiB,IAAbsH,GAAkBA,EAAUsY,EAC9B,cACEZ,EAAUC,sBAAOI,WAAWQ,OAAOxY,IACnC,MAAOrK,IAOX4iB,EAAYtY,KAEdiY,EAAS1b,SAAQ,SAAC+C,EAASS,aACzB,yBACM2X,EAAUC,4BAAOP,SAASrX,yBAAQT,WAAYA,cAChDoY,EAAUC,sBAAOE,WAAWvY,EAASS,IAEvC,MAAOrK,QAOX,MAAOA,KArDL8iB,CAAkC9f,EAAKuf,SAAUP,QAC5C,GAAIhf,EAAKM,OAASke,EAAcuB,YAAa,CAC9BtB,EAClBQ,EAAMP,SACN1e,EAAKqH,OAEIhF,MAAM2d,YAAYhgB,EAAKiB,SAAUjB,EAAKrD,MAAOqD,EAAKigB,eACxD,GAAIjgB,EAAKM,OAASke,EAAc0B,eAAgB,CACjCzB,EAClBQ,EAAMP,SACN1e,EAAKqH,OAEIhF,MAAM8d,eAAengB,EAAKiB,eApH3C,SAAYud,GACVA,uBACAA,uBACAA,2BACAA,iCACAA,uCALF,CAAYA,IAAAA,OCMZ,IAHA,IAAI4B,GAAQ,mEAERC,GAA+B,oBAAfC,WAA6B,GAAK,IAAIA,WAAW,KAC5D3kB,GAAI,EAAGA,GAAIykB,GAAMtkB,OAAQH,KAC9B0kB,GAAOD,GAAMG,WAAW5kB,KAAMA,GAkBlC,ICjBM6kB,GAGF,IAAIzY,aACQ0Y,GACdjX,EACAkX,GAEA,IAAIC,EAAaH,GAAYxZ,IAAIwC,GAQjC,OAPKmX,IACHA,EAAa,IAAI5Y,IACjByY,GAAY3Y,IAAI2B,EAAKmX,IAElBA,EAAW/F,IAAI8F,IAClBC,EAAW9Y,IAAI6Y,EAAM,IAEhBC,EAAW3Z,IAAI0Z,GAsBxB,IAAME,GAAiC,CACrC,kBACA,cACA,mBACA,eACA,oBACA,cACA,6BACA,eACA,uBACA,mCAgBcC,GACdC,EACAtX,GAEA,OAAO,SAACuX,GACN,GAAIA,GAAsB,iBAARA,GAAoB,YAAaA,EAAK,CACtD,GAAI,UAAWA,EAAK,CACV,IAAS5X,EAAgB4X,UAAV1Z,EAAU0Z,QACjC,OAAON,GAAgBjX,EAAKL,GAAM9B,GAC7B,GAAI,SAAU0Z,EAAK,CAChB,IAASvT,EAAeuT,UAATC,EAASD,OAC1BL,EAAO5F,OAAOtN,GAEpB,WAAWkT,aAAAA,eAAQM,EAAKrgB,IAAIkgB,GAAeC,EAAUtX,WAChD,GAAI,WAAYuX,EACrB,OD9DK,SAAUE,GACnB,IAA8DtlB,EAAUulB,EAAUC,EAAUC,EAAUC,EAAlGC,EAA+B,IAAhBL,EAAOnlB,OAAeylB,EAAMN,EAAOnlB,OAAWC,EAAI,EACnC,MAA9BklB,EAAOA,EAAOnlB,OAAS,KACvBwlB,IACkC,MAA9BL,EAAOA,EAAOnlB,OAAS,IACvBwlB,KAGR,IAAIE,EAAc,IAAIC,YAAYH,GAAeI,EAAQ,IAAIpB,WAAWkB,GACxE,IAAK7lB,EAAI,EAAGA,EAAI4lB,EAAK5lB,GAAK,EACtBulB,EAAWb,GAAOY,EAAOV,WAAW5kB,IACpCwlB,EAAWd,GAAOY,EAAOV,WAAW5kB,EAAI,IACxCylB,EAAWf,GAAOY,EAAOV,WAAW5kB,EAAI,IACxC0lB,EAAWhB,GAAOY,EAAOV,WAAW5kB,EAAI,IACxC+lB,EAAM3lB,KAAQmlB,GAAY,EAAMC,GAAY,EAC5CO,EAAM3lB,MAAoB,GAAXolB,IAAkB,EAAMC,GAAY,EACnDM,EAAM3lB,MAAoB,EAAXqlB,IAAiB,EAAiB,GAAXC,EAE1C,OAAOG,EC4CIG,CAAOZ,EAAIE,QACb,GAAI,QAASF,EAAK,CACvB,IAAMlX,EAAQiX,EAAS9Z,IAAI+Z,EAAIzX,KAC/B,GAAIO,EACF,OAAOA,EAEP,IAAMR,EAAQ,IAAIuY,MAGlB,OAFAvY,EAAMC,IAAMyX,EAAIzX,IAChBwX,EAASjZ,IAAIkZ,EAAIzX,IAAKD,GACfA,QAGN,GAAI5L,MAAMmG,QAAQmd,GACvB,OAAOA,EAAIpgB,IAAIkgB,GAAeC,EAAUtX,IAE1C,OAAOuX,YAIac,GAAcne,OACpCyX,aACApF,WACAzV,SACAwgB,aACAgB,iBAQA,IACE,IAAMtY,EA7FV,SACEuM,EACAzV,GAKA,IACE,OAAIA,IAASkO,EAAcuT,MAEvBhM,EAAOtM,WAAW,UAAasM,EAAOtM,WAAW,sBAG9CsM,EAAOtM,WAAW,UACzB,MAAOzM,GACP,OAAO,MA8EKyM,CAAWsM,EAAQzV,GAC/B,IAAKkJ,EAAK,OAMV,GAAI2R,EAAS6G,OAIX,YADCxY,EAAY2R,EAASla,UAAYka,EAAS6F,KAAK,IAGlD,IAAM9R,EAAW1F,EACf2R,EAASla,UAGL+f,EAAO7F,EAAS6F,KAAKrgB,IAAIkgB,GAAeC,EAAUtX,KA9E5D,SACEA,EACA7B,GAEA,GAAKA,MAAAA,SAAAA,EAAQsa,YAAb,CAEQ,IAAApgB,EAAS8F,EAAOsa,iBACxB,GAAKrB,GAA+BsB,SAASrgB,GAA7C,CAEA,IAAMsgB,EAAY1B,GAAgBjX,EAAK3H,GAClCsgB,EAAUD,SAASva,IAASwa,EAAUjlB,KAAKyK,KAsE9Cya,CAAkB5Y,EADH0F,EAAS/S,MAAMqN,EAAKwX,IA+BnC,MAAO7jB,GACP2kB,EAAa3G,EAAUhe,ICxG3B,IAKMyQ,GAAQyU,GAA6BC,EAErCC,GAAwB,aAExBC,GAAyB,CAC7BC,SAAU,IACVC,QAAS,QACTC,UAAW,EACXC,YAAa,OAGf,SAASC,GAAqB7lB,GAC5B,OACEA,EAAEsD,MAAQ+N,EAAUgG,sBACnBrX,EAAEsX,KAAKrV,QAAUqP,EAAkBwU,WACjC9lB,EAAEsX,KAAKrV,QAAUqP,EAAkByU,kBAClC/lB,EAAEsX,KAAKhU,MAAQiO,EAAkByU,8BA+CvC,WACEpK,EACApD,GAFF,WAIE,GAlCMpZ,eAAsC,KACtCA,mBAAiD,GAEjDA,aAAmBwR,KAKnBxR,gCAA6C,GAS7CA,WAAoB0L,IAEpB1L,cAA0D,IAAI2L,IAE9D3L,YL3FD,CACLuE,IAAK,GACL8Z,eAAM7e,GAEJ,OAAKA,GAAMA,EAAE+Q,KAGN/Q,EAAE+Q,KAAKC,IAFJ,GAIZ8N,iBAAQ9N,GACN,OAAOxQ,KAAKuE,IAAIiM,IAAO,MAGzB+N,kBAAA,SAAkB/e,GAAlB,WACQgR,EAAKhR,EAAE+Q,MAAQ/Q,EAAE+Q,KAAKC,UACrBxQ,KAAKuE,IAAIiM,GACZhR,EAAE8O,YACJ9O,EAAE8O,WAAW7G,SAAQ,SAAC2G,GACpB,OAAAqR,EAAKlB,kBAAmBnQ,OAI9BoQ,aAAIhO,GACF,OAAOxQ,KAAKuE,IAAI1E,eAAe2Q,IAEjCiO,iBACEze,KAAKuE,IAAM,KKmEPvE,uBAAiD,KAEjDA,sBAAwC,GAExCA,cAAgC,KAChCA,iBAA8B,OAM/BoZ,MAAAA,SAAAA,EAAQ1B,WAAY8E,EAAO9c,OAAS,EACvC,MAAM,IAAIwD,MAAM,oCAElB,IAAM2jB,EAA8B,CAClChQ,MAAO,EACPiQ,SAAU,IACVC,KAAMxgB,SAASuN,KACfkT,YAAa,EACbC,cAAc,EACdC,aAAa,EACbC,WAAW,EACXC,WAAY,WACZ1P,UAAU,EACV2P,iBAAkB,GAClBC,cAAc,EACdC,qBAAqB,EACrBC,gBAAgB,EAChBC,UAAWrB,IAEbpmB,KAAKoZ,OAASja,OAAOC,OAAO,GAAIynB,EAAezN,GAE/CpZ,KAAK0nB,aAAe1nB,KAAK0nB,aAAanU,KAAKvT,MAC3CA,KAAKsb,UAAYtb,KAAKsb,UAAU/H,KAAKvT,MACrCA,KAAKub,yBAA2Bvb,KAAKub,yBAAyBhI,KAAKvT,MACnEA,KAAKwb,QAAQ7J,GAAGW,EAAeqV,OAAQ3nB,KAAK0nB,cAE5C1nB,KAAK4nB,WAEL5nB,KAAK6nB,UAAY,IAAI/I,EACrB9e,KAAK8nB,kBAAoB,IAAInc,IAC7B3L,KAAK+nB,gBAAkB,IAAIpc,IAC3B3L,KAAKgoB,qBAAuB,IAAIrc,IAEhC3L,KAAKwb,QAAQ7J,GAAGW,EAAegL,OAAO,+BAC9B2K,EAAwCxI,EAAKoI,UAAUK,QAArDjI,cAAWC,aAAUS,iBAE7BlB,EAAKqI,kBAAkBrgB,SAAQ,SAACP,EAAQihB,GACtC,OAAA1I,EAAK2I,kBAAkBD,EAAMjhB,UAI/B,IAAgB,IAAAwZ,EAAAzgB,EAAA0gB,EAAatB,qCAAO,CAA/B,IAAM5M,UACTgN,EAAK4I,UAAU5V,EAAGkO,yGAGpB,IAAmB,IAAA2H,EAAAroB,EAAAwf,EAAKuI,qBAAqBzgB,sCAAQ,CAAhD,IAAM9E,UAETgd,EAAK8I,iBAAiB9lB,qGAExBgd,EAAKqI,kBAAkB5M,QACvBuE,EAAKsI,gBAAgB7M,QACrBuE,EAAKuI,qBAAqB9M,YAE1B,IAAgB,IAAAsN,EAAAvoB,EAAAggB,EAAU9a,wCAAU,CAAzBsN,UACTgN,EAAKgJ,YAAYhW,GAAG,yGAEtB,IAAgB,IAAAiW,EAAAzoB,EAAAigB,EAAS/a,wCAAU,CAAxBsN,UACTgN,EAAKkJ,WAAWlW,yGAGpBzS,KAAKwb,QAAQ7J,GAAGW,EAAe2K,UAAU,WACvCwC,EAAKmJ,kBAAoB,KACzBnJ,EAAKF,OAAOd,WAGd,IAAMhC,EAAQ,IAAI3F,EAAM,IAAIsC,MAAAA,SAAAA,EAAQvC,QAASgQ,EAAchQ,OAC3D7W,KAAK6oB,QAAUxN,EACb,CACEmB,OAAQA,EACLjY,KAAI,SAAC3D,GACJ,OAAIwY,GAAUA,EAAO0P,SACZ1P,EAAO0P,SAASloB,GAElBA,KAERuK,MAAK,SAAC4d,EAAIC,GAAO,OAAAD,EAAGxQ,UAAYyQ,EAAGzQ,aACtCkE,QACAxF,WAAY,EACZe,aAAc,EACdqE,gBAAiB,MAEnB,CACEf,UAAWtb,KAAKsb,UAChBC,yBAA0Bvb,KAAKub,yBAC/BC,QAASxb,KAAKwb,UAGlBxb,KAAK6oB,QAAQtmB,QACbvC,KAAK6oB,QAAQhO,WAAU,SAACM,GACtBsE,EAAKjE,QAAQzJ,KAAKO,EAAe2W,YAAa,CAC5CC,OAAQ/N,OAGZnb,KAAKmpB,aNiIA1N,EAjDcC,EACnB,CACElL,GAAI,QACJsF,QMnFqC,CACrCsT,aAAc,EACd3M,SNkFAvD,QAAS,SACTD,OAAQ,CACNoQ,OAAQ,CACN1X,GAAI,CACF2X,aAAc,CACZ3P,OAAQ,WACR/C,QAAS,CAAC,cAAe,aAE3B2S,UAAW,CACT5P,OAAQ,SACR/C,QAAS,CAAC,eAIhB4S,SAAU,CACR7X,GAAI,CACF8X,eAAgB,CACd9P,OAAQ,SACR/C,QAAS,CAAC,iBAEZ2S,UAAW,CACT5P,OAAQ,SACR/C,QAAS,CAAC,iBAMpB,CACEA,QAAS,CACP8S,SAAU,SAACtc,EAAK2K,GACV,YAAaA,GACf3K,EAAIqP,MAAMiN,SAAS3R,EAAMuE,QAAQzF,QAGrC8S,YAAavqB,EAAO,CAClBgqB,YAAa,SAAChc,GAAQ,OAAAA,EAAIqP,MAAM5F,SAElC+S,aAAc,SAACxc,GACbA,EAAIqP,MAAMiN,SAAStc,EAAIgc,kBMvH7BppB,KAAKmpB,aAAa5mB,QAClBvC,KAAKmpB,aAAatO,WAAU,SAACM,GAC3BsE,EAAKjE,QAAQzJ,KAAKO,EAAe2W,YAAa,CAC5CpS,MAAOsE,OAMX,IAAM0O,EAAY7pB,KAAK6oB,QAAQ1N,MAAMrF,QAAQ0G,OAAOsN,MAClD,SAAClpB,GAAM,OAAAA,EAAEsD,OAAS+N,EAAU6K,QAExBiN,EAAoB/pB,KAAK6oB,QAAQ1N,MAAMrF,QAAQ0G,OAAOsN,MAC1D,SAAClpB,GAAM,OAAAA,EAAEsD,OAAS+N,EAAU+X,gBAE9B,GAAIH,EAAW,CACP,IAAAviB,EAAoBuiB,EAAU3R,KAA5B+R,UAAOC,WACfC,YAAW,WACT1K,EAAKjE,QAAQzJ,KAAKO,EAAeqV,OAAQ,CACvCpa,QACAC,aAED,GAEDuc,GACFI,YAAW,WAEL1K,EAAKmJ,oBAITnJ,EAAKmJ,kBAAoBmB,EACzBtK,EAAK2K,oBACHL,GAEFtK,EAAK4K,OAAOC,cAAetX,SACxB+W,EAAwC7R,KAAKqS,kBAE/C,GAEDvqB,KAAK6oB,QAAQ1N,MAAMrF,QAAQ0G,OAAOsN,KAAKrD,KACzCzmB,KAAKwqB,MAAMC,UAAU3P,IAAI,gBA0pD/B,OA70DE3b,sBAAWurB,yBAAX,WACE,OAAO1qB,KAAK6oB,QAAQ1N,MAAMrF,QAAQ2G,uCAsL7BiO,eAAP,SAAU3S,EAAenG,GAEvB,OADA5R,KAAKwb,QAAQ7J,GAAGoG,EAAOnG,GAChB5R,MAGF0qB,gBAAP,SAAW3S,EAAenG,GAExB,OADA5R,KAAKwb,QAAQ3J,IAAIkG,EAAOnG,GACjB5R,MAGF0qB,sBAAP,SAAiBtR,GAAjB,WACEja,OAAOoI,KAAK6R,GAAQ3R,SAAQ,SAACuJ,GAE3ByO,EAAKrG,OAAOpI,GAAOoI,EAAOpI,MAEvBhR,KAAKoZ,OAAO6N,cACfjnB,KAAK2qB,oBAEqB,IAAjBvR,EAAOvC,OAChB7W,KAAKmpB,aAAavO,KAAK,CACrB1W,KAAM,YACNoY,QAAS,CACPzF,MAAOuC,EAAOvC,cAIY,IAArBuC,EAAOqO,aACS,IAArBrO,EAAOqO,UACLznB,KAAKynB,YACPznB,KAAKynB,UAAUxhB,MAAM2kB,QAAU,SAG5B5qB,KAAKynB,YACRznB,KAAKynB,UAAYlhB,SAASsG,cAAc,UACxC7M,KAAKynB,UAAUla,MAAQkW,OAAOoH,WAAW7qB,KAAKqqB,OAAO9c,OACrDvN,KAAKynB,UAAUja,OAASiW,OAAOoH,WAAW7qB,KAAKqqB,OAAO7c,QACtDxN,KAAKynB,UAAUgD,UAAU3P,IAAI,uBAC7B9a,KAAK8qB,QAAQC,aAAa/qB,KAAKynB,UAAWznB,KAAKqqB,SAEjDrqB,KAAKynB,UAAUxhB,MAAM2kB,QAAU,aAK9BF,wBAAP,WACE,IAAMM,EAAahrB,KAAK6oB,QAAQ1N,MAAMrF,QAAQ0G,OAAO,GAC/CyO,EAAYjrB,KAAK6oB,QAAQ1N,MAAMrF,QAAQ0G,OAC3Cxc,KAAK6oB,QAAQ1N,MAAMrF,QAAQ0G,OAAO9c,OAAS,GAE7C,MAAO,CACLyW,UAAW6U,EAAWzS,UACtB2S,QAASD,EAAU1S,UACnB4S,UAAWF,EAAU1S,UAAYyS,EAAWzS,YAIzCmS,2BAAP,WACE,OAAO1qB,KAAKyc,MAAMxF,WAAajX,KAAKorB,iBAG/BV,0BAAP,WACQ,IAAApjB,EAA2BtH,KAAK6oB,QAAQ1N,MAAMrF,QACpD,+BAA6B,GAAGyC,WAG3BmS,sBAAP,WACE,OAAO1qB,KAAKuf,QAYPmL,iBAAP,SAAYzT,sBAAAA,KACNjX,KAAK6oB,QAAQ1N,MAAMpC,QAAQ,WAG7B/Y,KAAK6oB,QAAQjO,KAAK,CAAE1W,KAAM,UAF1BlE,KAAK6oB,QAAQjO,KAAK,CAAE1W,KAAM,OAAQoY,QAAS,CAAErF,0BAK/CjX,KAAKqqB,OAAOgB,gCACRC,qBAAqB,QAAQ,GAC9Bb,UAAUc,OAAO,gBACpBvrB,KAAKwb,QAAQzJ,KAAKO,EAAekZ,QAG5Bd,kBAAP,SAAazT,cACQtD,IAAfsD,GAA4BjX,KAAK6oB,QAAQ1N,MAAMpC,QAAQ,YACzD/Y,KAAK6oB,QAAQjO,KAAK,CAAE1W,KAAM,UAEF,iBAAf+S,IACTjX,KAAK8N,KAAKmJ,GACVjX,KAAK6oB,QAAQjO,KAAK,CAAE1W,KAAM,qBAE5BlE,KAAKqqB,OAAOgB,gCACRC,qBAAqB,QAAQ,GAC9Bb,UAAU3P,IAAI,gBACjB9a,KAAKwb,QAAQzJ,KAAKO,EAAemZ,QAG5Bf,mBAAP,SAAczT,gBAAAA,KACZlJ,QAAQC,KACN,gGAEFhO,KAAK8N,KAAKmJ,GACVjX,KAAKwb,QAAQzJ,KAAKO,EAAeoZ,SAG5BhB,sBAAP,SAAiB1S,GACfhY,KAAK6oB,QAAQjO,KAAK,CAAE1W,KAAM,UAAWoY,QAAS,CAAEtE,mBAG3C0S,qBAAP,SAAgBiB,GAAhB,WACQ5T,EAAQ/X,KAAKoZ,OAAO0P,SACtB9oB,KAAKoZ,OAAO0P,SAAS6C,GACpBA,EACDlF,GAAqB1O,IACvB/X,KAAKwqB,MAAMC,UAAU3P,IAAI,gBAE3B8Q,QAAQC,UAAUC,MAAK,WACrB,OAAArM,EAAKoJ,QAAQjO,KAAK,CAAE1W,KAAM,YAAaoY,QAAS,CAAEvE,eAI/C2S,2BAAP,WACE1qB,KAAKqqB,OAAO1c,aAAa,YAAa,QACtC3N,KAAKqqB,OAAOpkB,MAAM8lB,cAAgB,QAG7BrB,4BAAP,WACE1qB,KAAKqqB,OAAO1c,aAAa,YAAa,MACtC3N,KAAKqqB,OAAOpkB,MAAM8lB,cAAgB,QAO7BrB,uBAAP,WACE1qB,KAAKyK,MAAQiB,KAGPgf,qBAAR,WACE1qB,KAAK8qB,QAAUvkB,SAASsG,cAAc,OACtC7M,KAAK8qB,QAAQL,UAAU3P,IAAI,oBAC3B9a,KAAKoZ,OAAO2N,KAAMtY,YAAYzO,KAAK8qB,SAEnC9qB,KAAKwqB,MAAQjkB,SAASsG,cAAc,OACpC7M,KAAKwqB,MAAMC,UAAU3P,IAAI,kBACzB9a,KAAK8qB,QAAQrc,YAAYzO,KAAKwqB,QAEA,IAA1BxqB,KAAKoZ,OAAOqO,YACdznB,KAAKynB,UAAYlhB,SAASsG,cAAc,UACxC7M,KAAKynB,UAAUgD,UAAU3P,IAAI,uBAC7B9a,KAAKynB,UAAUxhB,MAAM2kB,QAAU,UAC/B5qB,KAAK8qB,QAAQrc,YAAYzO,KAAKynB,YAGhCznB,KAAKqqB,OAAS9jB,SAASsG,cAAc,UACrC,IL7JqBmf,EK6Jfxf,EAAa,CAAC,qBAChBxM,KAAKoZ,OAAOmO,qBACd/a,EAAW1L,KAAK,iBAGlBd,KAAKqqB,OAAOpkB,MAAM2kB,QAAU,OAC5B5qB,KAAKqqB,OAAO1c,aAAa,UAAWnB,EAAWlB,KAAK,MACpDtL,KAAKisB,kBACLjsB,KAAK8qB,QAAQrc,YAAYzO,KAAKqqB,QAC1BrqB,KAAKqqB,OAAOC,eAAiBtqB,KAAKqqB,OAAOgB,kBAC3Ca,EACElsB,KAAKqqB,OAAOC,cACZtqB,KAAKqqB,OAAOgB,2BLzKKW,EK4KVhsB,KAAKqqB,OAAOC,iBL5KF0B,UACnB,aAAcA,IAAQA,EAAIG,SAASvsB,UAAU6H,UAC/CukB,EAAIG,SAASvsB,UAAU6H,QAAWpG,MAAMzB,UACrC6H,SAGD,iBAAkBukB,IAAQA,EAAII,aAAaxsB,UAAU6H,UACvDukB,EAAII,aAAaxsB,UAAU6H,QAAWpG,MAAMzB,UACzC6H,SAIA4kB,KAAKzsB,UAAU0sB,WAClBD,KAAKzsB,UAAU0sB,SAAW,SAAkB7pB,GAC1C,KAAM,KAAKhD,WACT,MAAM,IAAIgB,UAAU,0BAGtB,GACE,GAAIT,OAASyC,EACX,OAAO,QAGDA,EAAOA,GAAQA,EAAKkT,YAE9B,OAAO,MKuJH+U,yBAAR,SAAqB6B,WACnBvsB,KAAKqqB,OAAOpkB,MAAM2kB,QAAU,cAC5B,IAAiB,IAAA5a,EAAA/P,EAAA,CAACD,KAAKynB,UAAWznB,KAAKqqB,uCAAS,CAA3C,IAAMlZ,UACJA,IAGLA,EAAGxD,aAAa,QAAS6e,OAAOD,EAAUhf,QAC1C4D,EAAGxD,aAAa,SAAU6e,OAAOD,EAAU/e,8GAIvCkd,qCAAR,SAAiClO,eAC/B,IAAoB,IAAAE,EAAAzc,EAAAuc,iCAAQ,CAAvB,IAAMK,UACT,OAAQA,EAAM3Y,MACZ,KAAK+N,EAAUwa,iBACf,KAAKxa,EAAUya,KACf,KAAKza,EAAU0a,OACb,SACF,KAAK1a,EAAU+X,aACf,KAAK/X,EAAU6K,KACf,KAAK7K,EAAU2a,OACb,MACF,KAAK3a,EAAUgG,oBACb,OAAQ4E,EAAM3E,KAAKrV,QACjB,KAAKqP,EAAkB2a,iBACrB,UAQO7sB,KAAKsb,UAAUuB,GAAO,EACrCiQ,qGAEE9sB,KAAK+sB,UACP/sB,KAAKgtB,aACHhtB,KAAK+sB,SAASlY,EACd7U,KAAK+sB,SAASjY,EACd9U,KAAK+sB,SAASvc,IACd,EACAxQ,KAAK+sB,SAASE,WAGlBjtB,KAAK+sB,SAAW,MACS,IAArB/sB,KAAKktB,YACPltB,KAAKwqB,MAAMC,UAAU3P,IAAI,iBACK,IAArB9a,KAAKktB,aACdltB,KAAKwqB,MAAMC,UAAUc,OAAO,gBAE9BvrB,KAAKktB,YAAc,MAGbxC,sBAAR,SAAkB3S,EAAsBgG,GAAxC,IACM+O,SACJ,oBAFsC/O,MAE9BhG,EAAM7T,MACZ,KAAK+N,EAAUwa,iBACf,KAAKxa,EAAUya,KACb,MACF,KAAKza,EAAU0a,OACbG,EAAS,WAMPrN,EAAKjE,QAAQzJ,KAAKO,EAAe6a,YAAapV,IAEhD,MACF,KAAK9F,EAAU6K,KACbgQ,EAAS,WACP,OAAArN,EAAKjE,QAAQzJ,KAAKO,EAAeqV,OAAQ,CACvCpa,MAAOwK,EAAMG,KAAK3K,MAClBC,OAAQuK,EAAMG,KAAK1K,UAEvB,MACF,KAAKyE,EAAU+X,aACb8C,EAAS,WACP,GAAIrN,EAAKmJ,mBACP,GAAInJ,EAAKmJ,oBAAsB7Q,EAG7B,YADA0H,EAAKmJ,mBAAoB,QAK3BnJ,EAAKmJ,mBAAoB,EAE3BnJ,EAAK2K,oBAAoBrS,EAAOgG,GAChC0B,EAAK4K,OAAOC,cAAetX,SAAS+E,EAAMG,KAAKqS,gBAEjD,MACF,KAAKtY,EAAUgG,oBACb6U,EAAS,mBAEP,GADArN,EAAK2N,iBAAiBrV,EAAOgG,IACzBA,IAIAhG,IAAU0H,EAAK4N,2BACjB5N,EAAK4N,yBAA2B,KAChC5N,EAAKkL,gBAEHlL,EAAKrG,OAAO6N,eAAiBxH,EAAK4N,0BAA0B,KAC9D,IAAqB,IAAArd,EAAA/P,EAAAwf,EAAKoJ,QAAQ1N,MAAMrF,QAAQ0G,sCAAQ,CAAnD,IAAM8Q,UACT,KAAIA,EAAO/U,WAAcR,EAAMQ,YAG3BkH,EAAK8N,kBAAkBD,GAAS,CAEhCA,EAAO/V,MAASQ,EAAMR,MA5fZ,IA8fRkI,EAAK0J,aAAahO,MAAMrF,QAAQ2G,MAAM5F,QAExC4I,EAAK4N,yBAA2BC,GAElC,yGAGJ,GAAI7N,EAAK4N,yBAA0B,CACjC,IAAMG,EACJ/N,EAAK4N,yBAAyB9V,MAASQ,EAAMR,MACzC+E,EAAU,CACdzF,MAAOT,KAAKqX,IACVrX,KAAKsX,MAAMF,EAzgBF,KA0gBT/N,EAAKrG,OAAO0N,WAGhBrH,EAAK0J,aAAavO,KAAK,CAAE1W,KAAM,eAAgBoY,YAC/CmD,EAAKjE,QAAQzJ,KAAKO,EAAeqb,UAAWrR,MA8CtD,OAvCsB,mBAChBwQ,GACFA,QAGF,IAAqB,IAAA9c,EAAA/P,EAAAwf,EAAKrG,OAAOwU,SAAW,kCAAI,SACvChc,QAAQmG,EAAOgG,EAAQ,CAAE8P,SAAUpO,sGAG5CA,EAAKoJ,QAAQjO,KAAK,CAAE1W,KAAM,aAAcoY,QAAS,CAAEvE,WAGnD,IAAI+V,EAAarO,EAAKoJ,QAAQ1N,MAAMrF,QAAQ0G,OAAO9c,OAAS,EAC5D,GAAIqY,IAAU0H,EAAKoJ,QAAQ1N,MAAMrF,QAAQ0G,OAAOsR,GAAa,CAC3D,IAAMC,EAAS,WACTD,EAAarO,EAAKoJ,QAAQ1N,MAAMrF,QAAQ0G,OAAO9c,OAAS,IAI5D+f,EAAKkL,eACLlL,EAAKoJ,QAAQjO,KAAK,OAClB6E,EAAKjE,QAAQzJ,KAAKO,EAAe0b,UAGjCjW,EAAM7T,OAAS+N,EAAUgG,qBACzBF,EAAMG,KAAKrV,SAAWqP,EAAkBiG,WACxCJ,EAAMG,KAAKG,UAAU3Y,OAGrByqB,YAAW,WACT4D,MACC3X,KAAK6X,IAAI,EAAyC,GAArClW,EAAMG,KAAKG,UAAU,GAAGpB,aAExC8W,IAIJtO,EAAKjE,QAAQzJ,KAAKO,EAAe4b,UAAWnW,KAKxC2S,gCAAR,SACE3S,EACAgG,kBAEA,gBAFAA,OAEK/d,KAAKqqB,OAAOgB,gBACf,OAAOtd,QAAQC,KAAK,gDAElB7O,OAAOoI,KAAKvH,KAAKmuB,4BAA4BzuB,QAC/CqO,QAAQC,KACN,oCACAhO,KAAKmuB,4BAGTnuB,KAAKmuB,2BAA6B,GAClC,IAAMC,EAA8B,GACpCpuB,KAAKuf,OAAOhb,IAAMsM,EAAQkH,EAAMG,KAAKzV,KAAM,CACzC6D,IAAKtG,KAAKqqB,OAAOgB,gBACjBpb,YAAa,SAACoe,GACZ5O,EAAK6O,+BAA+BF,EAAWC,IAEjD5jB,MAAOzK,KAAKyK,QACX,kBACU8jB,EAAiBF,GAC5BG,EAAKC,uBAAuBF,EAAiBF,GAC7CG,EAAKE,iBAAmBF,EAAKE,iBAAiB1jB,QAC5C,SAAC3K,GAAM,OAAAA,IAAMkuB,iBAHjB,IAA6C,IAAAI,EAAA1uB,EAAAmuB,kCAAlC,IAAApe,6IAML,IAAAS,EAA4BzQ,KAAKqqB,OAAOgB,gBAAtC3Y,oBAAiBkc,SACzB5uB,KAAKqnB,iBAAiB3U,EAAiBkc,GAClC5uB,KAAK6oB,QAAQ1N,MAAMpC,QAAQ,YAC9B/Y,KAAKqqB,OAAOgB,gBACTC,qBAAqB,QAAQ,GAC7Bb,UAAU3P,IAAI,gBAEnB9a,KAAKwb,QAAQzJ,KAAKO,EAAeuc,sBAAuB9W,GACnDgG,GACH/d,KAAK8uB,wBAEH9uB,KAAKoZ,OAAOmO,qBACdvnB,KAAK+uB,oBAIDrE,6BAAR,SACEhY,EACAkc,GAEA,IAAMI,EAAUzoB,SAASsG,cAAc,SACvC6F,EAAiBqY,aAAaiE,EAASJ,GACvC,IJtrB6CxH,EIsrBvC6H,GJtrBuC7H,EIurB3CpnB,KAAKoZ,OAAOgO,WJvrBsD,CACtE,WAAIA,mCACJ,2CIsrBI7lB,OAAOvB,KAAKoZ,OAAOiO,kBACjBrnB,KAAKoZ,OAAOoO,gBACdyH,EAAkBnuB,KAChB,2HAGJ,IAAK,IAAI8b,EAAM,EAAGA,EAAMqS,EAAkBvvB,OAAQkd,IAC/CoS,EAAQnM,MAAyBE,WAAWkM,EAAkBrS,GAAMA,IAIjE8N,mCAAR,SACE3L,EACAmQ,kBAEMd,EAA8B,GAEpC,IAAKc,EAAS7D,gBAEZ,IADA,IAAI8D,EAASD,EAASvZ,WACfwZ,GAAQ,CAEb,GAAInvB,KAAK8nB,kBAAkBtJ,IAAK2Q,GAA8B,CAC5D,IAAMhH,EAAQgH,EACRC,EAAapvB,KAAK8nB,kBAAkBld,IAAIud,GAC9CnoB,KAAKooB,kBAAkBD,EAAMiH,GAC7B,MAEFD,EAASA,EAAOxZ,WAGpB7F,EAAgBiP,EAAStc,KAAM,CAC7B6D,IAAK4oB,EAAS7D,gBACd9mB,IAAKvE,KAAKuf,OAAOhb,IACjBsH,SAAS,EACTkE,WAAW,EACXE,YAAa,SAACoe,GAEZ,GADA5O,EAAK6O,+BAA+BF,EAAWC,GAE7CA,EAAU9d,KAAKrM,OAASjF,EAASoN,SACQ,SAAzCgiB,EAAU9d,KAAKhE,QAAQ8iB,cACvB,CACM,IAAA/nB,EAA4B4nB,EAAS7D,gBAAnC3Y,oBAAiBkc,SACzBnP,EAAK4H,iBAAiB3U,EAAiBkc,KAG3CnkB,MAAOzK,KAAKyK,uBAED8jB,EAAiBF,GAC5BiB,EAAKb,uBAAuBF,EAAiBF,GAC7CiB,EAAKZ,iBAAmBY,EAAKZ,iBAAiB1jB,QAC5C,SAAC3K,GAAM,OAAAA,IAAMkuB,iBAHjB,IAA6C,IAAAgB,EAAAtvB,EAAAmuB,kCAAlC,IAAApe,+IAQL0a,2CAAR,SACE0D,EACAC,GAEA,GAAI7M,EAAc6M,GAAY,CAC5B,IAAME,EAAkBvuB,KAAK0uB,iBAAiB5E,MAC5C,SAACzpB,GAAM,OAAAA,EAAE6e,WAAamP,EAAU9d,KAAKC,MAEnC+d,GACFH,EAAUttB,KAAK,CAAEytB,kBAAiBF,gBAQhC3D,kCAAR,WAAA,aACQkE,YAAO5uB,KAAKqqB,OAAOgB,sCAAiBuD,KAC1C,GAAIA,EAAM,CACR,IACIY,EADEC,EAAqC,IAAI/U,IAE3CgV,EAAkB1vB,KAAK6oB,QAAQ1N,MAC7BwU,EAAe,WACnBD,EAAkBjQ,EAAKoJ,QAAQ1N,OAEjCnb,KAAKwb,QAAQ7J,GAAGW,EAAekZ,MAAOmE,GACtC3vB,KAAKwb,QAAQ7J,GAAGW,EAAemZ,MAAOkE,GACtC,IAAMC,EAAc,WAClBnQ,EAAKjE,QAAQ3J,IAAIS,EAAekZ,MAAOmE,GACvClQ,EAAKjE,QAAQ3J,IAAIS,EAAemZ,MAAOkE,IAEzCf,EACGiB,iBAAiB,0BACjBpoB,SAAQ,SAAC5F,GACHA,EAAIghB,QACP4M,EAAa3U,IAAIjZ,GACjBA,EAAIiuB,iBAAiB,QAAQ,WAC3BL,EAAazU,OAAOnZ,GAEM,IAAtB4tB,EAAaM,OAAyB,IAAXP,IACzBE,EAAgB3W,QAAQ,YAC1B0G,EAAK3R,KAAK2R,EAAKuQ,kBAEjBvQ,EAAKjE,QAAQzJ,KAAKO,EAAe2d,mBAC7BT,GACFU,aAAaV,GAEfI,YAMNH,EAAaM,KAAO,IAEtB/vB,KAAK6oB,QAAQjO,KAAK,CAAE1W,KAAM,UAC1BlE,KAAKwb,QAAQzJ,KAAKO,EAAe6d,qBACjCX,EAAQrF,YAAW,WACbuF,EAAgB3W,QAAQ,YAC1B0G,EAAK3R,KAAK2R,EAAKuQ,kBAGjBR,GAAS,EACTI,MACC5vB,KAAKoZ,OAAO4N,gBAKb0D,wBAAR,SAAoB9F,eAClB,IAAkB,IAAAwL,EAAAnwB,EAAA2kB,iCAAM,CAAnB,IAAMD,UACT,GAAKA,GAAsB,iBAARA,EAEZ,GAAI,YAAaA,GAAO,SAAUA,GACvC,GAAI3kB,KAAKqwB,YAAY1L,EAAIC,MAAO,OAAO,MAClC,CAAA,GAAI,YAAaD,GAAuB,qBAAhBA,EAAI2L,QACjC,OAAO,EACF,GAAI3L,aAAetjB,OACpBrB,KAAKqwB,YAAY1L,GAAM,OAAO,0GAGtC,OAAO,GAGD+F,yBAAR,SAAqB9F,WACb2L,EAAmB,OACzB,IAAkB,IAAAC,EAAAvwB,EAAA2kB,iCAAM,CAAnB,IAAMD,UACJA,GAAsB,iBAARA,IAER,YAAaA,GAAO,SAAUA,EACvC4L,EAAOzvB,WAAPyvB,SAAevwB,KAAKywB,aAAa9L,EAAIC,YAC5B,YAAaD,GAAuB,qBAAhBA,EAAI2L,QACjCC,EAAOzvB,KAAK6jB,EAAIzX,KACPyX,aAAetjB,OACxBkvB,EAAOzvB,WAAPyvB,SAAevwB,KAAKywB,aAAa9L,4GAGrC,OAAO4L,GAMD7F,6BAAR,0BACwB1qB,KAAK6oB,QAAQ1N,MACnC,IAAMuV,EAAe,WACDjR,EAAKoJ,QAAQ1N,OAEjCnb,KAAKwb,QAAQ7J,GAAGW,EAAekZ,MAAOkF,GACtC1wB,KAAKwb,QAAQ7J,GAAGW,EAAemZ,MAAOiF,kBAC3BC,GAEPA,EAAMzsB,OAAS+N,EAAUgG,qBACzB0Y,EAAMzY,KAAKrV,SAAWqP,EAAkB0e,iBAEpC,aAAcD,EAAMzY,KACtByY,EAAMzY,KAAK2Y,SAASppB,SAAQ,SAAC1D,GAAM,OAAA0b,EAAKqR,cAAc/sB,EAAG4sB,MAEzDI,EAAKD,cAAcH,EAAMzY,KAAMyY,gBARrC,IAAoB,IAAA3gB,EAAA/P,EAAAD,KAAK6oB,QAAQ1N,MAAMrF,QAAQ0G,sJAazCkO,0BAAR,SAAsBxS,EAA6BH,GAAnD,WACE,GACoB,cAAlBG,EAAKrT,UACmB,iBAAjBqT,EAAK0M,KAAK,IAChB5kB,KAAK0kB,SAASlG,IAAIzG,GAQV/X,KAAKqwB,YAAYnY,EAAK0M,OAC/B5kB,KAAKywB,aAAavY,EAAK0M,MAAMnd,SAAQ,SAACupB,GACpC,IAAMvjB,EAAQ,IAAI+X,MAClB/X,EAAMP,IAAM8jB,EACZvR,EAAKiF,SAASjZ,IAAIulB,EAAKvjB,UAXzB,CACA,IAAMwjB,EAAS1qB,SAASsG,cAAc,UAChCO,EAAM6jB,EAAO5jB,WAAW,MACxB6jB,EAAO9jB,MAAAA,SAAAA,EAAK+jB,gBAAgBF,EAAO1jB,MAAO0jB,EAAOzjB,QAC/C0jB,MAAAA,GAAAA,EAAMhZ,KACVkZ,KAAKxvB,MAAMsW,EAAK0M,KAAK,IACzBxX,MAAAA,GAAAA,EAAKikB,aAAaH,EAAO,EAAG,KAUxBxG,6BAAR,SACE9pB,EACAmd,GAFF,eAIgBtL,EAAM7R,OACpB,OAAQ6R,EAAE5P,QACR,KAAKqP,EAAkBkO,SACjBrC,IACFtL,EAAE6N,KAAK7Y,SAAQ,SAACpH,GAAM,OAAAof,EAAKoI,UAAU/M,IAAIza,MACzCoS,EAAE4M,MAAM5X,SAAQ,SAACpH,GACf,IAAMsZ,EAAS8F,EAAKF,OAAOjB,QAAQje,EAAEmQ,IAC/BtJ,EAAUyS,MAAAA,SAAAA,EAAQhE,WAGpBzO,GAAUuY,EAAKuI,qBAAqBxJ,IAAItX,IAC1CuY,EAAKuI,qBAAqBhN,OAAO9T,GAEnCuY,EAAKoI,UAAUyJ,KAAKjxB,MAEtBoS,EAAEjG,WAAW/E,SAAQ,SAACpH,GAAM,OAAAof,EAAKoI,UAAU0J,UAAUlxB,MACrDoS,EAAE4N,QAAQ5Y,SAAQ,SAACpH,GAAM,OAAAof,EAAKoI,UAAU0D,OAAOlrB,EAAGof,EAAKF,YAEzD,IACEvf,KAAKwxB,cAAc/e,EAAGsL,GACtB,MAAOhd,GACPf,KAAKgO,KAAK,gCAAyBjN,EAAM0wB,SAAW1wB,GAAS0R,GAE/D,MAEF,KAAKP,EAAkBwf,KACvB,KAAKxf,EAAkBwU,UACvB,KAAKxU,EAAkBiG,UACrB,GAAI4F,EAAQ,CACV,IAAM4T,EAAelf,EAAE4F,UAAU5F,EAAE4F,UAAU3Y,OAAS,GACtDM,KAAK+sB,SAAW,CACdlY,EAAG8c,EAAa9c,EAChBC,EAAG6c,EAAa7c,EAChBtE,GAAImhB,EAAanhB,GACjByc,UAAWxa,QAGbA,EAAE4F,UAAU5Q,SAAQ,SAAC9H,GACnB,IAAMoX,EAAS,CACbU,SAAU,WACRgI,EAAKuN,aAAartB,EAAEkV,EAAGlV,EAAEmV,EAAGnV,EAAE6Q,GAAIuN,EAAQtL,IAE5C8E,MACE5X,EAAEsX,WACFrW,EAAE2X,UACFkH,EAAKoJ,QAAQ1N,MAAMrF,QAAQkC,cAE/ByH,EAAKhD,MAAMyB,UAAUnH,MAGvB/W,KAAKyc,MAAMyB,UAAU,CACnBzG,sBACAF,MAAO3W,EAAE2W,iBAAS9E,EAAE4F,UAAU,yBAAIpB,cAGtC,MACF,KAAK/E,EAAkByU,iBAIrB,IAAc,IAAVlU,EAAEjC,GACJ,MAEF,IAAM2M,EAAQ,IAAIyU,MAAMzf,EAAkBM,EAAEvO,MAAM2tB,eAElD,KADMlY,EAAS3Z,KAAKuf,OAAOjB,QAAQ7L,EAAEjC,KAEnC,OAAOxQ,KAAK8xB,kBAAkBrf,EAAGA,EAAEjC,IAErCxQ,KAAKwb,QAAQzJ,KAAKO,EAAeqU,iBAAkB,CACjDziB,KAAMuO,EAAEvO,KACRyV,WAEM,IAAA2N,EAAiBtnB,KAAKoZ,oBAC9B,OAAQ3G,EAAEvO,MACR,KAAKiO,EAAkB4f,KACjB,SAAYpY,GACZA,EAAgCqY,OAEpC,MACF,KAAK7f,EAAkB8f,MACjB3K,GAAkB3N,EAAgCuY,OAClDvY,EAAgCuY,MAAM,CACtCC,eAAe,IAGnB,MACF,KAAKhgB,EAAkBigB,MACvB,KAAKjgB,EAAkByU,WACvB,KAAKzU,EAAkBkgB,SACjBtU,GACEtL,EAAEvO,OAASiO,EAAkByU,WAC/B5mB,KAAKktB,aAAc,EACVza,EAAEvO,OAASiO,EAAkBkgB,WACtCryB,KAAKktB,aAAc,GAErBltB,KAAK+sB,SAAW,CACdlY,EAAGpC,EAAEoC,EACLC,EAAGrC,EAAEqC,EACLtE,GAAIiC,EAAEjC,GACNyc,UAAWxa,KAGTA,EAAEvO,OAASiO,EAAkByU,aAE/B5mB,KAAKsyB,cAAc5yB,OAAS,GAE9BM,KAAKgtB,aAAava,EAAEoC,EAAGpC,EAAEqC,EAAGrC,EAAEjC,GAAIuN,EAAQtL,GACtCA,EAAEvO,OAASiO,EAAkBigB,OAS/BpyB,KAAKwqB,MAAMC,UAAUc,OAAO,UAEvBvrB,KAAKwqB,MAAM+H,YAChBvyB,KAAKwqB,MAAMC,UAAU3P,IAAI,WAChBrI,EAAEvO,OAASiO,EAAkByU,YACjC5mB,KAAKwqB,MAAM+H,YAChBvyB,KAAKwqB,MAAMC,UAAU3P,IAAI,iBAChBrI,EAAEvO,OAASiO,EAAkBkgB,UACtCryB,KAAKwqB,MAAMC,UAAUc,OAAO,iBAGhC,MACF,KAAKpZ,EAAkBqgB,YACjBzU,EACF/d,KAAKktB,aAAc,EAEnBltB,KAAKwqB,MAAMC,UAAUc,OAAO,gBAE9B,MACF,QACE5R,EAAO8Y,cAActV,GAEzB,MAEF,KAAKjL,EAAkBwgB,OAIrB,IAAc,IAAVjgB,EAAEjC,GACJ,MAEF,GAAIuN,EAAQ,CACV/d,KAAK6nB,UAAU9U,OAAON,GACtB,MAEFzS,KAAKyoB,YAAYhW,GAAG,GACpB,MAEF,KAAKP,EAAkBygB,eACrB3yB,KAAKwb,QAAQzJ,KAAKO,EAAeqV,OAAQ,CACvCpa,MAAOkF,EAAElF,MACTC,OAAQiF,EAAEjF,SAEZ,MACF,KAAK0E,EAAkB0gB,MAOrB,IAAc,IAAVngB,EAAEjC,GACJ,MAEF,GAAIuN,EAAQ,CACV/d,KAAK6nB,UAAUgL,MAAMpgB,GACrB,MAEFzS,KAAK2oB,WAAWlW,GAChB,MAEF,KAAKP,EAAkB2a,iBAErB,KADMlT,EAAS3Z,KAAKuf,OAAOjB,QAAQ7L,EAAEjC,KAEnC,OAAOxQ,KAAK8xB,kBAAkBrf,EAAGA,EAAEjC,IAErC,IAAMsiB,EAAWnZ,EACjB,IACMlH,EAAE7E,cACJklB,EAAQllB,YAAc6E,EAAE7E,aAEtB6E,EAAEsgB,SACJD,EAAQC,OAAStgB,EAAEsgB,QAEjBtgB,EAAEugB,QACJF,EAAQE,MAAQvgB,EAAEugB,WAEhBvgB,EAAEvO,MACJ4uB,EAAQ7kB,YAENwE,EAAEvO,MAKJ4uB,EAAQhlB,OAEV,MAAO/M,GACHf,KAAKoZ,OAAO8N,aACdnZ,QAAQC,KACN,+CAAwCjN,EAAM0wB,SAAW1wB,IAI/D,MAEF,KAAKmR,EAAkB+gB,eAErB,KADMtZ,EAAS3Z,KAAKuf,OAAOjB,QAAQ7L,EAAEjC,KAEnC,OAAOxQ,KAAK8xB,kBAAkBrf,EAAGA,EAAEjC,IAGrC,IAUI0iB,EAVElE,EAAWrV,EACXwZ,EAAUxZ,EAAOhE,WACjByd,EAAqBpzB,KAAK8nB,kBAAkBtJ,IAAI2U,GAOhDE,EAAaD,EAAqB,KAAOpE,EAAQnM,MAGlDwQ,IAOCrzB,KAAKgoB,qBAAqBxJ,IAAI7E,GAChCuZ,EAAQlzB,KAAKgoB,qBAAqBpd,IAAI+O,IAEtCuZ,EAAQ,GACRlzB,KAAKgoB,qBAAqBvc,IAAIkO,EAAQuZ,KAItCzgB,EAAE6N,MACJ7N,EAAE6N,KAAK7Y,SAAQ,SAACH,OAAE1D,SAAa4e,UAC7B,GAAI6Q,EACF,IACE,GAAIhyB,MAAMmG,QAAQgb,GAAc,CACxB,IAAAxS,EAAuBuS,GAC3BC,GADMnK,cAAWpN,UAGAoX,EACjBgR,EAAW/Q,SACXjK,GAES0K,WAAWnf,EAAMqH,OACvB,CACCA,OACY0I,IAAhB6O,OACI7O,EACAyC,KAAKqX,IAAIjL,EAAa6Q,EAAW/Q,SAAS5iB,QAChD2zB,EAAWtQ,WAAWnf,EAAMqH,IAE9B,MAAOrK,SAWTsyB,MAAAA,GAAAA,EAAOpyB,KAAK,CACV0J,QAAS5G,EACTqH,MAAOuX,EACPte,KAAMke,EAAcU,YAMxBrQ,EAAE4N,SACJ5N,EAAE4N,QAAQ5Y,SAAQ,SAACH,OAASkb,UAC1B,GAAI4Q,EACFF,MAAAA,GAAAA,EAAOpyB,KAAK,CAAEmK,MAAOuX,EAAate,KAAMke,EAAcY,cAEtD,IACE,GAAI3hB,MAAMmG,QAAQgb,GAAc,CACxB,IAAAxS,EAAuBuS,GAC3BC,GADMnK,cAAWpN,UAGAoX,EACjBgR,EAAY/Q,SACZjK,GAES4K,WAAWhY,GAAS,QAE/BooB,MAAAA,GAAAA,EAAYpQ,WAAWT,GAEzB,MAAO5hB,QAQf,MAEF,KAAKsR,EAAkBohB,iBAGrB,KADM3Z,EAAS3Z,KAAKuf,OAAOjB,QAAQ7L,EAAEjC,KAEnC,OAAOxQ,KAAK8xB,kBAAkBrf,EAAGA,EAAEjC,IAG/Bwe,EAAWrV,EAAjB,IACM4Z,EAAU5Z,EAAOhE,WAGjB6d,EAFqBxzB,KAAK8nB,kBAAkBtJ,IAAI+U,GAEd,KAAOvE,EAAQnM,MACnDrf,EAA2B,GAW/B,GATKgwB,IACCxzB,KAAKgoB,qBAAqBxJ,IAAI7E,GAChCnW,EAAQxD,KAAKgoB,qBAAqBpd,IAAI+O,IAEtCnW,EAAQ,GACRxD,KAAKgoB,qBAAqBvc,IAAIkO,EAAQnW,KAItCiP,EAAEhH,IACJ,GAAI+nB,EACYnR,EACZmR,EAAWhwB,MACXiP,EAAExH,OAEChF,MAAM2d,YAAYnR,EAAEhH,IAAI5G,SAAU4N,EAAEhH,IAAIlL,MAAOkS,EAAEhH,IAAIoY,eAE1DrgB,EAAM1C,QACJoD,KAAMke,EAAcuB,YACpB1Y,MAAOwH,EAAExH,OACNwH,EAAEhH,MAKX,GAAIgH,EAAE8Y,OACJ,GAAIiI,EACYnR,EACZmR,EAAWhwB,MACXiP,EAAExH,OAEChF,MAAM8d,eAAetR,EAAE8Y,OAAO1mB,eAEnCrB,EAAM1C,QACJoD,KAAMke,EAAc0B,eACpB7Y,MAAOwH,EAAExH,OACNwH,EAAE8Y,SAIX,MAEF,KAAKrZ,EAAkB0e,eACrB,IAAK5wB,KAAKoZ,OAAOmO,oBACf,OAEF,IAAM5N,EACN,KADMA,EAAS3Z,KAAKuf,OAAOjB,QAAQ7L,EAAEjC,KAEnC,OAAOxQ,KAAK8xB,kBAAkBrf,EAAGA,EAAEjC,cClvCNlJ,OACrCyQ,UACAgH,aACApF,WACA+K,aACAgB,iBAQA,IACE,IAAM+N,EACJ,aAAc1U,EAAWA,EAAS8R,SAAW,CAAC9R,GAE5C,CAAC3M,EAAcuT,MAAOvT,EAAcshB,QAAQ5N,SAAS/G,EAAS7a,MACzDuvB,EAAUhsB,SAAQ,SAACksB,GACxBlO,GAAc,CACZ1G,SAAU4U,EACVzvB,KAAM6a,EAAS7a,KACfyV,SACA+K,WACAgB,oBAKC+N,EAAUhsB,SAAQ,SAACksB,aCnCSrsB,OACrCyQ,UACAgH,aACApF,WACA+K,aACAgB,iBAQA,IACE,IAAMtY,EAAQuM,EAAyCtM,WAAW,MAElE,GAAI0R,EAAS6G,OAIX,YADCxY,EAAY2R,EAASla,UAAYka,EAAS6F,KAAK,IAGlD,IAAM9R,EAAW1F,EACf2R,EAASla,UAQX,GACwB,cAAtBka,EAASla,UACmB,iBAArBka,EAAS6F,KAAK,GACrB,CACA,IAAMnX,EAAQiX,EAAS9Z,IAAImN,GAC3BgH,EAAS6F,KAAK,GAAKnX,EACnBqF,EAAS/S,MAAMqN,EAAK2R,EAAS6F,WAE7B9R,EAAS/S,MAAMqN,EAAK2R,EAAS6F,MAE/B,MAAO7jB,GACP2kB,EAAa3G,EAAUhe,IDNrB6yB,CAAiB,CACf7b,QACAgH,SAAU4U,EACVha,SACA+K,WACAgB,oBAGJ,MAAO3kB,GACP2kB,EAAa3G,EAAUhe,ID8sCnB8yB,CAAe,CACb9b,MAAOnX,EACPme,SAAUtM,EACVkH,OAASA,EACT+K,SAAU1kB,KAAK0kB,SACfgB,aAAc1lB,KAAK8zB,yBAAyBvgB,KAAKvT,QAGnD,MAEF,KAAKkS,EAAkB6hB,KACrB,IACE,IAAMC,EAAW,IAAIC,SACnBxhB,EAAEyhB,OACFzhB,EAAE0hB,OAAS,IAAIjQ,WAAWkN,KAAKxvB,MAAM6Q,EAAE2hB,aAAe3hB,EAAE2hB,WACxD3hB,EAAE4hB,uBAEJr0B,KAAKqqB,OAAOgB,gCAAiBiJ,MAAMxZ,IAAIkZ,GACvC,MAAOjzB,GACHf,KAAKoZ,OAAO8N,aACdnZ,QAAQC,KAAKjN,MASf2pB,0BAAR,SAAsBjY,EAAiB8hB,kBACrC9hB,EAAE4N,QAAQ5Y,SAAQ,SAACsX,GACjB,IAAIpF,EAAS8F,EAAKF,OAAOjB,QAAQS,EAASvO,IAC1C,IAAKmJ,EAAQ,CACX,GAAIlH,EAAE4N,QAAQyJ,MAAK,SAACnpB,GAAM,OAAAA,EAAE6P,KAAOuO,EAASG,YAE1C,OAEF,OAAOO,EAAK+U,iBAAiB/hB,EAAGsM,EAASvO,IAEvCiP,EAAKuI,qBAAqBxJ,IAAI7E,IAChC8F,EAAKuI,qBAAqBhN,OAAOrB,GAEnC,IAAIzS,EAAoCuY,EAAKF,OAAOjB,QAClDS,EAASG,UAEX,IAAKhY,EACH,OAAOuY,EAAK+U,iBAAiB/hB,EAAGsM,EAASG,UAO3C,GALIH,EAASnO,UAAYsR,EAAchb,KACrCA,EAASA,EAAOiI,YAGlBsQ,EAAKF,OAAOhB,kBAAkB5E,GAC1BzS,EAAQ,CACV,IAAIutB,EAAa,KACXrF,EACJ,SAAUloB,EAASuY,EAAKqI,kBAAkBld,IAAI1D,QAAUyM,EACtDyb,GAAcA,EAAW9C,SAAS3S,GACpCzS,EAASkoB,EACA3P,EAAKqI,kBAAkBtJ,IAAI7E,KAKpC8a,EAAahV,EAAKqI,kBAAkBld,IAAI+O,GACxC8F,EAAKqI,kBAAkB9M,OAAOrB,GAC9BA,EAAS8a,GAEX,IACEvtB,EAAOsH,YAAYmL,GACnB,MAAO5Y,GACP,KAAIA,aAAiB2zB,cAUnB,MAAM3zB,EATN0e,EAAKzR,KACH,4CACA9G,EACAkoB,EACAzV,EACA8a,EACAhiB,QAUV,IAAMkiB,OACD30B,KAAKmuB,4BAEJtN,EAA6B,GAoB7B+T,EAAa,SAAC7V,eAClB,IAAKU,EAAK4K,OAAOgB,gBACf,OAAOtd,QAAQC,KAAK,gDAEtB,IAAI9G,EAAoCuY,EAAKF,OAAOjB,QAClDS,EAASG,UAEX,IAAKhY,EACH,OAAI6X,EAAStc,KAAKyB,OAASjF,EAAS6M,SAE3B2T,EAAKiP,iBAAiB5tB,KAAKie,GAE7B8B,EAAM/f,KAAKie,GAGpB,IAAI8V,EAAmB,KACnBpV,EAAK4K,OAAOgB,gBAAgBiB,SAC9BuI,EAAmBpV,EAAK4K,OAAOgB,gBAAgBiB,SAASplB,GAC/CuY,EAAK4K,OAAOgB,gBAAgBvX,KAAKwY,WAG1CuI,EAAmBpV,EAAK4K,OAAOgB,gBAAgBvX,KAAKwY,SAASplB,IAG/D,IAAM4tB,gBACF5tB,GAAmCokB,kDAAuB,UACzD5rB,QAAS,EAKd,GACE60B,GACAM,IACCrT,EAActa,KACd4tB,EACD,CACA,IAAMC,EAAiBxuB,SAASyuB,yBAOhC,IANAvV,EAAKF,OAAOhb,IAAIwa,EAASG,UAAY6V,EACrCtV,EAAKqI,kBAAkBrc,IAAIspB,EAAe7tB,GAG1CuY,EAAKwV,WAAW/tB,GAETA,EAAOkI,YACZ2lB,EAActmB,YAAYvH,EAAOkI,YAEnClI,EAAS6tB,EAGPhW,EAAStc,KAAKmO,WAEXsR,EAAchb,IACfA,EAAgCmI,aAAa,CAAEC,KAAM,SAElDpI,EAASA,EAAOiI,YAGzB,IAAI+lB,EAAwB,KACxB50B,EAAoB,KAOxB,GANIye,EAASoW,aACXD,EAAWzV,EAAKF,OAAOjB,QAAQS,EAASoW,aAEtCpW,EAASoC,SACX7gB,EAAOmf,EAAKF,OAAOjB,QAAQS,EAASoC,SAjFnB,SAACpC,GACpB,IAAIze,EAAoB,KAKxB,OAJIye,EAASoC,SACX7gB,EAAOmf,EAAKF,OAAOjB,QAAQS,EAASoC,SAIhB,OAApBpC,EAASoC,aACWxN,IAApBoL,EAASoC,SACY,IAArBpC,EAASoC,SACR7gB,EAyEC80B,CAAarW,GACf,OAAO8B,EAAM/f,KAAKie,GAGpB,IAAIA,EAAStc,KAAKyN,QAAWuP,EAAKF,OAAOjB,QAAQS,EAAStc,KAAKyN,QAA/D,CAIA,IAAMmlB,EAAYtW,EAAStc,KAAKyN,OAC5BuP,EAAKF,OAAOjB,QAAQS,EAAStc,KAAKyN,QAClCuP,EAAK4K,OAAOgB,gBAChB,GAAI7J,EAActa,GAChBuY,EAAKgP,uBAAuB1P,EAAU7X,OADxC,CAIA,IAAMyS,EAAS7J,EAAgBiP,EAAStc,KAAM,CAC5C6D,IAAK+uB,EACL9wB,IAAKkb,EAAKF,OAAOhb,IACjBwL,WAAW,EACXlE,SAAS,EACTpB,MAAOgV,EAAKhV,QAId,IAA6B,IAAzBsU,EAASoW,aAA0C,IAArBpW,EAASoC,OAA3C,CAQA,GACE,SAAUja,GACVA,EAAOqJ,KAAKrM,OAASjF,EAASoN,SACN,aAAxBnF,EAAOqJ,KAAKhE,SACZwS,EAAStc,KAAKyB,OAASjF,EAASsQ,SAIhC,IAAgB,IAAAkR,EAAAxgB,EAAAoB,MAAMH,KAAKgG,EAAOoH,2CAAa,CAA1C,IAAMvK,UACLA,EAAEtC,WAAayF,EAAOqH,WACxBrH,EAAOsH,YAAYzK,qGAKzB,GAAImxB,GAAYA,EAASI,aAAeJ,EAASI,YAAY3f,WAC3DzO,EAAO6jB,aAAapR,EAAQub,EAASI,kBAChC,GAAIh1B,GAAQA,EAAKqV,WAGtBzO,EAAOolB,SAAShsB,GACZ4G,EAAO6jB,aAAapR,EAAQrZ,GAC5B4G,EAAO6jB,aAAapR,EAAQ,UAC3B,CAIL,GAAIzS,IAAWmuB,EACb,KAAOA,EAAUjmB,YACfimB,EAAU7mB,YAAY6mB,EAAUjmB,YAIpClI,EAAOuH,YAAYkL,GAGrB,GAAI6H,EAAc7H,GAAS,CACzB,IAAM4b,EAAkB9V,EAAKiP,iBAAiB5E,MAC5C,SAACzpB,GAAM,OAAAA,EAAE6e,WAAavF,EAAOpJ,KAAKC,MAEhC+kB,IACF9V,EAAKgP,uBAAuB8G,EAAiB5b,GAC7C8F,EAAKiP,iBAAmBjP,EAAKiP,iBAAiB1jB,QAC5C,SAAC3K,GAAM,OAAAA,IAAMk1B,OAKfxW,EAASoW,YAAcpW,EAASoC,SAClC1B,EAAK+V,0BACHb,EACAztB,EACAyS,EACAoF,QA5DF4V,EAAsB5V,EAAStc,KAAK+N,IAAM,CACxC/N,KAAMkX,EACNoF,eA+DNtM,EAAE6N,KAAK7Y,SAAQ,SAACsX,GACd6V,EAAW7V,MAIb,IADA,IAAI5I,EAAY3C,KAAKH,MACdwN,EAAMnhB,QAAQ,CAEnB,IAAM+1B,EAAe7U,EAAoBC,GAEzC,GADAA,EAAMnhB,OAAS,EACX8T,KAAKH,MAAQ8C,EAAY,IAAK,CAChCnW,KAAKgO,KACH,2DACAynB,GAEF,UAEF,IAAmB,IAAAC,YAAAz1B,EAAAw1B,kCAAc,CAA5B,IAAMnW,UACItf,KAAKuf,OAAOjB,QAAQgB,EAAK/e,MAAM2e,UAO1CoC,EAAmBhC,GAAM,SAACP,GACxB6V,EAAW7V,MANb/e,KAAK21B,MACH,gEACArW,sGAUJngB,OAAOoI,KAAKotB,GAAuBj1B,QACrCP,OAAOC,OAAOY,KAAKmuB,2BAA4BwG,GAGjDliB,EAAE4M,MAAM5X,SAAQ,SAACsX,GACf,IAAIpF,EAAS8F,EAAKF,OAAOjB,QAAQS,EAASvO,IAC1C,IAAKmJ,EAAQ,CACX,GAAIlH,EAAE4N,QAAQyJ,MAAK,SAACnpB,GAAM,OAAAA,EAAE6P,KAAOuO,EAASvO,MAE1C,OAEF,OAAOiP,EAAK+U,iBAAiB/hB,EAAGsM,EAASvO,IAKvCiP,EAAKqI,kBAAkBtJ,IAAI7E,KAC7BA,EAAS8F,EAAKqI,kBAAkBld,IAAI+O,IAEtCA,EAAOlK,YAAcsP,EAASxe,SAEhCkS,EAAEjG,WAAW/E,SAAQ,SAACsX,GACpB,IAAIpF,EAAS8F,EAAKF,OAAOjB,QAAQS,EAASvO,IAC1C,IAAKmJ,EAAQ,CACX,GAAIlH,EAAE4N,QAAQyJ,MAAK,SAACnpB,GAAM,OAAAA,EAAE6P,KAAOuO,EAASvO,MAE1C,OAEF,OAAOiP,EAAK+U,iBAAiB/hB,EAAGsM,EAASvO,IAK3C,IAAK,IAAMolB,KAHPnW,EAAKqI,kBAAkBtJ,IAAI7E,KAC7BA,EAAS8F,EAAKqI,kBAAkBld,IAAI+O,IAEVoF,EAASvS,WACnC,GAA6B,iBAAlBopB,EAA4B,CACrC,IAAMr1B,EAAQwe,EAASvS,WAAWopB,GAClC,GAAc,OAAVr1B,EACAoZ,EAA4Bkc,gBAAgBD,QACzC,GAAqB,iBAAVr1B,EAChB,IACIoZ,EAA4BhM,aAAaioB,EAAer1B,GAC1D,MAAOQ,GACH0e,EAAKrG,OAAO8N,aACdnZ,QAAQC,KACN,qDACAjN,QAID,GAAsB,UAAlB60B,EAA2B,CACpC,IAAIE,EAAcv1B,EACZw1B,EAAYpc,EAClB,IAAK,IAAIra,KAAKw2B,EACZ,IAAuB,IAAnBA,EAAYx2B,GACdy2B,EAAS9vB,MAAM8d,eAAezkB,QACzB,GAAIw2B,EAAYx2B,aAAc+B,MAAO,CAC1C,IAAM20B,EAAMF,EAAYx2B,GACxBy2B,EAAS9vB,MAAM2d,YAAYtkB,EAAG02B,EAAI,GAAIA,EAAI,QACrC,CACL,IAAMC,EAAMH,EAAYx2B,GACxBy2B,EAAS9vB,MAAM2d,YAAYtkB,EAAG22B,UAepCvL,wBAAR,SAAoBjY,EAAesL,GACjC,IAAMpE,EAAS3Z,KAAKuf,OAAOjB,QAAQ7L,EAAEjC,IACrC,IAAKmJ,EACH,OAAO3Z,KAAK8xB,kBAAkBrf,EAAGA,EAAEjC,IAErC,GAAKmJ,IAAoB3Z,KAAKqqB,OAAOgB,gBACnCrrB,KAAKqqB,OAAOC,cAAetX,SAAS,CAClCkB,IAAKzB,EAAEqC,EACPf,KAAMtB,EAAEoC,EACRP,SAAUyJ,EAAS,OAAS,gBAEzB,GAAIpE,EAAOpJ,KAAKrM,OAASjF,EAAS6M,SAErC6N,EAAgCkI,YAAa7O,SAAS,CACtDkB,IAAKzB,EAAEqC,EACPf,KAAMtB,EAAEoC,EACRP,SAAUyJ,EAAS,OAAS,gBAG9B,IACIpE,EAA4BrI,UAAYmB,EAAEqC,EAC1C6E,EAA4BtI,WAAaoB,EAAEoC,EAC7C,MAAO9T,MASL2pB,uBAAR,SAAmBjY,GACjB,IAAMkH,EAAS3Z,KAAKuf,OAAOjB,QAAQ7L,EAAEjC,IACrC,IAAKmJ,EACH,OAAO3Z,KAAK8xB,kBAAkBrf,EAAGA,EAAEjC,IAErC,IACImJ,EAAqCuc,QAAUzjB,EAAE0jB,UACjDxc,EAAqCpZ,MAAQkS,EAAE6e,KACjD,MAAOvwB,MAKH2pB,sBAAR,SAAkBjY,EAAiBsM,GACjC,IAAMpF,EAAS3Z,KAAKuf,OAAOjB,QAAQ7L,EAAEjC,IACrC,IAAKmJ,EACH,OAAO3Z,KAAK8xB,kBAAkB/S,EAAUtM,EAAEjC,IAE5C,IACImJ,EAAgClK,YAAcgD,EAAElS,MAClD,MAAOQ,MAKH2pB,sCAAR,SACEnmB,EACA2C,EACAyS,EACAyc,GAEQ,IAAAjB,EAAuBiB,aAAXjV,EAAWiV,SACzBC,EAAgBlB,GAAc5wB,EAAI4wB,GAClCmB,EAAYnV,GAAU5c,EAAI4c,GAChC,GAAIkV,EAAe,CACX,IAAA/uB,EAAqB+uB,EAAnB5zB,SAAMsc,aACd7X,EAAO6jB,aAAatoB,EAAMkX,UACnBpV,EAAIwa,EAAStc,KAAK+N,WAClBxQ,KAAKmuB,2BAA2BpP,EAAStc,KAAK+N,KACjDuO,EAASoW,YAAcpW,EAASoC,SAClCnhB,KAAKw1B,0BAA0BjxB,EAAK2C,EAAQzE,EAAcsc,GAG9D,GAAIuX,EAAW,CACP,IAAAtmB,EAAqBsmB,EAAnB7zB,SAAMsc,aACd7X,EAAO6jB,aAAatoB,EAAMkX,EAAO2b,oBAC1B/wB,EAAIwa,EAAStc,KAAK+N,WAClBxQ,KAAKmuB,2BAA2BpP,EAAStc,KAAK+N,KACjDuO,EAASoW,YAAcpW,EAASoC,SAClCnhB,KAAKw1B,0BAA0BjxB,EAAK2C,EAAQzE,EAAcsc,KAKxD2L,yBAAR,SACE7V,EACAC,EACAtE,EACAuN,EACAkP,GAEA,IAAMtT,EAAS3Z,KAAKuf,OAAOjB,QAAQ9N,GACnC,IAAKmJ,EACH,OAAO3Z,KAAK8xB,kBAAkB7E,EAAWzc,GAG3C,IAAM+lB,EAAO9U,EAAiB9H,EAAQ3Z,KAAKqqB,QACrCmM,EAAK3hB,EAAI0hB,EAAKxU,cAAgBwU,EAAK1hB,EACnC4hB,EAAK3hB,EAAIyhB,EAAKxU,cAAgBwU,EAAKzhB,EAEzC9U,KAAKwqB,MAAMvkB,MAAM8N,KAAO,UAAGyiB,QAC3Bx2B,KAAKwqB,MAAMvkB,MAAMiO,IAAM,UAAGuiB,QACrB1Y,GACH/d,KAAK02B,cAAc,CAAE7hB,EAAG2hB,EAAI1hB,EAAG2hB,IAEjCz2B,KAAK22B,cAAehd,IAGd+Q,0BAAR,SAAsBpoB,GAAtB,WACE,GAAKtC,KAAKynB,UAAV,CAIM,IAAAngB,GACsB,IAA1BtH,KAAKoZ,OAAOqO,UACRrB,GACAjnB,OAAOC,OAAO,GAAIgnB,GAAwBpmB,KAAKoZ,OAAOqO,WAHpDnB,YAASC,cAAWC,gBAAaH,aAKnCuQ,EAAO,WACX,GAAKnX,EAAKgI,UAAV,CAGA,IAAMra,EAAMqS,EAAKgI,UAAUpa,WAAW,MACjCD,GAAQqS,EAAK6S,cAAc5yB,SAGhC0N,EAAIypB,UAAU,EAAG,EAAGpX,EAAKgI,UAAUla,MAAOkS,EAAKgI,UAAUja,QACzDJ,EAAI0pB,YACJ1pB,EAAImZ,UAAYA,EAChBnZ,EAAIkZ,QAAUA,EACdlZ,EAAIoZ,YAAcA,EAClBpZ,EAAI2pB,OAAOtX,EAAK6S,cAAc,GAAGzd,EAAG4K,EAAK6S,cAAc,GAAGxd,GAC1D2K,EAAK6S,cAAc7qB,SAAQ,SAAC9H,GAAM,OAAAyN,EAAI4pB,OAAOr3B,EAAEkV,EAAGlV,EAAEmV,MACpD1H,EAAI6pB,YAGNj3B,KAAKsyB,cAAcxxB,KAAKwB,GACxBs0B,IACAzM,YAAW,WACT1K,EAAK6S,cAAgB7S,EAAK6S,cAActnB,QAAO,SAACrL,GAAM,OAAAA,IAAM2C,KAC5Ds0B,MACCvQ,EAAWrmB,KAAKmpB,aAAahO,MAAMrF,QAAQ2G,MAAM5F,SAG9C6T,0BAAR,SAAsBvZ,mBACpBnR,KAAKqqB,OAAOgB,gCACRwE,iBAAiB,aAClBpoB,SAAQ,SAACyvB,GACRA,EAAUzM,UAAUc,OAAO,aAG/B,IADA,IAAI4L,EAA4BhmB,EACzBgmB,GACDA,EAAU1M,WACZ0M,EAAU1M,UAAU3P,IAAI,UAE1Bqc,EAAYA,EAAUC,eAIlB1M,8BAAR,SAA0B3S,GACxB,OAAIA,EAAM7T,OAAS+N,EAAUgG,sBAI3BF,EAAMG,KAAKrV,OAASqP,EAAkBkO,UACtCrI,EAAMG,KAAKrV,QAAUqP,EAAkB0gB,QAInClI,yBAAR,WACE1qB,KAAKqtB,yBAA2B,KAC5BrtB,KAAKmpB,aAAahO,MAAMpC,QAAQ,YAGpC/Y,KAAKmpB,aAAavO,KAAK,CAAE1W,KAAM,mBAC/BlE,KAAKwb,QAAQzJ,KAAKO,EAAe+kB,QAAS,CACxCxgB,MAAO7W,KAAKmpB,aAAahO,MAAMrF,QAAQsT,gBASnCsB,8BAAR,SAA0BvC,EAAajhB,GACrClH,KAAKuf,OAAOhb,IAAI2C,EAAOqJ,KAAKC,IAAMtJ,EAMhCA,EAAOqJ,KAAKrM,OAASjF,EAASoN,SACN,aAAxBnF,EAAOqJ,KAAKhE,SACZ4b,EAAK1Y,cAEHvI,EAA2C3G,MAAQ4nB,EAAK1Y,aAE5DvI,EAAOuH,YAAY0Z,GAEnBnoB,KAAKs3B,aAAapwB,IAQZwjB,uBAAR,SAAmBxjB,WACjB,GAAIA,GACEA,EAAOzF,WAAayF,EAAOxF,aAAc,CAC3C,IAAM01B,EAAiBlwB,GACnBkwB,EAAc/lB,YAAc+lB,EAAc9lB,YAE5CtR,KAAK+nB,gBAAgBtc,IAAIvE,EAAQ,CAC/B6L,OAAQ,CAACqkB,EAAc/lB,WAAY+lB,EAAc9lB,aAGvB,UAA1B8lB,EAAc7qB,kBHtqDxB6qB,EACApP,SAEA,IACE,IAAM7E,EAAW9hB,MAAMH,gBACpBk2B,EAAmCvU,4BAAOP,WAAY,IACvD/d,KAAI,SAACX,GAAS,OAAAA,EAAK4G,WACrBwd,EAAqBvc,IAAK2rB,EAAoC,CAC5D,CACElzB,KAAMke,EAAcc,SACpBC,cAGJ,MAAOviB,KG0pDD22B,CACEH,EACAp3B,KAAKgoB,sBAET,IAAM5I,EAAWgY,EAAchY,aAC/B,IAAoB,IAAApP,EAAA/P,EAAAoB,MAAMH,KAAKke,kCAAW,CAArC,IAAMhR,UACTpO,KAAKi1B,WAAY7mB,wGAUjBsc,yBAAR,SAAqBxjB,WACnB,GAAIA,EAAOzF,WAAayF,EAAOxF,aAAc,CAC3C,IAAM01B,EAAiBlwB,EACvB,GAAIlH,KAAK+nB,gBAAgBvJ,IAAItX,GAAS,CACpC,IAAMswB,EAAcx3B,KAAK+nB,gBAAgBnd,IAAI1D,GAEzCswB,EAAYzkB,SACdqkB,EAAc/lB,WAAammB,EAAYzkB,OAAO,GAC9CqkB,EAAc9lB,UAAYkmB,EAAYzkB,OAAO,IAE/C/S,KAAK+nB,gBAAgB/M,OAAO9T,GAE9B,IAAMkY,EAAWgY,EAAchY,aAC/B,IAAoB,IAAApP,EAAA/P,EAAAoB,MAAMH,KAAKke,kCAAW,CAArC,IAAMhR,UACTpO,KAAKs3B,aAAclpB,wGAKjBsc,6BAAR,SAAyBjoB,GACvB,IAAMkgB,EAAc3iB,KAAKgoB,qBAAqBpd,IAAInI,GAC5B,UAAlBA,EAAKg1B,WAIJ9U,GAMLD,GAA6BC,EAFVlgB,KAKbioB,6BAAR,SAAyBjY,EAAoBjC,GACvCxQ,KAAK6nB,UAAU6P,UAAUlnB,GAC3BxQ,KAAKgO,KAAK,wBAAiBwC,gCAAgCiC,GAE3DzS,KAAKgO,KAAK,wBAAiBwC,mBAAmBiC,IAI1CiY,qCAAR,SACEjY,EACA1R,GAEAf,KAAKgO,KAAK,6BAA8BjN,EAAO,mBAAoB0R,IAG7DiY,8BAAR,SAA0BjY,EAAoBjC,GAOxCxQ,KAAK6nB,UAAU6P,UAAUlnB,GAC3BxQ,KAAK21B,MACHxP,GACA,wBAAiB3V,gCACjBiC,GAGFzS,KAAK21B,MAAMxP,GAAuB,wBAAiB3V,mBAAmBiC,IAIlEiY,iBAAR,eAAa,aAAArjB,mBAAAA,IAAAud,kBACN5kB,KAAKoZ,OAAO8N,aAGjBnZ,QAAQC,WAARD,WAAaoY,MAA0BvB,SAGjC8F,kBAAR,eAAc,aAAArjB,mBAAAA,IAAAud,kBACP5kB,KAAKoZ,OAAO+N,WAIjBpZ,QAAQ4pB,UAAR5pB,WAAYoY,MAA0BvB,cG15DtCgT,GAAK1T,WAAY2T,GAAMC,YAAaC,GAAMC,YAE1CC,GAAO,IAAIL,GAAG,CAAC,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAgB,EAAG,EAAoB,IAG1IM,GAAO,IAAIN,GAAG,CAAC,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,GAAI,GAAI,GAAI,GAAI,GAAI,GAAI,GAAI,GAAiB,EAAG,IAEjIO,GAAO,IAAIP,GAAG,CAAC,GAAI,GAAI,GAAI,EAAG,EAAG,EAAG,EAAG,EAAG,GAAI,EAAG,GAAI,EAAG,GAAI,EAAG,GAAI,EAAG,GAAI,EAAG,KAE7EQ,GAAO,SAAUC,EAAI91B,GAErB,IADA,IAAI8I,EAAI,IAAIwsB,GAAI,IACPt4B,EAAI,EAAGA,EAAI,KAAMA,EACtB8L,EAAE9L,GAAKgD,GAAS,GAAK81B,EAAG94B,EAAI,GAGhC,IAAIoB,EAAI,IAAIo3B,GAAI1sB,EAAE,KAClB,IAAS9L,EAAI,EAAGA,EAAI,KAAMA,EACtB,IAAK,IAAIqa,EAAIvO,EAAE9L,GAAIqa,EAAIvO,EAAE9L,EAAI,KAAMqa,EAC/BjZ,EAAEiZ,GAAOA,EAAIvO,EAAE9L,IAAO,EAAKA,EAGnC,MAAO,CAAC8L,EAAG1K,IAEX2G,GAAK8wB,GAAKH,GAAM,GAAIK,GAAKhxB,GAAG,GAAIixB,GAAQjxB,GAAG,GAE/CgxB,GAAG,IAAM,IAAKC,GAAM,KAAO,GAI3B,QAHwBC,GAAfJ,GAAKF,GAAM,GAAY,GAE5BO,GAAM,IAAIZ,GAAI,OACTt4B,GAAI,EAAGA,GAAI,QAASA,GAAG,CAE5B,IAAIsV,IAAU,MAAJtV,MAAgB,GAAW,MAAJA,KAAe,EAEhDsV,IAAU,OADVA,IAAU,MAAJA,MAAgB,GAAW,MAAJA,KAAe,MACtB,GAAW,KAAJA,KAAe,EAC5C4jB,GAAIl5B,MAAY,MAAJsV,MAAgB,GAAW,IAAJA,KAAe,KAAQ,EAK9D,IAAI6jB,YAAkBC,EAAIC,EAAIj4B,GAO1B,IANA,IAAIrB,EAAIq5B,EAAGj5B,OAEPH,EAAI,EAEJ6B,EAAI,IAAIy2B,GAAIe,GAETr5B,EAAID,IAAKC,IACV6B,EAAEu3B,EAAGp5B,GAAK,GAEhB,IAIIs5B,EAJAC,EAAK,IAAIjB,GAAIe,GACjB,IAAKr5B,EAAI,EAAGA,EAAIq5B,IAAMr5B,EAClBu5B,EAAGv5B,GAAMu5B,EAAGv5B,EAAI,GAAK6B,EAAE7B,EAAI,IAAO,EAGtC,GAAIoB,EAAG,CAEHk4B,EAAK,IAAIhB,GAAI,GAAKe,GAElB,IAAIG,EAAM,GAAKH,EACf,IAAKr5B,EAAI,EAAGA,EAAID,IAAKC,EAEjB,GAAIo5B,EAAGp5B,GAQH,IANA,IAAIy5B,EAAMz5B,GAAK,EAAKo5B,EAAGp5B,GAEnB05B,EAAML,EAAKD,EAAGp5B,GAEdmI,EAAIoxB,EAAGH,EAAGp5B,GAAK,MAAQ05B,EAElB54B,EAAIqH,GAAM,GAAKuxB,GAAO,EAAIvxB,GAAKrH,IAAKqH,EAEzCmxB,EAAGJ,GAAI/wB,KAAOqxB,GAAOC,OAOjC,IADAH,EAAK,IAAIhB,GAAIv4B,GACRC,EAAI,EAAGA,EAAID,IAAKC,EACjBs5B,EAAGt5B,GAAKk5B,GAAIK,EAAGH,EAAGp5B,GAAK,QAAW,GAAKo5B,EAAGp5B,GAElD,OAAOs5B,GAGPK,GAAM,IAAItB,GAAG,KACjB,IAASr4B,GAAI,EAAGA,GAAI,MAAOA,GACvB25B,GAAI35B,IAAK,EACb,IAASA,GAAI,IAAKA,GAAI,MAAOA,GACzB25B,GAAI35B,IAAK,EACb,IAASA,GAAI,IAAKA,GAAI,MAAOA,GACzB25B,GAAI35B,IAAK,EACb,IAASA,GAAI,IAAKA,GAAI,MAAOA,GACzB25B,GAAI35B,IAAK,EAEb,IAAI45B,GAAM,IAAIvB,GAAG,IACjB,IAASr4B,GAAI,EAAGA,GAAI,KAAMA,GACtB45B,GAAI55B,IAAK,MAE4B65B,GAAqBV,GAAKQ,GAAK,EAAG,GAElCG,GAAqBX,GAAKS,GAAK,EAAG,GAEvElL,GAAM,SAAU7iB,GAEhB,IADA,IAAI/K,EAAI+K,EAAE,GACD7L,EAAI,EAAGA,EAAI6L,EAAE1L,SAAUH,EACxB6L,EAAE7L,GAAKc,IACPA,EAAI+K,EAAE7L,IAEd,OAAOc,GAGPi5B,GAAO,SAAU7mB,EAAG9S,EAAGU,GACvB,IAAIH,EAAKP,EAAI,GAAM,EACnB,OAAS8S,EAAEvS,GAAMuS,EAAEvS,EAAI,IAAM,MAAa,EAAJP,GAAUU,GAGhDk5B,GAAS,SAAU9mB,EAAG9S,GACtB,IAAIO,EAAKP,EAAI,GAAM,EACnB,OAAS8S,EAAEvS,GAAMuS,EAAEvS,EAAI,IAAM,EAAMuS,EAAEvS,EAAI,IAAM,OAAc,EAAJP,IAMzD65B,GAAM,SAAU9xB,EAAGpI,EAAGsB,IACb,MAALtB,GAAaA,EAAI,KACjBA,EAAI,IACC,MAALsB,GAAaA,EAAI8G,EAAEhI,UACnBkB,EAAI8G,EAAEhI,QAEV,IAAIF,EAAI,IAAKkI,aAAamwB,GAAMA,GAAMnwB,aAAaqwB,GAAMA,GAAMH,IAAIh3B,EAAItB,GAEvE,OADAE,EAAEiM,IAAI/D,EAAE+xB,SAASn6B,EAAGsB,IACbpB,GAsqCJ,SAASk6B,GAAWxhB,EAAMyhB,GAC7B,OApqCQ,SAAUC,EAAKC,EAAKC,GAE5B,IAAIC,EAAKH,EAAIl6B,OAETs6B,GAASH,GAAOC,EAEhBG,GAAQH,GAAMA,EAAGv6B,EAChBu6B,IACDA,EAAK,IAEJD,IACDA,EAAM,IAAIjC,GAAQ,EAALmC,IAEjB,IA3BiBp6B,EA2Bbu6B,EAAO,SAAU94B,GACjB,IAAI+4B,EAAKN,EAAIn6B,OAEb,GAAI0B,EAAI+4B,EAAI,CAER,IAAIC,EAAO,IAAIxC,GAAGxhB,KAAK6X,IAAS,EAALkM,EAAQ/4B,IACnCg5B,EAAK3uB,IAAIouB,GACTA,EAAMO,IAIVC,EAAQP,EAAG9gB,GAAK,EAAG/U,EAAM61B,EAAGn6B,GAAK,EAAG26B,EAAKR,EAAGzuB,GAAK,EAAGkvB,EAAKT,EAAG14B,EAAGo5B,EAAKV,EAAGrnB,EAAGgoB,EAAMX,EAAGz5B,EAAGq6B,EAAMZ,EAAGt6B,EAE/Fm7B,EAAY,EAALZ,EACX,EAAG,CACC,IAAKQ,EAAI,CAELT,EAAG9gB,EAAIqhB,EAAQf,GAAKM,EAAK31B,EAAK,GAE9B,IAAIC,EAAOo1B,GAAKM,EAAK31B,EAAM,EAAG,GAE9B,GADAA,GAAO,GACFC,EAAM,CAEP,IAAuB9C,EAAIw4B,GAAvBt6B,IAlDCK,EAkDQsE,GAlDU,GAAM,IAAU,EAAJtE,GAAS,GAkDxB,GAAe,GAAMi6B,EAAIt6B,EAAI,IAAM,EAAID,EAAIC,EAAI8B,EACnE,GAAI/B,EAAI06B,EAAI,CACR,GAAIE,EACA,KAAM,iBACV,MAGAD,GACAE,EAAKI,EAAKl5B,GAEdy4B,EAAIpuB,IAAImuB,EAAIH,SAASn6B,EAAGD,GAAIi7B,GAE5BR,EAAGzuB,EAAIivB,GAAMl5B,EAAG04B,EAAGn6B,EAAIsE,EAAU,EAAJ5E,EAC7B,SAEC,GAAY,GAAR6E,EACLq2B,EAAKnB,GAAMoB,EAAKnB,GAAMoB,EAAM,EAAGC,EAAM,MACpC,CAAA,GAAY,GAARx2B,EAqDL,KAAM,qBAnDN,IAAI02B,EAAOtB,GAAKM,EAAK31B,EAAK,IAAM,IAAK42B,EAAQvB,GAAKM,EAAK31B,EAAM,GAAI,IAAM,EACnE62B,EAAKF,EAAOtB,GAAKM,EAAK31B,EAAM,EAAG,IAAM,EACzCA,GAAO,GAKP,IAHA,IAAI82B,EAAM,IAAInD,GAAGkD,GAEbE,EAAM,IAAIpD,GAAG,IACRr4B,EAAI,EAAGA,EAAIs7B,IAASt7B,EAEzBy7B,EAAI7C,GAAK54B,IAAM+5B,GAAKM,EAAK31B,EAAU,EAAJ1E,EAAO,GAE1C0E,GAAe,EAAR42B,EAEP,IAAII,EAAMhN,GAAI+M,GAAME,GAAU,GAAKD,GAAO,EAC1C,IAAKhB,GAAQh2B,EAAM62B,GAAMG,EAAM,GAAKN,EAChC,MAEJ,IAAIQ,EAAMzC,GAAKsC,EAAKC,EAAK,GACzB,IAAS17B,EAAI,EAAGA,EAAIu7B,GAAK,CACrB,IAIIx7B,EAJAqB,EAAIw6B,EAAI7B,GAAKM,EAAK31B,EAAKi3B,IAM3B,GAJAj3B,GAAW,GAAJtD,GAEHrB,EAAIqB,IAAM,GAEN,GACJo6B,EAAIx7B,KAAOD,MAEV,CAED,IAAIyE,EAAI,EAAGvE,EAAI,EAOf,IANS,IAALF,GACAE,EAAI,EAAI85B,GAAKM,EAAK31B,EAAK,GAAIA,GAAO,EAAGF,EAAIg3B,EAAIx7B,EAAI,IACvC,IAALD,GACLE,EAAI,EAAI85B,GAAKM,EAAK31B,EAAK,GAAIA,GAAO,GACxB,IAAL3E,IACLE,EAAI,GAAK85B,GAAKM,EAAK31B,EAAK,KAAMA,GAAO,GAClCzE,KACHu7B,EAAIx7B,KAAOwE,GAIvB,IAAIq3B,EAAKL,EAAItB,SAAS,EAAGmB,GAAOS,EAAKN,EAAItB,SAASmB,GAElDH,EAAMxM,GAAImN,GAEVV,EAAMzM,GAAIoN,GACVd,EAAK7B,GAAK0C,EAAIX,EAAK,GACnBD,EAAK9B,GAAK2C,EAAIX,EAAK,GAIvB,GAAIz2B,EAAM02B,EACN,KAAM,iBAIVX,GACAE,EAAKI,EAAK,QAGd,IAFA,IAAIgB,GAAO,GAAKb,GAAO,EAAGc,GAAO,GAAKb,GAAO,EACzCc,EAAMf,EAAMC,EAAM,GACfT,GAAQh2B,EAAMu3B,EAAMb,GAAM,CAE7B,IAAoCc,GAAhC13B,EAAIw2B,EAAGhB,GAAOK,EAAK31B,GAAOq3B,MAAkB,EAEhD,IADAr3B,GAAW,GAAJF,GACG42B,EACN,KAAM,iBACV,IAAK52B,EACD,KAAM,yBACV,GAAI03B,EAAM,IACN5B,EAAIS,KAAQmB,MACX,CAAA,GAAW,KAAPA,EAAY,CACjBlB,EAAK,KACL,MAGA,IAAIzf,EAAM2gB,EAAM,IAEhB,GAAIA,EAAM,IAAK,CAEX,IAAmBpwB,EAAI4sB,GAAnB14B,EAAIk8B,EAAM,KACd3gB,EAAMwe,GAAKM,EAAK31B,GAAM,GAAKoH,GAAK,GAAKitB,GAAG/4B,GACxC0E,GAAOoH,EAGX,IAAIoH,EAAI+nB,EAAGjB,GAAOK,EAAK31B,GAAOs3B,GAAMG,EAAOjpB,IAAM,EACjD,IAAKA,EACD,KAAM,mBAOV,GANAxO,GAAW,GAAJwO,EACH4oB,EAAK7C,GAAGkD,GACRA,EAAO,IACHrwB,EAAI6sB,GAAKwD,GACbL,GAAM9B,GAAOK,EAAK31B,IAAS,GAAKoH,GAAK,EAAIpH,GAAOoH,GAEhDpH,EAAM02B,EACN,KAAM,iBACNX,GACAE,EAAKI,EAAK,QAEd,IADA,IAAI13B,EAAM03B,EAAKxf,EACRwf,EAAK13B,EAAK03B,GAAM,EACnBT,EAAIS,GAAMT,EAAIS,EAAKe,GACnBxB,EAAIS,EAAK,GAAKT,EAAIS,EAAK,EAAIe,GAC3BxB,EAAIS,EAAK,GAAKT,EAAIS,EAAK,EAAIe,GAC3BxB,EAAIS,EAAK,GAAKT,EAAIS,EAAK,EAAIe,GAE/Bf,EAAK13B,GAGbk3B,EAAG14B,EAAIm5B,EAAIT,EAAGn6B,EAAIsE,EAAK61B,EAAGzuB,EAAIivB,EAC1BC,IACAF,EAAQ,EAAGP,EAAGz5B,EAAIo6B,EAAKX,EAAGrnB,EAAI+nB,EAAIV,EAAGt6B,EAAIk7B,UACvCL,GACV,OAAOC,GAAMT,EAAIn6B,OAASm6B,EAAML,GAAIK,EAAK,EAAGS,GA6/BrCqB,EAvcD,SAAUlpB,GAChB,GAAmB,IAAP,GAAPA,EAAE,KAAkBA,EAAE,KAAO,EAAK,IAAOA,EAAE,IAAM,EAAIA,EAAE,IAAM,GAC9D,KAAM,oBACV,GAAW,GAAPA,EAAE,GACF,KAAM,uDAmcImpB,CAAI1jB,GAAOA,EAAKuhB,SAAS,GAAI,IAAKE,iCC3zCpB,SAACkC,GAC/B,GAAmB,iBAARA,EACT,OAAOA,EAET,IAEE,IADMj7B,EAAmBwwB,KAAKxvB,MAAMi6B,IAC9BtjB,UACJ,OAAO3X,EAET,MAAOG,IAGT,IACE,IAAMH,EAGN,GCXgB,QDQVA,EAA4BwwB,KAAKxvB,MDw8CpC,SAAmBg4B,EAAKkC,GAC3B,IAAIn7B,EAAI,GACR,IAAKm7B,GAAgC,oBAAfC,YAClB,OAAO,IAAIA,aAAcxW,OAAOqU,GACpC,IAAK,IAAIr6B,EAAI,EAAGA,EAAIq6B,EAAIl6B,QAAS,CAC7B,IAAIqE,EAAI61B,EAAIr6B,KACRwE,EAAI,KAAO+3B,EACXn7B,GAAK6rB,OAAOwP,aAAaj4B,GACpBA,EAAI,IACTpD,GAAK6rB,OAAOwP,cAAkB,GAAJj4B,IAAW,EAAgB,GAAX61B,EAAIr6B,MACzCwE,EAAI,IACTpD,GAAK6rB,OAAOwP,cAAkB,GAAJj4B,IAAW,IAAiB,GAAX61B,EAAIr6B,OAAc,EAAgB,GAAXq6B,EAAIr6B,OAEtEwE,IAAU,GAAJA,IAAW,IAAiB,GAAX61B,EAAIr6B,OAAc,IAAiB,GAAXq6B,EAAIr6B,OAAc,EAAgB,GAAXq6B,EAAIr6B,MAAc,MACpFoB,GAAK6rB,OAAOwP,aAAa,MAASj4B,GAAK,GAAK,MAAa,KAAJA,IAEjE,OAAOpD,ECv9CLs7B,CAAUvC,GDs6CT,SAAiBx3B,EAAK45B,GACzB,IAAI16B,EAAIc,EAAIxC,OACZ,IAAKo8B,GAAgC,oBAAfI,YAClB,OAAO,IAAIA,aAAcC,OAAOj6B,GAIpC,IAHA,IAAIrB,EAAK,IAAI+2B,GAAG11B,EAAIxC,QAAUwC,EAAIxC,SAAW,IACzC08B,EAAK,EACL5pB,EAAI,SAAU9K,GAAK7G,EAAGu7B,KAAQ10B,GACzBnI,EAAI,EAAGA,EAAI6B,IAAK7B,EAAG,CACxB,GAAI68B,EAAK,EAAIv7B,EAAGnB,OAAQ,CACpB,IAAIF,EAAI,IAAIo4B,GAAGwE,EAAK,GAAMh7B,EAAI7B,GAAM,IACpCC,EAAEiM,IAAI5K,GACNA,EAAKrB,EAET,IAAIuE,EAAI7B,EAAIiiB,WAAW5kB,GACnBwE,EAAI,KAAO+3B,EACXtpB,EAAEzO,GACGA,EAAI,MACTyO,EAAE,IAAOzO,IAAM,GAAKyO,EAAE,IAAW,GAAJzO,IACxBA,EAAI,OAASA,EAAI,OAElByO,EAAE,KADNzO,EAAI,OAAa,QAAJA,GAAyC,KAAtB7B,EAAIiiB,aAAa5kB,MAC9B,IAAMiT,EAAE,IAAQzO,IAAM,GAAM,IAAMyO,EAAE,IAAQzO,IAAM,EAAK,IAAMyO,EAAE,IAAW,GAAJzO,KAEzFyO,EAAE,IAAOzO,IAAM,IAAMyO,EAAE,IAAQzO,IAAM,EAAK,IAAMyO,EAAE,IAAW,GAAJzO,IAEjE,OAAOy1B,GAAI34B,EAAI,EAAGu7B,GC97CKC,CAAQR,GAAK,OAE9Bn0B,EACJ,OAAO9G,EAET,MAAM,IAAIsC,MACR,+CAAwCtC,EAAE8G,wDCf5B,WDiBhB,MAAO3G,GAEP,MADAgN,QAAQhN,MAAMA,GACR,IAAImC,MAAM"} +\ No newline at end of file ++{"version":3,"file":"rrweb-replay-unpack.min.js","sources":["../../node_modules/tslib/tslib.es6.js","../../../rrweb-snapshot/es/rrweb-snapshot.js","../../../../node_modules/mitt/dist/mitt.es.js","../../../src/types.ts","../../../src/replay/smoothscroll.ts","../../../src/replay/timer.ts","../../../../node_modules/@xstate/fsm/es/index.js","../../../src/replay/machine.ts","../../../src/utils.ts","../../../src/replay/styles/inject-style.ts","../../../src/replay/virtual-styles.ts","../../../../node_modules/base64-arraybuffer/dist/base64-arraybuffer.es5.js","../../../src/replay/canvas/webgl.ts","../../../src/replay/index.ts","../../../src/replay/canvas/index.ts","../../../src/replay/canvas/2d.ts","../../../../node_modules/fflate/esm/browser.js","../../../src/packer/unpack.ts","../../../src/packer/base.ts"],"sourcesContent":["/*! *****************************************************************************\r\nCopyright (c) Microsoft Corporation.\r\n\r\nPermission to use, copy, modify, and/or distribute this software for any\r\npurpose with or without fee is hereby granted.\r\n\r\nTHE SOFTWARE IS PROVIDED \"AS IS\" AND THE AUTHOR DISCLAIMS ALL WARRANTIES WITH\r\nREGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF MERCHANTABILITY\r\nAND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR ANY SPECIAL, DIRECT,\r\nINDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES WHATSOEVER RESULTING FROM\r\nLOSS OF USE, DATA OR PROFITS, WHETHER IN AN ACTION OF CONTRACT, NEGLIGENCE OR\r\nOTHER TORTIOUS ACTION, ARISING OUT OF OR IN CONNECTION WITH THE USE OR\r\nPERFORMANCE OF THIS SOFTWARE.\r\n***************************************************************************** */\r\n/* global Reflect, Promise */\r\n\r\nvar extendStatics = function(d, b) {\r\n extendStatics = Object.setPrototypeOf ||\r\n ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) ||\r\n function (d, b) { for (var p in b) if (Object.prototype.hasOwnProperty.call(b, p)) d[p] = b[p]; };\r\n return extendStatics(d, b);\r\n};\r\n\r\nexport function __extends(d, b) {\r\n if (typeof b !== \"function\" && b !== null)\r\n throw new TypeError(\"Class extends value \" + String(b) + \" is not a constructor or null\");\r\n extendStatics(d, b);\r\n function __() { this.constructor = d; }\r\n d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __());\r\n}\r\n\r\nexport var __assign = function() {\r\n __assign = Object.assign || function __assign(t) {\r\n for (var s, i = 1, n = arguments.length; i < n; i++) {\r\n s = arguments[i];\r\n for (var p in s) if (Object.prototype.hasOwnProperty.call(s, p)) t[p] = s[p];\r\n }\r\n return t;\r\n }\r\n return __assign.apply(this, arguments);\r\n}\r\n\r\nexport function __rest(s, e) {\r\n var t = {};\r\n for (var p in s) if (Object.prototype.hasOwnProperty.call(s, p) && e.indexOf(p) < 0)\r\n t[p] = s[p];\r\n if (s != null && typeof Object.getOwnPropertySymbols === \"function\")\r\n for (var i = 0, p = Object.getOwnPropertySymbols(s); i < p.length; i++) {\r\n if (e.indexOf(p[i]) < 0 && Object.prototype.propertyIsEnumerable.call(s, p[i]))\r\n t[p[i]] = s[p[i]];\r\n }\r\n return t;\r\n}\r\n\r\nexport function __decorate(decorators, target, key, desc) {\r\n var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d;\r\n if (typeof Reflect === \"object\" && typeof Reflect.decorate === \"function\") r = Reflect.decorate(decorators, target, key, desc);\r\n else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r;\r\n return c > 3 && r && Object.defineProperty(target, key, r), r;\r\n}\r\n\r\nexport function __param(paramIndex, decorator) {\r\n return function (target, key) { decorator(target, key, paramIndex); }\r\n}\r\n\r\nexport function __metadata(metadataKey, metadataValue) {\r\n if (typeof Reflect === \"object\" && typeof Reflect.metadata === \"function\") return Reflect.metadata(metadataKey, metadataValue);\r\n}\r\n\r\nexport function __awaiter(thisArg, _arguments, P, generator) {\r\n function adopt(value) { return value instanceof P ? value : new P(function (resolve) { resolve(value); }); }\r\n return new (P || (P = Promise))(function (resolve, reject) {\r\n function fulfilled(value) { try { step(generator.next(value)); } catch (e) { reject(e); } }\r\n function rejected(value) { try { step(generator[\"throw\"](value)); } catch (e) { reject(e); } }\r\n function step(result) { result.done ? resolve(result.value) : adopt(result.value).then(fulfilled, rejected); }\r\n step((generator = generator.apply(thisArg, _arguments || [])).next());\r\n });\r\n}\r\n\r\nexport function __generator(thisArg, body) {\r\n var _ = { label: 0, sent: function() { if (t[0] & 1) throw t[1]; return t[1]; }, trys: [], ops: [] }, f, y, t, g;\r\n return g = { next: verb(0), \"throw\": verb(1), \"return\": verb(2) }, typeof Symbol === \"function\" && (g[Symbol.iterator] = function() { return this; }), g;\r\n function verb(n) { return function (v) { return step([n, v]); }; }\r\n function step(op) {\r\n if (f) throw new TypeError(\"Generator is already executing.\");\r\n while (_) try {\r\n if (f = 1, y && (t = op[0] & 2 ? y[\"return\"] : op[0] ? y[\"throw\"] || ((t = y[\"return\"]) && t.call(y), 0) : y.next) && !(t = t.call(y, op[1])).done) return t;\r\n if (y = 0, t) op = [op[0] & 2, t.value];\r\n switch (op[0]) {\r\n case 0: case 1: t = op; break;\r\n case 4: _.label++; return { value: op[1], done: false };\r\n case 5: _.label++; y = op[1]; op = [0]; continue;\r\n case 7: op = _.ops.pop(); _.trys.pop(); continue;\r\n default:\r\n if (!(t = _.trys, t = t.length > 0 && t[t.length - 1]) && (op[0] === 6 || op[0] === 2)) { _ = 0; continue; }\r\n if (op[0] === 3 && (!t || (op[1] > t[0] && op[1] < t[3]))) { _.label = op[1]; break; }\r\n if (op[0] === 6 && _.label < t[1]) { _.label = t[1]; t = op; break; }\r\n if (t && _.label < t[2]) { _.label = t[2]; _.ops.push(op); break; }\r\n if (t[2]) _.ops.pop();\r\n _.trys.pop(); continue;\r\n }\r\n op = body.call(thisArg, _);\r\n } catch (e) { op = [6, e]; y = 0; } finally { f = t = 0; }\r\n if (op[0] & 5) throw op[1]; return { value: op[0] ? op[1] : void 0, done: true };\r\n }\r\n}\r\n\r\nexport var __createBinding = Object.create ? (function(o, m, k, k2) {\r\n if (k2 === undefined) k2 = k;\r\n Object.defineProperty(o, k2, { enumerable: true, get: function() { return m[k]; } });\r\n}) : (function(o, m, k, k2) {\r\n if (k2 === undefined) k2 = k;\r\n o[k2] = m[k];\r\n});\r\n\r\nexport function __exportStar(m, o) {\r\n for (var p in m) if (p !== \"default\" && !Object.prototype.hasOwnProperty.call(o, p)) __createBinding(o, m, p);\r\n}\r\n\r\nexport function __values(o) {\r\n var s = typeof Symbol === \"function\" && Symbol.iterator, m = s && o[s], i = 0;\r\n if (m) return m.call(o);\r\n if (o && typeof o.length === \"number\") return {\r\n next: function () {\r\n if (o && i >= o.length) o = void 0;\r\n return { value: o && o[i++], done: !o };\r\n }\r\n };\r\n throw new TypeError(s ? \"Object is not iterable.\" : \"Symbol.iterator is not defined.\");\r\n}\r\n\r\nexport function __read(o, n) {\r\n var m = typeof Symbol === \"function\" && o[Symbol.iterator];\r\n if (!m) return o;\r\n var i = m.call(o), r, ar = [], e;\r\n try {\r\n while ((n === void 0 || n-- > 0) && !(r = i.next()).done) ar.push(r.value);\r\n }\r\n catch (error) { e = { error: error }; }\r\n finally {\r\n try {\r\n if (r && !r.done && (m = i[\"return\"])) m.call(i);\r\n }\r\n finally { if (e) throw e.error; }\r\n }\r\n return ar;\r\n}\r\n\r\n/** @deprecated */\r\nexport function __spread() {\r\n for (var ar = [], i = 0; i < arguments.length; i++)\r\n ar = ar.concat(__read(arguments[i]));\r\n return ar;\r\n}\r\n\r\n/** @deprecated */\r\nexport function __spreadArrays() {\r\n for (var s = 0, i = 0, il = arguments.length; i < il; i++) s += arguments[i].length;\r\n for (var r = Array(s), k = 0, i = 0; i < il; i++)\r\n for (var a = arguments[i], j = 0, jl = a.length; j < jl; j++, k++)\r\n r[k] = a[j];\r\n return r;\r\n}\r\n\r\nexport function __spreadArray(to, from, pack) {\r\n if (pack || arguments.length === 2) for (var i = 0, l = from.length, ar; i < l; i++) {\r\n if (ar || !(i in from)) {\r\n if (!ar) ar = Array.prototype.slice.call(from, 0, i);\r\n ar[i] = from[i];\r\n }\r\n }\r\n return to.concat(ar || Array.prototype.slice.call(from));\r\n}\r\n\r\nexport function __await(v) {\r\n return this instanceof __await ? (this.v = v, this) : new __await(v);\r\n}\r\n\r\nexport function __asyncGenerator(thisArg, _arguments, generator) {\r\n if (!Symbol.asyncIterator) throw new TypeError(\"Symbol.asyncIterator is not defined.\");\r\n var g = generator.apply(thisArg, _arguments || []), i, q = [];\r\n return i = {}, verb(\"next\"), verb(\"throw\"), verb(\"return\"), i[Symbol.asyncIterator] = function () { return this; }, i;\r\n function verb(n) { if (g[n]) i[n] = function (v) { return new Promise(function (a, b) { q.push([n, v, a, b]) > 1 || resume(n, v); }); }; }\r\n function resume(n, v) { try { step(g[n](v)); } catch (e) { settle(q[0][3], e); } }\r\n function step(r) { r.value instanceof __await ? Promise.resolve(r.value.v).then(fulfill, reject) : settle(q[0][2], r); }\r\n function fulfill(value) { resume(\"next\", value); }\r\n function reject(value) { resume(\"throw\", value); }\r\n function settle(f, v) { if (f(v), q.shift(), q.length) resume(q[0][0], q[0][1]); }\r\n}\r\n\r\nexport function __asyncDelegator(o) {\r\n var i, p;\r\n return i = {}, verb(\"next\"), verb(\"throw\", function (e) { throw e; }), verb(\"return\"), i[Symbol.iterator] = function () { return this; }, i;\r\n function verb(n, f) { i[n] = o[n] ? function (v) { return (p = !p) ? { value: __await(o[n](v)), done: n === \"return\" } : f ? f(v) : v; } : f; }\r\n}\r\n\r\nexport function __asyncValues(o) {\r\n if (!Symbol.asyncIterator) throw new TypeError(\"Symbol.asyncIterator is not defined.\");\r\n var m = o[Symbol.asyncIterator], i;\r\n return m ? m.call(o) : (o = typeof __values === \"function\" ? __values(o) : o[Symbol.iterator](), i = {}, verb(\"next\"), verb(\"throw\"), verb(\"return\"), i[Symbol.asyncIterator] = function () { return this; }, i);\r\n function verb(n) { i[n] = o[n] && function (v) { return new Promise(function (resolve, reject) { v = o[n](v), settle(resolve, reject, v.done, v.value); }); }; }\r\n function settle(resolve, reject, d, v) { Promise.resolve(v).then(function(v) { resolve({ value: v, done: d }); }, reject); }\r\n}\r\n\r\nexport function __makeTemplateObject(cooked, raw) {\r\n if (Object.defineProperty) { Object.defineProperty(cooked, \"raw\", { value: raw }); } else { cooked.raw = raw; }\r\n return cooked;\r\n};\r\n\r\nvar __setModuleDefault = Object.create ? (function(o, v) {\r\n Object.defineProperty(o, \"default\", { enumerable: true, value: v });\r\n}) : function(o, v) {\r\n o[\"default\"] = v;\r\n};\r\n\r\nexport function __importStar(mod) {\r\n if (mod && mod.__esModule) return mod;\r\n var result = {};\r\n if (mod != null) for (var k in mod) if (k !== \"default\" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding(result, mod, k);\r\n __setModuleDefault(result, mod);\r\n return result;\r\n}\r\n\r\nexport function __importDefault(mod) {\r\n return (mod && mod.__esModule) ? mod : { default: mod };\r\n}\r\n\r\nexport function __classPrivateFieldGet(receiver, state, kind, f) {\r\n if (kind === \"a\" && !f) throw new TypeError(\"Private accessor was defined without a getter\");\r\n if (typeof state === \"function\" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError(\"Cannot read private member from an object whose class did not declare it\");\r\n return kind === \"m\" ? f : kind === \"a\" ? f.call(receiver) : f ? f.value : state.get(receiver);\r\n}\r\n\r\nexport function __classPrivateFieldSet(receiver, state, value, kind, f) {\r\n if (kind === \"m\") throw new TypeError(\"Private method is not writable\");\r\n if (kind === \"a\" && !f) throw new TypeError(\"Private accessor was defined without a setter\");\r\n if (typeof state === \"function\" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError(\"Cannot write private member to an object whose class did not declare it\");\r\n return (kind === \"a\" ? f.call(receiver, value) : f ? f.value = value : state.set(receiver, value)), value;\r\n}\r\n","var NodeType;\n(function (NodeType) {\n NodeType[NodeType[\"Document\"] = 0] = \"Document\";\n NodeType[NodeType[\"DocumentType\"] = 1] = \"DocumentType\";\n NodeType[NodeType[\"Element\"] = 2] = \"Element\";\n NodeType[NodeType[\"Text\"] = 3] = \"Text\";\n NodeType[NodeType[\"CDATA\"] = 4] = \"CDATA\";\n NodeType[NodeType[\"Comment\"] = 5] = \"Comment\";\n})(NodeType || (NodeType = {}));\n\nfunction isElement(n) {\n return n.nodeType === n.ELEMENT_NODE;\n}\nfunction isShadowRoot(n) {\n var _a;\n var host = (_a = n) === null || _a === void 0 ? void 0 : _a.host;\n return Boolean(host && host.shadowRoot && host.shadowRoot === n);\n}\nfunction maskInputValue(_a) {\n var input = _a.input, maskInputSelector = _a.maskInputSelector, unmaskInputSelector = _a.unmaskInputSelector, maskInputOptions = _a.maskInputOptions, tagName = _a.tagName, type = _a.type, value = _a.value, maskInputFn = _a.maskInputFn;\n var text = value || '';\n if (unmaskInputSelector && input.matches(unmaskInputSelector)) {\n return text;\n }\n if (maskInputOptions[tagName.toLowerCase()] ||\n maskInputOptions[type] ||\n (maskInputSelector && input.matches(maskInputSelector))) {\n if (maskInputFn) {\n text = maskInputFn(text);\n }\n else {\n text = '*'.repeat(text.length);\n }\n }\n return text;\n}\nvar ORIGINAL_ATTRIBUTE_NAME = '__rrweb_original__';\nfunction is2DCanvasBlank(canvas) {\n var ctx = canvas.getContext('2d');\n if (!ctx)\n return true;\n var chunkSize = 50;\n for (var x = 0; x < canvas.width; x += chunkSize) {\n for (var y = 0; y < canvas.height; y += chunkSize) {\n var getImageData = ctx.getImageData;\n var originalGetImageData = ORIGINAL_ATTRIBUTE_NAME in getImageData\n ? getImageData[ORIGINAL_ATTRIBUTE_NAME]\n : getImageData;\n var pixelBuffer = new Uint32Array(originalGetImageData.call(ctx, x, y, Math.min(chunkSize, canvas.width - x), Math.min(chunkSize, canvas.height - y)).data.buffer);\n if (pixelBuffer.some(function (pixel) { return pixel !== 0; }))\n return false;\n }\n }\n return true;\n}\n\nvar _id = 1;\nvar tagNameRegex = new RegExp('[^a-z0-9-_:]');\nvar IGNORED_NODE = -2;\nfunction genId() {\n return _id++;\n}\nfunction getValidTagName(element) {\n if (element instanceof HTMLFormElement) {\n return 'form';\n }\n var processedTagName = element.tagName.toLowerCase().trim();\n if (tagNameRegex.test(processedTagName)) {\n return 'div';\n }\n return processedTagName;\n}\nfunction getCssRulesString(s) {\n try {\n var rules = s.rules || s.cssRules;\n return rules ? Array.from(rules).map(getCssRuleString).join('') : null;\n }\n catch (error) {\n return null;\n }\n}\nfunction getCssRuleString(rule) {\n var cssStringified = rule.cssText;\n if (isCSSImportRule(rule)) {\n try {\n cssStringified = getCssRulesString(rule.styleSheet) || cssStringified;\n }\n catch (_a) {\n }\n }\n return cssStringified;\n}\nfunction isCSSImportRule(rule) {\n return 'styleSheet' in rule;\n}\nfunction stringifyStyleSheet(sheet) {\n return sheet.cssRules\n ? Array.from(sheet.cssRules)\n .map(function (rule) { return rule.cssText || ''; })\n .join('')\n : '';\n}\nfunction extractOrigin(url) {\n var origin = '';\n if (url.indexOf('//') > -1) {\n origin = url.split('/').slice(0, 3).join('/');\n }\n else {\n origin = url.split('/')[0];\n }\n origin = origin.split('?')[0];\n return origin;\n}\nvar canvasService;\nvar canvasCtx;\nvar URL_IN_CSS_REF = /url\\((?:(')([^']*)'|(\")(.*?)\"|([^)]*))\\)/gm;\nvar RELATIVE_PATH = /^(?!www\\.|(?:http|ftp)s?:\\/\\/|[A-Za-z]:\\\\|\\/\\/|#).*/;\nvar DATA_URI = /^(data:)([^,]*),(.*)/i;\nfunction absoluteToStylesheet(cssText, href) {\n return (cssText || '').replace(URL_IN_CSS_REF, function (origin, quote1, path1, quote2, path2, path3) {\n var filePath = path1 || path2 || path3;\n var maybeQuote = quote1 || quote2 || '';\n if (!filePath) {\n return origin;\n }\n if (!RELATIVE_PATH.test(filePath)) {\n return \"url(\" + maybeQuote + filePath + maybeQuote + \")\";\n }\n if (DATA_URI.test(filePath)) {\n return \"url(\" + maybeQuote + filePath + maybeQuote + \")\";\n }\n if (filePath[0] === '/') {\n return \"url(\" + maybeQuote + (extractOrigin(href) + filePath) + maybeQuote + \")\";\n }\n var stack = href.split('/');\n var parts = filePath.split('/');\n stack.pop();\n for (var _i = 0, parts_1 = parts; _i < parts_1.length; _i++) {\n var part = parts_1[_i];\n if (part === '.') {\n continue;\n }\n else if (part === '..') {\n stack.pop();\n }\n else {\n stack.push(part);\n }\n }\n return \"url(\" + maybeQuote + stack.join('/') + maybeQuote + \")\";\n });\n}\nvar SRCSET_NOT_SPACES = /^[^ \\t\\n\\r\\u000c]+/;\nvar SRCSET_COMMAS_OR_SPACES = /^[, \\t\\n\\r\\u000c]+/;\nfunction getAbsoluteSrcsetString(doc, attributeValue) {\n if (attributeValue.trim() === '') {\n return attributeValue;\n }\n var pos = 0;\n function collectCharacters(regEx) {\n var chars;\n var match = regEx.exec(attributeValue.substring(pos));\n if (match) {\n chars = match[0];\n pos += chars.length;\n return chars;\n }\n return '';\n }\n var output = [];\n while (true) {\n collectCharacters(SRCSET_COMMAS_OR_SPACES);\n if (pos >= attributeValue.length) {\n break;\n }\n var url = collectCharacters(SRCSET_NOT_SPACES);\n if (url.slice(-1) === ',') {\n url = absoluteToDoc(doc, url.substring(0, url.length - 1));\n output.push(url);\n }\n else {\n var descriptorsStr = '';\n url = absoluteToDoc(doc, url);\n var inParens = false;\n while (true) {\n var c = attributeValue.charAt(pos);\n if (c === '') {\n output.push((url + descriptorsStr).trim());\n break;\n }\n else if (!inParens) {\n if (c === ',') {\n pos += 1;\n output.push((url + descriptorsStr).trim());\n break;\n }\n else if (c === '(') {\n inParens = true;\n }\n }\n else {\n if (c === ')') {\n inParens = false;\n }\n }\n descriptorsStr += c;\n pos += 1;\n }\n }\n }\n return output.join(', ');\n}\nfunction absoluteToDoc(doc, attributeValue) {\n if (!attributeValue || attributeValue.trim() === '') {\n return attributeValue;\n }\n var a = doc.createElement('a');\n a.href = attributeValue;\n return a.href;\n}\nfunction isSVGElement(el) {\n return Boolean(el.tagName === 'svg' || el.ownerSVGElement);\n}\nfunction getHref() {\n var a = document.createElement('a');\n a.href = '';\n return a.href;\n}\nfunction transformAttribute(doc, tagName, name, value) {\n if (name === 'src' || (name === 'href' && value)) {\n return absoluteToDoc(doc, value);\n }\n else if (name === 'xlink:href' && value && value[0] !== '#') {\n return absoluteToDoc(doc, value);\n }\n else if (name === 'background' &&\n value &&\n (tagName === 'table' || tagName === 'td' || tagName === 'th')) {\n return absoluteToDoc(doc, value);\n }\n else if (name === 'srcset' && value) {\n return getAbsoluteSrcsetString(doc, value);\n }\n else if (name === 'style' && value) {\n return absoluteToStylesheet(value, getHref());\n }\n else if (tagName === 'object' && name === 'data' && value) {\n return absoluteToDoc(doc, value);\n }\n else {\n return value;\n }\n}\nfunction _isBlockedElement(element, blockClass, blockSelector, unblockSelector) {\n if (unblockSelector && element.matches(unblockSelector)) {\n return false;\n }\n if (typeof blockClass === 'string') {\n if (element.classList.contains(blockClass)) {\n return true;\n }\n }\n else {\n for (var eIndex = 0; eIndex < element.classList.length; eIndex++) {\n var className = element.classList[eIndex];\n if (blockClass.test(className)) {\n return true;\n }\n }\n }\n if (blockSelector) {\n return element.matches(blockSelector);\n }\n return false;\n}\nfunction needMaskingText(node, maskTextClass, maskTextSelector, unmaskTextSelector) {\n if (!node) {\n return false;\n }\n if (node.nodeType === node.ELEMENT_NODE) {\n if (unmaskTextSelector) {\n if (node.matches(unmaskTextSelector) || node.closest(unmaskTextSelector)) {\n return false;\n }\n }\n if (typeof maskTextClass === 'string') {\n if (node.classList.contains(maskTextClass)) {\n return true;\n }\n }\n else {\n for (var eIndex = 0; eIndex < node.classList.length; eIndex++) {\n var className = node.classList[eIndex];\n if (maskTextClass.test(className)) {\n return true;\n }\n }\n }\n if (maskTextSelector) {\n if (node.matches(maskTextSelector)) {\n return true;\n }\n }\n return needMaskingText(node.parentNode, maskTextClass, maskTextSelector, unmaskTextSelector);\n }\n if (node.nodeType === node.TEXT_NODE) {\n return needMaskingText(node.parentNode, maskTextClass, maskTextSelector, unmaskTextSelector);\n }\n return needMaskingText(node.parentNode, maskTextClass, maskTextSelector, unmaskTextSelector);\n}\nfunction onceIframeLoaded(iframeEl, listener, iframeLoadTimeout) {\n var win = iframeEl.contentWindow;\n if (!win) {\n return;\n }\n var fired = false;\n var readyState;\n try {\n readyState = win.document.readyState;\n }\n catch (error) {\n return;\n }\n if (readyState !== 'complete') {\n var timer_1 = setTimeout(function () {\n if (!fired) {\n listener();\n fired = true;\n }\n }, iframeLoadTimeout);\n iframeEl.addEventListener('load', function () {\n clearTimeout(timer_1);\n fired = true;\n listener();\n });\n return;\n }\n var blankUrl = 'about:blank';\n if (win.location.href !== blankUrl ||\n iframeEl.src === blankUrl ||\n iframeEl.src === '') {\n setTimeout(listener, 0);\n return;\n }\n iframeEl.addEventListener('load', listener);\n}\nfunction serializeNode(n, options) {\n var _a;\n var doc = options.doc, blockClass = options.blockClass, blockSelector = options.blockSelector, unblockSelector = options.unblockSelector, maskTextClass = options.maskTextClass, maskTextSelector = options.maskTextSelector, unmaskTextSelector = options.unmaskTextSelector, inlineStylesheet = options.inlineStylesheet, maskInputSelector = options.maskInputSelector, unmaskInputSelector = options.unmaskInputSelector, _b = options.maskInputOptions, maskInputOptions = _b === void 0 ? {} : _b, maskTextFn = options.maskTextFn, maskInputFn = options.maskInputFn, _c = options.dataURLOptions, dataURLOptions = _c === void 0 ? {} : _c, inlineImages = options.inlineImages, recordCanvas = options.recordCanvas, keepIframeSrcFn = options.keepIframeSrcFn;\n var rootId;\n if (doc.__sn) {\n var docId = doc.__sn.id;\n rootId = docId === 1 ? undefined : docId;\n }\n switch (n.nodeType) {\n case n.DOCUMENT_NODE:\n if (n.compatMode !== 'CSS1Compat') {\n return {\n type: NodeType.Document,\n childNodes: [],\n compatMode: n.compatMode,\n rootId: rootId\n };\n }\n else {\n return {\n type: NodeType.Document,\n childNodes: [],\n rootId: rootId\n };\n }\n case n.DOCUMENT_TYPE_NODE:\n return {\n type: NodeType.DocumentType,\n name: n.name,\n publicId: n.publicId,\n systemId: n.systemId,\n rootId: rootId\n };\n case n.ELEMENT_NODE:\n var needBlock = _isBlockedElement(n, blockClass, blockSelector, unblockSelector);\n var tagName = getValidTagName(n);\n var attributes_1 = {};\n for (var _i = 0, _d = Array.from(n.attributes); _i < _d.length; _i++) {\n var _e = _d[_i], name_1 = _e.name, value = _e.value;\n attributes_1[name_1] = transformAttribute(doc, tagName, name_1, value);\n }\n if (tagName === 'link' && inlineStylesheet) {\n var stylesheet = Array.from(doc.styleSheets).find(function (s) {\n return s.href === n.href;\n });\n var cssText = null;\n if (stylesheet) {\n cssText = getCssRulesString(stylesheet);\n }\n if (cssText) {\n delete attributes_1.rel;\n delete attributes_1.href;\n attributes_1._cssText = absoluteToStylesheet(cssText, stylesheet.href);\n }\n }\n if (tagName === 'style' &&\n n.sheet &&\n !(n.innerText ||\n n.textContent ||\n '').trim().length) {\n var cssText = getCssRulesString(n.sheet);\n if (cssText) {\n attributes_1._cssText = absoluteToStylesheet(cssText, getHref());\n }\n }\n if (tagName === 'input' ||\n tagName === 'textarea' ||\n tagName === 'select') {\n var value = n.value;\n if (attributes_1.type !== 'radio' &&\n attributes_1.type !== 'checkbox' &&\n attributes_1.type !== 'submit' &&\n attributes_1.type !== 'button' &&\n value) {\n attributes_1.value = maskInputValue({\n input: n,\n type: attributes_1.type,\n tagName: tagName,\n value: value,\n maskInputSelector: maskInputSelector,\n unmaskInputSelector: unmaskInputSelector,\n maskInputOptions: maskInputOptions,\n maskInputFn: maskInputFn\n });\n }\n else if (n.checked) {\n attributes_1.checked = n.checked;\n }\n }\n if (tagName === 'option') {\n if (n.selected && !maskInputOptions['select']) {\n attributes_1.selected = true;\n }\n else {\n delete attributes_1.selected;\n }\n }\n if (tagName === 'canvas' && recordCanvas) {\n if (n.__context === '2d') {\n if (!is2DCanvasBlank(n)) {\n attributes_1.rr_dataURL = n.toDataURL(dataURLOptions.type, dataURLOptions.quality);\n }\n }\n else if (!('__context' in n)) {\n var canvasDataURL = n.toDataURL(dataURLOptions.type, dataURLOptions.quality);\n var blankCanvas = document.createElement('canvas');\n blankCanvas.width = n.width;\n blankCanvas.height = n.height;\n var blankCanvasDataURL = blankCanvas.toDataURL(dataURLOptions.type, dataURLOptions.quality);\n if (canvasDataURL !== blankCanvasDataURL) {\n attributes_1.rr_dataURL = canvasDataURL;\n }\n }\n }\n if (tagName === 'img' && inlineImages) {\n if (!canvasService) {\n canvasService = doc.createElement('canvas');\n canvasCtx = canvasService.getContext('2d');\n }\n var image_1 = n;\n var oldValue_1 = image_1.crossOrigin;\n image_1.crossOrigin = 'anonymous';\n var recordInlineImage = function () {\n try {\n canvasService.width = image_1.naturalWidth;\n canvasService.height = image_1.naturalHeight;\n canvasCtx.drawImage(image_1, 0, 0);\n attributes_1.rr_dataURL = canvasService.toDataURL(dataURLOptions.type, dataURLOptions.quality);\n }\n catch (err) {\n console.warn(\"Cannot inline img src=\" + image_1.currentSrc + \"! Error: \" + err);\n }\n oldValue_1\n ? (attributes_1.crossOrigin = oldValue_1)\n : delete attributes_1.crossOrigin;\n };\n if (image_1.complete && image_1.naturalWidth !== 0)\n recordInlineImage();\n else\n image_1.onload = recordInlineImage;\n }\n if (tagName === 'audio' || tagName === 'video') {\n attributes_1.rr_mediaState = n.paused\n ? 'paused'\n : 'played';\n attributes_1.rr_mediaCurrentTime = n.currentTime;\n }\n if (n.scrollLeft) {\n attributes_1.rr_scrollLeft = n.scrollLeft;\n }\n if (n.scrollTop) {\n attributes_1.rr_scrollTop = n.scrollTop;\n }\n if (needBlock) {\n var _f = n.getBoundingClientRect(), width = _f.width, height = _f.height;\n attributes_1 = {\n \"class\": attributes_1[\"class\"],\n rr_width: width + \"px\",\n rr_height: height + \"px\"\n };\n }\n if (tagName === 'iframe' && !keepIframeSrcFn(attributes_1.src)) {\n if (!n.contentDocument) {\n attributes_1.rr_src = attributes_1.src;\n }\n delete attributes_1.src;\n }\n return {\n type: NodeType.Element,\n tagName: tagName,\n attributes: attributes_1,\n childNodes: [],\n isSVG: isSVGElement(n) || undefined,\n needBlock: needBlock,\n rootId: rootId\n };\n case n.TEXT_NODE:\n var parentTagName = n.parentNode && n.parentNode.tagName;\n var textContent = n.textContent;\n var isStyle = parentTagName === 'STYLE' ? true : undefined;\n var isScript = parentTagName === 'SCRIPT' ? true : undefined;\n if (isStyle && textContent) {\n try {\n if (n.nextSibling || n.previousSibling) {\n }\n else if ((_a = n.parentNode.sheet) === null || _a === void 0 ? void 0 : _a.cssRules) {\n textContent = stringifyStyleSheet(n.parentNode.sheet);\n }\n }\n catch (err) {\n console.warn(\"Cannot get CSS styles from text's parentNode. Error: \" + err, n);\n }\n textContent = absoluteToStylesheet(textContent, getHref());\n }\n if (isScript) {\n textContent = 'SCRIPT_PLACEHOLDER';\n }\n if (!isStyle &&\n !isScript &&\n needMaskingText(n, maskTextClass, maskTextSelector, unmaskTextSelector) &&\n textContent) {\n textContent = maskTextFn\n ? maskTextFn(textContent)\n : textContent.replace(/[\\S]/g, '*');\n }\n return {\n type: NodeType.Text,\n textContent: textContent || '',\n isStyle: isStyle,\n rootId: rootId\n };\n case n.CDATA_SECTION_NODE:\n return {\n type: NodeType.CDATA,\n textContent: '',\n rootId: rootId\n };\n case n.COMMENT_NODE:\n return {\n type: NodeType.Comment,\n textContent: n.textContent || '',\n rootId: rootId\n };\n default:\n return false;\n }\n}\nfunction lowerIfExists(maybeAttr) {\n if (maybeAttr === undefined) {\n return '';\n }\n else {\n return maybeAttr.toLowerCase();\n }\n}\nfunction slimDOMExcluded(sn, slimDOMOptions) {\n if (slimDOMOptions.comment && sn.type === NodeType.Comment) {\n return true;\n }\n else if (sn.type === NodeType.Element) {\n if (slimDOMOptions.script &&\n (sn.tagName === 'script' ||\n (sn.tagName === 'link' &&\n sn.attributes.rel === 'preload' &&\n sn.attributes.as === 'script') ||\n (sn.tagName === 'link' &&\n sn.attributes.rel === 'prefetch' &&\n typeof sn.attributes.href === 'string' &&\n sn.attributes.href.endsWith('.js')))) {\n return true;\n }\n else if (slimDOMOptions.headFavicon &&\n ((sn.tagName === 'link' && sn.attributes.rel === 'shortcut icon') ||\n (sn.tagName === 'meta' &&\n (lowerIfExists(sn.attributes.name).match(/^msapplication-tile(image|color)$/) ||\n lowerIfExists(sn.attributes.name) === 'application-name' ||\n lowerIfExists(sn.attributes.rel) === 'icon' ||\n lowerIfExists(sn.attributes.rel) === 'apple-touch-icon' ||\n lowerIfExists(sn.attributes.rel) === 'shortcut icon')))) {\n return true;\n }\n else if (sn.tagName === 'meta') {\n if (slimDOMOptions.headMetaDescKeywords &&\n lowerIfExists(sn.attributes.name).match(/^description|keywords$/)) {\n return true;\n }\n else if (slimDOMOptions.headMetaSocial &&\n (lowerIfExists(sn.attributes.property).match(/^(og|twitter|fb):/) ||\n lowerIfExists(sn.attributes.name).match(/^(og|twitter):/) ||\n lowerIfExists(sn.attributes.name) === 'pinterest')) {\n return true;\n }\n else if (slimDOMOptions.headMetaRobots &&\n (lowerIfExists(sn.attributes.name) === 'robots' ||\n lowerIfExists(sn.attributes.name) === 'googlebot' ||\n lowerIfExists(sn.attributes.name) === 'bingbot')) {\n return true;\n }\n else if (slimDOMOptions.headMetaHttpEquiv &&\n sn.attributes['http-equiv'] !== undefined) {\n return true;\n }\n else if (slimDOMOptions.headMetaAuthorship &&\n (lowerIfExists(sn.attributes.name) === 'author' ||\n lowerIfExists(sn.attributes.name) === 'generator' ||\n lowerIfExists(sn.attributes.name) === 'framework' ||\n lowerIfExists(sn.attributes.name) === 'publisher' ||\n lowerIfExists(sn.attributes.name) === 'progid' ||\n lowerIfExists(sn.attributes.property).match(/^article:/) ||\n lowerIfExists(sn.attributes.property).match(/^product:/))) {\n return true;\n }\n else if (slimDOMOptions.headMetaVerification &&\n (lowerIfExists(sn.attributes.name) === 'google-site-verification' ||\n lowerIfExists(sn.attributes.name) === 'yandex-verification' ||\n lowerIfExists(sn.attributes.name) === 'csrf-token' ||\n lowerIfExists(sn.attributes.name) === 'p:domain_verify' ||\n lowerIfExists(sn.attributes.name) === 'verify-v1' ||\n lowerIfExists(sn.attributes.name) === 'verification' ||\n lowerIfExists(sn.attributes.name) === 'shopify-checkout-api-token')) {\n return true;\n }\n }\n }\n return false;\n}\nfunction serializeNodeWithId(n, options) {\n var doc = options.doc, map = options.map, blockClass = options.blockClass, blockSelector = options.blockSelector, unblockSelector = options.unblockSelector, maskTextClass = options.maskTextClass, maskTextSelector = options.maskTextSelector, unmaskTextSelector = options.unmaskTextSelector, _a = options.skipChild, skipChild = _a === void 0 ? false : _a, _b = options.inlineStylesheet, inlineStylesheet = _b === void 0 ? true : _b, maskInputSelector = options.maskInputSelector, unmaskInputSelector = options.unmaskInputSelector, _c = options.maskInputOptions, maskInputOptions = _c === void 0 ? {} : _c, maskTextFn = options.maskTextFn, maskInputFn = options.maskInputFn, slimDOMOptions = options.slimDOMOptions, _d = options.dataURLOptions, dataURLOptions = _d === void 0 ? {} : _d, _e = options.inlineImages, inlineImages = _e === void 0 ? false : _e, _f = options.recordCanvas, recordCanvas = _f === void 0 ? false : _f, onSerialize = options.onSerialize, onIframeLoad = options.onIframeLoad, _g = options.iframeLoadTimeout, iframeLoadTimeout = _g === void 0 ? 5000 : _g, _h = options.keepIframeSrcFn, keepIframeSrcFn = _h === void 0 ? function () { return false; } : _h;\n var _j = options.preserveWhiteSpace, preserveWhiteSpace = _j === void 0 ? true : _j;\n var _serializedNode = serializeNode(n, {\n doc: doc,\n blockClass: blockClass,\n blockSelector: blockSelector,\n unblockSelector: unblockSelector,\n maskTextClass: maskTextClass,\n maskTextSelector: maskTextSelector,\n unmaskTextSelector: unmaskTextSelector,\n inlineStylesheet: inlineStylesheet,\n maskInputSelector: maskInputSelector,\n unmaskInputSelector: unmaskInputSelector,\n maskInputOptions: maskInputOptions,\n maskTextFn: maskTextFn,\n maskInputFn: maskInputFn,\n dataURLOptions: dataURLOptions,\n inlineImages: inlineImages,\n recordCanvas: recordCanvas,\n keepIframeSrcFn: keepIframeSrcFn\n });\n if (!_serializedNode) {\n console.warn(n, 'not serialized');\n return null;\n }\n var id;\n if ('__sn' in n) {\n id = n.__sn.id;\n }\n else if (slimDOMExcluded(_serializedNode, slimDOMOptions) ||\n (!preserveWhiteSpace &&\n _serializedNode.type === NodeType.Text &&\n !_serializedNode.isStyle &&\n !_serializedNode.textContent.replace(/^\\s+|\\s+$/gm, '').length)) {\n id = IGNORED_NODE;\n }\n else {\n id = genId();\n }\n var serializedNode = Object.assign(_serializedNode, { id: id });\n n.__sn = serializedNode;\n if (id === IGNORED_NODE) {\n return null;\n }\n map[id] = n;\n if (onSerialize) {\n onSerialize(n);\n }\n var recordChild = !skipChild;\n if (serializedNode.type === NodeType.Element) {\n recordChild = recordChild && !serializedNode.needBlock;\n delete serializedNode.needBlock;\n if (n.shadowRoot)\n serializedNode.isShadowHost = true;\n }\n if ((serializedNode.type === NodeType.Document ||\n serializedNode.type === NodeType.Element) &&\n recordChild) {\n if (slimDOMOptions.headWhitespace &&\n _serializedNode.type === NodeType.Element &&\n _serializedNode.tagName === 'head') {\n preserveWhiteSpace = false;\n }\n var bypassOptions = {\n doc: doc,\n map: map,\n blockClass: blockClass,\n blockSelector: blockSelector,\n unblockSelector: unblockSelector,\n maskTextClass: maskTextClass,\n maskTextSelector: maskTextSelector,\n unmaskTextSelector: unmaskTextSelector,\n skipChild: skipChild,\n inlineStylesheet: inlineStylesheet,\n maskInputSelector: maskInputSelector,\n unmaskInputSelector: unmaskInputSelector,\n maskInputOptions: maskInputOptions,\n maskTextFn: maskTextFn,\n maskInputFn: maskInputFn,\n slimDOMOptions: slimDOMOptions,\n dataURLOptions: dataURLOptions,\n inlineImages: inlineImages,\n recordCanvas: recordCanvas,\n preserveWhiteSpace: preserveWhiteSpace,\n onSerialize: onSerialize,\n onIframeLoad: onIframeLoad,\n iframeLoadTimeout: iframeLoadTimeout,\n keepIframeSrcFn: keepIframeSrcFn\n };\n for (var _i = 0, _k = Array.from(n.childNodes); _i < _k.length; _i++) {\n var childN = _k[_i];\n var serializedChildNode = serializeNodeWithId(childN, bypassOptions);\n if (serializedChildNode) {\n serializedNode.childNodes.push(serializedChildNode);\n }\n }\n if (isElement(n) && n.shadowRoot) {\n for (var _l = 0, _m = Array.from(n.shadowRoot.childNodes); _l < _m.length; _l++) {\n var childN = _m[_l];\n var serializedChildNode = serializeNodeWithId(childN, bypassOptions);\n if (serializedChildNode) {\n serializedChildNode.isShadow = true;\n serializedNode.childNodes.push(serializedChildNode);\n }\n }\n }\n }\n if (n.parentNode && isShadowRoot(n.parentNode)) {\n serializedNode.isShadow = true;\n }\n if (serializedNode.type === NodeType.Element &&\n serializedNode.tagName === 'iframe') {\n onceIframeLoaded(n, function () {\n var iframeDoc = n.contentDocument;\n if (iframeDoc && onIframeLoad) {\n var serializedIframeNode = serializeNodeWithId(iframeDoc, {\n doc: iframeDoc,\n map: map,\n blockClass: blockClass,\n blockSelector: blockSelector,\n unblockSelector: unblockSelector,\n maskTextClass: maskTextClass,\n maskTextSelector: maskTextSelector,\n unmaskTextSelector: unmaskTextSelector,\n skipChild: false,\n inlineStylesheet: inlineStylesheet,\n maskInputSelector: maskInputSelector,\n unmaskInputSelector: unmaskInputSelector,\n maskInputOptions: maskInputOptions,\n maskTextFn: maskTextFn,\n maskInputFn: maskInputFn,\n slimDOMOptions: slimDOMOptions,\n dataURLOptions: dataURLOptions,\n inlineImages: inlineImages,\n recordCanvas: recordCanvas,\n preserveWhiteSpace: preserveWhiteSpace,\n onSerialize: onSerialize,\n onIframeLoad: onIframeLoad,\n iframeLoadTimeout: iframeLoadTimeout,\n keepIframeSrcFn: keepIframeSrcFn\n });\n if (serializedIframeNode) {\n onIframeLoad(n, serializedIframeNode);\n }\n }\n }, iframeLoadTimeout);\n }\n return serializedNode;\n}\nfunction snapshot(n, options) {\n var _a = options || {}, _b = _a.blockClass, blockClass = _b === void 0 ? 'rr-block' : _b, _c = _a.blockSelector, blockSelector = _c === void 0 ? null : _c, _d = _a.unblockSelector, unblockSelector = _d === void 0 ? null : _d, _e = _a.maskTextClass, maskTextClass = _e === void 0 ? 'rr-mask' : _e, _f = _a.maskTextSelector, maskTextSelector = _f === void 0 ? null : _f, _g = _a.unmaskTextSelector, unmaskTextSelector = _g === void 0 ? null : _g, _h = _a.inlineStylesheet, inlineStylesheet = _h === void 0 ? true : _h, _j = _a.inlineImages, inlineImages = _j === void 0 ? false : _j, _k = _a.recordCanvas, recordCanvas = _k === void 0 ? false : _k, _l = _a.maskInputSelector, maskInputSelector = _l === void 0 ? null : _l, _m = _a.unmaskInputSelector, unmaskInputSelector = _m === void 0 ? null : _m, _o = _a.maskAllInputs, maskAllInputs = _o === void 0 ? false : _o, maskTextFn = _a.maskTextFn, maskInputFn = _a.maskInputFn, _p = _a.slimDOM, slimDOM = _p === void 0 ? false : _p, dataURLOptions = _a.dataURLOptions, preserveWhiteSpace = _a.preserveWhiteSpace, onSerialize = _a.onSerialize, onIframeLoad = _a.onIframeLoad, iframeLoadTimeout = _a.iframeLoadTimeout, _q = _a.keepIframeSrcFn, keepIframeSrcFn = _q === void 0 ? function () { return false; } : _q;\n var idNodeMap = {};\n var maskInputOptions = maskAllInputs === true\n ? {\n color: true,\n date: true,\n 'datetime-local': true,\n email: true,\n month: true,\n number: true,\n range: true,\n search: true,\n tel: true,\n text: true,\n time: true,\n url: true,\n week: true,\n textarea: true,\n select: true,\n password: true\n }\n : maskAllInputs === false\n ? {\n password: true\n }\n : maskAllInputs;\n var slimDOMOptions = slimDOM === true || slimDOM === 'all'\n ?\n {\n script: true,\n comment: true,\n headFavicon: true,\n headWhitespace: true,\n headMetaDescKeywords: slimDOM === 'all',\n headMetaSocial: true,\n headMetaRobots: true,\n headMetaHttpEquiv: true,\n headMetaAuthorship: true,\n headMetaVerification: true\n }\n : slimDOM === false\n ? {}\n : slimDOM;\n return [\n serializeNodeWithId(n, {\n doc: n,\n map: idNodeMap,\n blockClass: blockClass,\n blockSelector: blockSelector,\n unblockSelector: unblockSelector,\n maskTextClass: maskTextClass,\n maskTextSelector: maskTextSelector,\n unmaskTextSelector: unmaskTextSelector,\n skipChild: false,\n inlineStylesheet: inlineStylesheet,\n maskInputSelector: maskInputSelector,\n unmaskInputSelector: unmaskInputSelector,\n maskInputOptions: maskInputOptions,\n maskTextFn: maskTextFn,\n maskInputFn: maskInputFn,\n slimDOMOptions: slimDOMOptions,\n dataURLOptions: dataURLOptions,\n inlineImages: inlineImages,\n recordCanvas: recordCanvas,\n preserveWhiteSpace: preserveWhiteSpace,\n onSerialize: onSerialize,\n onIframeLoad: onIframeLoad,\n iframeLoadTimeout: iframeLoadTimeout,\n keepIframeSrcFn: keepIframeSrcFn\n }),\n idNodeMap,\n ];\n}\nfunction visitSnapshot(node, onVisit) {\n function walk(current) {\n onVisit(current);\n if (current.type === NodeType.Document ||\n current.type === NodeType.Element) {\n current.childNodes.forEach(walk);\n }\n }\n walk(node);\n}\nfunction cleanupSnapshot() {\n _id = 1;\n}\n\nvar commentre = /\\/\\*[^*]*\\*+([^/*][^*]*\\*+)*\\//g;\nfunction parse(css, options) {\n if (options === void 0) { options = {}; }\n var lineno = 1;\n var column = 1;\n function updatePosition(str) {\n var lines = str.match(/\\n/g);\n if (lines) {\n lineno += lines.length;\n }\n var i = str.lastIndexOf('\\n');\n column = i === -1 ? column + str.length : str.length - i;\n }\n function position() {\n var start = { line: lineno, column: column };\n return function (node) {\n node.position = new Position(start);\n whitespace();\n return node;\n };\n }\n var Position = (function () {\n function Position(start) {\n this.start = start;\n this.end = { line: lineno, column: column };\n this.source = options.source;\n }\n return Position;\n }());\n Position.prototype.content = css;\n var errorsList = [];\n function error(msg) {\n var err = new Error(options.source + ':' + lineno + ':' + column + ': ' + msg);\n err.reason = msg;\n err.filename = options.source;\n err.line = lineno;\n err.column = column;\n err.source = css;\n if (options.silent) {\n errorsList.push(err);\n }\n else {\n throw err;\n }\n }\n function stylesheet() {\n var rulesList = rules();\n return {\n type: 'stylesheet',\n stylesheet: {\n source: options.source,\n rules: rulesList,\n parsingErrors: errorsList\n }\n };\n }\n function open() {\n return match(/^{\\s*/);\n }\n function close() {\n return match(/^}/);\n }\n function rules() {\n var node;\n var rules = [];\n whitespace();\n comments(rules);\n while (css.length && css.charAt(0) !== '}' && (node = atrule() || rule())) {\n if (node !== false) {\n rules.push(node);\n comments(rules);\n }\n }\n return rules;\n }\n function match(re) {\n var m = re.exec(css);\n if (!m) {\n return;\n }\n var str = m[0];\n updatePosition(str);\n css = css.slice(str.length);\n return m;\n }\n function whitespace() {\n match(/^\\s*/);\n }\n function comments(rules) {\n if (rules === void 0) { rules = []; }\n var c;\n while ((c = comment())) {\n if (c !== false) {\n rules.push(c);\n }\n c = comment();\n }\n return rules;\n }\n function comment() {\n var pos = position();\n if ('/' !== css.charAt(0) || '*' !== css.charAt(1)) {\n return;\n }\n var i = 2;\n while ('' !== css.charAt(i) &&\n ('*' !== css.charAt(i) || '/' !== css.charAt(i + 1))) {\n ++i;\n }\n i += 2;\n if ('' === css.charAt(i - 1)) {\n return error('End of comment missing');\n }\n var str = css.slice(2, i - 2);\n column += 2;\n updatePosition(str);\n css = css.slice(i);\n column += 2;\n return pos({\n type: 'comment',\n comment: str\n });\n }\n function selector() {\n var m = match(/^([^{]+)/);\n if (!m) {\n return;\n }\n return trim(m[0])\n .replace(/\\/\\*([^*]|[\\r\\n]|(\\*+([^*/]|[\\r\\n])))*\\*\\/+/g, '')\n .replace(/\"(?:\\\\\"|[^\"])*\"|'(?:\\\\'|[^'])*'/g, function (m) {\n return m.replace(/,/g, '\\u200C');\n })\n .split(/\\s*(?![^(]*\\)),\\s*/)\n .map(function (s) {\n return s.replace(/\\u200C/g, ',');\n });\n }\n function declaration() {\n var pos = position();\n var propMatch = match(/^(\\*?[-#\\/\\*\\\\\\w]+(\\[[0-9a-z_-]+\\])?)\\s*/);\n if (!propMatch) {\n return;\n }\n var prop = trim(propMatch[0]);\n if (!match(/^:\\s*/)) {\n return error(\"property missing ':'\");\n }\n var val = match(/^((?:'(?:\\\\'|.)*?'|\"(?:\\\\\"|.)*?\"|\\([^\\)]*?\\)|[^};])+)/);\n var ret = pos({\n type: 'declaration',\n property: prop.replace(commentre, ''),\n value: val ? trim(val[0]).replace(commentre, '') : ''\n });\n match(/^[;\\s]*/);\n return ret;\n }\n function declarations() {\n var decls = [];\n if (!open()) {\n return error(\"missing '{'\");\n }\n comments(decls);\n var decl;\n while ((decl = declaration())) {\n if (decl !== false) {\n decls.push(decl);\n comments(decls);\n }\n decl = declaration();\n }\n if (!close()) {\n return error(\"missing '}'\");\n }\n return decls;\n }\n function keyframe() {\n var m;\n var vals = [];\n var pos = position();\n while ((m = match(/^((\\d+\\.\\d+|\\.\\d+|\\d+)%?|[a-z]+)\\s*/))) {\n vals.push(m[1]);\n match(/^,\\s*/);\n }\n if (!vals.length) {\n return;\n }\n return pos({\n type: 'keyframe',\n values: vals,\n declarations: declarations()\n });\n }\n function atkeyframes() {\n var pos = position();\n var m = match(/^@([-\\w]+)?keyframes\\s*/);\n if (!m) {\n return;\n }\n var vendor = m[1];\n m = match(/^([-\\w]+)\\s*/);\n if (!m) {\n return error('@keyframes missing name');\n }\n var name = m[1];\n if (!open()) {\n return error(\"@keyframes missing '{'\");\n }\n var frame;\n var frames = comments();\n while ((frame = keyframe())) {\n frames.push(frame);\n frames = frames.concat(comments());\n }\n if (!close()) {\n return error(\"@keyframes missing '}'\");\n }\n return pos({\n type: 'keyframes',\n name: name,\n vendor: vendor,\n keyframes: frames\n });\n }\n function atsupports() {\n var pos = position();\n var m = match(/^@supports *([^{]+)/);\n if (!m) {\n return;\n }\n var supports = trim(m[1]);\n if (!open()) {\n return error(\"@supports missing '{'\");\n }\n var style = comments().concat(rules());\n if (!close()) {\n return error(\"@supports missing '}'\");\n }\n return pos({\n type: 'supports',\n supports: supports,\n rules: style\n });\n }\n function athost() {\n var pos = position();\n var m = match(/^@host\\s*/);\n if (!m) {\n return;\n }\n if (!open()) {\n return error(\"@host missing '{'\");\n }\n var style = comments().concat(rules());\n if (!close()) {\n return error(\"@host missing '}'\");\n }\n return pos({\n type: 'host',\n rules: style\n });\n }\n function atmedia() {\n var pos = position();\n var m = match(/^@media *([^{]+)/);\n if (!m) {\n return;\n }\n var media = trim(m[1]);\n if (!open()) {\n return error(\"@media missing '{'\");\n }\n var style = comments().concat(rules());\n if (!close()) {\n return error(\"@media missing '}'\");\n }\n return pos({\n type: 'media',\n media: media,\n rules: style\n });\n }\n function atcustommedia() {\n var pos = position();\n var m = match(/^@custom-media\\s+(--[^\\s]+)\\s*([^{;]+);/);\n if (!m) {\n return;\n }\n return pos({\n type: 'custom-media',\n name: trim(m[1]),\n media: trim(m[2])\n });\n }\n function atpage() {\n var pos = position();\n var m = match(/^@page */);\n if (!m) {\n return;\n }\n var sel = selector() || [];\n if (!open()) {\n return error(\"@page missing '{'\");\n }\n var decls = comments();\n var decl;\n while ((decl = declaration())) {\n decls.push(decl);\n decls = decls.concat(comments());\n }\n if (!close()) {\n return error(\"@page missing '}'\");\n }\n return pos({\n type: 'page',\n selectors: sel,\n declarations: decls\n });\n }\n function atdocument() {\n var pos = position();\n var m = match(/^@([-\\w]+)?document *([^{]+)/);\n if (!m) {\n return;\n }\n var vendor = trim(m[1]);\n var doc = trim(m[2]);\n if (!open()) {\n return error(\"@document missing '{'\");\n }\n var style = comments().concat(rules());\n if (!close()) {\n return error(\"@document missing '}'\");\n }\n return pos({\n type: 'document',\n document: doc,\n vendor: vendor,\n rules: style\n });\n }\n function atfontface() {\n var pos = position();\n var m = match(/^@font-face\\s*/);\n if (!m) {\n return;\n }\n if (!open()) {\n return error(\"@font-face missing '{'\");\n }\n var decls = comments();\n var decl;\n while ((decl = declaration())) {\n decls.push(decl);\n decls = decls.concat(comments());\n }\n if (!close()) {\n return error(\"@font-face missing '}'\");\n }\n return pos({\n type: 'font-face',\n declarations: decls\n });\n }\n var atimport = _compileAtrule('import');\n var atcharset = _compileAtrule('charset');\n var atnamespace = _compileAtrule('namespace');\n function _compileAtrule(name) {\n var re = new RegExp('^@' + name + '\\\\s*([^;]+);');\n return function () {\n var pos = position();\n var m = match(re);\n if (!m) {\n return;\n }\n var ret = { type: name };\n ret[name] = m[1].trim();\n return pos(ret);\n };\n }\n function atrule() {\n if (css[0] !== '@') {\n return;\n }\n return (atkeyframes() ||\n atmedia() ||\n atcustommedia() ||\n atsupports() ||\n atimport() ||\n atcharset() ||\n atnamespace() ||\n atdocument() ||\n atpage() ||\n athost() ||\n atfontface());\n }\n function rule() {\n var pos = position();\n var sel = selector();\n if (!sel) {\n return error('selector missing');\n }\n comments();\n return pos({\n type: 'rule',\n selectors: sel,\n declarations: declarations()\n });\n }\n return addParent(stylesheet());\n}\nfunction trim(str) {\n return str ? str.replace(/^\\s+|\\s+$/g, '') : '';\n}\nfunction addParent(obj, parent) {\n var isNode = obj && typeof obj.type === 'string';\n var childParent = isNode ? obj : parent;\n for (var _i = 0, _a = Object.keys(obj); _i < _a.length; _i++) {\n var k = _a[_i];\n var value = obj[k];\n if (Array.isArray(value)) {\n value.forEach(function (v) {\n addParent(v, childParent);\n });\n }\n else if (value && typeof value === 'object') {\n addParent(value, childParent);\n }\n }\n if (isNode) {\n Object.defineProperty(obj, 'parent', {\n configurable: true,\n writable: true,\n enumerable: false,\n value: parent || null\n });\n }\n return obj;\n}\n\nvar tagMap = {\n script: 'noscript',\n altglyph: 'altGlyph',\n altglyphdef: 'altGlyphDef',\n altglyphitem: 'altGlyphItem',\n animatecolor: 'animateColor',\n animatemotion: 'animateMotion',\n animatetransform: 'animateTransform',\n clippath: 'clipPath',\n feblend: 'feBlend',\n fecolormatrix: 'feColorMatrix',\n fecomponenttransfer: 'feComponentTransfer',\n fecomposite: 'feComposite',\n feconvolvematrix: 'feConvolveMatrix',\n fediffuselighting: 'feDiffuseLighting',\n fedisplacementmap: 'feDisplacementMap',\n fedistantlight: 'feDistantLight',\n fedropshadow: 'feDropShadow',\n feflood: 'feFlood',\n fefunca: 'feFuncA',\n fefuncb: 'feFuncB',\n fefuncg: 'feFuncG',\n fefuncr: 'feFuncR',\n fegaussianblur: 'feGaussianBlur',\n feimage: 'feImage',\n femerge: 'feMerge',\n femergenode: 'feMergeNode',\n femorphology: 'feMorphology',\n feoffset: 'feOffset',\n fepointlight: 'fePointLight',\n fespecularlighting: 'feSpecularLighting',\n fespotlight: 'feSpotLight',\n fetile: 'feTile',\n feturbulence: 'feTurbulence',\n foreignobject: 'foreignObject',\n glyphref: 'glyphRef',\n lineargradient: 'linearGradient',\n radialgradient: 'radialGradient'\n};\nfunction getTagName(n) {\n var tagName = tagMap[n.tagName] ? tagMap[n.tagName] : n.tagName;\n if (tagName === 'link' && n.attributes._cssText) {\n tagName = 'style';\n }\n return tagName;\n}\nfunction escapeRegExp(str) {\n return str.replace(/[.*+?^${}()|[\\]\\\\]/g, '\\\\$&');\n}\nvar HOVER_SELECTOR = /([^\\\\]):hover/;\nvar HOVER_SELECTOR_GLOBAL = new RegExp(HOVER_SELECTOR.source, 'g');\nfunction addHoverClass(cssText, cache) {\n var cachedStyle = cache === null || cache === void 0 ? void 0 : cache.stylesWithHoverClass.get(cssText);\n if (cachedStyle)\n return cachedStyle;\n var ast = parse(cssText, {\n silent: true\n });\n if (!ast.stylesheet) {\n return cssText;\n }\n var selectors = [];\n ast.stylesheet.rules.forEach(function (rule) {\n if ('selectors' in rule) {\n (rule.selectors || []).forEach(function (selector) {\n if (HOVER_SELECTOR.test(selector)) {\n selectors.push(selector);\n }\n });\n }\n });\n if (selectors.length === 0) {\n return cssText;\n }\n var selectorMatcher = new RegExp(selectors\n .filter(function (selector, index) { return selectors.indexOf(selector) === index; })\n .sort(function (a, b) { return b.length - a.length; })\n .map(function (selector) {\n return escapeRegExp(selector);\n })\n .join('|'), 'g');\n var result = cssText.replace(selectorMatcher, function (selector) {\n var newSelector = selector.replace(HOVER_SELECTOR_GLOBAL, '$1.\\\\:hover');\n return selector + \", \" + newSelector;\n });\n cache === null || cache === void 0 ? void 0 : cache.stylesWithHoverClass.set(cssText, result);\n return result;\n}\nfunction createCache() {\n var stylesWithHoverClass = new Map();\n return {\n stylesWithHoverClass: stylesWithHoverClass\n };\n}\nfunction buildNode(n, options) {\n var doc = options.doc, hackCss = options.hackCss, cache = options.cache;\n switch (n.type) {\n case NodeType.Document:\n return doc.implementation.createDocument(null, '', null);\n case NodeType.DocumentType:\n return doc.implementation.createDocumentType(n.name || 'html', n.publicId, n.systemId);\n case NodeType.Element:\n var tagName = getTagName(n);\n var node_1;\n if (n.isSVG) {\n node_1 = doc.createElementNS('http://www.w3.org/2000/svg', tagName);\n }\n else {\n node_1 = doc.createElement(tagName);\n }\n var _loop_1 = function (name_1) {\n if (!n.attributes.hasOwnProperty(name_1)) {\n return \"continue\";\n }\n var value = n.attributes[name_1];\n if (tagName === 'option' && name_1 === 'selected' && value === false) {\n return \"continue\";\n }\n value =\n typeof value === 'boolean' || typeof value === 'number' ? '' : value;\n if (!name_1.startsWith('rr_')) {\n var isTextarea = tagName === 'textarea' && name_1 === 'value';\n var isRemoteOrDynamicCss = tagName === 'style' && name_1 === '_cssText';\n if (isRemoteOrDynamicCss && hackCss) {\n value = addHoverClass(value, cache);\n }\n if (isTextarea || isRemoteOrDynamicCss) {\n var child = doc.createTextNode(value);\n for (var _i = 0, _a = Array.from(node_1.childNodes); _i < _a.length; _i++) {\n var c = _a[_i];\n if (c.nodeType === node_1.TEXT_NODE) {\n node_1.removeChild(c);\n }\n }\n node_1.appendChild(child);\n return \"continue\";\n }\n try {\n if (n.isSVG && name_1 === 'xlink:href') {\n node_1.setAttributeNS('http://www.w3.org/1999/xlink', name_1, value);\n }\n else if (name_1 === 'onload' ||\n name_1 === 'onclick' ||\n name_1.substring(0, 7) === 'onmouse') {\n node_1.setAttribute('_' + name_1, value);\n }\n else if (tagName === 'meta' &&\n n.attributes['http-equiv'] === 'Content-Security-Policy' &&\n name_1 === 'content') {\n node_1.setAttribute('csp-content', value);\n return \"continue\";\n }\n else if (tagName === 'link' &&\n n.attributes.rel === 'preload' &&\n n.attributes.as === 'script') {\n }\n else if (tagName === 'link' &&\n n.attributes.rel === 'prefetch' &&\n typeof n.attributes.href === 'string' &&\n n.attributes.href.endsWith('.js')) {\n }\n else if (tagName === 'img' &&\n n.attributes.srcset &&\n n.attributes.rr_dataURL) {\n node_1.setAttribute('rrweb-original-srcset', n.attributes.srcset);\n }\n else {\n node_1.setAttribute(name_1, value);\n }\n }\n catch (error) {\n }\n }\n else {\n if (tagName === 'canvas' && name_1 === 'rr_dataURL') {\n var image_1 = document.createElement('img');\n image_1.src = value;\n image_1.onload = function () {\n var ctx = node_1.getContext('2d');\n if (ctx) {\n ctx.drawImage(image_1, 0, 0, image_1.width, image_1.height);\n }\n };\n }\n else if (tagName === 'img' && name_1 === 'rr_dataURL') {\n var image = node_1;\n if (!image.currentSrc.startsWith('data:')) {\n image.setAttribute('rrweb-original-src', n.attributes.src);\n image.src = value;\n }\n }\n if (name_1 === 'rr_width') {\n node_1.style.width = value;\n }\n else if (name_1 === 'rr_height') {\n node_1.style.height = value;\n }\n else if (name_1 === 'rr_mediaCurrentTime') {\n node_1.currentTime = n.attributes\n .rr_mediaCurrentTime;\n }\n else if (name_1 === 'rr_mediaState') {\n switch (value) {\n case 'played':\n node_1\n .play()[\"catch\"](function (e) { return console.warn('media playback error', e); });\n break;\n case 'paused':\n node_1.pause();\n break;\n }\n }\n }\n };\n for (var name_1 in n.attributes) {\n _loop_1(name_1);\n }\n if (n.isShadowHost) {\n if (!node_1.shadowRoot) {\n node_1.attachShadow({ mode: 'open' });\n }\n else {\n while (node_1.shadowRoot.firstChild) {\n node_1.shadowRoot.removeChild(node_1.shadowRoot.firstChild);\n }\n }\n }\n return node_1;\n case NodeType.Text:\n return doc.createTextNode(n.isStyle && hackCss\n ? addHoverClass(n.textContent, cache)\n : n.textContent);\n case NodeType.CDATA:\n return doc.createCDATASection(n.textContent);\n case NodeType.Comment:\n return doc.createComment(n.textContent);\n default:\n return null;\n }\n}\nfunction buildNodeWithSN(n, options) {\n var doc = options.doc, map = options.map, _a = options.skipChild, skipChild = _a === void 0 ? false : _a, _b = options.hackCss, hackCss = _b === void 0 ? true : _b, afterAppend = options.afterAppend, cache = options.cache;\n var node = buildNode(n, { doc: doc, hackCss: hackCss, cache: cache });\n if (!node) {\n return null;\n }\n if (n.rootId) {\n console.assert(map[n.rootId] === doc, 'Target document should has the same root id.');\n }\n if (n.type === NodeType.Document) {\n doc.close();\n doc.open();\n if (n.compatMode === 'BackCompat' &&\n n.childNodes &&\n n.childNodes[0].type !== NodeType.DocumentType) {\n if (n.childNodes[0].type === NodeType.Element &&\n 'xmlns' in n.childNodes[0].attributes &&\n n.childNodes[0].attributes.xmlns === 'http://www.w3.org/1999/xhtml') {\n doc.write('');\n }\n else {\n doc.write('');\n }\n }\n node = doc;\n }\n node.__sn = n;\n map[n.id] = node;\n if ((n.type === NodeType.Document || n.type === NodeType.Element) &&\n !skipChild) {\n for (var _i = 0, _c = n.childNodes; _i < _c.length; _i++) {\n var childN = _c[_i];\n var childNode = buildNodeWithSN(childN, {\n doc: doc,\n map: map,\n skipChild: false,\n hackCss: hackCss,\n afterAppend: afterAppend,\n cache: cache\n });\n if (!childNode) {\n console.warn('Failed to rebuild', childN);\n continue;\n }\n if (childN.isShadow && isElement(node) && node.shadowRoot) {\n node.shadowRoot.appendChild(childNode);\n }\n else {\n node.appendChild(childNode);\n }\n if (afterAppend) {\n afterAppend(childNode);\n }\n }\n }\n return node;\n}\nfunction visit(idNodeMap, onVisit) {\n function walk(node) {\n onVisit(node);\n }\n for (var key in idNodeMap) {\n if (idNodeMap[key]) {\n walk(idNodeMap[key]);\n }\n }\n}\nfunction handleScroll(node) {\n var n = node.__sn;\n if (n.type !== NodeType.Element) {\n return;\n }\n var el = node;\n for (var name_2 in n.attributes) {\n if (!(n.attributes.hasOwnProperty(name_2) && name_2.startsWith('rr_'))) {\n continue;\n }\n var value = n.attributes[name_2];\n if (name_2 === 'rr_scrollLeft') {\n el.scrollLeft = value;\n }\n if (name_2 === 'rr_scrollTop') {\n el.scrollTop = value;\n }\n }\n}\nfunction rebuild(n, options) {\n var doc = options.doc, onVisit = options.onVisit, _a = options.hackCss, hackCss = _a === void 0 ? true : _a, afterAppend = options.afterAppend, cache = options.cache;\n var idNodeMap = {};\n var node = buildNodeWithSN(n, {\n doc: doc,\n map: idNodeMap,\n skipChild: false,\n hackCss: hackCss,\n afterAppend: afterAppend,\n cache: cache\n });\n visit(idNodeMap, function (visitedNode) {\n if (onVisit) {\n onVisit(visitedNode);\n }\n handleScroll(visitedNode);\n });\n return [node, idNodeMap];\n}\n\nexport { IGNORED_NODE, NodeType, addHoverClass, buildNodeWithSN, cleanupSnapshot, createCache, is2DCanvasBlank, isElement, isShadowRoot, maskInputValue, needMaskingText, rebuild, serializeNodeWithId, snapshot, transformAttribute, visitSnapshot };\n","// \n// An event handler can take an optional event argument\n// and should not return a value\n \n \n\n// An array of all currently registered event handlers for a type\n \n \n// A map of event types and their corresponding event handlers.\n \n \n \n \n\n/** Mitt: Tiny (~200b) functional event emitter / pubsub.\n * @name mitt\n * @returns {Mitt}\n */\nfunction mitt(all ) {\n\tall = all || Object.create(null);\n\n\treturn {\n\t\t/**\n\t\t * Register an event handler for the given type.\n\t\t *\n\t\t * @param {String} type\tType of event to listen for, or `\"*\"` for all events\n\t\t * @param {Function} handler Function to call in response to given event\n\t\t * @memberOf mitt\n\t\t */\n\t\ton: function on(type , handler ) {\n\t\t\t(all[type] || (all[type] = [])).push(handler);\n\t\t},\n\n\t\t/**\n\t\t * Remove an event handler for the given type.\n\t\t *\n\t\t * @param {String} type\tType of event to unregister `handler` from, or `\"*\"`\n\t\t * @param {Function} handler Handler function to remove\n\t\t * @memberOf mitt\n\t\t */\n\t\toff: function off(type , handler ) {\n\t\t\tif (all[type]) {\n\t\t\t\tall[type].splice(all[type].indexOf(handler) >>> 0, 1);\n\t\t\t}\n\t\t},\n\n\t\t/**\n\t\t * Invoke all handlers for the given type.\n\t\t * If present, `\"*\"` handlers are invoked after type-matched handlers.\n\t\t *\n\t\t * @param {String} type The event type to invoke\n\t\t * @param {Any} [evt] Any value (object is recommended and powerful), passed to each handler\n\t\t * @memberOf mitt\n\t\t */\n\t\temit: function emit(type , evt ) {\n\t\t\t(all[type] || []).slice().map(function (handler) { handler(evt); });\n\t\t\t(all['*'] || []).slice().map(function (handler) { handler(type, evt); });\n\t\t}\n\t};\n}\n\nexport default mitt;\n//# sourceMappingURL=mitt.es.js.map\n","import {\n serializedNodeWithId,\n idNodeMap,\n INode,\n MaskInputOptions,\n SlimDOMOptions,\n MaskInputFn,\n MaskTextFn,\n} from 'rrweb-snapshot';\nimport { PackFn, UnpackFn } from './packer/base';\nimport { IframeManager } from './record/iframe-manager';\nimport { ShadowDomManager } from './record/shadow-dom-manager';\nimport type { Replayer } from './replay';\nimport { CanvasManager } from './record/observers/canvas/canvas-manager';\n\nexport enum EventType {\n DomContentLoaded,\n Load,\n FullSnapshot,\n IncrementalSnapshot,\n Meta,\n Custom,\n Plugin,\n}\n\nexport type domContentLoadedEvent = {\n type: EventType.DomContentLoaded;\n data: {};\n};\n\nexport type loadedEvent = {\n type: EventType.Load;\n data: {};\n};\n\nexport type fullSnapshotEvent = {\n type: EventType.FullSnapshot;\n data: {\n node: serializedNodeWithId;\n initialOffset: {\n top: number;\n left: number;\n };\n };\n};\n\nexport type incrementalSnapshotEvent = {\n type: EventType.IncrementalSnapshot;\n data: incrementalData;\n};\n\nexport type metaEvent = {\n type: EventType.Meta;\n data: {\n href: string;\n width: number;\n height: number;\n };\n};\n\nexport type customEvent = {\n type: EventType.Custom;\n data: {\n tag: string;\n payload: T;\n };\n};\n\nexport type pluginEvent = {\n type: EventType.Plugin;\n data: {\n plugin: string;\n payload: T;\n };\n};\n\nexport type styleSheetEvent = {};\n\nexport enum IncrementalSource {\n Mutation,\n MouseMove,\n MouseInteraction,\n Scroll,\n ViewportResize,\n Input,\n TouchMove,\n MediaInteraction,\n StyleSheetRule,\n CanvasMutation,\n Font,\n Log,\n Drag,\n StyleDeclaration,\n}\n\nexport type mutationData = {\n source: IncrementalSource.Mutation;\n} & mutationCallbackParam;\n\nexport type mousemoveData = {\n source:\n | IncrementalSource.MouseMove\n | IncrementalSource.TouchMove\n | IncrementalSource.Drag;\n positions: mousePosition[];\n};\n\nexport type mouseInteractionData = {\n source: IncrementalSource.MouseInteraction;\n} & mouseInteractionParam;\n\nexport type scrollData = {\n source: IncrementalSource.Scroll;\n} & scrollPosition;\n\nexport type viewportResizeData = {\n source: IncrementalSource.ViewportResize;\n} & viewportResizeDimension;\n\nexport type inputData = {\n source: IncrementalSource.Input;\n id: number;\n} & inputValue;\n\nexport type mediaInteractionData = {\n source: IncrementalSource.MediaInteraction;\n} & mediaInteractionParam;\n\nexport type styleSheetRuleData = {\n source: IncrementalSource.StyleSheetRule;\n} & styleSheetRuleParam;\n\nexport type styleDeclarationData = {\n source: IncrementalSource.StyleDeclaration;\n} & styleDeclarationParam;\n\nexport type canvasMutationData = {\n source: IncrementalSource.CanvasMutation;\n} & canvasMutationParam;\n\nexport type fontData = {\n source: IncrementalSource.Font;\n} & fontParam;\n\nexport type incrementalData =\n | mutationData\n | mousemoveData\n | mouseInteractionData\n | scrollData\n | viewportResizeData\n | inputData\n | mediaInteractionData\n | styleSheetRuleData\n | canvasMutationData\n | fontData\n | styleDeclarationData;\n\nexport type event =\n | domContentLoadedEvent\n | loadedEvent\n | fullSnapshotEvent\n | incrementalSnapshotEvent\n | metaEvent\n | customEvent\n | pluginEvent;\n\nexport type eventWithTime = event & {\n timestamp: number;\n delay?: number;\n};\n\nexport type blockClass = string | RegExp;\n\nexport type maskTextClass = string | RegExp;\n\nexport type SamplingStrategy = Partial<{\n /**\n * false means not to record mouse/touch move events\n * number is the throttle threshold of recording mouse/touch move\n */\n mousemove: boolean | number;\n /**\n * number is the throttle threshold of mouse/touch move callback\n */\n mousemoveCallback: number;\n /**\n * false means not to record mouse interaction events\n * can also specify record some kinds of mouse interactions\n */\n mouseInteraction: boolean | Record;\n /**\n * number is the throttle threshold of recording scroll\n */\n scroll: number;\n /**\n * number is the throttle threshold of recording media interactions\n */\n media: number;\n /**\n * 'all' will record all the input events\n * 'last' will only record the last input value while input a sequence of chars\n */\n input: 'all' | 'last';\n}>;\n\nexport type RecordPlugin = {\n name: string;\n observer?: (cb: Function, win: IWindow, options: TOptions) => listenerHandler;\n eventProcessor?: (event: eventWithTime) => eventWithTime & TExtend;\n options: TOptions;\n};\n\nexport type recordOptions = {\n emit?: (e: T, isCheckout?: boolean) => void;\n checkoutEveryNth?: number;\n checkoutEveryNms?: number;\n blockClass?: blockClass;\n blockSelector?: string;\n unblockSelector?: string;\n ignoreClass?: string;\n ignoreSelector?: string;\n maskTextClass?: maskTextClass;\n maskTextSelector?: string;\n maskAllInputs?: boolean;\n maskInputSelector?: string;\n maskInputOptions?: MaskInputOptions;\n maskInputFn?: MaskInputFn;\n maskTextFn?: MaskTextFn;\n unmaskTextSelector?: string;\n unmaskInputSelector?: string;\n slimDOMOptions?: SlimDOMOptions | 'all' | true;\n inlineStylesheet?: boolean;\n hooks?: hooksParam;\n packFn?: PackFn;\n sampling?: SamplingStrategy;\n recordCanvas?: boolean;\n userTriggeredOnInput?: boolean;\n collectFonts?: boolean;\n inlineImages?: boolean;\n plugins?: RecordPlugin[];\n // departed, please use sampling options\n mousemoveWait?: number;\n keepIframeSrcFn?: KeepIframeSrcFn;\n};\n\nexport type observerParam = {\n mutationCb: mutationCallBack;\n mousemoveCb: mousemoveCallBack;\n mouseInteractionCb: mouseInteractionCallBack;\n scrollCb: scrollCallback;\n viewportResizeCb: viewportResizeCallback;\n inputCb: inputCallback;\n mediaInteractionCb: mediaInteractionCallback;\n blockClass: blockClass;\n blockSelector: string | null;\n unblockSelector: string | null;\n ignoreClass: string;\n ignoreSelector: string | null;\n maskTextClass: maskTextClass;\n maskTextSelector: string | null;\n unmaskTextSelector: string | null;\n maskInputSelector: string | null;\n unmaskInputSelector: string | null;\n maskInputOptions: MaskInputOptions;\n maskInputFn?: MaskInputFn;\n maskTextFn?: MaskTextFn;\n inlineStylesheet: boolean;\n styleSheetRuleCb: styleSheetRuleCallback;\n styleDeclarationCb: styleDeclarationCallback;\n canvasMutationCb: canvasMutationCallback;\n fontCb: fontCallback;\n sampling: SamplingStrategy;\n recordCanvas: boolean;\n inlineImages: boolean;\n userTriggeredOnInput: boolean;\n collectFonts: boolean;\n slimDOMOptions: SlimDOMOptions;\n doc: Document;\n mirror: Mirror;\n iframeManager: IframeManager;\n shadowDomManager: ShadowDomManager;\n canvasManager: CanvasManager;\n plugins: Array<{\n observer: Function;\n callback: Function;\n options: unknown;\n }>;\n};\n\nexport type MutationBufferParam = Pick<\n observerParam,\n | 'mutationCb'\n | 'blockClass'\n | 'blockSelector'\n | 'unblockSelector'\n | 'maskTextClass'\n | 'maskTextSelector'\n | 'unmaskTextSelector'\n | 'inlineStylesheet'\n | 'maskInputSelector'\n | 'unmaskInputSelector'\n | 'maskInputOptions'\n | 'maskTextFn'\n | 'maskInputFn'\n | 'recordCanvas'\n | 'inlineImages'\n | 'slimDOMOptions'\n | 'doc'\n | 'mirror'\n | 'iframeManager'\n | 'shadowDomManager'\n | 'canvasManager'\n>;\n\nexport type hooksParam = {\n mutation?: mutationCallBack;\n mousemove?: mousemoveCallBack;\n mouseInteraction?: mouseInteractionCallBack;\n scroll?: scrollCallback;\n viewportResize?: viewportResizeCallback;\n input?: inputCallback;\n mediaInteaction?: mediaInteractionCallback;\n styleSheetRule?: styleSheetRuleCallback;\n styleDeclaration?: styleDeclarationCallback;\n canvasMutation?: canvasMutationCallback;\n font?: fontCallback;\n};\n\n// https://dom.spec.whatwg.org/#interface-mutationrecord\nexport type mutationRecord = {\n type: string;\n target: Node;\n oldValue: string | null;\n addedNodes: NodeList;\n removedNodes: NodeList;\n attributeName: string | null;\n};\n\nexport type textCursor = {\n node: Node;\n value: string | null;\n};\nexport type textMutation = {\n id: number;\n value: string | null;\n};\n\nexport type styleAttributeValue = {\n [key: string]: styleValueWithPriority | string | false;\n};\n\nexport type styleValueWithPriority = [string, string];\n\nexport type attributeCursor = {\n node: Node;\n attributes: {\n [key: string]: string | styleAttributeValue | null;\n };\n};\nexport type attributeMutation = {\n id: number;\n attributes: {\n [key: string]: string | styleAttributeValue | null;\n };\n};\n\nexport type removedNodeMutation = {\n parentId: number;\n id: number;\n isShadow?: boolean;\n};\n\nexport type addedNodeMutation = {\n parentId: number;\n // Newly recorded mutations will not have previousId any more, just for compatibility\n previousId?: number | null;\n nextId: number | null;\n node: serializedNodeWithId;\n};\n\nexport type mutationCallbackParam = {\n texts: textMutation[];\n attributes: attributeMutation[];\n removes: removedNodeMutation[];\n adds: addedNodeMutation[];\n isAttachIframe?: true;\n};\n\nexport type mutationCallBack = (m: mutationCallbackParam) => void;\n\nexport type mousemoveCallBack = (\n p: mousePosition[],\n source:\n | IncrementalSource.MouseMove\n | IncrementalSource.TouchMove\n | IncrementalSource.Drag,\n) => void;\n\nexport type mousePosition = {\n x: number;\n y: number;\n id: number;\n timeOffset: number;\n};\n\nexport type mouseMovePos = {\n x: number;\n y: number;\n id: number;\n debugData: incrementalData;\n};\n\nexport enum MouseInteractions {\n MouseUp,\n MouseDown,\n Click,\n ContextMenu,\n DblClick,\n Focus,\n Blur,\n TouchStart,\n TouchMove_Departed, // we will start a separate observer for touch move event\n TouchEnd,\n TouchCancel,\n}\n\nexport enum CanvasContext {\n '2D',\n WebGL,\n WebGL2,\n}\n\nexport type SerializedWebGlArg =\n | {\n rr_type: 'ArrayBuffer';\n base64: string; // base64\n }\n | {\n rr_type: string;\n src: string; // url of image\n }\n | {\n rr_type: string;\n args: SerializedWebGlArg[];\n }\n | {\n rr_type: string;\n index: number;\n }\n | string\n | number\n | boolean\n | null\n | SerializedWebGlArg[];\n\ntype mouseInteractionParam = {\n type: MouseInteractions;\n id: number;\n x: number;\n y: number;\n};\n\nexport type mouseInteractionCallBack = (d: mouseInteractionParam) => void;\n\nexport type scrollPosition = {\n id: number;\n x: number;\n y: number;\n};\n\nexport type scrollCallback = (p: scrollPosition) => void;\n\nexport type styleSheetAddRule = {\n rule: string;\n index?: number | number[];\n};\n\nexport type styleSheetDeleteRule = {\n index: number | number[];\n};\n\nexport type styleSheetRuleParam = {\n id: number;\n removes?: styleSheetDeleteRule[];\n adds?: styleSheetAddRule[];\n};\n\nexport type styleSheetRuleCallback = (s: styleSheetRuleParam) => void;\n\nexport type styleDeclarationParam = {\n id: number;\n index: number[];\n set?: {\n property: string;\n value: string | null;\n priority: string | undefined;\n };\n remove?: {\n property: string;\n };\n};\n\nexport type styleDeclarationCallback = (s: styleDeclarationParam) => void;\n\nexport type canvasMutationCommand = {\n property: string;\n args: Array;\n setter?: true;\n};\n\nexport type canvasMutationParam =\n | {\n id: number;\n type: CanvasContext;\n commands: canvasMutationCommand[];\n }\n | ({\n id: number;\n type: CanvasContext;\n } & canvasMutationCommand);\n\nexport type canvasMutationWithType = {\n type: CanvasContext;\n} & canvasMutationCommand;\n\nexport type canvasMutationCallback = (p: canvasMutationParam) => void;\n\nexport type canvasManagerMutationCallback = (\n target: HTMLCanvasElement,\n p: canvasMutationWithType,\n) => void;\n\nexport type fontParam = {\n family: string;\n fontSource: string;\n buffer: boolean;\n descriptors?: FontFaceDescriptors;\n};\n\nexport type fontCallback = (p: fontParam) => void;\n\nexport type viewportResizeDimension = {\n width: number;\n height: number;\n};\n\nexport type viewportResizeCallback = (d: viewportResizeDimension) => void;\n\nexport type inputValue = {\n text: string;\n isChecked: boolean;\n\n // `userTriggered` indicates if this event was triggered directly by user (userTriggered: true)\n // or was triggered indirectly (userTriggered: false)\n // Example of `userTriggered` in action:\n // User clicks on radio element (userTriggered: true) which triggers the other radio element to change (userTriggered: false)\n userTriggered?: boolean;\n};\n\nexport type inputCallback = (v: inputValue & { id: number }) => void;\n\nexport const enum MediaInteractions {\n Play,\n Pause,\n Seeked,\n VolumeChange,\n}\n\nexport type mediaInteractionParam = {\n type: MediaInteractions;\n id: number;\n currentTime?: number;\n volume?: number;\n muted?: boolean;\n};\n\nexport type mediaInteractionCallback = (p: mediaInteractionParam) => void;\n\nexport type DocumentDimension = {\n x: number;\n y: number;\n // scale value relative to its parent iframe\n relativeScale: number;\n // scale value relative to the root iframe\n absoluteScale: number;\n};\n\nexport type Mirror = {\n map: idNodeMap;\n getId: (n: INode) => number;\n getNode: (id: number) => INode | null;\n removeNodeFromMap: (n: INode) => void;\n has: (id: number) => boolean;\n reset: () => void;\n};\n\nexport type throttleOptions = {\n leading?: boolean;\n trailing?: boolean;\n};\n\nexport type listenerHandler = () => void;\nexport type hookResetter = () => void;\n\nexport type ReplayPlugin = {\n handler: (\n event: eventWithTime,\n isSync: boolean,\n context: { replayer: Replayer },\n ) => void;\n};\nexport type playerConfig = {\n speed: number;\n maxSpeed: number;\n root: Element;\n loadTimeout: number;\n skipInactive: boolean;\n showWarning: boolean;\n showDebug: boolean;\n blockClass: string;\n liveMode: boolean;\n insertStyleRules: string[];\n triggerFocus: boolean;\n UNSAFE_replayCanvas: boolean;\n pauseAnimation?: boolean;\n mouseTail:\n | boolean\n | {\n duration?: number;\n lineCap?: string;\n lineWidth?: number;\n strokeStyle?: string;\n };\n unpackFn?: UnpackFn;\n plugins?: ReplayPlugin[];\n};\n\nexport type playerMetaData = {\n startTime: number;\n endTime: number;\n totalTime: number;\n};\n\nexport type missingNode = {\n node: Node;\n mutation: addedNodeMutation;\n};\nexport type missingNodeMap = {\n [id: number]: missingNode;\n};\n\nexport type actionWithDelay = {\n doAction: () => void;\n delay: number;\n};\n\nexport type Handler = (event?: unknown) => void;\n\nexport type Emitter = {\n on(type: string, handler: Handler): void;\n emit(type: string, event?: unknown): void;\n off(type: string, handler: Handler): void;\n};\n\nexport type Arguments = T extends (...payload: infer U) => unknown\n ? U\n : unknown;\n\nexport enum ReplayerEvents {\n Start = 'start',\n Pause = 'pause',\n Resume = 'resume',\n Resize = 'resize',\n Finish = 'finish',\n FullsnapshotRebuilded = 'fullsnapshot-rebuilded',\n LoadStylesheetStart = 'load-stylesheet-start',\n LoadStylesheetEnd = 'load-stylesheet-end',\n SkipStart = 'skip-start',\n SkipEnd = 'skip-end',\n MouseInteraction = 'mouse-interaction',\n EventCast = 'event-cast',\n CustomEvent = 'custom-event',\n Flush = 'flush',\n StateChange = 'state-change',\n PlayBack = 'play-back',\n}\n\n// store the state that would be changed during the process(unmount from dom and mount again)\nexport type ElementState = {\n // [scrollLeft,scrollTop]\n scroll?: [number, number];\n};\n\nexport type KeepIframeSrcFn = (src: string) => boolean;\n\ndeclare global {\n interface Window {\n FontFace: typeof FontFace;\n }\n}\n\nexport type IWindow = Window & typeof globalThis;\n\nexport type Optional = Pick, K> & Omit;\n","/**\n * A fork version of https://github.com/iamdustan/smoothscroll\n * Add support of customize target window and document\n */\n\n// @ts-nocheck\n// tslint:disable\nexport function polyfill(w: Window = window, d = document) {\n // return if scroll behavior is supported and polyfill is not forced\n if (\n 'scrollBehavior' in d.documentElement.style &&\n w.__forceSmoothScrollPolyfill__ !== true\n ) {\n return;\n }\n\n // globals\n var Element = w.HTMLElement || w.Element;\n var SCROLL_TIME = 468;\n\n // object gathering original scroll methods\n var original = {\n scroll: w.scroll || w.scrollTo,\n scrollBy: w.scrollBy,\n elementScroll: Element.prototype.scroll || scrollElement,\n scrollIntoView: Element.prototype.scrollIntoView,\n };\n\n // define timing method\n var now =\n w.performance && w.performance.now\n ? w.performance.now.bind(w.performance)\n : Date.now;\n\n /**\n * indicates if a the current browser is made by Microsoft\n * @method isMicrosoftBrowser\n * @param {String} userAgent\n * @returns {Boolean}\n */\n function isMicrosoftBrowser(userAgent) {\n var userAgentPatterns = ['MSIE ', 'Trident/', 'Edge/'];\n\n return new RegExp(userAgentPatterns.join('|')).test(userAgent);\n }\n\n /*\n * IE has rounding bug rounding down clientHeight and clientWidth and\n * rounding up scrollHeight and scrollWidth causing false positives\n * on hasScrollableSpace\n */\n var ROUNDING_TOLERANCE = isMicrosoftBrowser(w.navigator.userAgent) ? 1 : 0;\n\n /**\n * changes scroll position inside an element\n * @method scrollElement\n * @param {Number} x\n * @param {Number} y\n * @returns {undefined}\n */\n function scrollElement(x, y) {\n this.scrollLeft = x;\n this.scrollTop = y;\n }\n\n /**\n * returns result of applying ease math function to a number\n * @method ease\n * @param {Number} k\n * @returns {Number}\n */\n function ease(k) {\n return 0.5 * (1 - Math.cos(Math.PI * k));\n }\n\n /**\n * indicates if a smooth behavior should be applied\n * @method shouldBailOut\n * @param {Number|Object} firstArg\n * @returns {Boolean}\n */\n function shouldBailOut(firstArg) {\n if (\n firstArg === null ||\n typeof firstArg !== 'object' ||\n firstArg.behavior === undefined ||\n firstArg.behavior === 'auto' ||\n firstArg.behavior === 'instant'\n ) {\n // first argument is not an object/null\n // or behavior is auto, instant or undefined\n return true;\n }\n\n if (typeof firstArg === 'object' && firstArg.behavior === 'smooth') {\n // first argument is an object and behavior is smooth\n return false;\n }\n\n // throw error when behavior is not supported\n throw new TypeError(\n 'behavior member of ScrollOptions ' +\n firstArg.behavior +\n ' is not a valid value for enumeration ScrollBehavior.',\n );\n }\n\n /**\n * indicates if an element has scrollable space in the provided axis\n * @method hasScrollableSpace\n * @param {Node} el\n * @param {String} axis\n * @returns {Boolean}\n */\n function hasScrollableSpace(el, axis) {\n if (axis === 'Y') {\n return el.clientHeight + ROUNDING_TOLERANCE < el.scrollHeight;\n }\n\n if (axis === 'X') {\n return el.clientWidth + ROUNDING_TOLERANCE < el.scrollWidth;\n }\n }\n\n /**\n * indicates if an element has a scrollable overflow property in the axis\n * @method canOverflow\n * @param {Node} el\n * @param {String} axis\n * @returns {Boolean}\n */\n function canOverflow(el, axis) {\n var overflowValue = w.getComputedStyle(el, null)['overflow' + axis];\n\n return overflowValue === 'auto' || overflowValue === 'scroll';\n }\n\n /**\n * indicates if an element can be scrolled in either axis\n * @method isScrollable\n * @param {Node} el\n * @param {String} axis\n * @returns {Boolean}\n */\n function isScrollable(el) {\n var isScrollableY = hasScrollableSpace(el, 'Y') && canOverflow(el, 'Y');\n var isScrollableX = hasScrollableSpace(el, 'X') && canOverflow(el, 'X');\n\n return isScrollableY || isScrollableX;\n }\n\n /**\n * finds scrollable parent of an element\n * @method findScrollableParent\n * @param {Node} el\n * @returns {Node} el\n */\n function findScrollableParent(el) {\n while (el !== d.body && isScrollable(el) === false) {\n el = el.parentNode || el.host;\n }\n\n return el;\n }\n\n /**\n * self invoked function that, given a context, steps through scrolling\n * @method step\n * @param {Object} context\n * @returns {undefined}\n */\n function step(context) {\n var time = now();\n var value;\n var currentX;\n var currentY;\n var elapsed = (time - context.startTime) / SCROLL_TIME;\n\n // avoid elapsed times higher than one\n elapsed = elapsed > 1 ? 1 : elapsed;\n\n // apply easing to elapsed time\n value = ease(elapsed);\n\n currentX = context.startX + (context.x - context.startX) * value;\n currentY = context.startY + (context.y - context.startY) * value;\n\n context.method.call(context.scrollable, currentX, currentY);\n\n // scroll more if we have not reached our destination\n if (currentX !== context.x || currentY !== context.y) {\n w.requestAnimationFrame(step.bind(w, context));\n }\n }\n\n /**\n * scrolls window or element with a smooth behavior\n * @method smoothScroll\n * @param {Object|Node} el\n * @param {Number} x\n * @param {Number} y\n * @returns {undefined}\n */\n function smoothScroll(el, x, y) {\n var scrollable;\n var startX;\n var startY;\n var method;\n var startTime = now();\n\n // define scroll context\n if (el === d.body) {\n scrollable = w;\n startX = w.scrollX || w.pageXOffset;\n startY = w.scrollY || w.pageYOffset;\n method = original.scroll;\n } else {\n scrollable = el;\n startX = el.scrollLeft;\n startY = el.scrollTop;\n method = scrollElement;\n }\n\n // scroll looping over a frame\n step({\n scrollable: scrollable,\n method: method,\n startTime: startTime,\n startX: startX,\n startY: startY,\n x: x,\n y: y,\n });\n }\n\n // ORIGINAL METHODS OVERRIDES\n // w.scroll and w.scrollTo\n w.scroll = w.scrollTo = function () {\n // avoid action when no arguments are passed\n if (arguments[0] === undefined) {\n return;\n }\n\n // avoid smooth behavior if not required\n if (shouldBailOut(arguments[0]) === true) {\n original.scroll.call(\n w,\n arguments[0].left !== undefined\n ? arguments[0].left\n : typeof arguments[0] !== 'object'\n ? arguments[0]\n : w.scrollX || w.pageXOffset,\n // use top prop, second argument if present or fallback to scrollY\n arguments[0].top !== undefined\n ? arguments[0].top\n : arguments[1] !== undefined\n ? arguments[1]\n : w.scrollY || w.pageYOffset,\n );\n\n return;\n }\n\n // LET THE SMOOTHNESS BEGIN!\n smoothScroll.call(\n w,\n d.body,\n arguments[0].left !== undefined\n ? ~~arguments[0].left\n : w.scrollX || w.pageXOffset,\n arguments[0].top !== undefined\n ? ~~arguments[0].top\n : w.scrollY || w.pageYOffset,\n );\n };\n\n // w.scrollBy\n w.scrollBy = function () {\n // avoid action when no arguments are passed\n if (arguments[0] === undefined) {\n return;\n }\n\n // avoid smooth behavior if not required\n if (shouldBailOut(arguments[0])) {\n original.scrollBy.call(\n w,\n arguments[0].left !== undefined\n ? arguments[0].left\n : typeof arguments[0] !== 'object'\n ? arguments[0]\n : 0,\n arguments[0].top !== undefined\n ? arguments[0].top\n : arguments[1] !== undefined\n ? arguments[1]\n : 0,\n );\n\n return;\n }\n\n // LET THE SMOOTHNESS BEGIN!\n smoothScroll.call(\n w,\n d.body,\n ~~arguments[0].left + (w.scrollX || w.pageXOffset),\n ~~arguments[0].top + (w.scrollY || w.pageYOffset),\n );\n };\n\n // Element.prototype.scroll and Element.prototype.scrollTo\n Element.prototype.scroll = Element.prototype.scrollTo = function () {\n // avoid action when no arguments are passed\n if (arguments[0] === undefined) {\n return;\n }\n\n // avoid smooth behavior if not required\n if (shouldBailOut(arguments[0]) === true) {\n // if one number is passed, throw error to match Firefox implementation\n if (typeof arguments[0] === 'number' && arguments[1] === undefined) {\n throw new SyntaxError('Value could not be converted');\n }\n\n original.elementScroll.call(\n this,\n // use left prop, first number argument or fallback to scrollLeft\n arguments[0].left !== undefined\n ? ~~arguments[0].left\n : typeof arguments[0] !== 'object'\n ? ~~arguments[0]\n : this.scrollLeft,\n // use top prop, second argument or fallback to scrollTop\n arguments[0].top !== undefined\n ? ~~arguments[0].top\n : arguments[1] !== undefined\n ? ~~arguments[1]\n : this.scrollTop,\n );\n\n return;\n }\n\n var left = arguments[0].left;\n var top = arguments[0].top;\n\n // LET THE SMOOTHNESS BEGIN!\n smoothScroll.call(\n this,\n this,\n typeof left === 'undefined' ? this.scrollLeft : ~~left,\n typeof top === 'undefined' ? this.scrollTop : ~~top,\n );\n };\n\n // Element.prototype.scrollBy\n Element.prototype.scrollBy = function () {\n // avoid action when no arguments are passed\n if (arguments[0] === undefined) {\n return;\n }\n\n // avoid smooth behavior if not required\n if (shouldBailOut(arguments[0]) === true) {\n original.elementScroll.call(\n this,\n arguments[0].left !== undefined\n ? ~~arguments[0].left + this.scrollLeft\n : ~~arguments[0] + this.scrollLeft,\n arguments[0].top !== undefined\n ? ~~arguments[0].top + this.scrollTop\n : ~~arguments[1] + this.scrollTop,\n );\n\n return;\n }\n\n this.scroll({\n left: ~~arguments[0].left + this.scrollLeft,\n top: ~~arguments[0].top + this.scrollTop,\n behavior: arguments[0].behavior,\n });\n };\n\n // Element.prototype.scrollIntoView\n Element.prototype.scrollIntoView = function () {\n // avoid smooth behavior if not required\n if (shouldBailOut(arguments[0]) === true) {\n original.scrollIntoView.call(\n this,\n arguments[0] === undefined ? true : arguments[0],\n );\n\n return;\n }\n\n // LET THE SMOOTHNESS BEGIN!\n var scrollableParent = findScrollableParent(this);\n var parentRects = scrollableParent.getBoundingClientRect();\n var clientRects = this.getBoundingClientRect();\n\n if (scrollableParent !== d.body) {\n // reveal element inside parent\n smoothScroll.call(\n this,\n scrollableParent,\n scrollableParent.scrollLeft + clientRects.left - parentRects.left,\n scrollableParent.scrollTop + clientRects.top - parentRects.top,\n );\n\n // reveal parent in viewport unless is fixed\n if (w.getComputedStyle(scrollableParent).position !== 'fixed') {\n w.scrollBy({\n left: parentRects.left,\n top: parentRects.top,\n behavior: 'smooth',\n });\n }\n } else {\n // reveal element in viewport\n w.scrollBy({\n left: clientRects.left,\n top: clientRects.top,\n behavior: 'smooth',\n });\n }\n };\n}\n","import {\n actionWithDelay,\n eventWithTime,\n EventType,\n IncrementalSource,\n} from '../types';\n\nexport class Timer {\n public timeOffset: number = 0;\n public speed: number;\n\n private actions: actionWithDelay[];\n private raf: number | null = null;\n private liveMode: boolean;\n\n constructor(actions: actionWithDelay[] = [], speed: number) {\n this.actions = actions;\n this.speed = speed;\n }\n /**\n * Add an action after the timer starts.\n * @param action\n */\n public addAction(action: actionWithDelay) {\n const index = this.findActionIndex(action);\n this.actions.splice(index, 0, action);\n }\n /**\n * Add all actions before the timer starts\n * @param actions\n */\n public addActions(actions: actionWithDelay[]) {\n this.actions = this.actions.concat(actions);\n }\n\n public start() {\n this.timeOffset = 0;\n let lastTimestamp = performance.now();\n const { actions } = this;\n const self = this;\n function check() {\n const time = performance.now();\n self.timeOffset += (time - lastTimestamp) * self.speed;\n lastTimestamp = time;\n while (actions.length) {\n const action = actions[0];\n\n if (self.timeOffset >= action.delay) {\n actions.shift();\n action.doAction();\n } else {\n break;\n }\n }\n if (actions.length > 0 || self.liveMode) {\n self.raf = requestAnimationFrame(check);\n }\n }\n this.raf = requestAnimationFrame(check);\n }\n\n public clear() {\n if (this.raf) {\n cancelAnimationFrame(this.raf);\n this.raf = null;\n }\n this.actions.length = 0;\n }\n\n public setSpeed(speed: number) {\n this.speed = speed;\n }\n\n public toggleLiveMode(mode: boolean) {\n this.liveMode = mode;\n }\n\n public isActive() {\n return this.raf !== null;\n }\n\n private findActionIndex(action: actionWithDelay): number {\n let start = 0;\n let end = this.actions.length - 1;\n while (start <= end) {\n let mid = Math.floor((start + end) / 2);\n if (this.actions[mid].delay < action.delay) {\n start = mid + 1;\n } else if (this.actions[mid].delay > action.delay) {\n end = mid - 1;\n } else {\n // already an action with same delay (timestamp)\n // the plus one will splice the new one after the existing one\n return mid + 1;\n }\n }\n return start;\n }\n}\n\n// TODO: add speed to mouse move timestamp calculation\nexport function addDelay(event: eventWithTime, baselineTime: number): number {\n // Mouse move events was recorded in a throttle function,\n // so we need to find the real timestamp by traverse the time offsets.\n if (\n event.type === EventType.IncrementalSnapshot &&\n event.data.source === IncrementalSource.MouseMove\n ) {\n const firstOffset = event.data.positions[0].timeOffset;\n // timeOffset is a negative offset to event.timestamp\n const firstTimestamp = event.timestamp + firstOffset;\n event.delay = firstTimestamp - baselineTime;\n return firstTimestamp - baselineTime;\n }\n\n event.delay = event.timestamp - baselineTime;\n return event.delay;\n}\n","/*! *****************************************************************************\nCopyright (c) Microsoft Corporation.\n\nPermission to use, copy, modify, and/or distribute this software for any\npurpose with or without fee is hereby granted.\n\nTHE SOFTWARE IS PROVIDED \"AS IS\" AND THE AUTHOR DISCLAIMS ALL WARRANTIES WITH\nREGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF MERCHANTABILITY\nAND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR ANY SPECIAL, DIRECT,\nINDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES WHATSOEVER RESULTING FROM\nLOSS OF USE, DATA OR PROFITS, WHETHER IN AN ACTION OF CONTRACT, NEGLIGENCE OR\nOTHER TORTIOUS ACTION, ARISING OUT OF OR IN CONNECTION WITH THE USE OR\nPERFORMANCE OF THIS SOFTWARE.\n***************************************************************************** */\nfunction t(t,n){var e=\"function\"==typeof Symbol&&t[Symbol.iterator];if(!e)return t;var r,o,i=e.call(t),a=[];try{for(;(void 0===n||n-- >0)&&!(r=i.next()).done;)a.push(r.value)}catch(t){o={error:t}}finally{try{r&&!r.done&&(e=i.return)&&e.call(i)}finally{if(o)throw o.error}}return a}var n;!function(t){t[t.NotStarted=0]=\"NotStarted\",t[t.Running=1]=\"Running\",t[t.Stopped=2]=\"Stopped\"}(n||(n={}));var e={type:\"xstate.init\"};function r(t){return void 0===t?[]:[].concat(t)}function o(t){return{type:\"xstate.assign\",assignment:t}}function i(t,n){return\"string\"==typeof(t=\"string\"==typeof t&&n&&n[t]?n[t]:t)?{type:t}:\"function\"==typeof t?{type:t.name,exec:t}:t}function a(t){return function(n){return t===n}}function u(t){return\"string\"==typeof t?{type:t}:t}function c(t,n){return{value:t,context:n,actions:[],changed:!1,matches:a(t)}}function f(t,n,e){var r=n,o=!1;return[t.filter((function(t){if(\"xstate.assign\"===t.type){o=!0;var n=Object.assign({},r);return\"function\"==typeof t.assignment?n=t.assignment(r,e):Object.keys(t.assignment).forEach((function(o){n[o]=\"function\"==typeof t.assignment[o]?t.assignment[o](r,e):t.assignment[o]})),r=n,!1}return!0})),r,o]}function s(n,o){void 0===o&&(o={});var s=t(f(r(n.states[n.initial].entry).map((function(t){return i(t,o.actions)})),n.context,e),2),l=s[0],v=s[1],y={config:n,_options:o,initialState:{value:n.initial,actions:l,context:v,matches:a(n.initial)},transition:function(e,o){var s,l,v=\"string\"==typeof e?{value:e,context:n.context}:e,p=v.value,g=v.context,d=u(o),x=n.states[p];if(x.on){var m=r(x.on[d.type]);try{for(var h=function(t){var n=\"function\"==typeof Symbol&&Symbol.iterator,e=n&&t[n],r=0;if(e)return e.call(t);if(t&&\"number\"==typeof t.length)return{next:function(){return t&&r>=t.length&&(t=void 0),{value:t&&t[r++],done:!t}}};throw new TypeError(n?\"Object is not iterable.\":\"Symbol.iterator is not defined.\")}(m),b=h.next();!b.done;b=h.next()){var S=b.value;if(void 0===S)return c(p,g);var w=\"string\"==typeof S?{target:S}:S,j=w.target,E=w.actions,R=void 0===E?[]:E,N=w.cond,O=void 0===N?function(){return!0}:N,_=void 0===j,k=null!=j?j:p,T=n.states[k];if(O(g,d)){var q=t(f((_?r(R):[].concat(x.exit,R,T.entry).filter((function(t){return t}))).map((function(t){return i(t,y._options.actions)})),g,d),3),z=q[0],A=q[1],B=q[2],C=null!=j?j:p;return{value:C,context:A,actions:z,changed:j!==p||z.length>0||B,matches:a(C)}}}}catch(t){s={error:t}}finally{try{b&&!b.done&&(l=h.return)&&l.call(h)}finally{if(s)throw s.error}}}return c(p,g)}};return y}var l=function(t,n){return t.actions.forEach((function(e){var r=e.exec;return r&&r(t.context,n)}))};function v(t){var r=t.initialState,o=n.NotStarted,i=new Set,c={_machine:t,send:function(e){o===n.Running&&(r=t.transition(r,e),l(r,u(e)),i.forEach((function(t){return t(r)})))},subscribe:function(t){return i.add(t),t(r),{unsubscribe:function(){return i.delete(t)}}},start:function(i){if(i){var u=\"object\"==typeof i?i:{context:t.config.context,value:i};r={value:u.value,actions:[],context:u.context,matches:a(u.value)}}return o=n.Running,l(r,e),c},stop:function(){return o=n.Stopped,i.clear(),c},get state(){return r},get status(){return o}};return c}export{n as InterpreterStatus,o as assign,s as createMachine,v as interpret};\n","import { createMachine, interpret, assign, StateMachine } from '@xstate/fsm';\nimport {\n playerConfig,\n eventWithTime,\n actionWithDelay,\n ReplayerEvents,\n EventType,\n Emitter,\n IncrementalSource,\n} from '../types';\nimport { Timer, addDelay } from './timer';\n\nexport type PlayerContext = {\n events: eventWithTime[];\n timer: Timer;\n timeOffset: number;\n baselineTime: number;\n lastPlayedEvent: eventWithTime | null;\n};\nexport type PlayerEvent =\n | {\n type: 'PLAY';\n payload: {\n timeOffset: number;\n };\n }\n | {\n type: 'CAST_EVENT';\n payload: {\n event: eventWithTime;\n };\n }\n | { type: 'PAUSE' }\n | { type: 'TO_LIVE'; payload: { baselineTime?: number } }\n | {\n type: 'ADD_EVENT';\n payload: {\n event: eventWithTime;\n };\n }\n | {\n type: 'END';\n };\nexport type PlayerState =\n | {\n value: 'playing';\n context: PlayerContext;\n }\n | {\n value: 'paused';\n context: PlayerContext;\n }\n | {\n value: 'live';\n context: PlayerContext;\n };\n\n/**\n * If the array have multiple meta and fullsnapshot events,\n * return the events from last meta to the end.\n */\nexport function discardPriorSnapshots(\n events: eventWithTime[],\n baselineTime: number,\n): eventWithTime[] {\n for (let idx = events.length - 1; idx >= 0; idx--) {\n const event = events[idx];\n if (event.type === EventType.Meta) {\n if (event.timestamp <= baselineTime) {\n return events.slice(idx);\n }\n }\n }\n return events;\n}\n\ntype PlayerAssets = {\n emitter: Emitter;\n applyEventsSynchronously(events: Array): void;\n getCastFn(event: eventWithTime, isSync: boolean): () => void;\n};\nexport function createPlayerService(\n context: PlayerContext,\n { getCastFn, applyEventsSynchronously, emitter }: PlayerAssets,\n) {\n const playerMachine = createMachine(\n {\n id: 'player',\n context,\n initial: 'paused',\n states: {\n playing: {\n on: {\n PAUSE: {\n target: 'paused',\n actions: ['pause'],\n },\n CAST_EVENT: {\n target: 'playing',\n actions: 'castEvent',\n },\n END: {\n target: 'paused',\n actions: ['resetLastPlayedEvent', 'pause'],\n },\n ADD_EVENT: {\n target: 'playing',\n actions: ['addEvent'],\n },\n },\n },\n paused: {\n on: {\n PLAY: {\n target: 'playing',\n actions: ['recordTimeOffset', 'play'],\n },\n CAST_EVENT: {\n target: 'paused',\n actions: 'castEvent',\n },\n TO_LIVE: {\n target: 'live',\n actions: ['startLive'],\n },\n ADD_EVENT: {\n target: 'paused',\n actions: ['addEvent'],\n },\n },\n },\n live: {\n on: {\n ADD_EVENT: {\n target: 'live',\n actions: ['addEvent'],\n },\n CAST_EVENT: {\n target: 'live',\n actions: ['castEvent'],\n },\n },\n },\n },\n },\n {\n actions: {\n castEvent: assign({\n lastPlayedEvent: (ctx, event) => {\n if (event.type === 'CAST_EVENT') {\n return event.payload.event;\n }\n return ctx.lastPlayedEvent;\n },\n }),\n recordTimeOffset: assign((ctx, event) => {\n let timeOffset = ctx.timeOffset;\n if ('payload' in event && 'timeOffset' in event.payload) {\n timeOffset = event.payload.timeOffset;\n }\n return {\n ...ctx,\n timeOffset,\n baselineTime: ctx.events[0].timestamp + timeOffset,\n };\n }),\n play(ctx) {\n const { timer, events, baselineTime, lastPlayedEvent } = ctx;\n timer.clear();\n\n for (const event of events) {\n // TODO: improve this API\n addDelay(event, baselineTime);\n }\n const neededEvents = discardPriorSnapshots(events, baselineTime);\n\n let lastPlayedTimestamp = lastPlayedEvent?.timestamp;\n if (\n lastPlayedEvent?.type === EventType.IncrementalSnapshot &&\n lastPlayedEvent.data.source === IncrementalSource.MouseMove\n ) {\n lastPlayedTimestamp =\n lastPlayedEvent.timestamp +\n lastPlayedEvent.data.positions[0]?.timeOffset;\n }\n if (baselineTime < (lastPlayedTimestamp || 0)) {\n emitter.emit(ReplayerEvents.PlayBack);\n }\n\n const syncEvents = new Array();\n const actions = new Array();\n for (const event of neededEvents) {\n if (\n lastPlayedTimestamp &&\n lastPlayedTimestamp < baselineTime &&\n (event.timestamp <= lastPlayedTimestamp ||\n event === lastPlayedEvent)\n ) {\n continue;\n }\n if (event.timestamp < baselineTime) {\n syncEvents.push(event);\n } else {\n const castFn = getCastFn(event, false);\n actions.push({\n doAction: () => {\n castFn();\n },\n delay: event.delay!,\n });\n }\n }\n applyEventsSynchronously(syncEvents);\n emitter.emit(ReplayerEvents.Flush);\n timer.addActions(actions);\n timer.start();\n },\n pause(ctx) {\n ctx.timer.clear();\n },\n resetLastPlayedEvent: assign((ctx) => {\n return {\n ...ctx,\n lastPlayedEvent: null,\n };\n }),\n startLive: assign({\n baselineTime: (ctx, event) => {\n ctx.timer.toggleLiveMode(true);\n ctx.timer.start();\n if (event.type === 'TO_LIVE' && event.payload.baselineTime) {\n return event.payload.baselineTime;\n }\n return Date.now();\n },\n }),\n addEvent: assign((ctx, machineEvent) => {\n const { baselineTime, timer, events } = ctx;\n if (machineEvent.type === 'ADD_EVENT') {\n const { event } = machineEvent.payload;\n addDelay(event, baselineTime);\n\n let end = events.length - 1;\n if (!events[end] || events[end].timestamp <= event.timestamp) {\n // fast track\n events.push(event);\n } else {\n let insertionIndex = -1;\n let start = 0;\n while (start <= end) {\n let mid = Math.floor((start + end) / 2);\n if (events[mid].timestamp <= event.timestamp) {\n start = mid + 1;\n } else {\n end = mid - 1;\n }\n }\n if (insertionIndex === -1) {\n insertionIndex = start;\n }\n events.splice(insertionIndex, 0, event);\n }\n\n const isSync = event.timestamp < baselineTime;\n const castFn = getCastFn(event, isSync);\n if (isSync) {\n castFn();\n } else if (timer.isActive()) {\n timer.addAction({\n doAction: () => {\n castFn();\n },\n delay: event.delay!,\n });\n }\n }\n return { ...ctx, events };\n }),\n },\n },\n );\n return interpret(playerMachine);\n}\n\nexport type SpeedContext = {\n normalSpeed: playerConfig['speed'];\n timer: Timer;\n};\n\nexport type SpeedEvent =\n | {\n type: 'FAST_FORWARD';\n payload: { speed: playerConfig['speed'] };\n }\n | {\n type: 'BACK_TO_NORMAL';\n }\n | {\n type: 'SET_SPEED';\n payload: { speed: playerConfig['speed'] };\n };\n\nexport type SpeedState =\n | {\n value: 'normal';\n context: SpeedContext;\n }\n | {\n value: 'skipping';\n context: SpeedContext;\n };\n\nexport function createSpeedService(context: SpeedContext) {\n const speedMachine = createMachine(\n {\n id: 'speed',\n context,\n initial: 'normal',\n states: {\n normal: {\n on: {\n FAST_FORWARD: {\n target: 'skipping',\n actions: ['recordSpeed', 'setSpeed'],\n },\n SET_SPEED: {\n target: 'normal',\n actions: ['setSpeed'],\n },\n },\n },\n skipping: {\n on: {\n BACK_TO_NORMAL: {\n target: 'normal',\n actions: ['restoreSpeed'],\n },\n SET_SPEED: {\n target: 'normal',\n actions: ['setSpeed'],\n },\n },\n },\n },\n },\n {\n actions: {\n setSpeed: (ctx, event) => {\n if ('payload' in event) {\n ctx.timer.setSpeed(event.payload.speed);\n }\n },\n recordSpeed: assign({\n normalSpeed: (ctx) => ctx.timer.speed,\n }),\n restoreSpeed: (ctx) => {\n ctx.timer.setSpeed(ctx.normalSpeed);\n },\n },\n },\n );\n\n return interpret(speedMachine);\n}\n\nexport type PlayerMachineState = StateMachine.State<\n PlayerContext,\n PlayerEvent,\n PlayerState\n>;\n\nexport type SpeedMachineState = StateMachine.State<\n SpeedContext,\n SpeedEvent,\n SpeedState\n>;\n","import {\n Mirror,\n throttleOptions,\n listenerHandler,\n hookResetter,\n blockClass,\n IncrementalSource,\n addedNodeMutation,\n removedNodeMutation,\n textMutation,\n attributeMutation,\n mutationData,\n scrollData,\n inputData,\n DocumentDimension,\n IWindow,\n} from './types';\nimport {\n INode,\n IGNORED_NODE,\n serializedNodeWithId,\n NodeType,\n isShadowRoot,\n} from 'rrweb-snapshot';\n\nexport function on(\n type: string,\n fn: EventListenerOrEventListenerObject,\n target: Document | IWindow = document,\n): listenerHandler {\n const options = { capture: true, passive: true };\n target.addEventListener(type, fn, options);\n return () => target.removeEventListener(type, fn, options);\n}\n\nexport function createMirror(): Mirror {\n return {\n map: {},\n getId(n) {\n // if n is not a serialized INode, use -1 as its id.\n if (!n || !n.__sn) {\n return -1;\n }\n return n.__sn.id;\n },\n getNode(id) {\n return this.map[id] || null;\n },\n // TODO: use a weakmap to get rid of manually memory management\n removeNodeFromMap(n) {\n const id = n.__sn && n.__sn.id;\n delete this.map[id];\n if (n.childNodes) {\n n.childNodes.forEach((child) =>\n this.removeNodeFromMap((child as Node) as INode),\n );\n }\n },\n has(id) {\n return this.map.hasOwnProperty(id);\n },\n reset() {\n this.map = {};\n },\n };\n}\n\n// https://github.com/rrweb-io/rrweb/pull/407\nconst DEPARTED_MIRROR_ACCESS_WARNING =\n 'Please stop import mirror directly. Instead of that,' +\n '\\r\\n' +\n 'now you can use replayer.getMirror() to access the mirror instance of a replayer,' +\n '\\r\\n' +\n 'or you can use record.mirror to access the mirror instance during recording.';\nexport let _mirror: Mirror = {\n map: {},\n getId() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n return -1;\n },\n getNode() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n return null;\n },\n removeNodeFromMap() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n },\n has() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n return false;\n },\n reset() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n },\n};\nif (typeof window !== 'undefined' && window.Proxy && window.Reflect) {\n _mirror = new Proxy(_mirror, {\n get(target, prop, receiver) {\n if (prop === 'map') {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n }\n return Reflect.get(target, prop, receiver);\n },\n });\n}\n\n// copy from underscore and modified\nexport function throttle(\n func: (arg: T) => void,\n wait: number,\n options: throttleOptions = {},\n) {\n let timeout: ReturnType | null = null;\n let previous = 0;\n // tslint:disable-next-line: only-arrow-functions\n return function (arg: T) {\n let now = Date.now();\n if (!previous && options.leading === false) {\n previous = now;\n }\n let remaining = wait - (now - previous);\n let context = this;\n let args = arguments;\n if (remaining <= 0 || remaining > wait) {\n if (timeout) {\n clearTimeout(timeout);\n timeout = null;\n }\n previous = now;\n func.apply(context, args);\n } else if (!timeout && options.trailing !== false) {\n timeout = setTimeout(() => {\n previous = options.leading === false ? 0 : Date.now();\n timeout = null;\n func.apply(context, args);\n }, remaining);\n }\n };\n}\n\nexport function hookSetter(\n target: T,\n key: string | number | symbol,\n d: PropertyDescriptor,\n isRevoked?: boolean,\n win = window,\n): hookResetter {\n const original = win.Object.getOwnPropertyDescriptor(target, key);\n win.Object.defineProperty(\n target,\n key,\n isRevoked\n ? d\n : {\n set(value) {\n // put hooked setter into event loop to avoid of set latency\n setTimeout(() => {\n d.set!.call(this, value);\n }, 0);\n if (original && original.set) {\n original.set.call(this, value);\n }\n },\n },\n );\n return () => hookSetter(target, key, original || {}, true);\n}\n\n// copy from https://github.com/getsentry/sentry-javascript/blob/b2109071975af8bf0316d3b5b38f519bdaf5dc15/packages/utils/src/object.ts\nexport function patch(\n // tslint:disable-next-line:no-any\n source: { [key: string]: any },\n name: string,\n // tslint:disable-next-line:no-any\n replacement: (...args: any[]) => any,\n): () => void {\n try {\n if (!(name in source)) {\n return () => {};\n }\n\n const original = source[name] as () => unknown;\n const wrapped = replacement(original);\n\n // Make sure it's a function first, as we need to attach an empty prototype for `defineProperties` to work\n // otherwise it'll throw \"TypeError: Object.defineProperties called on non-object\"\n // tslint:disable-next-line:strict-type-predicates\n if (typeof wrapped === 'function') {\n wrapped.prototype = wrapped.prototype || {};\n Object.defineProperties(wrapped, {\n __rrweb_original__: {\n enumerable: false,\n value: original,\n },\n });\n }\n\n source[name] = wrapped;\n\n return () => {\n source[name] = original;\n };\n } catch {\n return () => {};\n // This can throw if multiple fill happens on a global object like XMLHttpRequest\n // Fixes https://github.com/getsentry/sentry-javascript/issues/2043\n }\n}\n\nexport function getWindowHeight(): number {\n return (\n window.innerHeight ||\n (document.documentElement && document.documentElement.clientHeight) ||\n (document.body && document.body.clientHeight)\n );\n}\n\nexport function getWindowWidth(): number {\n return (\n window.innerWidth ||\n (document.documentElement && document.documentElement.clientWidth) ||\n (document.body && document.body.clientWidth)\n );\n}\n\nexport function isBlocked(node: Node | null, blockClass: blockClass): boolean {\n if (!node) {\n return false;\n }\n if (node.nodeType === node.ELEMENT_NODE) {\n let needBlock = false;\n if (typeof blockClass === 'string') {\n if ((node as HTMLElement).closest !== undefined) {\n return (node as HTMLElement).closest('.' + blockClass) !== null;\n } else {\n needBlock = (node as HTMLElement).classList.contains(blockClass);\n }\n } else {\n (node as HTMLElement).classList.forEach((className) => {\n if (blockClass.test(className)) {\n needBlock = true;\n }\n });\n }\n return needBlock || isBlocked(node.parentNode, blockClass);\n }\n if (node.nodeType === node.TEXT_NODE) {\n // check parent node since text node do not have class name\n return isBlocked(node.parentNode, blockClass);\n }\n return isBlocked(node.parentNode, blockClass);\n}\n\nexport function isIgnored(n: Node | INode): boolean {\n if ('__sn' in n) {\n return (n as INode).__sn.id === IGNORED_NODE;\n }\n // The main part of the slimDOM check happens in\n // rrweb-snapshot::serializeNodeWithId\n return false;\n}\n\nexport function isAncestorRemoved(target: INode, mirror: Mirror): boolean {\n if (isShadowRoot(target)) {\n return false;\n }\n const id = mirror.getId(target);\n if (!mirror.has(id)) {\n return true;\n }\n if (\n target.parentNode &&\n target.parentNode.nodeType === target.DOCUMENT_NODE\n ) {\n return false;\n }\n // if the root is not document, it means the node is not in the DOM tree anymore\n if (!target.parentNode) {\n return true;\n }\n return isAncestorRemoved((target.parentNode as unknown) as INode, mirror);\n}\n\nexport function isTouchEvent(\n event: MouseEvent | TouchEvent,\n): event is TouchEvent {\n return Boolean((event as TouchEvent).changedTouches);\n}\n\nexport function polyfill(win = window) {\n if ('NodeList' in win && !win.NodeList.prototype.forEach) {\n win.NodeList.prototype.forEach = (Array.prototype\n .forEach as unknown) as NodeList['forEach'];\n }\n\n if ('DOMTokenList' in win && !win.DOMTokenList.prototype.forEach) {\n win.DOMTokenList.prototype.forEach = (Array.prototype\n .forEach as unknown) as DOMTokenList['forEach'];\n }\n\n // https://github.com/Financial-Times/polyfill-service/pull/183\n if (!Node.prototype.contains) {\n Node.prototype.contains = function contains(node) {\n if (!(0 in arguments)) {\n throw new TypeError('1 argument is required');\n }\n\n do {\n if (this === node) {\n return true;\n }\n // tslint:disable-next-line: no-conditional-assignment\n } while ((node = node && node.parentNode));\n\n return false;\n };\n }\n}\n\nexport type TreeNode = {\n id: number;\n mutation: addedNodeMutation;\n parent?: TreeNode;\n children: Record;\n texts: textMutation[];\n attributes: attributeMutation[];\n};\nexport class TreeIndex {\n public tree!: Record;\n\n private removeNodeMutations!: removedNodeMutation[];\n private textMutations!: textMutation[];\n private attributeMutations!: attributeMutation[];\n private indexes!: Map;\n private removeIdSet!: Set;\n private scrollMap!: Map;\n private inputMap!: Map;\n\n constructor() {\n this.reset();\n }\n\n public add(mutation: addedNodeMutation) {\n const parentTreeNode = this.indexes.get(mutation.parentId);\n const treeNode: TreeNode = {\n id: mutation.node.id,\n mutation,\n children: [],\n texts: [],\n attributes: [],\n };\n if (!parentTreeNode) {\n this.tree[treeNode.id] = treeNode;\n } else {\n treeNode.parent = parentTreeNode;\n parentTreeNode.children[treeNode.id] = treeNode;\n }\n this.indexes.set(treeNode.id, treeNode);\n }\n\n public remove(mutation: removedNodeMutation, mirror: Mirror) {\n const parentTreeNode = this.indexes.get(mutation.parentId);\n const treeNode = this.indexes.get(mutation.id);\n\n const deepRemoveFromMirror = (id: number) => {\n this.removeIdSet.add(id);\n const node = mirror.getNode(id);\n node?.childNodes.forEach((childNode) => {\n if ('__sn' in childNode) {\n deepRemoveFromMirror(((childNode as unknown) as INode).__sn.id);\n }\n });\n };\n const deepRemoveFromTreeIndex = (node: TreeNode) => {\n this.removeIdSet.add(node.id);\n Object.values(node.children).forEach((n) => deepRemoveFromTreeIndex(n));\n const _treeNode = this.indexes.get(node.id);\n if (_treeNode) {\n const _parentTreeNode = _treeNode.parent;\n if (_parentTreeNode) {\n delete _treeNode.parent;\n delete _parentTreeNode.children[_treeNode.id];\n this.indexes.delete(mutation.id);\n }\n }\n };\n\n if (!treeNode) {\n this.removeNodeMutations.push(mutation);\n deepRemoveFromMirror(mutation.id);\n } else if (!parentTreeNode) {\n delete this.tree[treeNode.id];\n this.indexes.delete(treeNode.id);\n deepRemoveFromTreeIndex(treeNode);\n } else {\n delete treeNode.parent;\n delete parentTreeNode.children[treeNode.id];\n this.indexes.delete(mutation.id);\n deepRemoveFromTreeIndex(treeNode);\n }\n }\n\n public text(mutation: textMutation) {\n const treeNode = this.indexes.get(mutation.id);\n if (treeNode) {\n treeNode.texts.push(mutation);\n } else {\n this.textMutations.push(mutation);\n }\n }\n\n public attribute(mutation: attributeMutation) {\n const treeNode = this.indexes.get(mutation.id);\n if (treeNode) {\n treeNode.attributes.push(mutation);\n } else {\n this.attributeMutations.push(mutation);\n }\n }\n\n public scroll(d: scrollData) {\n this.scrollMap.set(d.id, d);\n }\n\n public input(d: inputData) {\n this.inputMap.set(d.id, d);\n }\n\n public flush(): {\n mutationData: mutationData;\n scrollMap: TreeIndex['scrollMap'];\n inputMap: TreeIndex['inputMap'];\n } {\n const {\n tree,\n removeNodeMutations,\n textMutations,\n attributeMutations,\n } = this;\n\n const batchMutationData: mutationData = {\n source: IncrementalSource.Mutation,\n removes: removeNodeMutations,\n texts: textMutations,\n attributes: attributeMutations,\n adds: [],\n };\n\n const walk = (treeNode: TreeNode, removed: boolean) => {\n if (removed) {\n this.removeIdSet.add(treeNode.id);\n }\n batchMutationData.texts = batchMutationData.texts\n .concat(removed ? [] : treeNode.texts)\n .filter((m) => !this.removeIdSet.has(m.id));\n batchMutationData.attributes = batchMutationData.attributes\n .concat(removed ? [] : treeNode.attributes)\n .filter((m) => !this.removeIdSet.has(m.id));\n if (\n !this.removeIdSet.has(treeNode.id) &&\n !this.removeIdSet.has(treeNode.mutation.parentId) &&\n !removed\n ) {\n batchMutationData.adds.push(treeNode.mutation);\n if (treeNode.children) {\n Object.values(treeNode.children).forEach((n) => walk(n, false));\n }\n } else {\n Object.values(treeNode.children).forEach((n) => walk(n, true));\n }\n };\n\n Object.values(tree).forEach((n) => walk(n, false));\n\n for (const id of this.scrollMap.keys()) {\n if (this.removeIdSet.has(id)) {\n this.scrollMap.delete(id);\n }\n }\n for (const id of this.inputMap.keys()) {\n if (this.removeIdSet.has(id)) {\n this.inputMap.delete(id);\n }\n }\n\n const scrollMap = new Map(this.scrollMap);\n const inputMap = new Map(this.inputMap);\n\n this.reset();\n\n return {\n mutationData: batchMutationData,\n scrollMap,\n inputMap,\n };\n }\n\n private reset() {\n this.tree = [];\n this.indexes = new Map();\n this.removeNodeMutations = [];\n this.textMutations = [];\n this.attributeMutations = [];\n this.removeIdSet = new Set();\n this.scrollMap = new Map();\n this.inputMap = new Map();\n }\n\n public idRemoved(id: number): boolean {\n return this.removeIdSet.has(id);\n }\n}\n\ntype ResolveTree = {\n value: addedNodeMutation;\n children: ResolveTree[];\n parent: ResolveTree | null;\n};\n\nexport function queueToResolveTrees(queue: addedNodeMutation[]): ResolveTree[] {\n const queueNodeMap: Record = {};\n const putIntoMap = (\n m: addedNodeMutation,\n parent: ResolveTree | null,\n ): ResolveTree => {\n const nodeInTree: ResolveTree = {\n value: m,\n parent,\n children: [],\n };\n queueNodeMap[m.node.id] = nodeInTree;\n return nodeInTree;\n };\n\n const queueNodeTrees: ResolveTree[] = [];\n for (const mutation of queue) {\n const { nextId, parentId } = mutation;\n if (nextId && nextId in queueNodeMap) {\n const nextInTree = queueNodeMap[nextId];\n if (nextInTree.parent) {\n const idx = nextInTree.parent.children.indexOf(nextInTree);\n nextInTree.parent.children.splice(\n idx,\n 0,\n putIntoMap(mutation, nextInTree.parent),\n );\n } else {\n const idx = queueNodeTrees.indexOf(nextInTree);\n queueNodeTrees.splice(idx, 0, putIntoMap(mutation, null));\n }\n continue;\n }\n if (parentId in queueNodeMap) {\n const parentInTree = queueNodeMap[parentId];\n parentInTree.children.push(putIntoMap(mutation, parentInTree));\n continue;\n }\n queueNodeTrees.push(putIntoMap(mutation, null));\n }\n\n return queueNodeTrees;\n}\n\nexport function iterateResolveTree(\n tree: ResolveTree,\n cb: (mutation: addedNodeMutation) => unknown,\n) {\n cb(tree.value);\n /**\n * The resolve tree was designed to reflect the DOM layout,\n * but we need append next sibling first, so we do a reverse\n * loop here.\n */\n for (let i = tree.children.length - 1; i >= 0; i--) {\n iterateResolveTree(tree.children[i], cb);\n }\n}\n\ntype HTMLIFrameINode = HTMLIFrameElement & {\n __sn: serializedNodeWithId;\n};\nexport type AppendedIframe = {\n mutationInQueue: addedNodeMutation;\n builtNode: HTMLIFrameINode;\n};\n\nexport function isIframeINode(\n node: INode | ShadowRoot,\n): node is HTMLIFrameINode {\n if ('__sn' in node) {\n return (\n node.__sn.type === NodeType.Element && node.__sn.tagName === 'iframe'\n );\n }\n // node can be document fragment when using the virtual parent feature\n return false;\n}\n\nexport function getBaseDimension(\n node: Node,\n rootIframe: Node,\n): DocumentDimension {\n const frameElement = node.ownerDocument?.defaultView?.frameElement;\n if (!frameElement || frameElement === rootIframe) {\n return {\n x: 0,\n y: 0,\n relativeScale: 1,\n absoluteScale: 1,\n };\n }\n\n const frameDimension = frameElement.getBoundingClientRect();\n const frameBaseDimension = getBaseDimension(frameElement, rootIframe);\n // the iframe element may have a scale transform\n const relativeScale = frameDimension.height / frameElement.clientHeight;\n return {\n x:\n frameDimension.x * frameBaseDimension.relativeScale +\n frameBaseDimension.x,\n y:\n frameDimension.y * frameBaseDimension.relativeScale +\n frameBaseDimension.y,\n relativeScale,\n absoluteScale: frameBaseDimension.absoluteScale * relativeScale,\n };\n}\n\nexport function hasShadowRoot(\n n: T,\n): n is T & { shadowRoot: ShadowRoot } {\n return Boolean(((n as unknown) as Element)?.shadowRoot);\n}\n","const rules: (blockClass: string) => string[] = (blockClass: string) => [\n `.${blockClass} { background: currentColor }`,\n 'noscript { display: none !important; }',\n];\n\nexport default rules;\n","import { INode } from 'rrweb-snapshot';\n\nexport enum StyleRuleType {\n Insert,\n Remove,\n Snapshot,\n SetProperty,\n RemoveProperty,\n}\n\ntype InsertRule = {\n cssText: string;\n type: StyleRuleType.Insert;\n index?: number | number[];\n};\ntype RemoveRule = {\n type: StyleRuleType.Remove;\n index: number | number[];\n};\ntype SnapshotRule = {\n type: StyleRuleType.Snapshot;\n cssTexts: string[];\n};\ntype SetPropertyRule = {\n type: StyleRuleType.SetProperty;\n index: number[];\n property: string;\n value: string | null;\n priority: string | undefined;\n};\ntype RemovePropertyRule = {\n type: StyleRuleType.RemoveProperty;\n index: number[];\n property: string;\n};\n\nexport type VirtualStyleRules = Array<\n InsertRule | RemoveRule | SnapshotRule | SetPropertyRule | RemovePropertyRule\n>;\nexport type VirtualStyleRulesMap = Map;\n\nexport function getNestedRule(\n rules: CSSRuleList,\n position: number[],\n): CSSGroupingRule {\n const rule = rules[position[0]] as CSSGroupingRule;\n if (position.length === 1) {\n return rule;\n } else {\n return getNestedRule(\n ((rule as CSSGroupingRule).cssRules[position[1]] as CSSGroupingRule)\n .cssRules,\n position.slice(2),\n );\n }\n}\n\nexport function getPositionsAndIndex(nestedIndex: number[]) {\n const positions = [...nestedIndex];\n const index = positions.pop();\n return { positions, index };\n}\n\nexport function applyVirtualStyleRulesToNode(\n storedRules: VirtualStyleRules,\n styleNode: HTMLStyleElement,\n) {\n const { sheet } = styleNode;\n if (!sheet) {\n // styleNode without sheet means the DOM has been removed\n // so the rules no longer need to be applied\n return;\n }\n\n storedRules.forEach((rule) => {\n if (rule.type === StyleRuleType.Insert) {\n try {\n if (Array.isArray(rule.index)) {\n const { positions, index } = getPositionsAndIndex(rule.index);\n const nestedRule = getNestedRule(sheet.cssRules, positions);\n nestedRule.insertRule(rule.cssText, index);\n } else {\n sheet.insertRule(rule.cssText, rule.index);\n }\n } catch (e) {\n /**\n * sometimes we may capture rules with browser prefix\n * insert rule with prefixs in other browsers may cause Error\n */\n }\n } else if (rule.type === StyleRuleType.Remove) {\n try {\n if (Array.isArray(rule.index)) {\n const { positions, index } = getPositionsAndIndex(rule.index);\n const nestedRule = getNestedRule(sheet.cssRules, positions);\n nestedRule.deleteRule(index || 0);\n } else {\n sheet.deleteRule(rule.index);\n }\n } catch (e) {\n /**\n * accessing styleSheet rules may cause SecurityError\n * for specific access control settings\n */\n }\n } else if (rule.type === StyleRuleType.Snapshot) {\n restoreSnapshotOfStyleRulesToNode(rule.cssTexts, styleNode);\n } else if (rule.type === StyleRuleType.SetProperty) {\n const nativeRule = (getNestedRule(\n sheet.cssRules,\n rule.index,\n ) as unknown) as CSSStyleRule;\n nativeRule.style.setProperty(rule.property, rule.value, rule.priority);\n } else if (rule.type === StyleRuleType.RemoveProperty) {\n const nativeRule = (getNestedRule(\n sheet.cssRules,\n rule.index,\n ) as unknown) as CSSStyleRule;\n nativeRule.style.removeProperty(rule.property);\n }\n });\n}\n\nfunction restoreSnapshotOfStyleRulesToNode(\n cssTexts: string[],\n styleNode: HTMLStyleElement,\n) {\n try {\n const existingRules = Array.from(styleNode.sheet?.cssRules || []).map(\n (rule) => rule.cssText,\n );\n const existingRulesReversed = Object.entries(existingRules).reverse();\n let lastMatch = existingRules.length;\n existingRulesReversed.forEach(([index, rule]) => {\n const indexOf = cssTexts.indexOf(rule);\n if (indexOf === -1 || indexOf > lastMatch) {\n try {\n styleNode.sheet?.deleteRule(Number(index));\n } catch (e) {\n /**\n * accessing styleSheet rules may cause SecurityError\n * for specific access control settings\n */\n }\n }\n lastMatch = indexOf;\n });\n cssTexts.forEach((cssText, index) => {\n try {\n if (styleNode.sheet?.cssRules[index]?.cssText !== cssText) {\n styleNode.sheet?.insertRule(cssText, index);\n }\n } catch (e) {\n /**\n * sometimes we may capture rules with browser prefix\n * insert rule with prefixs in other browsers may cause Error\n */\n }\n });\n } catch (e) {\n /**\n * accessing styleSheet rules may cause SecurityError\n * for specific access control settings\n */\n }\n}\n\nexport function storeCSSRules(\n parentElement: HTMLStyleElement,\n virtualStyleRulesMap: VirtualStyleRulesMap,\n) {\n try {\n const cssTexts = Array.from(\n (parentElement as HTMLStyleElement).sheet?.cssRules || [],\n ).map((rule) => rule.cssText);\n virtualStyleRulesMap.set((parentElement as unknown) as INode, [\n {\n type: StyleRuleType.Snapshot,\n cssTexts,\n },\n ]);\n } catch (e) {\n /**\n * accessing styleSheet rules may cause SecurityError\n * for specific access control settings\n */\n }\n}\n","/*\n * base64-arraybuffer 1.0.1 \n * Copyright (c) 2021 Niklas von Hertzen \n * Released under MIT License\n */\nvar chars = 'ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/';\n// Use a lookup table to find the index.\nvar lookup = typeof Uint8Array === 'undefined' ? [] : new Uint8Array(256);\nfor (var i = 0; i < chars.length; i++) {\n lookup[chars.charCodeAt(i)] = i;\n}\nvar encode = function (arraybuffer) {\n var bytes = new Uint8Array(arraybuffer), i, len = bytes.length, base64 = '';\n for (i = 0; i < len; i += 3) {\n base64 += chars[bytes[i] >> 2];\n base64 += chars[((bytes[i] & 3) << 4) | (bytes[i + 1] >> 4)];\n base64 += chars[((bytes[i + 1] & 15) << 2) | (bytes[i + 2] >> 6)];\n base64 += chars[bytes[i + 2] & 63];\n }\n if (len % 3 === 2) {\n base64 = base64.substring(0, base64.length - 1) + '=';\n }\n else if (len % 3 === 1) {\n base64 = base64.substring(0, base64.length - 2) + '==';\n }\n return base64;\n};\nvar decode = function (base64) {\n var bufferLength = base64.length * 0.75, len = base64.length, i, p = 0, encoded1, encoded2, encoded3, encoded4;\n if (base64[base64.length - 1] === '=') {\n bufferLength--;\n if (base64[base64.length - 2] === '=') {\n bufferLength--;\n }\n }\n var arraybuffer = new ArrayBuffer(bufferLength), bytes = new Uint8Array(arraybuffer);\n for (i = 0; i < len; i += 4) {\n encoded1 = lookup[base64.charCodeAt(i)];\n encoded2 = lookup[base64.charCodeAt(i + 1)];\n encoded3 = lookup[base64.charCodeAt(i + 2)];\n encoded4 = lookup[base64.charCodeAt(i + 3)];\n bytes[p++] = (encoded1 << 2) | (encoded2 >> 4);\n bytes[p++] = ((encoded2 & 15) << 4) | (encoded3 >> 2);\n bytes[p++] = ((encoded3 & 3) << 6) | (encoded4 & 63);\n }\n return arraybuffer;\n};\n\nexport { decode, encode };\n//# sourceMappingURL=base64-arraybuffer.es5.js.map\n","import { decode } from 'base64-arraybuffer';\nimport { Replayer } from '../';\nimport {\n CanvasContext,\n canvasMutationCommand,\n SerializedWebGlArg,\n} from '../../types';\n\n// TODO: add ability to wipe this list\ntype GLVarMap = Map;\nconst webGLVarMap: Map<\n WebGLRenderingContext | WebGL2RenderingContext,\n GLVarMap\n> = new Map();\nexport function variableListFor(\n ctx: WebGLRenderingContext | WebGL2RenderingContext,\n ctor: string,\n) {\n let contextMap = webGLVarMap.get(ctx);\n if (!contextMap) {\n contextMap = new Map();\n webGLVarMap.set(ctx, contextMap);\n }\n if (!contextMap.has(ctor)) {\n contextMap.set(ctor, []);\n }\n return contextMap.get(ctor) as any[];\n}\n\nfunction getContext(\n target: HTMLCanvasElement,\n type: CanvasContext,\n): WebGLRenderingContext | WebGL2RenderingContext | null {\n // Note to whomever is going to implement support for `contextAttributes`:\n // if `preserveDrawingBuffer` is set to true,\n // you might have to do `ctx.flush()` before every webgl canvas event\n try {\n if (type === CanvasContext.WebGL) {\n return (\n target.getContext('webgl')! || target.getContext('experimental-webgl')\n );\n }\n return target.getContext('webgl2')!;\n } catch (e) {\n return null;\n }\n}\n\nconst WebGLVariableConstructorsNames = [\n 'WebGLActiveInfo',\n 'WebGLBuffer',\n 'WebGLFramebuffer',\n 'WebGLProgram',\n 'WebGLRenderbuffer',\n 'WebGLShader',\n 'WebGLShaderPrecisionFormat',\n 'WebGLTexture',\n 'WebGLUniformLocation',\n 'WebGLVertexArrayObject',\n];\n\nfunction saveToWebGLVarMap(\n ctx: WebGLRenderingContext | WebGL2RenderingContext,\n result: any,\n) {\n if (!result?.constructor) return; // probably null or undefined\n\n const { name } = result.constructor;\n if (!WebGLVariableConstructorsNames.includes(name)) return; // not a WebGL variable\n\n const variables = variableListFor(ctx, name);\n if (!variables.includes(result)) variables.push(result);\n}\n\nexport function deserializeArg(\n imageMap: Replayer['imageMap'],\n ctx: WebGLRenderingContext | WebGL2RenderingContext,\n): (arg: SerializedWebGlArg) => any {\n return (arg: SerializedWebGlArg): any => {\n if (arg && typeof arg === 'object' && 'rr_type' in arg) {\n if ('index' in arg) {\n const { rr_type: name, index } = arg;\n return variableListFor(ctx, name)[index];\n } else if ('args' in arg) {\n const { rr_type: name, args } = arg;\n const ctor = window[name as keyof Window];\n\n return new ctor(...args.map(deserializeArg(imageMap, ctx)));\n } else if ('base64' in arg) {\n return decode(arg.base64);\n } else if ('src' in arg) {\n const image = imageMap.get(arg.src);\n if (image) {\n return image;\n } else {\n const image = new Image();\n image.src = arg.src;\n imageMap.set(arg.src, image);\n return image;\n }\n }\n } else if (Array.isArray(arg)) {\n return arg.map(deserializeArg(imageMap, ctx));\n }\n return arg;\n };\n}\n\nexport default function webglMutation({\n mutation,\n target,\n type,\n imageMap,\n errorHandler,\n}: {\n mutation: canvasMutationCommand;\n target: HTMLCanvasElement;\n type: CanvasContext;\n imageMap: Replayer['imageMap'];\n errorHandler: Replayer['warnCanvasMutationFailed'];\n}): void {\n try {\n const ctx = getContext(target, type);\n if (!ctx) return;\n\n // NOTE: if `preserveDrawingBuffer` is set to true,\n // we must flush the buffers on every new canvas event\n // if (mutation.newFrame) ctx.flush();\n\n if (mutation.setter) {\n // skip some read-only type checks\n // tslint:disable-next-line:no-any\n (ctx as any)[mutation.property] = mutation.args[0];\n return;\n }\n const original = ctx[\n mutation.property as Exclude\n ] as Function;\n\n const args = mutation.args.map(deserializeArg(imageMap, ctx));\n const result = original.apply(ctx, args);\n saveToWebGLVarMap(ctx, result);\n\n // Slows down replay considerably, only use for debugging\n const debugMode = false;\n if (debugMode) {\n if (mutation.property === 'compileShader') {\n if (!ctx.getShaderParameter(args[0], ctx.COMPILE_STATUS))\n console.warn(\n 'something went wrong in replay',\n ctx.getShaderInfoLog(args[0]),\n );\n } else if (mutation.property === 'linkProgram') {\n ctx.validateProgram(args[0]);\n if (!ctx.getProgramParameter(args[0], ctx.LINK_STATUS))\n console.warn(\n 'something went wrong in replay',\n ctx.getProgramInfoLog(args[0]),\n );\n }\n const webglError = ctx.getError();\n if (webglError !== ctx.NO_ERROR) {\n console.warn(\n 'WEBGL ERROR',\n webglError,\n 'on command:',\n mutation.property,\n ...args,\n );\n }\n }\n } catch (error) {\n errorHandler(mutation, error);\n }\n}\n","import {\n rebuild,\n buildNodeWithSN,\n INode,\n NodeType,\n BuildCache,\n createCache,\n} from 'rrweb-snapshot';\nimport * as mittProxy from 'mitt';\nimport { polyfill as smoothscrollPolyfill } from './smoothscroll';\nimport { Timer } from './timer';\nimport { createPlayerService, createSpeedService } from './machine';\nimport {\n EventType,\n IncrementalSource,\n fullSnapshotEvent,\n eventWithTime,\n MouseInteractions,\n playerConfig,\n playerMetaData,\n viewportResizeDimension,\n missingNodeMap,\n addedNodeMutation,\n missingNode,\n incrementalSnapshotEvent,\n incrementalData,\n ReplayerEvents,\n Handler,\n Emitter,\n MediaInteractions,\n metaEvent,\n mutationData,\n scrollData,\n inputData,\n canvasMutationData,\n Mirror,\n ElementState,\n styleAttributeValue,\n styleValueWithPriority,\n mouseMovePos,\n IWindow,\n canvasMutationCommand,\n textMutation,\n} from '../types';\nimport {\n createMirror,\n polyfill,\n TreeIndex,\n queueToResolveTrees,\n iterateResolveTree,\n AppendedIframe,\n isIframeINode,\n getBaseDimension,\n hasShadowRoot,\n} from '../utils';\nimport getInjectStyleRules from './styles/inject-style';\nimport './styles/style.css';\nimport {\n applyVirtualStyleRulesToNode,\n storeCSSRules,\n StyleRuleType,\n VirtualStyleRules,\n VirtualStyleRulesMap,\n getNestedRule,\n getPositionsAndIndex,\n} from './virtual-styles';\nimport canvasMutation from './canvas';\n\nconst SKIP_TIME_THRESHOLD = 10 * 1000;\nconst SKIP_TIME_INTERVAL = 5 * 1000;\n\n// https://github.com/rollup/rollup/issues/1267#issuecomment-296395734\n// tslint:disable-next-line\nconst mitt = (mittProxy as any).default || mittProxy;\n\nconst REPLAY_CONSOLE_PREFIX = '[replayer]';\n\nconst defaultMouseTailConfig = {\n duration: 500,\n lineCap: 'round',\n lineWidth: 3,\n strokeStyle: 'red',\n} as const;\n\nfunction indicatesTouchDevice(e: eventWithTime) {\n return (\n e.type == EventType.IncrementalSnapshot &&\n (e.data.source == IncrementalSource.TouchMove ||\n (e.data.source == IncrementalSource.MouseInteraction &&\n e.data.type == MouseInteractions.TouchStart))\n );\n}\n\nexport class Replayer {\n public wrapper: HTMLDivElement;\n public iframe: HTMLIFrameElement;\n\n public service: ReturnType;\n public speedService: ReturnType;\n public get timer() {\n return this.service.state.context.timer;\n }\n\n public config: playerConfig;\n\n private mouse: HTMLDivElement;\n private mouseTail: HTMLCanvasElement | null = null;\n private tailPositions: Array<{ x: number; y: number }> = [];\n\n private emitter: Emitter = mitt();\n\n private nextUserInteractionEvent: eventWithTime | null;\n\n // tslint:disable-next-line: variable-name\n private legacy_missingNodeRetryMap: missingNodeMap = {};\n\n private treeIndex!: TreeIndex;\n private fragmentParentMap!: Map;\n private elementStateMap!: Map;\n // Hold the list of CSSRules for in-memory state restoration\n private virtualStyleRulesMap!: VirtualStyleRulesMap;\n\n // The replayer uses the cache to speed up replay and scrubbing.\n private cache: BuildCache = createCache();\n\n private imageMap: Map = new Map();\n\n private mirror: Mirror = createMirror();\n\n private firstFullSnapshot: eventWithTime | true | null = null;\n\n private newDocumentQueue: addedNodeMutation[] = [];\n\n private mousePos: mouseMovePos | null = null;\n private touchActive: boolean | null = null;\n\n constructor(\n events: Array,\n config?: Partial,\n ) {\n if (!config?.liveMode && events.length < 2) {\n throw new Error('Replayer need at least 2 events.');\n }\n const defaultConfig: playerConfig = {\n speed: 1,\n maxSpeed: 360,\n root: document.body,\n loadTimeout: 0,\n skipInactive: false,\n showWarning: true,\n showDebug: false,\n blockClass: 'rr-block',\n liveMode: false,\n insertStyleRules: [],\n triggerFocus: true,\n UNSAFE_replayCanvas: false,\n pauseAnimation: true,\n mouseTail: defaultMouseTailConfig,\n };\n this.config = Object.assign({}, defaultConfig, config);\n\n this.handleResize = this.handleResize.bind(this);\n this.getCastFn = this.getCastFn.bind(this);\n this.applyEventsSynchronously = this.applyEventsSynchronously.bind(this);\n this.emitter.on(ReplayerEvents.Resize, this.handleResize as Handler);\n\n this.setupDom();\n\n this.treeIndex = new TreeIndex();\n this.fragmentParentMap = new Map();\n this.elementStateMap = new Map();\n this.virtualStyleRulesMap = new Map();\n\n this.emitter.on(ReplayerEvents.Flush, () => {\n const { scrollMap, inputMap, mutationData } = this.treeIndex.flush();\n\n this.fragmentParentMap.forEach((parent, frag) =>\n this.restoreRealParent(frag, parent),\n );\n // apply text needs to happen before virtual style rules gets applied\n // as it can overwrite the contents of a stylesheet\n for (const d of mutationData.texts) {\n this.applyText(d, mutationData);\n }\n\n for (const node of this.virtualStyleRulesMap.keys()) {\n // restore css rules of style elements after they are mounted\n this.restoreNodeSheet(node);\n }\n this.fragmentParentMap.clear();\n this.elementStateMap.clear();\n this.virtualStyleRulesMap.clear();\n\n for (const d of scrollMap.values()) {\n this.applyScroll(d, true);\n }\n for (const d of inputMap.values()) {\n this.applyInput(d);\n }\n });\n this.emitter.on(ReplayerEvents.PlayBack, () => {\n this.firstFullSnapshot = null;\n this.mirror.reset();\n });\n\n const timer = new Timer([], config?.speed || defaultConfig.speed);\n this.service = createPlayerService(\n {\n events: events\n .map((e) => {\n if (config && config.unpackFn) {\n return config.unpackFn(e as string);\n }\n return e as eventWithTime;\n })\n .sort((a1, a2) => a1.timestamp - a2.timestamp),\n timer,\n timeOffset: 0,\n baselineTime: 0,\n lastPlayedEvent: null,\n },\n {\n getCastFn: this.getCastFn,\n applyEventsSynchronously: this.applyEventsSynchronously,\n emitter: this.emitter,\n },\n );\n this.service.start();\n this.service.subscribe((state) => {\n this.emitter.emit(ReplayerEvents.StateChange, {\n player: state,\n });\n });\n this.speedService = createSpeedService({\n normalSpeed: -1,\n timer,\n });\n this.speedService.start();\n this.speedService.subscribe((state) => {\n this.emitter.emit(ReplayerEvents.StateChange, {\n speed: state,\n });\n });\n\n // rebuild first full snapshot as the poster of the player\n // maybe we can cache it for performance optimization\n const firstMeta = this.service.state.context.events.find(\n (e) => e.type === EventType.Meta,\n );\n const firstFullsnapshot = this.service.state.context.events.find(\n (e) => e.type === EventType.FullSnapshot,\n );\n if (firstMeta) {\n const { width, height } = firstMeta.data as metaEvent['data'];\n setTimeout(() => {\n this.emitter.emit(ReplayerEvents.Resize, {\n width,\n height,\n });\n }, 0);\n }\n if (firstFullsnapshot) {\n setTimeout(() => {\n // when something has been played, there is no need to rebuild poster\n if (this.firstFullSnapshot) {\n // true if any other fullSnapshot has been executed by Timer already\n return;\n }\n this.firstFullSnapshot = firstFullsnapshot;\n this.rebuildFullSnapshot(\n firstFullsnapshot as fullSnapshotEvent & { timestamp: number },\n );\n this.iframe.contentWindow!.scrollTo(\n (firstFullsnapshot as fullSnapshotEvent).data.initialOffset,\n );\n }, 1);\n }\n if (this.service.state.context.events.find(indicatesTouchDevice)) {\n this.mouse.classList.add('touch-device');\n }\n }\n\n public on(event: string, handler: Handler) {\n this.emitter.on(event, handler);\n return this;\n }\n\n public off(event: string, handler: Handler) {\n this.emitter.off(event, handler);\n return this;\n }\n\n public setConfig(config: Partial) {\n Object.keys(config).forEach((key) => {\n // @ts-ignore\n this.config[key] = config[key];\n });\n if (!this.config.skipInactive) {\n this.backToNormal();\n }\n if (typeof config.speed !== 'undefined') {\n this.speedService.send({\n type: 'SET_SPEED',\n payload: {\n speed: config.speed!,\n },\n });\n }\n if (typeof config.mouseTail !== 'undefined') {\n if (config.mouseTail === false) {\n if (this.mouseTail) {\n this.mouseTail.style.display = 'none';\n }\n } else {\n if (!this.mouseTail) {\n this.mouseTail = document.createElement('canvas');\n this.mouseTail.width = Number.parseFloat(this.iframe.width);\n this.mouseTail.height = Number.parseFloat(this.iframe.height);\n this.mouseTail.classList.add('replayer-mouse-tail');\n this.wrapper.insertBefore(this.mouseTail, this.iframe);\n }\n this.mouseTail.style.display = 'inherit';\n }\n }\n }\n\n public getMetaData(): playerMetaData {\n const firstEvent = this.service.state.context.events[0];\n const lastEvent = this.service.state.context.events[\n this.service.state.context.events.length - 1\n ];\n return {\n startTime: firstEvent.timestamp,\n endTime: lastEvent.timestamp,\n totalTime: lastEvent.timestamp - firstEvent.timestamp,\n };\n }\n\n public getCurrentTime(): number {\n return this.timer.timeOffset + this.getTimeOffset();\n }\n\n public getTimeOffset(): number {\n const { baselineTime, events } = this.service.state.context;\n return baselineTime - events[0].timestamp;\n }\n\n public getMirror(): Mirror {\n return this.mirror;\n }\n\n /**\n * This API was designed to be used as play at any time offset.\n * Since we minimized the data collected from recorder, we do not\n * have the ability of undo an event.\n * So the implementation of play at any time offset will always iterate\n * all of the events, cast event before the offset synchronously\n * and cast event after the offset asynchronously with timer.\n * @param timeOffset number\n */\n public play(timeOffset = 0) {\n if (this.service.state.matches('paused')) {\n this.service.send({ type: 'PLAY', payload: { timeOffset } });\n } else {\n this.service.send({ type: 'PAUSE' });\n this.service.send({ type: 'PLAY', payload: { timeOffset } });\n }\n this.iframe.contentDocument\n ?.getElementsByTagName('html')[0]\n .classList.remove('rrweb-paused');\n this.emitter.emit(ReplayerEvents.Start);\n }\n\n public pause(timeOffset?: number) {\n if (timeOffset === undefined && this.service.state.matches('playing')) {\n this.service.send({ type: 'PAUSE' });\n }\n if (typeof timeOffset === 'number') {\n this.play(timeOffset);\n this.service.send({ type: 'PAUSE' });\n }\n this.iframe.contentDocument\n ?.getElementsByTagName('html')[0]\n .classList.add('rrweb-paused');\n this.emitter.emit(ReplayerEvents.Pause);\n }\n\n public resume(timeOffset = 0) {\n console.warn(\n `The 'resume' will be departed in 1.0. Please use 'play' method which has the same interface.`,\n );\n this.play(timeOffset);\n this.emitter.emit(ReplayerEvents.Resume);\n }\n\n public startLive(baselineTime?: number) {\n this.service.send({ type: 'TO_LIVE', payload: { baselineTime } });\n }\n\n public addEvent(rawEvent: eventWithTime | string) {\n const event = this.config.unpackFn\n ? this.config.unpackFn(rawEvent as string)\n : (rawEvent as eventWithTime);\n if (indicatesTouchDevice(event)) {\n this.mouse.classList.add('touch-device');\n }\n Promise.resolve().then(() =>\n this.service.send({ type: 'ADD_EVENT', payload: { event } }),\n );\n }\n\n public enableInteract() {\n this.iframe.setAttribute('scrolling', 'auto');\n this.iframe.style.pointerEvents = 'auto';\n }\n\n public disableInteract() {\n this.iframe.setAttribute('scrolling', 'no');\n this.iframe.style.pointerEvents = 'none';\n }\n\n /**\n * Empties the replayer's cache and reclaims memory.\n * The replayer will use this cache to speed up the playback.\n */\n public resetCache() {\n this.cache = createCache();\n }\n\n private setupDom() {\n this.wrapper = document.createElement('div');\n this.wrapper.classList.add('replayer-wrapper');\n this.config.root!.appendChild(this.wrapper);\n\n this.mouse = document.createElement('div');\n this.mouse.classList.add('replayer-mouse');\n this.wrapper.appendChild(this.mouse);\n\n if (this.config.mouseTail !== false) {\n this.mouseTail = document.createElement('canvas');\n this.mouseTail.classList.add('replayer-mouse-tail');\n this.mouseTail.style.display = 'inherit';\n this.wrapper.appendChild(this.mouseTail);\n }\n\n this.iframe = document.createElement('iframe');\n const attributes = ['allow-same-origin'];\n if (this.config.UNSAFE_replayCanvas) {\n attributes.push('allow-scripts');\n }\n // hide iframe before first meta event\n this.iframe.style.display = 'none';\n this.iframe.setAttribute('sandbox', attributes.join(' '));\n this.disableInteract();\n this.wrapper.appendChild(this.iframe);\n if (this.iframe.contentWindow && this.iframe.contentDocument) {\n smoothscrollPolyfill(\n this.iframe.contentWindow,\n this.iframe.contentDocument,\n );\n\n polyfill(this.iframe.contentWindow as IWindow);\n }\n }\n\n private handleResize(dimension: viewportResizeDimension) {\n this.iframe.style.display = 'inherit';\n for (const el of [this.mouseTail, this.iframe]) {\n if (!el) {\n continue;\n }\n el.setAttribute('width', String(dimension.width));\n el.setAttribute('height', String(dimension.height));\n }\n }\n\n private applyEventsSynchronously(events: Array) {\n for (const event of events) {\n switch (event.type) {\n case EventType.DomContentLoaded:\n case EventType.Load:\n case EventType.Custom:\n continue;\n case EventType.FullSnapshot:\n case EventType.Meta:\n case EventType.Plugin:\n break;\n case EventType.IncrementalSnapshot:\n switch (event.data.source) {\n case IncrementalSource.MediaInteraction:\n continue;\n default:\n break;\n }\n break;\n default:\n break;\n }\n const castFn = this.getCastFn(event, true);\n castFn();\n }\n if (this.mousePos) {\n this.moveAndHover(\n this.mousePos.x,\n this.mousePos.y,\n this.mousePos.id,\n true,\n this.mousePos.debugData,\n );\n }\n this.mousePos = null;\n if (this.touchActive === true) {\n this.mouse.classList.add('touch-active');\n } else if (this.touchActive === false) {\n this.mouse.classList.remove('touch-active');\n }\n this.touchActive = null;\n }\n\n private getCastFn(event: eventWithTime, isSync = false) {\n let castFn: undefined | (() => void);\n switch (event.type) {\n case EventType.DomContentLoaded:\n case EventType.Load:\n break;\n case EventType.Custom:\n castFn = () => {\n /**\n * emit custom-event and pass the event object.\n *\n * This will add more value to the custom event and allows the client to react for custom-event.\n */\n this.emitter.emit(ReplayerEvents.CustomEvent, event);\n };\n break;\n case EventType.Meta:\n castFn = () =>\n this.emitter.emit(ReplayerEvents.Resize, {\n width: event.data.width,\n height: event.data.height,\n });\n break;\n case EventType.FullSnapshot:\n castFn = () => {\n if (this.firstFullSnapshot) {\n if (this.firstFullSnapshot === event) {\n // we've already built this exact FullSnapshot when the player was mounted, and haven't built any other FullSnapshot since\n this.firstFullSnapshot = true; // forget as we might need to re-execute this FullSnapshot later e.g. to rebuild after scrubbing\n return;\n }\n } else {\n // Timer (requestAnimationFrame) can be faster than setTimeout(..., 1)\n this.firstFullSnapshot = true;\n }\n this.rebuildFullSnapshot(event, isSync);\n this.iframe.contentWindow!.scrollTo(event.data.initialOffset);\n };\n break;\n case EventType.IncrementalSnapshot:\n castFn = () => {\n this.applyIncremental(event, isSync);\n if (isSync) {\n // do not check skip in sync\n return;\n }\n if (event === this.nextUserInteractionEvent) {\n this.nextUserInteractionEvent = null;\n this.backToNormal();\n }\n if (this.config.skipInactive && !this.nextUserInteractionEvent) {\n for (const _event of this.service.state.context.events) {\n if (_event.timestamp! <= event.timestamp!) {\n continue;\n }\n if (this.isUserInteraction(_event)) {\n if (\n _event.delay! - event.delay! >\n SKIP_TIME_THRESHOLD *\n this.speedService.state.context.timer.speed\n ) {\n this.nextUserInteractionEvent = _event;\n }\n break;\n }\n }\n if (this.nextUserInteractionEvent) {\n const skipTime =\n this.nextUserInteractionEvent.delay! - event.delay!;\n const payload = {\n speed: Math.min(\n Math.round(skipTime / SKIP_TIME_INTERVAL),\n this.config.maxSpeed,\n ),\n };\n this.speedService.send({ type: 'FAST_FORWARD', payload });\n this.emitter.emit(ReplayerEvents.SkipStart, payload);\n }\n }\n };\n break;\n default:\n }\n const wrappedCastFn = () => {\n if (castFn) {\n castFn();\n }\n\n for (const plugin of this.config.plugins || []) {\n plugin.handler(event, isSync, { replayer: this });\n }\n\n this.service.send({ type: 'CAST_EVENT', payload: { event } });\n\n // events are kept sorted by timestamp, check if this is the last event\n let last_index = this.service.state.context.events.length - 1;\n if (event === this.service.state.context.events[last_index]) {\n const finish = () => {\n if (last_index < this.service.state.context.events.length - 1) {\n // more events have been added since the setTimeout\n return;\n }\n this.backToNormal();\n this.service.send('END');\n this.emitter.emit(ReplayerEvents.Finish);\n };\n if (\n event.type === EventType.IncrementalSnapshot &&\n event.data.source === IncrementalSource.MouseMove &&\n event.data.positions.length\n ) {\n // defer finish event if the last event is a mouse move\n setTimeout(() => {\n finish();\n }, Math.max(0, -event.data.positions[0].timeOffset + 50)); // Add 50 to make sure the timer would check the last mousemove event. Otherwise, the timer may be stopped by the service before checking the last event.\n } else {\n finish();\n }\n }\n\n this.emitter.emit(ReplayerEvents.EventCast, event);\n };\n return wrappedCastFn;\n }\n\n private rebuildFullSnapshot(\n event: fullSnapshotEvent & { timestamp: number },\n isSync: boolean = false,\n ) {\n if (!this.iframe.contentDocument) {\n return console.warn('Looks like your replayer has been destroyed.');\n }\n if (Object.keys(this.legacy_missingNodeRetryMap).length) {\n console.warn(\n 'Found unresolved missing node map',\n this.legacy_missingNodeRetryMap,\n );\n }\n this.legacy_missingNodeRetryMap = {};\n const collected: AppendedIframe[] = [];\n this.mirror.map = rebuild(event.data.node, {\n doc: this.iframe.contentDocument,\n afterAppend: (builtNode) => {\n this.collectIframeAndAttachDocument(collected, builtNode);\n },\n cache: this.cache,\n })[1];\n for (const { mutationInQueue, builtNode } of collected) {\n this.attachDocumentToIframe(mutationInQueue, builtNode);\n this.newDocumentQueue = this.newDocumentQueue.filter(\n (m) => m !== mutationInQueue,\n );\n }\n const { documentElement, head } = this.iframe.contentDocument;\n this.insertStyleRules(documentElement, head);\n if (!this.service.state.matches('playing')) {\n this.iframe.contentDocument\n .getElementsByTagName('html')[0]\n .classList.add('rrweb-paused');\n }\n this.emitter.emit(ReplayerEvents.FullsnapshotRebuilded, event);\n if (!isSync) {\n this.waitForStylesheetLoad();\n }\n if (this.config.UNSAFE_replayCanvas) {\n this.preloadAllImages();\n }\n }\n\n private insertStyleRules(\n documentElement: HTMLElement,\n head: HTMLHeadElement,\n ) {\n const styleEl = document.createElement('style');\n documentElement!.insertBefore(styleEl, head);\n const injectStylesRules = getInjectStyleRules(\n this.config.blockClass,\n ).concat(this.config.insertStyleRules);\n if (this.config.pauseAnimation) {\n injectStylesRules.push(\n 'html.rrweb-paused *, html.rrweb-paused *:before, html.rrweb-paused *:after { animation-play-state: paused !important; }',\n );\n }\n for (let idx = 0; idx < injectStylesRules.length; idx++) {\n (styleEl.sheet! as CSSStyleSheet).insertRule(injectStylesRules[idx], idx);\n }\n }\n\n private attachDocumentToIframe(\n mutation: addedNodeMutation,\n iframeEl: HTMLIFrameElement,\n ) {\n const collected: AppendedIframe[] = [];\n // If iframeEl is detached from dom, iframeEl.contentDocument is null.\n if (!iframeEl.contentDocument) {\n let parent = iframeEl.parentNode;\n while (parent) {\n // The parent of iframeEl is virtual parent and we need to mount it on the dom.\n if (this.fragmentParentMap.has((parent as unknown) as INode)) {\n const frag = (parent as unknown) as INode;\n const realParent = this.fragmentParentMap.get(frag)!;\n this.restoreRealParent(frag, realParent);\n break;\n }\n parent = parent.parentNode;\n }\n }\n buildNodeWithSN(mutation.node, {\n doc: iframeEl.contentDocument!,\n map: this.mirror.map,\n hackCss: true,\n skipChild: false,\n afterAppend: (builtNode) => {\n this.collectIframeAndAttachDocument(collected, builtNode);\n if (\n builtNode.__sn.type === NodeType.Element &&\n builtNode.__sn.tagName.toUpperCase() === 'HTML'\n ) {\n const { documentElement, head } = iframeEl.contentDocument!;\n this.insertStyleRules(documentElement, head);\n }\n },\n cache: this.cache,\n });\n for (const { mutationInQueue, builtNode } of collected) {\n this.attachDocumentToIframe(mutationInQueue, builtNode);\n this.newDocumentQueue = this.newDocumentQueue.filter(\n (m) => m !== mutationInQueue,\n );\n }\n }\n\n private collectIframeAndAttachDocument(\n collected: AppendedIframe[],\n builtNode: INode,\n ) {\n if (isIframeINode(builtNode)) {\n const mutationInQueue = this.newDocumentQueue.find(\n (m) => m.parentId === builtNode.__sn.id,\n );\n if (mutationInQueue) {\n collected.push({ mutationInQueue, builtNode });\n }\n }\n }\n\n /**\n * pause when loading style sheet, resume when loaded all timeout exceed\n */\n private waitForStylesheetLoad() {\n const head = this.iframe.contentDocument?.head;\n if (head) {\n const unloadSheets: Set = new Set();\n let timer: ReturnType | -1;\n let beforeLoadState = this.service.state;\n const stateHandler = () => {\n beforeLoadState = this.service.state;\n };\n this.emitter.on(ReplayerEvents.Start, stateHandler);\n this.emitter.on(ReplayerEvents.Pause, stateHandler);\n const unsubscribe = () => {\n this.emitter.off(ReplayerEvents.Start, stateHandler);\n this.emitter.off(ReplayerEvents.Pause, stateHandler);\n };\n head\n .querySelectorAll('link[rel=\"stylesheet\"]')\n .forEach((css: HTMLLinkElement) => {\n if (!css.sheet) {\n unloadSheets.add(css);\n css.addEventListener('load', () => {\n unloadSheets.delete(css);\n // all loaded and timer not released yet\n if (unloadSheets.size === 0 && timer !== -1) {\n if (beforeLoadState.matches('playing')) {\n this.play(this.getCurrentTime());\n }\n this.emitter.emit(ReplayerEvents.LoadStylesheetEnd);\n if (timer) {\n clearTimeout(timer);\n }\n unsubscribe();\n }\n });\n }\n });\n\n if (unloadSheets.size > 0) {\n // find some unload sheets after iterate\n this.service.send({ type: 'PAUSE' });\n this.emitter.emit(ReplayerEvents.LoadStylesheetStart);\n timer = setTimeout(() => {\n if (beforeLoadState.matches('playing')) {\n this.play(this.getCurrentTime());\n }\n // mark timer was called\n timer = -1;\n unsubscribe();\n }, this.config.loadTimeout);\n }\n }\n }\n\n private hasImageArg(args: any[]): boolean {\n for (const arg of args) {\n if (!arg || typeof arg !== 'object') {\n // do nothing\n } else if ('rr_type' in arg && 'args' in arg) {\n if (this.hasImageArg(arg.args)) return true;\n } else if ('rr_type' in arg && arg.rr_type === 'HTMLImageElement') {\n return true; // has image!\n } else if (arg instanceof Array) {\n if (this.hasImageArg(arg)) return true;\n }\n }\n return false;\n }\n\n private getImageArgs(args: any[]): string[] {\n const images: string[] = [];\n for (const arg of args) {\n if (!arg || typeof arg !== 'object') {\n // do nothing\n } else if ('rr_type' in arg && 'args' in arg) {\n images.push(...this.getImageArgs(arg.args));\n } else if ('rr_type' in arg && arg.rr_type === 'HTMLImageElement') {\n images.push(arg.src);\n } else if (arg instanceof Array) {\n images.push(...this.getImageArgs(arg));\n }\n }\n return images;\n }\n\n /**\n * pause when there are some canvas drawImage args need to be loaded\n */\n private preloadAllImages() {\n let beforeLoadState = this.service.state;\n const stateHandler = () => {\n beforeLoadState = this.service.state;\n };\n this.emitter.on(ReplayerEvents.Start, stateHandler);\n this.emitter.on(ReplayerEvents.Pause, stateHandler);\n for (const event of this.service.state.context.events) {\n if (\n event.type === EventType.IncrementalSnapshot &&\n event.data.source === IncrementalSource.CanvasMutation\n )\n if ('commands' in event.data) {\n event.data.commands.forEach((c) => this.preloadImages(c, event));\n } else {\n this.preloadImages(event.data, event);\n }\n }\n }\n\n private preloadImages(data: canvasMutationCommand, event: eventWithTime) {\n if (\n data.property === 'drawImage' &&\n typeof data.args[0] === 'string' &&\n !this.imageMap.has(event)\n ) {\n const canvas = document.createElement('canvas');\n const ctx = canvas.getContext('2d');\n const imgd = ctx?.createImageData(canvas.width, canvas.height);\n let d = imgd?.data;\n d = JSON.parse(data.args[0]);\n ctx?.putImageData(imgd!, 0, 0);\n } else if (this.hasImageArg(data.args)) {\n this.getImageArgs(data.args).forEach((url) => {\n const image = new Image();\n image.src = url; // this preloads the image\n this.imageMap.set(url, image);\n });\n }\n }\n\n private applyIncremental(\n e: incrementalSnapshotEvent & { timestamp: number; delay?: number },\n isSync: boolean,\n ) {\n const { data: d } = e;\n switch (d.source) {\n case IncrementalSource.Mutation: {\n if (isSync) {\n d.adds.forEach((m) => this.treeIndex.add(m));\n d.texts.forEach((m) => {\n const target = this.mirror.getNode(m.id);\n const parent = (target?.parentNode as unknown) as INode | null;\n // remove any style rules that pending\n // for stylesheets where the contents get replaced\n if (parent && this.virtualStyleRulesMap.has(parent))\n this.virtualStyleRulesMap.delete(parent);\n\n this.treeIndex.text(m);\n });\n d.attributes.forEach((m) => this.treeIndex.attribute(m));\n d.removes.forEach((m) => this.treeIndex.remove(m, this.mirror));\n }\n try {\n this.applyMutation(d, isSync);\n } catch (error) {\n this.warn(`Exception in mutation ${error.message || error}`, d);\n }\n break;\n }\n case IncrementalSource.Drag:\n case IncrementalSource.TouchMove:\n case IncrementalSource.MouseMove:\n if (isSync) {\n const lastPosition = d.positions[d.positions.length - 1];\n this.mousePos = {\n x: lastPosition.x,\n y: lastPosition.y,\n id: lastPosition.id,\n debugData: d,\n };\n } else {\n d.positions.forEach((p) => {\n const action = {\n doAction: () => {\n this.moveAndHover(p.x, p.y, p.id, isSync, d);\n },\n delay:\n p.timeOffset +\n e.timestamp -\n this.service.state.context.baselineTime,\n };\n this.timer.addAction(action);\n });\n // add a dummy action to keep timer alive\n this.timer.addAction({\n doAction() {},\n delay: e.delay! - d.positions[0]?.timeOffset,\n });\n }\n break;\n case IncrementalSource.MouseInteraction: {\n /**\n * Same as the situation of missing input target.\n */\n if (d.id === -1) {\n break;\n }\n const event = new Event(MouseInteractions[d.type].toLowerCase());\n const target = this.mirror.getNode(d.id);\n if (!target) {\n return this.debugNodeNotFound(d, d.id);\n }\n this.emitter.emit(ReplayerEvents.MouseInteraction, {\n type: d.type,\n target,\n });\n const { triggerFocus } = this.config;\n switch (d.type) {\n case MouseInteractions.Blur:\n if ('blur' in ((target as Node) as HTMLElement)) {\n ((target as Node) as HTMLElement).blur();\n }\n break;\n case MouseInteractions.Focus:\n if (triggerFocus && ((target as Node) as HTMLElement).focus) {\n ((target as Node) as HTMLElement).focus({\n preventScroll: true,\n });\n }\n break;\n case MouseInteractions.Click:\n case MouseInteractions.TouchStart:\n case MouseInteractions.TouchEnd:\n if (isSync) {\n if (d.type === MouseInteractions.TouchStart) {\n this.touchActive = true;\n } else if (d.type === MouseInteractions.TouchEnd) {\n this.touchActive = false;\n }\n this.mousePos = {\n x: d.x,\n y: d.y,\n id: d.id,\n debugData: d,\n };\n } else {\n if (d.type === MouseInteractions.TouchStart) {\n // don't draw a trail as user has lifted finger and is placing at a new point\n this.tailPositions.length = 0;\n }\n this.moveAndHover(d.x, d.y, d.id, isSync, d);\n if (d.type === MouseInteractions.Click) {\n /*\n * don't want target.click() here as could trigger an iframe navigation\n * instead any effects of the click should already be covered by mutations\n */\n /*\n * removal and addition of .active class (along with void line to trigger repaint)\n * triggers the 'click' css animation in styles/style.css\n */\n this.mouse.classList.remove('active');\n // tslint:disable-next-line\n void this.mouse.offsetWidth;\n this.mouse.classList.add('active');\n } else if (d.type === MouseInteractions.TouchStart) {\n void this.mouse.offsetWidth; // needed for the position update of moveAndHover to apply without the .touch-active transition\n this.mouse.classList.add('touch-active');\n } else if (d.type === MouseInteractions.TouchEnd) {\n this.mouse.classList.remove('touch-active');\n }\n }\n break;\n case MouseInteractions.TouchCancel:\n if (isSync) {\n this.touchActive = false;\n } else {\n this.mouse.classList.remove('touch-active');\n }\n break;\n default:\n target.dispatchEvent(event);\n }\n break;\n }\n case IncrementalSource.Scroll: {\n /**\n * Same as the situation of missing input target.\n */\n if (d.id === -1) {\n break;\n }\n if (isSync) {\n this.treeIndex.scroll(d);\n break;\n }\n this.applyScroll(d, false);\n break;\n }\n case IncrementalSource.ViewportResize:\n this.emitter.emit(ReplayerEvents.Resize, {\n width: d.width,\n height: d.height,\n });\n break;\n case IncrementalSource.Input: {\n /**\n * Input event on an unserialized node usually means the event\n * was synchrony triggered programmatically after the node was\n * created. This means there was not an user observable interaction\n * and we do not need to replay it.\n */\n if (d.id === -1) {\n break;\n }\n if (isSync) {\n this.treeIndex.input(d);\n break;\n }\n this.applyInput(d);\n break;\n }\n case IncrementalSource.MediaInteraction: {\n const target = this.mirror.getNode(d.id);\n if (!target) {\n return this.debugNodeNotFound(d, d.id);\n }\n const mediaEl = (target as Node) as HTMLMediaElement;\n try {\n if (d.currentTime) {\n mediaEl.currentTime = d.currentTime;\n }\n if (d.volume) {\n mediaEl.volume = d.volume;\n }\n if (d.muted) {\n mediaEl.muted = d.muted;\n }\n if (d.type === MediaInteractions.Pause) {\n mediaEl.pause();\n }\n if (d.type === MediaInteractions.Play) {\n // remove listener for 'canplay' event because play() is async and returns a promise\n // i.e. media will evntualy start to play when data is loaded\n // 'canplay' event fires even when currentTime attribute changes which may lead to\n // unexpeted behavior\n mediaEl.play();\n }\n } catch (error) {\n if (this.config.showWarning) {\n console.warn(\n `Failed to replay media interactions: ${error.message || error}`,\n );\n }\n }\n break;\n }\n case IncrementalSource.StyleSheetRule: {\n const target = this.mirror.getNode(d.id);\n if (!target) {\n return this.debugNodeNotFound(d, d.id);\n }\n\n const styleEl = (target as Node) as HTMLStyleElement;\n const parent = (target.parentNode as unknown) as INode;\n const usingVirtualParent = this.fragmentParentMap.has(parent);\n\n /**\n * Always use existing DOM node, when it's there.\n * In in-memory replay, there is virtual node, but it's `sheet` is inaccessible.\n * Hence, we buffer all style changes in virtualStyleRulesMap.\n */\n const styleSheet = usingVirtualParent ? null : styleEl.sheet;\n let rules: VirtualStyleRules;\n\n if (!styleSheet) {\n /**\n * styleEl.sheet is only accessible if the styleEl is part of the\n * dom. This doesn't work on DocumentFragments so we have to add the\n * style mutations to the virtualStyleRulesMap.\n */\n\n if (this.virtualStyleRulesMap.has(target)) {\n rules = this.virtualStyleRulesMap.get(target) as VirtualStyleRules;\n } else {\n rules = [];\n this.virtualStyleRulesMap.set(target, rules);\n }\n }\n\n if (d.adds) {\n d.adds.forEach(({ rule, index: nestedIndex }) => {\n if (styleSheet) {\n try {\n if (Array.isArray(nestedIndex)) {\n const { positions, index } = getPositionsAndIndex(\n nestedIndex,\n );\n const nestedRule = getNestedRule(\n styleSheet.cssRules,\n positions,\n );\n nestedRule.insertRule(rule, index);\n } else {\n const index =\n nestedIndex === undefined\n ? undefined\n : Math.min(nestedIndex, styleSheet.cssRules.length);\n styleSheet.insertRule(rule, index);\n }\n } catch (e) {\n /**\n * sometimes we may capture rules with browser prefix\n * insert rule with prefixs in other browsers may cause Error\n */\n /**\n * accessing styleSheet rules may cause SecurityError\n * for specific access control settings\n */\n }\n } else {\n rules?.push({\n cssText: rule,\n index: nestedIndex,\n type: StyleRuleType.Insert,\n });\n }\n });\n }\n\n if (d.removes) {\n d.removes.forEach(({ index: nestedIndex }) => {\n if (usingVirtualParent) {\n rules?.push({ index: nestedIndex, type: StyleRuleType.Remove });\n } else {\n try {\n if (Array.isArray(nestedIndex)) {\n const { positions, index } = getPositionsAndIndex(\n nestedIndex,\n );\n const nestedRule = getNestedRule(\n styleSheet!.cssRules,\n positions,\n );\n nestedRule.deleteRule(index || 0);\n } else {\n styleSheet?.deleteRule(nestedIndex);\n }\n } catch (e) {\n /**\n * same as insertRule\n */\n }\n }\n });\n }\n break;\n }\n case IncrementalSource.StyleDeclaration: {\n // same with StyleSheetRule\n const target = this.mirror.getNode(d.id);\n if (!target) {\n return this.debugNodeNotFound(d, d.id);\n }\n\n const styleEl = (target as Node) as HTMLStyleElement;\n const parent = (target.parentNode as unknown) as INode;\n const usingVirtualParent = this.fragmentParentMap.has(parent);\n\n const styleSheet = usingVirtualParent ? null : styleEl.sheet;\n let rules: VirtualStyleRules = [];\n\n if (!styleSheet) {\n if (this.virtualStyleRulesMap.has(target)) {\n rules = this.virtualStyleRulesMap.get(target) as VirtualStyleRules;\n } else {\n rules = [];\n this.virtualStyleRulesMap.set(target, rules);\n }\n }\n\n if (d.set) {\n if (styleSheet) {\n const rule = (getNestedRule(\n styleSheet.rules,\n d.index,\n ) as unknown) as CSSStyleRule;\n rule.style.setProperty(d.set.property, d.set.value, d.set.priority);\n } else {\n rules.push({\n type: StyleRuleType.SetProperty,\n index: d.index,\n ...d.set,\n });\n }\n }\n\n if (d.remove) {\n if (styleSheet) {\n const rule = (getNestedRule(\n styleSheet.rules,\n d.index,\n ) as unknown) as CSSStyleRule;\n rule.style.removeProperty(d.remove.property);\n } else {\n rules.push({\n type: StyleRuleType.RemoveProperty,\n index: d.index,\n ...d.remove,\n });\n }\n }\n break;\n }\n case IncrementalSource.CanvasMutation: {\n if (!this.config.UNSAFE_replayCanvas) {\n return;\n }\n const target = this.mirror.getNode(d.id);\n if (!target) {\n return this.debugNodeNotFound(d, d.id);\n }\n\n canvasMutation({\n event: e,\n mutation: d,\n target: (target as unknown) as HTMLCanvasElement,\n imageMap: this.imageMap,\n errorHandler: this.warnCanvasMutationFailed.bind(this),\n });\n\n break;\n }\n case IncrementalSource.Font: {\n try {\n const fontFace = new FontFace(\n d.family,\n d.buffer ? new Uint8Array(JSON.parse(d.fontSource)) : d.fontSource,\n d.descriptors,\n );\n this.iframe.contentDocument?.fonts.add(fontFace);\n } catch (error) {\n if (this.config.showWarning) {\n console.warn(error);\n }\n }\n break;\n }\n default:\n }\n }\n\n private applyMutation(d: mutationData, useVirtualParent: boolean) {\n d.removes.forEach((mutation) => {\n let target = this.mirror.getNode(mutation.id);\n if (!target) {\n if (d.removes.find((r) => r.id === mutation.parentId)) {\n // no need to warn, parent was already removed\n return;\n }\n return this.warnNodeNotFound(d, mutation.id);\n }\n if (this.virtualStyleRulesMap.has(target)) {\n this.virtualStyleRulesMap.delete(target);\n }\n let parent: INode | null | ShadowRoot = this.mirror.getNode(\n mutation.parentId,\n );\n if (!parent) {\n return this.warnNodeNotFound(d, mutation.parentId);\n }\n if (mutation.isShadow && hasShadowRoot(parent)) {\n parent = parent.shadowRoot;\n }\n // target may be removed with its parents before\n this.mirror.removeNodeFromMap(target);\n if (parent) {\n let realTarget = null;\n const realParent =\n '__sn' in parent ? this.fragmentParentMap.get(parent) : undefined;\n if (realParent && realParent.contains(target)) {\n parent = realParent;\n } else if (this.fragmentParentMap.has(target)) {\n /**\n * the target itself is a fragment document and it's not in the dom\n * so we should remove the real target from its parent\n */\n realTarget = this.fragmentParentMap.get(target)!;\n this.fragmentParentMap.delete(target);\n target = realTarget;\n }\n try {\n parent.removeChild(target);\n } catch (error) {\n if (error instanceof DOMException) {\n this.warn(\n 'parent could not remove child in mutation',\n parent,\n realParent,\n target,\n realTarget,\n d,\n );\n } else {\n throw error;\n }\n }\n }\n });\n\n // tslint:disable-next-line: variable-name\n const legacy_missingNodeMap: missingNodeMap = {\n ...this.legacy_missingNodeRetryMap,\n };\n const queue: addedNodeMutation[] = [];\n\n // next not present at this moment\n const nextNotInDOM = (mutation: addedNodeMutation) => {\n let next: Node | null = null;\n if (mutation.nextId) {\n next = this.mirror.getNode(mutation.nextId) as Node;\n }\n // next not present at this moment\n if (\n mutation.nextId !== null &&\n mutation.nextId !== undefined &&\n mutation.nextId !== -1 &&\n !next\n ) {\n return true;\n }\n return false;\n };\n\n const appendNode = (mutation: addedNodeMutation) => {\n if (!this.iframe.contentDocument) {\n return console.warn('Looks like your replayer has been destroyed.');\n }\n let parent: INode | null | ShadowRoot = this.mirror.getNode(\n mutation.parentId,\n );\n if (!parent) {\n if (mutation.node.type === NodeType.Document) {\n // is newly added document, maybe the document node of an iframe\n return this.newDocumentQueue.push(mutation);\n }\n return queue.push(mutation);\n }\n\n let parentInDocument = null;\n if (this.iframe.contentDocument.contains) {\n parentInDocument = this.iframe.contentDocument.contains(parent);\n } else if (this.iframe.contentDocument.body.contains) {\n // fix for IE\n // refer 'Internet Explorer notes' at https://developer.mozilla.org/zh-CN/docs/Web/API/Document\n parentInDocument = this.iframe.contentDocument.body.contains(parent);\n }\n\n const hasIframeChild =\n ((parent as unknown) as HTMLElement).getElementsByTagName?.('iframe')\n .length > 0;\n /**\n * Why !isIframeINode(parent)? If parent element is an iframe, iframe document can't be appended to virtual parent.\n * Why !hasIframeChild? If we move iframe elements from dom to fragment document, we will lose the contentDocument of iframe. So we need to disable the virtual dom optimization if a parent node contains iframe elements.\n */\n if (\n useVirtualParent &&\n parentInDocument &&\n !isIframeINode(parent) &&\n !hasIframeChild\n ) {\n const virtualParent = (document.createDocumentFragment() as unknown) as INode;\n this.mirror.map[mutation.parentId] = virtualParent;\n this.fragmentParentMap.set(virtualParent, parent);\n\n // store the state, like scroll position, of child nodes before they are unmounted from dom\n this.storeState(parent);\n\n while (parent.firstChild) {\n virtualParent.appendChild(parent.firstChild);\n }\n parent = virtualParent;\n }\n\n if (mutation.node.isShadow) {\n // If the parent is attached a shadow dom after it's created, it won't have a shadow root.\n if (!hasShadowRoot(parent)) {\n ((parent as Node) as HTMLElement).attachShadow({ mode: 'open' });\n parent = ((parent as Node) as HTMLElement).shadowRoot!;\n } else parent = parent.shadowRoot;\n }\n\n let previous: Node | null = null;\n let next: Node | null = null;\n if (mutation.previousId) {\n previous = this.mirror.getNode(mutation.previousId) as Node;\n }\n if (mutation.nextId) {\n next = this.mirror.getNode(mutation.nextId) as Node;\n }\n if (nextNotInDOM(mutation)) {\n return queue.push(mutation);\n }\n\n if (mutation.node.rootId && !this.mirror.getNode(mutation.node.rootId)) {\n return;\n }\n\n const targetDoc = mutation.node.rootId\n ? this.mirror.getNode(mutation.node.rootId)\n : this.iframe.contentDocument;\n if (isIframeINode(parent)) {\n this.attachDocumentToIframe(mutation, parent);\n return;\n }\n const target = buildNodeWithSN(mutation.node, {\n doc: targetDoc as Document,\n map: this.mirror.map,\n skipChild: true,\n hackCss: true,\n cache: this.cache,\n }) as INode;\n\n // legacy data, we should not have -1 siblings any more\n if (mutation.previousId === -1 || mutation.nextId === -1) {\n legacy_missingNodeMap[mutation.node.id] = {\n node: target,\n mutation,\n };\n return;\n }\n\n if (\n '__sn' in parent &&\n parent.__sn.type === NodeType.Element &&\n parent.__sn.tagName === 'textarea' &&\n mutation.node.type === NodeType.Text\n ) {\n // https://github.com/rrweb-io/rrweb/issues/745\n // parent is textarea, will only keep one child node as the value\n for (const c of Array.from(parent.childNodes)) {\n if (c.nodeType === parent.TEXT_NODE) {\n parent.removeChild(c);\n }\n }\n }\n\n if (previous && previous.nextSibling && previous.nextSibling.parentNode) {\n parent.insertBefore(target, previous.nextSibling);\n } else if (next && next.parentNode) {\n // making sure the parent contains the reference nodes\n // before we insert target before next.\n parent.contains(next)\n ? parent.insertBefore(target, next)\n : parent.insertBefore(target, null);\n } else {\n /**\n * Sometimes the document changes and the MutationObserver is disconnected, so the removal of child elements can't be detected and recorded. After the change of document, we may get another mutation which adds a new html element, while the old html element still exists in the dom, and we need to remove the old html element first to avoid collision.\n */\n if (parent === targetDoc) {\n while (targetDoc.firstChild) {\n targetDoc.removeChild(targetDoc.firstChild);\n }\n }\n\n parent.appendChild(target);\n }\n\n if (isIframeINode(target)) {\n const mutationInQueue = this.newDocumentQueue.find(\n (m) => m.parentId === target.__sn.id,\n );\n if (mutationInQueue) {\n this.attachDocumentToIframe(mutationInQueue, target);\n this.newDocumentQueue = this.newDocumentQueue.filter(\n (m) => m !== mutationInQueue,\n );\n }\n }\n\n if (mutation.previousId || mutation.nextId) {\n this.legacy_resolveMissingNode(\n legacy_missingNodeMap,\n parent,\n target,\n mutation,\n );\n }\n };\n\n d.adds.forEach((mutation) => {\n appendNode(mutation);\n });\n\n let startTime = Date.now();\n while (queue.length) {\n // transform queue to resolve tree\n const resolveTrees = queueToResolveTrees(queue);\n queue.length = 0;\n if (Date.now() - startTime > 500) {\n this.warn(\n 'Timeout in the loop, please check the resolve tree data:',\n resolveTrees,\n );\n break;\n }\n for (const tree of resolveTrees) {\n let parent = this.mirror.getNode(tree.value.parentId);\n if (!parent) {\n this.debug(\n 'Drop resolve tree since there is no parent for the root node.',\n tree,\n );\n } else {\n iterateResolveTree(tree, (mutation) => {\n appendNode(mutation);\n });\n }\n }\n }\n\n if (Object.keys(legacy_missingNodeMap).length) {\n Object.assign(this.legacy_missingNodeRetryMap, legacy_missingNodeMap);\n }\n\n d.texts.forEach((mutation) => {\n let target = this.mirror.getNode(mutation.id);\n if (!target) {\n if (d.removes.find((r) => r.id === mutation.id)) {\n // no need to warn, element was already removed\n return;\n }\n return this.warnNodeNotFound(d, mutation.id);\n }\n /**\n * apply text content to real parent directly\n */\n if (this.fragmentParentMap.has(target)) {\n target = this.fragmentParentMap.get(target)!;\n }\n target.textContent = mutation.value;\n });\n d.attributes.forEach((mutation) => {\n let target = this.mirror.getNode(mutation.id);\n if (!target) {\n if (d.removes.find((r) => r.id === mutation.id)) {\n // no need to warn, element was already removed\n return;\n }\n return this.warnNodeNotFound(d, mutation.id);\n }\n if (this.fragmentParentMap.has(target)) {\n target = this.fragmentParentMap.get(target)!;\n }\n for (const attributeName in mutation.attributes) {\n if (typeof attributeName === 'string') {\n const value = mutation.attributes[attributeName];\n if (value === null) {\n ((target as Node) as Element).removeAttribute(attributeName);\n } else if (typeof value === 'string') {\n try {\n ((target as Node) as Element).setAttribute(attributeName, value);\n } catch (error) {\n if (this.config.showWarning) {\n console.warn(\n 'An error occurred may due to the checkout feature.',\n error,\n );\n }\n }\n } else if (attributeName === 'style') {\n let styleValues = value as styleAttributeValue;\n const targetEl = (target as Node) as HTMLElement;\n for (var s in styleValues) {\n if (styleValues[s] === false) {\n targetEl.style.removeProperty(s);\n } else if (styleValues[s] instanceof Array) {\n const svp = styleValues[s] as styleValueWithPriority;\n targetEl.style.setProperty(s, svp[0], svp[1]);\n } else {\n const svs = styleValues[s] as string;\n targetEl.style.setProperty(s, svs);\n }\n }\n }\n }\n }\n });\n }\n\n /**\n * Apply the scroll data on real elements.\n * If the replayer is in sync mode, smooth scroll behavior should be disabled.\n * @param d the scroll data\n * @param isSync whether the replayer is in sync mode(fast-forward)\n */\n private applyScroll(d: scrollData, isSync: boolean) {\n const target = this.mirror.getNode(d.id);\n if (!target) {\n return this.debugNodeNotFound(d, d.id);\n }\n if ((target as Node) === this.iframe.contentDocument) {\n this.iframe.contentWindow!.scrollTo({\n top: d.y,\n left: d.x,\n behavior: isSync ? 'auto' : 'smooth',\n });\n } else if (target.__sn.type === NodeType.Document) {\n // nest iframe content document\n ((target as unknown) as Document).defaultView!.scrollTo({\n top: d.y,\n left: d.x,\n behavior: isSync ? 'auto' : 'smooth',\n });\n } else {\n try {\n ((target as Node) as Element).scrollTop = d.y;\n ((target as Node) as Element).scrollLeft = d.x;\n } catch (error) {\n /**\n * Seldomly we may found scroll target was removed before\n * its last scroll event.\n */\n }\n }\n }\n\n private applyInput(d: inputData) {\n const target = this.mirror.getNode(d.id);\n if (!target) {\n return this.debugNodeNotFound(d, d.id);\n }\n try {\n ((target as Node) as HTMLInputElement).checked = d.isChecked;\n ((target as Node) as HTMLInputElement).value = d.text;\n } catch (error) {\n // for safe\n }\n }\n\n private applyText(d: textMutation, mutation: mutationData) {\n const target = this.mirror.getNode(d.id);\n if (!target) {\n return this.debugNodeNotFound(mutation, d.id);\n }\n try {\n ((target as Node) as HTMLElement).textContent = d.value;\n } catch (error) {\n // for safe\n }\n }\n\n private legacy_resolveMissingNode(\n map: missingNodeMap,\n parent: Node,\n target: Node,\n targetMutation: addedNodeMutation,\n ) {\n const { previousId, nextId } = targetMutation;\n const previousInMap = previousId && map[previousId];\n const nextInMap = nextId && map[nextId];\n if (previousInMap) {\n const { node, mutation } = previousInMap as missingNode;\n parent.insertBefore(node, target);\n delete map[mutation.node.id];\n delete this.legacy_missingNodeRetryMap[mutation.node.id];\n if (mutation.previousId || mutation.nextId) {\n this.legacy_resolveMissingNode(map, parent, node as Node, mutation);\n }\n }\n if (nextInMap) {\n const { node, mutation } = nextInMap as missingNode;\n parent.insertBefore(node, target.nextSibling);\n delete map[mutation.node.id];\n delete this.legacy_missingNodeRetryMap[mutation.node.id];\n if (mutation.previousId || mutation.nextId) {\n this.legacy_resolveMissingNode(map, parent, node as Node, mutation);\n }\n }\n }\n\n private moveAndHover(\n x: number,\n y: number,\n id: number,\n isSync: boolean,\n debugData: incrementalData,\n ) {\n const target = this.mirror.getNode(id);\n if (!target) {\n return this.debugNodeNotFound(debugData, id);\n }\n\n const base = getBaseDimension(target, this.iframe);\n const _x = x * base.absoluteScale + base.x;\n const _y = y * base.absoluteScale + base.y;\n\n this.mouse.style.left = `${_x}px`;\n this.mouse.style.top = `${_y}px`;\n if (!isSync) {\n this.drawMouseTail({ x: _x, y: _y });\n }\n this.hoverElements((target as Node) as Element);\n }\n\n private drawMouseTail(position: { x: number; y: number }) {\n if (!this.mouseTail) {\n return;\n }\n\n const { lineCap, lineWidth, strokeStyle, duration } =\n this.config.mouseTail === true\n ? defaultMouseTailConfig\n : Object.assign({}, defaultMouseTailConfig, this.config.mouseTail);\n\n const draw = () => {\n if (!this.mouseTail) {\n return;\n }\n const ctx = this.mouseTail.getContext('2d');\n if (!ctx || !this.tailPositions.length) {\n return;\n }\n ctx.clearRect(0, 0, this.mouseTail.width, this.mouseTail.height);\n ctx.beginPath();\n ctx.lineWidth = lineWidth;\n ctx.lineCap = lineCap;\n ctx.strokeStyle = strokeStyle;\n ctx.moveTo(this.tailPositions[0].x, this.tailPositions[0].y);\n this.tailPositions.forEach((p) => ctx.lineTo(p.x, p.y));\n ctx.stroke();\n };\n\n this.tailPositions.push(position);\n draw();\n setTimeout(() => {\n this.tailPositions = this.tailPositions.filter((p) => p !== position);\n draw();\n }, duration / this.speedService.state.context.timer.speed);\n }\n\n private hoverElements(el: Element) {\n this.iframe.contentDocument\n ?.querySelectorAll('.\\\\:hover')\n .forEach((hoveredEl) => {\n hoveredEl.classList.remove(':hover');\n });\n let currentEl: Element | null = el;\n while (currentEl) {\n if (currentEl.classList) {\n currentEl.classList.add(':hover');\n }\n currentEl = currentEl.parentElement;\n }\n }\n\n private isUserInteraction(event: eventWithTime): boolean {\n if (event.type !== EventType.IncrementalSnapshot) {\n return false;\n }\n return (\n event.data.source > IncrementalSource.Mutation &&\n event.data.source <= IncrementalSource.Input\n );\n }\n\n private backToNormal() {\n this.nextUserInteractionEvent = null;\n if (this.speedService.state.matches('normal')) {\n return;\n }\n this.speedService.send({ type: 'BACK_TO_NORMAL' });\n this.emitter.emit(ReplayerEvents.SkipEnd, {\n speed: this.speedService.state.context.normalSpeed,\n });\n }\n\n /**\n * Replace the virtual parent with the real parent.\n * @param frag fragment document, the virtual parent\n * @param parent real parent element\n */\n private restoreRealParent(frag: INode, parent: INode) {\n this.mirror.map[parent.__sn.id] = parent;\n /**\n * If we have already set value attribute on textarea,\n * then we could not apply text content as default value any more.\n */\n if (\n parent.__sn.type === NodeType.Element &&\n parent.__sn.tagName === 'textarea' &&\n frag.textContent\n ) {\n ((parent as unknown) as HTMLTextAreaElement).value = frag.textContent;\n }\n parent.appendChild(frag);\n // restore state of elements after they are mounted\n this.restoreState(parent);\n }\n\n /**\n * store state of elements before unmounted from dom recursively\n * the state should be restored in the handler of event ReplayerEvents.Flush\n * e.g. browser would lose scroll position after the process that we add children of parent node to Fragment Document as virtual dom\n */\n private storeState(parent: INode) {\n if (parent) {\n if (parent.nodeType === parent.ELEMENT_NODE) {\n const parentElement = (parent as unknown) as HTMLElement;\n if (parentElement.scrollLeft || parentElement.scrollTop) {\n // store scroll position state\n this.elementStateMap.set(parent, {\n scroll: [parentElement.scrollLeft, parentElement.scrollTop],\n });\n }\n if (parentElement.tagName === 'STYLE')\n storeCSSRules(\n parentElement as HTMLStyleElement,\n this.virtualStyleRulesMap,\n );\n const children = parentElement.children;\n for (const child of Array.from(children)) {\n this.storeState((child as unknown) as INode);\n }\n }\n }\n }\n\n /**\n * restore the state of elements recursively, which was stored before elements were unmounted from dom in virtual parent mode\n * this function corresponds to function storeState\n */\n private restoreState(parent: INode) {\n if (parent.nodeType === parent.ELEMENT_NODE) {\n const parentElement = (parent as unknown) as HTMLElement;\n if (this.elementStateMap.has(parent)) {\n const storedState = this.elementStateMap.get(parent)!;\n // restore scroll position\n if (storedState.scroll) {\n parentElement.scrollLeft = storedState.scroll[0];\n parentElement.scrollTop = storedState.scroll[1];\n }\n this.elementStateMap.delete(parent);\n }\n const children = parentElement.children;\n for (const child of Array.from(children)) {\n this.restoreState((child as unknown) as INode);\n }\n }\n }\n\n private restoreNodeSheet(node: INode) {\n const storedRules = this.virtualStyleRulesMap.get(node);\n if (node.nodeName !== 'STYLE') {\n return;\n }\n\n if (!storedRules) {\n return;\n }\n\n const styleNode = (node as unknown) as HTMLStyleElement;\n\n applyVirtualStyleRulesToNode(storedRules, styleNode);\n }\n\n private warnNodeNotFound(d: incrementalData, id: number) {\n if (this.treeIndex.idRemoved(id)) {\n this.warn(`Node with id '${id}' was previously removed. `, d);\n } else {\n this.warn(`Node with id '${id}' not found. `, d);\n }\n }\n\n private warnCanvasMutationFailed(\n d: canvasMutationData | canvasMutationCommand,\n error: unknown,\n ) {\n this.warn(`Has error on canvas update`, error, 'canvas mutation:', d);\n }\n\n private debugNodeNotFound(d: incrementalData, id: number) {\n /**\n * There maybe some valid scenes of node not being found.\n * Because DOM events are macrotask and MutationObserver callback\n * is microtask, so events fired on a removed DOM may emit\n * snapshots in the reverse order.\n */\n if (this.treeIndex.idRemoved(id)) {\n this.debug(\n REPLAY_CONSOLE_PREFIX,\n `Node with id '${id}' was previously removed. `,\n d,\n );\n } else {\n this.debug(REPLAY_CONSOLE_PREFIX, `Node with id '${id}' not found. `, d);\n }\n }\n\n private warn(...args: Parameters) {\n if (!this.config.showWarning) {\n return;\n }\n console.warn(REPLAY_CONSOLE_PREFIX, ...args);\n }\n\n private debug(...args: Parameters) {\n if (!this.config.showDebug) {\n return;\n }\n // tslint:disable-next-line: no-console\n console.log(REPLAY_CONSOLE_PREFIX, ...args);\n }\n}\n","import { Replayer } from '..';\nimport {\n CanvasContext,\n canvasMutationCommand,\n canvasMutationData,\n} from '../../types';\nimport webglMutation from './webgl';\nimport canvas2DMutation from './2d';\n\nexport default function canvasMutation({\n event,\n mutation,\n target,\n imageMap,\n errorHandler,\n}: {\n event: Parameters[0];\n mutation: canvasMutationData;\n target: HTMLCanvasElement;\n imageMap: Replayer['imageMap'];\n errorHandler: Replayer['warnCanvasMutationFailed'];\n}): void {\n try {\n const mutations: canvasMutationCommand[] =\n 'commands' in mutation ? mutation.commands : [mutation];\n\n if ([CanvasContext.WebGL, CanvasContext.WebGL2].includes(mutation.type)) {\n return mutations.forEach((command) => {\n webglMutation({\n mutation: command,\n type: mutation.type,\n target,\n imageMap,\n errorHandler,\n });\n });\n }\n // default is '2d' for backwards compatibility (rrweb below 1.1.x)\n return mutations.forEach((command) => {\n canvas2DMutation({\n event,\n mutation: command,\n target,\n imageMap,\n errorHandler,\n });\n });\n } catch (error) {\n errorHandler(mutation, error);\n }\n}\n","import { Replayer } from '../';\nimport { canvasMutationCommand } from '../../types';\n\nexport default function canvasMutation({\n event,\n mutation,\n target,\n imageMap,\n errorHandler,\n}: {\n event: Parameters[0];\n mutation: canvasMutationCommand;\n target: HTMLCanvasElement;\n imageMap: Replayer['imageMap'];\n errorHandler: Replayer['warnCanvasMutationFailed'];\n}): void {\n try {\n const ctx = ((target as unknown) as HTMLCanvasElement).getContext('2d')!;\n\n if (mutation.setter) {\n // skip some read-only type checks\n // tslint:disable-next-line:no-any\n (ctx as any)[mutation.property] = mutation.args[0];\n return;\n }\n const original = ctx[\n mutation.property as Exclude\n ] as Function;\n\n /**\n * We have serialized the image source into base64 string during recording,\n * which has been preloaded before replay.\n * So we can get call drawImage SYNCHRONOUSLY which avoid some fragile cast.\n */\n if (\n mutation.property === 'drawImage' &&\n typeof mutation.args[0] === 'string'\n ) {\n const image = imageMap.get(event);\n mutation.args[0] = image;\n original.apply(ctx, mutation.args);\n } else {\n original.apply(ctx, mutation.args);\n }\n } catch (error) {\n errorHandler(mutation, error);\n }\n}\n","// DEFLATE is a complex format; to read this code, you should probably check the RFC first:\n// https://tools.ietf.org/html/rfc1951\n// You may also wish to take a look at the guide I made about this program:\n// https://gist.github.com/101arrowz/253f31eb5abc3d9275ab943003ffecad\n// Much of the following code is similar to that of UZIP.js:\n// https://github.com/photopea/UZIP.js\n// Many optimizations have been made, so the bundle size is ultimately smaller but performance is similar.\n// Sometimes 0 will appear where -1 would be more appropriate. This is because using a uint\n// is better for memory in most engines (I *think*).\nvar ch2 = {};\nvar wk = (function (c, id, msg, transfer, cb) {\n var u = ch2[id] || (ch2[id] = URL.createObjectURL(new Blob([c], { type: 'text/javascript' })));\n var w = new Worker(u);\n w.onerror = function (e) { return cb(e.error, null); };\n w.onmessage = function (e) { return cb(null, e.data); };\n w.postMessage(msg, transfer);\n return w;\n});\n\n// aliases for shorter compressed code (most minifers don't do this)\nvar u8 = Uint8Array, u16 = Uint16Array, u32 = Uint32Array;\n// fixed length extra bits\nvar fleb = new u8([0, 0, 0, 0, 0, 0, 0, 0, 1, 1, 1, 1, 2, 2, 2, 2, 3, 3, 3, 3, 4, 4, 4, 4, 5, 5, 5, 5, 0, /* unused */ 0, 0, /* impossible */ 0]);\n// fixed distance extra bits\n// see fleb note\nvar fdeb = new u8([0, 0, 0, 0, 1, 1, 2, 2, 3, 3, 4, 4, 5, 5, 6, 6, 7, 7, 8, 8, 9, 9, 10, 10, 11, 11, 12, 12, 13, 13, /* unused */ 0, 0]);\n// code length index map\nvar clim = new u8([16, 17, 18, 0, 8, 7, 9, 6, 10, 5, 11, 4, 12, 3, 13, 2, 14, 1, 15]);\n// get base, reverse index map from extra bits\nvar freb = function (eb, start) {\n var b = new u16(31);\n for (var i = 0; i < 31; ++i) {\n b[i] = start += 1 << eb[i - 1];\n }\n // numbers here are at max 18 bits\n var r = new u32(b[30]);\n for (var i = 1; i < 30; ++i) {\n for (var j = b[i]; j < b[i + 1]; ++j) {\n r[j] = ((j - b[i]) << 5) | i;\n }\n }\n return [b, r];\n};\nvar _a = freb(fleb, 2), fl = _a[0], revfl = _a[1];\n// we can ignore the fact that the other numbers are wrong; they never happen anyway\nfl[28] = 258, revfl[258] = 28;\nvar _b = freb(fdeb, 0), fd = _b[0], revfd = _b[1];\n// map of value to reverse (assuming 16 bits)\nvar rev = new u16(32768);\nfor (var i = 0; i < 32768; ++i) {\n // reverse table algorithm from SO\n var x = ((i & 0xAAAA) >>> 1) | ((i & 0x5555) << 1);\n x = ((x & 0xCCCC) >>> 2) | ((x & 0x3333) << 2);\n x = ((x & 0xF0F0) >>> 4) | ((x & 0x0F0F) << 4);\n rev[i] = (((x & 0xFF00) >>> 8) | ((x & 0x00FF) << 8)) >>> 1;\n}\n// create huffman tree from u8 \"map\": index -> code length for code index\n// mb (max bits) must be at most 15\n// TODO: optimize/split up?\nvar hMap = (function (cd, mb, r) {\n var s = cd.length;\n // index\n var i = 0;\n // u16 \"map\": index -> # of codes with bit length = index\n var l = new u16(mb);\n // length of cd must be 288 (total # of codes)\n for (; i < s; ++i)\n ++l[cd[i] - 1];\n // u16 \"map\": index -> minimum code for bit length = index\n var le = new u16(mb);\n for (i = 0; i < mb; ++i) {\n le[i] = (le[i - 1] + l[i - 1]) << 1;\n }\n var co;\n if (r) {\n // u16 \"map\": index -> number of actual bits, symbol for code\n co = new u16(1 << mb);\n // bits to remove for reverser\n var rvb = 15 - mb;\n for (i = 0; i < s; ++i) {\n // ignore 0 lengths\n if (cd[i]) {\n // num encoding both symbol and bits read\n var sv = (i << 4) | cd[i];\n // free bits\n var r_1 = mb - cd[i];\n // start value\n var v = le[cd[i] - 1]++ << r_1;\n // m is end value\n for (var m = v | ((1 << r_1) - 1); v <= m; ++v) {\n // every 16 bit value starting with the code yields the same result\n co[rev[v] >>> rvb] = sv;\n }\n }\n }\n }\n else {\n co = new u16(s);\n for (i = 0; i < s; ++i)\n co[i] = rev[le[cd[i] - 1]++] >>> (15 - cd[i]);\n }\n return co;\n});\n// fixed length tree\nvar flt = new u8(288);\nfor (var i = 0; i < 144; ++i)\n flt[i] = 8;\nfor (var i = 144; i < 256; ++i)\n flt[i] = 9;\nfor (var i = 256; i < 280; ++i)\n flt[i] = 7;\nfor (var i = 280; i < 288; ++i)\n flt[i] = 8;\n// fixed distance tree\nvar fdt = new u8(32);\nfor (var i = 0; i < 32; ++i)\n fdt[i] = 5;\n// fixed length map\nvar flm = /*#__PURE__*/ hMap(flt, 9, 0), flrm = /*#__PURE__*/ hMap(flt, 9, 1);\n// fixed distance map\nvar fdm = /*#__PURE__*/ hMap(fdt, 5, 0), fdrm = /*#__PURE__*/ hMap(fdt, 5, 1);\n// find max of array\nvar max = function (a) {\n var m = a[0];\n for (var i = 1; i < a.length; ++i) {\n if (a[i] > m)\n m = a[i];\n }\n return m;\n};\n// read d, starting at bit p and mask with m\nvar bits = function (d, p, m) {\n var o = (p / 8) >> 0;\n return ((d[o] | (d[o + 1] << 8)) >>> (p & 7)) & m;\n};\n// read d, starting at bit p continuing for at least 16 bits\nvar bits16 = function (d, p) {\n var o = (p / 8) >> 0;\n return ((d[o] | (d[o + 1] << 8) | (d[o + 2] << 16)) >>> (p & 7));\n};\n// get end of byte\nvar shft = function (p) { return ((p / 8) >> 0) + (p & 7 && 1); };\n// typed array slice - allows garbage collector to free original reference,\n// while being more compatible than .slice\nvar slc = function (v, s, e) {\n if (s == null || s < 0)\n s = 0;\n if (e == null || e > v.length)\n e = v.length;\n // can't use .constructor in case user-supplied\n var n = new (v instanceof u16 ? u16 : v instanceof u32 ? u32 : u8)(e - s);\n n.set(v.subarray(s, e));\n return n;\n};\n// expands raw DEFLATE data\nvar inflt = function (dat, buf, st) {\n // source length\n var sl = dat.length;\n // have to estimate size\n var noBuf = !buf || st;\n // no state\n var noSt = !st || st.i;\n if (!st)\n st = {};\n // Assumes roughly 33% compression ratio average\n if (!buf)\n buf = new u8(sl * 3);\n // ensure buffer can fit at least l elements\n var cbuf = function (l) {\n var bl = buf.length;\n // need to increase size to fit\n if (l > bl) {\n // Double or set to necessary, whichever is greater\n var nbuf = new u8(Math.max(bl * 2, l));\n nbuf.set(buf);\n buf = nbuf;\n }\n };\n // last chunk bitpos bytes\n var final = st.f || 0, pos = st.p || 0, bt = st.b || 0, lm = st.l, dm = st.d, lbt = st.m, dbt = st.n;\n // total bits\n var tbts = sl * 8;\n do {\n if (!lm) {\n // BFINAL - this is only 1 when last chunk is next\n st.f = final = bits(dat, pos, 1);\n // type: 0 = no compression, 1 = fixed huffman, 2 = dynamic huffman\n var type = bits(dat, pos + 1, 3);\n pos += 3;\n if (!type) {\n // go to end of byte boundary\n var s = shft(pos) + 4, l = dat[s - 4] | (dat[s - 3] << 8), t = s + l;\n if (t > sl) {\n if (noSt)\n throw 'unexpected EOF';\n break;\n }\n // ensure size\n if (noBuf)\n cbuf(bt + l);\n // Copy over uncompressed data\n buf.set(dat.subarray(s, t), bt);\n // Get new bitpos, update byte count\n st.b = bt += l, st.p = pos = t * 8;\n continue;\n }\n else if (type == 1)\n lm = flrm, dm = fdrm, lbt = 9, dbt = 5;\n else if (type == 2) {\n // literal lengths\n var hLit = bits(dat, pos, 31) + 257, hcLen = bits(dat, pos + 10, 15) + 4;\n var tl = hLit + bits(dat, pos + 5, 31) + 1;\n pos += 14;\n // length+distance tree\n var ldt = new u8(tl);\n // code length tree\n var clt = new u8(19);\n for (var i = 0; i < hcLen; ++i) {\n // use index map to get real code\n clt[clim[i]] = bits(dat, pos + i * 3, 7);\n }\n pos += hcLen * 3;\n // code lengths bits\n var clb = max(clt), clbmsk = (1 << clb) - 1;\n if (!noSt && pos + tl * (clb + 7) > tbts)\n break;\n // code lengths map\n var clm = hMap(clt, clb, 1);\n for (var i = 0; i < tl;) {\n var r = clm[bits(dat, pos, clbmsk)];\n // bits read\n pos += r & 15;\n // symbol\n var s = r >>> 4;\n // code length to copy\n if (s < 16) {\n ldt[i++] = s;\n }\n else {\n // copy count\n var c = 0, n = 0;\n if (s == 16)\n n = 3 + bits(dat, pos, 3), pos += 2, c = ldt[i - 1];\n else if (s == 17)\n n = 3 + bits(dat, pos, 7), pos += 3;\n else if (s == 18)\n n = 11 + bits(dat, pos, 127), pos += 7;\n while (n--)\n ldt[i++] = c;\n }\n }\n // length tree distance tree\n var lt = ldt.subarray(0, hLit), dt = ldt.subarray(hLit);\n // max length bits\n lbt = max(lt);\n // max dist bits\n dbt = max(dt);\n lm = hMap(lt, lbt, 1);\n dm = hMap(dt, dbt, 1);\n }\n else\n throw 'invalid block type';\n if (pos > tbts)\n throw 'unexpected EOF';\n }\n // Make sure the buffer can hold this + the largest possible addition\n // Maximum chunk size (practically, theoretically infinite) is 2^17;\n if (noBuf)\n cbuf(bt + 131072);\n var lms = (1 << lbt) - 1, dms = (1 << dbt) - 1;\n var mxa = lbt + dbt + 18;\n while (noSt || pos + mxa < tbts) {\n // bits read, code\n var c = lm[bits16(dat, pos) & lms], sym = c >>> 4;\n pos += c & 15;\n if (pos > tbts)\n throw 'unexpected EOF';\n if (!c)\n throw 'invalid length/literal';\n if (sym < 256)\n buf[bt++] = sym;\n else if (sym == 256) {\n lm = null;\n break;\n }\n else {\n var add = sym - 254;\n // no extra bits needed if less\n if (sym > 264) {\n // index\n var i = sym - 257, b = fleb[i];\n add = bits(dat, pos, (1 << b) - 1) + fl[i];\n pos += b;\n }\n // dist\n var d = dm[bits16(dat, pos) & dms], dsym = d >>> 4;\n if (!d)\n throw 'invalid distance';\n pos += d & 15;\n var dt = fd[dsym];\n if (dsym > 3) {\n var b = fdeb[dsym];\n dt += bits16(dat, pos) & ((1 << b) - 1), pos += b;\n }\n if (pos > tbts)\n throw 'unexpected EOF';\n if (noBuf)\n cbuf(bt + 131072);\n var end = bt + add;\n for (; bt < end; bt += 4) {\n buf[bt] = buf[bt - dt];\n buf[bt + 1] = buf[bt + 1 - dt];\n buf[bt + 2] = buf[bt + 2 - dt];\n buf[bt + 3] = buf[bt + 3 - dt];\n }\n bt = end;\n }\n }\n st.l = lm, st.p = pos, st.b = bt;\n if (lm)\n final = 1, st.m = lbt, st.d = dm, st.n = dbt;\n } while (!final);\n return bt == buf.length ? buf : slc(buf, 0, bt);\n};\n// starting at p, write the minimum number of bits that can hold v to d\nvar wbits = function (d, p, v) {\n v <<= p & 7;\n var o = (p / 8) >> 0;\n d[o] |= v;\n d[o + 1] |= v >>> 8;\n};\n// starting at p, write the minimum number of bits (>8) that can hold v to d\nvar wbits16 = function (d, p, v) {\n v <<= p & 7;\n var o = (p / 8) >> 0;\n d[o] |= v;\n d[o + 1] |= v >>> 8;\n d[o + 2] |= v >>> 16;\n};\n// creates code lengths from a frequency table\nvar hTree = function (d, mb) {\n // Need extra info to make a tree\n var t = [];\n for (var i = 0; i < d.length; ++i) {\n if (d[i])\n t.push({ s: i, f: d[i] });\n }\n var s = t.length;\n var t2 = t.slice();\n if (!s)\n return [new u8(0), 0];\n if (s == 1) {\n var v = new u8(t[0].s + 1);\n v[t[0].s] = 1;\n return [v, 1];\n }\n t.sort(function (a, b) { return a.f - b.f; });\n // after i2 reaches last ind, will be stopped\n // freq must be greater than largest possible number of symbols\n t.push({ s: -1, f: 25001 });\n var l = t[0], r = t[1], i0 = 0, i1 = 1, i2 = 2;\n t[0] = { s: -1, f: l.f + r.f, l: l, r: r };\n // efficient algorithm from UZIP.js\n // i0 is lookbehind, i2 is lookahead - after processing two low-freq\n // symbols that combined have high freq, will start processing i2 (high-freq,\n // non-composite) symbols instead\n // see https://reddit.com/r/photopea/comments/ikekht/uzipjs_questions/\n while (i1 != s - 1) {\n l = t[t[i0].f < t[i2].f ? i0++ : i2++];\n r = t[i0 != i1 && t[i0].f < t[i2].f ? i0++ : i2++];\n t[i1++] = { s: -1, f: l.f + r.f, l: l, r: r };\n }\n var maxSym = t2[0].s;\n for (var i = 1; i < s; ++i) {\n if (t2[i].s > maxSym)\n maxSym = t2[i].s;\n }\n // code lengths\n var tr = new u16(maxSym + 1);\n // max bits in tree\n var mbt = ln(t[i1 - 1], tr, 0);\n if (mbt > mb) {\n // more algorithms from UZIP.js\n // TODO: find out how this code works (debt)\n // ind debt\n var i = 0, dt = 0;\n // left cost\n var lft = mbt - mb, cst = 1 << lft;\n t2.sort(function (a, b) { return tr[b.s] - tr[a.s] || a.f - b.f; });\n for (; i < s; ++i) {\n var i2_1 = t2[i].s;\n if (tr[i2_1] > mb) {\n dt += cst - (1 << (mbt - tr[i2_1]));\n tr[i2_1] = mb;\n }\n else\n break;\n }\n dt >>>= lft;\n while (dt > 0) {\n var i2_2 = t2[i].s;\n if (tr[i2_2] < mb)\n dt -= 1 << (mb - tr[i2_2]++ - 1);\n else\n ++i;\n }\n for (; i >= 0 && dt; --i) {\n var i2_3 = t2[i].s;\n if (tr[i2_3] == mb) {\n --tr[i2_3];\n ++dt;\n }\n }\n mbt = mb;\n }\n return [new u8(tr), mbt];\n};\n// get the max length and assign length codes\nvar ln = function (n, l, d) {\n return n.s == -1\n ? Math.max(ln(n.l, l, d + 1), ln(n.r, l, d + 1))\n : (l[n.s] = d);\n};\n// length codes generation\nvar lc = function (c) {\n var s = c.length;\n // Note that the semicolon was intentional\n while (s && !c[--s])\n ;\n var cl = new u16(++s);\n // ind num streak\n var cli = 0, cln = c[0], cls = 1;\n var w = function (v) { cl[cli++] = v; };\n for (var i = 1; i <= s; ++i) {\n if (c[i] == cln && i != s)\n ++cls;\n else {\n if (!cln && cls > 2) {\n for (; cls > 138; cls -= 138)\n w(32754);\n if (cls > 2) {\n w(cls > 10 ? ((cls - 11) << 5) | 28690 : ((cls - 3) << 5) | 12305);\n cls = 0;\n }\n }\n else if (cls > 3) {\n w(cln), --cls;\n for (; cls > 6; cls -= 6)\n w(8304);\n if (cls > 2)\n w(((cls - 3) << 5) | 8208), cls = 0;\n }\n while (cls--)\n w(cln);\n cls = 1;\n cln = c[i];\n }\n }\n return [cl.subarray(0, cli), s];\n};\n// calculate the length of output from tree, code lengths\nvar clen = function (cf, cl) {\n var l = 0;\n for (var i = 0; i < cl.length; ++i)\n l += cf[i] * cl[i];\n return l;\n};\n// writes a fixed block\n// returns the new bit pos\nvar wfblk = function (out, pos, dat) {\n // no need to write 00 as type: TypedArray defaults to 0\n var s = dat.length;\n var o = shft(pos + 2);\n out[o] = s & 255;\n out[o + 1] = s >>> 8;\n out[o + 2] = out[o] ^ 255;\n out[o + 3] = out[o + 1] ^ 255;\n for (var i = 0; i < s; ++i)\n out[o + i + 4] = dat[i];\n return (o + 4 + s) * 8;\n};\n// writes a block\nvar wblk = function (dat, out, final, syms, lf, df, eb, li, bs, bl, p) {\n wbits(out, p++, final);\n ++lf[256];\n var _a = hTree(lf, 15), dlt = _a[0], mlb = _a[1];\n var _b = hTree(df, 15), ddt = _b[0], mdb = _b[1];\n var _c = lc(dlt), lclt = _c[0], nlc = _c[1];\n var _d = lc(ddt), lcdt = _d[0], ndc = _d[1];\n var lcfreq = new u16(19);\n for (var i = 0; i < lclt.length; ++i)\n lcfreq[lclt[i] & 31]++;\n for (var i = 0; i < lcdt.length; ++i)\n lcfreq[lcdt[i] & 31]++;\n var _e = hTree(lcfreq, 7), lct = _e[0], mlcb = _e[1];\n var nlcc = 19;\n for (; nlcc > 4 && !lct[clim[nlcc - 1]]; --nlcc)\n ;\n var flen = (bl + 5) << 3;\n var ftlen = clen(lf, flt) + clen(df, fdt) + eb;\n var dtlen = clen(lf, dlt) + clen(df, ddt) + eb + 14 + 3 * nlcc + clen(lcfreq, lct) + (2 * lcfreq[16] + 3 * lcfreq[17] + 7 * lcfreq[18]);\n if (flen <= ftlen && flen <= dtlen)\n return wfblk(out, p, dat.subarray(bs, bs + bl));\n var lm, ll, dm, dl;\n wbits(out, p, 1 + (dtlen < ftlen)), p += 2;\n if (dtlen < ftlen) {\n lm = hMap(dlt, mlb, 0), ll = dlt, dm = hMap(ddt, mdb, 0), dl = ddt;\n var llm = hMap(lct, mlcb, 0);\n wbits(out, p, nlc - 257);\n wbits(out, p + 5, ndc - 1);\n wbits(out, p + 10, nlcc - 4);\n p += 14;\n for (var i = 0; i < nlcc; ++i)\n wbits(out, p + 3 * i, lct[clim[i]]);\n p += 3 * nlcc;\n var lcts = [lclt, lcdt];\n for (var it = 0; it < 2; ++it) {\n var clct = lcts[it];\n for (var i = 0; i < clct.length; ++i) {\n var len = clct[i] & 31;\n wbits(out, p, llm[len]), p += lct[len];\n if (len > 15)\n wbits(out, p, (clct[i] >>> 5) & 127), p += clct[i] >>> 12;\n }\n }\n }\n else {\n lm = flm, ll = flt, dm = fdm, dl = fdt;\n }\n for (var i = 0; i < li; ++i) {\n if (syms[i] > 255) {\n var len = (syms[i] >>> 18) & 31;\n wbits16(out, p, lm[len + 257]), p += ll[len + 257];\n if (len > 7)\n wbits(out, p, (syms[i] >>> 23) & 31), p += fleb[len];\n var dst = syms[i] & 31;\n wbits16(out, p, dm[dst]), p += dl[dst];\n if (dst > 3)\n wbits16(out, p, (syms[i] >>> 5) & 8191), p += fdeb[dst];\n }\n else {\n wbits16(out, p, lm[syms[i]]), p += ll[syms[i]];\n }\n }\n wbits16(out, p, lm[256]);\n return p + ll[256];\n};\n// deflate options (nice << 13) | chain\nvar deo = /*#__PURE__*/ new u32([65540, 131080, 131088, 131104, 262176, 1048704, 1048832, 2114560, 2117632]);\n// empty\nvar et = /*#__PURE__*/ new u8(0);\n// compresses data into a raw DEFLATE buffer\nvar dflt = function (dat, lvl, plvl, pre, post, lst) {\n var s = dat.length;\n var o = new u8(pre + s + 5 * (1 + Math.floor(s / 7000)) + post);\n // writing to this writes to the output buffer\n var w = o.subarray(pre, o.length - post);\n var pos = 0;\n if (!lvl || s < 8) {\n for (var i = 0; i <= s; i += 65535) {\n // end\n var e = i + 65535;\n if (e < s) {\n // write full block\n pos = wfblk(w, pos, dat.subarray(i, e));\n }\n else {\n // write final block\n w[i] = lst;\n pos = wfblk(w, pos, dat.subarray(i, s));\n }\n }\n }\n else {\n var opt = deo[lvl - 1];\n var n = opt >>> 13, c = opt & 8191;\n var msk_1 = (1 << plvl) - 1;\n // prev 2-byte val map curr 2-byte val map\n var prev = new u16(32768), head = new u16(msk_1 + 1);\n var bs1_1 = Math.ceil(plvl / 3), bs2_1 = 2 * bs1_1;\n var hsh = function (i) { return (dat[i] ^ (dat[i + 1] << bs1_1) ^ (dat[i + 2] << bs2_1)) & msk_1; };\n // 24576 is an arbitrary number of maximum symbols per block\n // 424 buffer for last block\n var syms = new u32(25000);\n // length/literal freq distance freq\n var lf = new u16(288), df = new u16(32);\n // l/lcnt exbits index l/lind waitdx bitpos\n var lc_1 = 0, eb = 0, i = 0, li = 0, wi = 0, bs = 0;\n for (; i < s; ++i) {\n // hash value\n var hv = hsh(i);\n // index mod 32768\n var imod = i & 32767;\n // previous index with this value\n var pimod = head[hv];\n prev[imod] = pimod;\n head[hv] = imod;\n // We always should modify head and prev, but only add symbols if\n // this data is not yet processed (\"wait\" for wait index)\n if (wi <= i) {\n // bytes remaining\n var rem = s - i;\n if ((lc_1 > 7000 || li > 24576) && rem > 423) {\n pos = wblk(dat, w, 0, syms, lf, df, eb, li, bs, i - bs, pos);\n li = lc_1 = eb = 0, bs = i;\n for (var j = 0; j < 286; ++j)\n lf[j] = 0;\n for (var j = 0; j < 30; ++j)\n df[j] = 0;\n }\n // len dist chain\n var l = 2, d = 0, ch_1 = c, dif = (imod - pimod) & 32767;\n if (rem > 2 && hv == hsh(i - dif)) {\n var maxn = Math.min(n, rem) - 1;\n var maxd = Math.min(32767, i);\n // max possible length\n // not capped at dif because decompressors implement \"rolling\" index population\n var ml = Math.min(258, rem);\n while (dif <= maxd && --ch_1 && imod != pimod) {\n if (dat[i + l] == dat[i + l - dif]) {\n var nl = 0;\n for (; nl < ml && dat[i + nl] == dat[i + nl - dif]; ++nl)\n ;\n if (nl > l) {\n l = nl, d = dif;\n // break out early when we reach \"nice\" (we are satisfied enough)\n if (nl > maxn)\n break;\n // now, find the rarest 2-byte sequence within this\n // length of literals and search for that instead.\n // Much faster than just using the start\n var mmd = Math.min(dif, nl - 2);\n var md = 0;\n for (var j = 0; j < mmd; ++j) {\n var ti = (i - dif + j + 32768) & 32767;\n var pti = prev[ti];\n var cd = (ti - pti + 32768) & 32767;\n if (cd > md)\n md = cd, pimod = ti;\n }\n }\n }\n // check the previous match\n imod = pimod, pimod = prev[imod];\n dif += (imod - pimod + 32768) & 32767;\n }\n }\n // d will be nonzero only when a match was found\n if (d) {\n // store both dist and len data in one Uint32\n // Make sure this is recognized as a len/dist with 28th bit (2^28)\n syms[li++] = 268435456 | (revfl[l] << 18) | revfd[d];\n var lin = revfl[l] & 31, din = revfd[d] & 31;\n eb += fleb[lin] + fdeb[din];\n ++lf[257 + lin];\n ++df[din];\n wi = i + l;\n ++lc_1;\n }\n else {\n syms[li++] = dat[i];\n ++lf[dat[i]];\n }\n }\n }\n pos = wblk(dat, w, lst, syms, lf, df, eb, li, bs, i - bs, pos);\n // this is the easiest way to avoid needing to maintain state\n if (!lst)\n pos = wfblk(w, pos, et);\n }\n return slc(o, 0, pre + shft(pos) + post);\n};\n// CRC32 table\nvar crct = /*#__PURE__*/ (function () {\n var t = new u32(256);\n for (var i = 0; i < 256; ++i) {\n var c = i, k = 9;\n while (--k)\n c = ((c & 1) && 0xEDB88320) ^ (c >>> 1);\n t[i] = c;\n }\n return t;\n})();\n// CRC32\nvar crc = function () {\n var c = 0xFFFFFFFF;\n return {\n p: function (d) {\n // closures have awful performance\n var cr = c;\n for (var i = 0; i < d.length; ++i)\n cr = crct[(cr & 255) ^ d[i]] ^ (cr >>> 8);\n c = cr;\n },\n d: function () { return c ^ 0xFFFFFFFF; }\n };\n};\n// Alder32\nvar adler = function () {\n var a = 1, b = 0;\n return {\n p: function (d) {\n // closures have awful performance\n var n = a, m = b;\n var l = d.length;\n for (var i = 0; i != l;) {\n var e = Math.min(i + 5552, l);\n for (; i < e; ++i)\n n += d[i], m += n;\n n %= 65521, m %= 65521;\n }\n a = n, b = m;\n },\n d: function () { return ((a >>> 8) << 16 | (b & 255) << 8 | (b >>> 8)) + ((a & 255) << 23) * 2; }\n };\n};\n;\n// deflate with opts\nvar dopt = function (dat, opt, pre, post, st) {\n return dflt(dat, opt.level == null ? 6 : opt.level, opt.mem == null ? Math.ceil(Math.max(8, Math.min(13, Math.log(dat.length))) * 1.5) : (12 + opt.mem), pre, post, !st);\n};\n// Walmart object spread\nvar mrg = function (a, b) {\n var o = {};\n for (var k in a)\n o[k] = a[k];\n for (var k in b)\n o[k] = b[k];\n return o;\n};\n// worker clone\n// This is possibly the craziest part of the entire codebase, despite how simple it may seem.\n// The only parameter to this function is a closure that returns an array of variables outside of the function scope.\n// We're going to try to figure out the variable names used in the closure as strings because that is crucial for workerization.\n// We will return an object mapping of true variable name to value (basically, the current scope as a JS object).\n// The reason we can't just use the original variable names is minifiers mangling the toplevel scope.\n// This took me three weeks to figure out how to do.\nvar wcln = function (fn, fnStr, td) {\n var dt = fn();\n var st = fn.toString();\n var ks = st.slice(st.indexOf('[') + 1, st.lastIndexOf(']')).replace(/ /g, '').split(',');\n for (var i = 0; i < dt.length; ++i) {\n var v = dt[i], k = ks[i];\n if (typeof v == 'function') {\n fnStr += ';' + k + '=';\n var st_1 = v.toString();\n if (v.prototype) {\n // for global objects\n if (st_1.indexOf('[native code]') != -1) {\n var spInd = st_1.indexOf(' ', 8) + 1;\n fnStr += st_1.slice(spInd, st_1.indexOf('(', spInd));\n }\n else {\n fnStr += st_1;\n for (var t in v.prototype)\n fnStr += ';' + k + '.prototype.' + t + '=' + v.prototype[t].toString();\n }\n }\n else\n fnStr += st_1;\n }\n else\n td[k] = v;\n }\n return [fnStr, td];\n};\nvar ch = [];\n// clone bufs\nvar cbfs = function (v) {\n var tl = [];\n for (var k in v) {\n if (v[k] instanceof u8 || v[k] instanceof u16 || v[k] instanceof u32)\n tl.push((v[k] = new v[k].constructor(v[k])).buffer);\n }\n return tl;\n};\n// use a worker to execute code\nvar wrkr = function (fns, init, id, cb) {\n var _a;\n if (!ch[id]) {\n var fnStr = '', td_1 = {}, m = fns.length - 1;\n for (var i = 0; i < m; ++i)\n _a = wcln(fns[i], fnStr, td_1), fnStr = _a[0], td_1 = _a[1];\n ch[id] = wcln(fns[m], fnStr, td_1);\n }\n var td = mrg({}, ch[id][1]);\n return wk(ch[id][0] + ';onmessage=function(e){for(var k in e.data)self[k]=e.data[k];onmessage=' + init.toString() + '}', id, td, cbfs(td), cb);\n};\n// base async inflate fn\nvar bInflt = function () { return [u8, u16, u32, fleb, fdeb, clim, fl, fd, flrm, fdrm, rev, hMap, max, bits, bits16, shft, slc, inflt, inflateSync, pbf, gu8]; };\nvar bDflt = function () { return [u8, u16, u32, fleb, fdeb, clim, revfl, revfd, flm, flt, fdm, fdt, rev, deo, et, hMap, wbits, wbits16, hTree, ln, lc, clen, wfblk, wblk, shft, slc, dflt, dopt, deflateSync, pbf]; };\n// gzip extra\nvar gze = function () { return [gzh, gzhl, wbytes, crc, crct]; };\n// gunzip extra\nvar guze = function () { return [gzs, gzl]; };\n// zlib extra\nvar zle = function () { return [zlh, wbytes, adler]; };\n// unzlib extra\nvar zule = function () { return [zlv]; };\n// post buf\nvar pbf = function (msg) { return postMessage(msg, [msg.buffer]); };\n// get u8\nvar gu8 = function (o) { return o && o.size && new u8(o.size); };\n// async helper\nvar cbify = function (dat, opts, fns, init, id, cb) {\n var w = wrkr(fns, init, id, function (err, dat) {\n w.terminate();\n cb(err, dat);\n });\n if (!opts.consume)\n dat = new u8(dat);\n w.postMessage([dat, opts], [dat.buffer]);\n return function () { w.terminate(); };\n};\n// auto stream\nvar astrm = function (strm) {\n strm.ondata = function (dat, final) { return postMessage([dat, final], [dat.buffer]); };\n return function (ev) { return strm.push(ev.data[0], ev.data[1]); };\n};\n// async stream attach\nvar astrmify = function (fns, strm, opts, init, id) {\n var t;\n var w = wrkr(fns, init, id, function (err, dat) {\n if (err)\n w.terminate(), strm.ondata.call(strm, err);\n else {\n if (dat[1])\n w.terminate();\n strm.ondata.call(strm, err, dat[0], dat[1]);\n }\n });\n w.postMessage(opts);\n strm.push = function (d, f) {\n if (t)\n throw 'stream finished';\n if (!strm.ondata)\n throw 'no stream handler';\n w.postMessage([d, t = f], [d.buffer]);\n };\n strm.terminate = function () { w.terminate(); };\n};\n// read 2 bytes\nvar b2 = function (d, b) { return d[b] | (d[b + 1] << 8); };\n// read 4 bytes\nvar b4 = function (d, b) { return (d[b] | (d[b + 1] << 8) | (d[b + 2] << 16)) + (d[b + 3] << 23) * 2; };\n// write bytes\nvar wbytes = function (d, b, v) {\n for (; v; ++b)\n d[b] = v, v >>>= 8;\n};\n// gzip header\nvar gzh = function (c, o) {\n var fn = o.filename;\n c[0] = 31, c[1] = 139, c[2] = 8, c[8] = o.level < 2 ? 4 : o.level == 9 ? 2 : 0, c[9] = 3; // assume Unix\n if (o.mtime != 0)\n wbytes(c, 4, Math.floor(new Date(o.mtime || Date.now()) / 1000));\n if (fn) {\n c[3] = 8;\n for (var i = 0; i <= fn.length; ++i)\n c[i + 10] = fn.charCodeAt(i);\n }\n};\n// gzip footer: -8 to -4 = CRC, -4 to -0 is length\n// gzip start\nvar gzs = function (d) {\n if (d[0] != 31 || d[1] != 139 || d[2] != 8)\n throw 'invalid gzip data';\n var flg = d[3];\n var st = 10;\n if (flg & 4)\n st += d[10] | (d[11] << 8) + 2;\n for (var zs = (flg >> 3 & 1) + (flg >> 4 & 1); zs > 0; zs -= !d[st++])\n ;\n return st + (flg & 2);\n};\n// gzip length\nvar gzl = function (d) {\n var l = d.length;\n return (d[l - 4] | d[l - 3] << 8 | d[l - 2] << 16) + (2 * (d[l - 1] << 23));\n};\n// gzip header length\nvar gzhl = function (o) { return 10 + ((o.filename && (o.filename.length + 1)) || 0); };\n// zlib header\nvar zlh = function (c, o) {\n var lv = o.level, fl = lv == 0 ? 0 : lv < 6 ? 1 : lv == 9 ? 3 : 2;\n c[0] = 120, c[1] = (fl << 6) | (fl ? (32 - 2 * fl) : 1);\n};\n// zlib valid\nvar zlv = function (d) {\n if ((d[0] & 15) != 8 || (d[0] >>> 4) > 7 || ((d[0] << 8 | d[1]) % 31))\n throw 'invalid zlib data';\n if (d[1] & 32)\n throw 'invalid zlib data: preset dictionaries not supported';\n};\nfunction AsyncCmpStrm(opts, cb) {\n if (!cb && typeof opts == 'function')\n cb = opts, opts = {};\n this.ondata = cb;\n return opts;\n}\n// zlib footer: -4 to -0 is Adler32\n/**\n * Streaming DEFLATE compression\n */\nvar Deflate = /*#__PURE__*/ (function () {\n function Deflate(opts, cb) {\n if (!cb && typeof opts == 'function')\n cb = opts, opts = {};\n this.ondata = cb;\n this.o = opts || {};\n }\n Deflate.prototype.p = function (c, f) {\n this.ondata(dopt(c, this.o, 0, 0, !f), f);\n };\n /**\n * Pushes a chunk to be deflated\n * @param chunk The chunk to push\n * @param final Whether this is the last chunk\n */\n Deflate.prototype.push = function (chunk, final) {\n if (this.d)\n throw 'stream finished';\n if (!this.ondata)\n throw 'no stream handler';\n this.d = final;\n this.p(chunk, final || false);\n };\n return Deflate;\n}());\nexport { Deflate };\n/**\n * Asynchronous streaming DEFLATE compression\n */\nvar AsyncDeflate = /*#__PURE__*/ (function () {\n function AsyncDeflate(opts, cb) {\n astrmify([\n bDflt,\n function () { return [astrm, Deflate]; }\n ], this, AsyncCmpStrm.call(this, opts, cb), function (ev) {\n var strm = new Deflate(ev.data);\n onmessage = astrm(strm);\n }, 6);\n }\n return AsyncDeflate;\n}());\nexport { AsyncDeflate };\nexport function deflate(data, opts, cb) {\n if (!cb)\n cb = opts, opts = {};\n if (typeof cb != 'function')\n throw 'no callback';\n return cbify(data, opts, [\n bDflt,\n ], function (ev) { return pbf(deflateSync(ev.data[0], ev.data[1])); }, 0, cb);\n}\n/**\n * Compresses data with DEFLATE without any wrapper\n * @param data The data to compress\n * @param opts The compression options\n * @returns The deflated version of the data\n */\nexport function deflateSync(data, opts) {\n if (opts === void 0) { opts = {}; }\n return dopt(data, opts, 0, 0);\n}\n/**\n * Streaming DEFLATE decompression\n */\nvar Inflate = /*#__PURE__*/ (function () {\n /**\n * Creates an inflation stream\n * @param cb The callback to call whenever data is inflated\n */\n function Inflate(cb) {\n this.s = {};\n this.p = new u8(0);\n this.ondata = cb;\n }\n Inflate.prototype.e = function (c) {\n if (this.d)\n throw 'stream finished';\n if (!this.ondata)\n throw 'no stream handler';\n var l = this.p.length;\n var n = new u8(l + c.length);\n n.set(this.p), n.set(c, l), this.p = n;\n };\n Inflate.prototype.c = function (final) {\n this.d = this.s.i = final || false;\n var bts = this.s.b;\n var dt = inflt(this.p, this.o, this.s);\n this.ondata(slc(dt, bts, this.s.b), this.d);\n this.o = slc(dt, this.s.b - 32768), this.s.b = this.o.length;\n this.p = slc(this.p, (this.s.p / 8) >> 0), this.s.p &= 7;\n };\n /**\n * Pushes a chunk to be inflated\n * @param chunk The chunk to push\n * @param final Whether this is the final chunk\n */\n Inflate.prototype.push = function (chunk, final) {\n this.e(chunk), this.c(final);\n };\n return Inflate;\n}());\nexport { Inflate };\n/**\n * Asynchronous streaming DEFLATE decompression\n */\nvar AsyncInflate = /*#__PURE__*/ (function () {\n /**\n * Creates an asynchronous inflation stream\n * @param cb The callback to call whenever data is deflated\n */\n function AsyncInflate(cb) {\n this.ondata = cb;\n astrmify([\n bInflt,\n function () { return [astrm, Inflate]; }\n ], this, 0, function () {\n var strm = new Inflate();\n onmessage = astrm(strm);\n }, 7);\n }\n return AsyncInflate;\n}());\nexport { AsyncInflate };\nexport function inflate(data, opts, cb) {\n if (!cb)\n cb = opts, opts = {};\n if (typeof cb != 'function')\n throw 'no callback';\n return cbify(data, opts, [\n bInflt\n ], function (ev) { return pbf(inflateSync(ev.data[0], gu8(ev.data[1]))); }, 1, cb);\n}\n/**\n * Expands DEFLATE data with no wrapper\n * @param data The data to decompress\n * @param out Where to write the data. Saves memory if you know the decompressed size and provide an output buffer of that length.\n * @returns The decompressed version of the data\n */\nexport function inflateSync(data, out) {\n return inflt(data, out);\n}\n// before you yell at me for not just using extends, my reason is that TS inheritance is hard to workerize.\n/**\n * Streaming GZIP compression\n */\nvar Gzip = /*#__PURE__*/ (function () {\n function Gzip(opts, cb) {\n this.c = crc();\n this.l = 0;\n this.v = 1;\n Deflate.call(this, opts, cb);\n }\n /**\n * Pushes a chunk to be GZIPped\n * @param chunk The chunk to push\n * @param final Whether this is the last chunk\n */\n Gzip.prototype.push = function (chunk, final) {\n Deflate.prototype.push.call(this, chunk, final);\n };\n Gzip.prototype.p = function (c, f) {\n this.c.p(c);\n this.l += c.length;\n var raw = dopt(c, this.o, this.v && gzhl(this.o), f && 8, !f);\n if (this.v)\n gzh(raw, this.o), this.v = 0;\n if (f)\n wbytes(raw, raw.length - 8, this.c.d()), wbytes(raw, raw.length - 4, this.l);\n this.ondata(raw, f);\n };\n return Gzip;\n}());\nexport { Gzip };\n/**\n * Asynchronous streaming GZIP compression\n */\nvar AsyncGzip = /*#__PURE__*/ (function () {\n function AsyncGzip(opts, cb) {\n astrmify([\n bDflt,\n gze,\n function () { return [astrm, Deflate, Gzip]; }\n ], this, AsyncCmpStrm.call(this, opts, cb), function (ev) {\n var strm = new Gzip(ev.data);\n onmessage = astrm(strm);\n }, 8);\n }\n return AsyncGzip;\n}());\nexport { AsyncGzip };\nexport function gzip(data, opts, cb) {\n if (!cb)\n cb = opts, opts = {};\n if (typeof cb != 'function')\n throw 'no callback';\n return cbify(data, opts, [\n bDflt,\n gze,\n function () { return [gzipSync]; }\n ], function (ev) { return pbf(gzipSync(ev.data[0], ev.data[1])); }, 2, cb);\n}\n/**\n * Compresses data with GZIP\n * @param data The data to compress\n * @param opts The compression options\n * @returns The gzipped version of the data\n */\nexport function gzipSync(data, opts) {\n if (opts === void 0) { opts = {}; }\n var c = crc(), l = data.length;\n c.p(data);\n var d = dopt(data, opts, gzhl(opts), 8), s = d.length;\n return gzh(d, opts), wbytes(d, s - 8, c.d()), wbytes(d, s - 4, l), d;\n}\n/**\n * Streaming GZIP decompression\n */\nvar Gunzip = /*#__PURE__*/ (function () {\n /**\n * Creates a GUNZIP stream\n * @param cb The callback to call whenever data is inflated\n */\n function Gunzip(cb) {\n this.v = 1;\n Inflate.call(this, cb);\n }\n /**\n * Pushes a chunk to be GUNZIPped\n * @param chunk The chunk to push\n * @param final Whether this is the last chunk\n */\n Gunzip.prototype.push = function (chunk, final) {\n Inflate.prototype.e.call(this, chunk);\n if (this.v) {\n var s = gzs(this.p);\n if (s >= this.p.length && !final)\n return;\n this.p = this.p.subarray(s), this.v = 0;\n }\n if (final) {\n if (this.p.length < 8)\n throw 'invalid gzip stream';\n this.p = this.p.subarray(0, -8);\n }\n // necessary to prevent TS from using the closure value\n // This allows for workerization to function correctly\n Inflate.prototype.c.call(this, final);\n };\n return Gunzip;\n}());\nexport { Gunzip };\n/**\n * Asynchronous streaming GZIP decompression\n */\nvar AsyncGunzip = /*#__PURE__*/ (function () {\n /**\n * Creates an asynchronous GUNZIP stream\n * @param cb The callback to call whenever data is deflated\n */\n function AsyncGunzip(cb) {\n this.ondata = cb;\n astrmify([\n bInflt,\n guze,\n function () { return [astrm, Inflate, Gunzip]; }\n ], this, 0, function () {\n var strm = new Gunzip();\n onmessage = astrm(strm);\n }, 9);\n }\n return AsyncGunzip;\n}());\nexport { AsyncGunzip };\nexport function gunzip(data, opts, cb) {\n if (!cb)\n cb = opts, opts = {};\n if (typeof cb != 'function')\n throw 'no callback';\n return cbify(data, opts, [\n bInflt,\n guze,\n function () { return [gunzipSync]; }\n ], function (ev) { return pbf(gunzipSync(ev.data[0])); }, 3, cb);\n}\n/**\n * Expands GZIP data\n * @param data The data to decompress\n * @param out Where to write the data. GZIP already encodes the output size, so providing this doesn't save memory.\n * @returns The decompressed version of the data\n */\nexport function gunzipSync(data, out) {\n return inflt(data.subarray(gzs(data), -8), out || new u8(gzl(data)));\n}\n/**\n * Streaming Zlib compression\n */\nvar Zlib = /*#__PURE__*/ (function () {\n function Zlib(opts, cb) {\n this.c = adler();\n this.v = 1;\n Deflate.call(this, opts, cb);\n }\n /**\n * Pushes a chunk to be zlibbed\n * @param chunk The chunk to push\n * @param final Whether this is the last chunk\n */\n Zlib.prototype.push = function (chunk, final) {\n Deflate.prototype.push.call(this, chunk, final);\n };\n Zlib.prototype.p = function (c, f) {\n this.c.p(c);\n var raw = dopt(c, this.o, this.v && 2, f && 4, !f);\n if (this.v)\n zlh(raw, this.o), this.v = 0;\n if (f)\n wbytes(raw, raw.length - 4, this.c.d());\n this.ondata(raw, f);\n };\n return Zlib;\n}());\nexport { Zlib };\n/**\n * Asynchronous streaming Zlib compression\n */\nvar AsyncZlib = /*#__PURE__*/ (function () {\n function AsyncZlib(opts, cb) {\n astrmify([\n bDflt,\n zle,\n function () { return [astrm, Deflate, Zlib]; }\n ], this, AsyncCmpStrm.call(this, opts, cb), function (ev) {\n var strm = new Zlib(ev.data);\n onmessage = astrm(strm);\n }, 10);\n }\n return AsyncZlib;\n}());\nexport { AsyncZlib };\nexport function zlib(data, opts, cb) {\n if (!cb)\n cb = opts, opts = {};\n if (typeof cb != 'function')\n throw 'no callback';\n return cbify(data, opts, [\n bDflt,\n zle,\n function () { return [zlibSync]; }\n ], function (ev) { return pbf(zlibSync(ev.data[0], ev.data[1])); }, 4, cb);\n}\n/**\n * Compress data with Zlib\n * @param data The data to compress\n * @param opts The compression options\n * @returns The zlib-compressed version of the data\n */\nexport function zlibSync(data, opts) {\n if (opts === void 0) { opts = {}; }\n var a = adler();\n a.p(data);\n var d = dopt(data, opts, 2, 4);\n return zlh(d, opts), wbytes(d, d.length - 4, a.d()), d;\n}\n/**\n * Streaming Zlib decompression\n */\nvar Unzlib = /*#__PURE__*/ (function () {\n /**\n * Creates a Zlib decompression stream\n * @param cb The callback to call whenever data is inflated\n */\n function Unzlib(cb) {\n this.v = 1;\n Inflate.call(this, cb);\n }\n /**\n * Pushes a chunk to be unzlibbed\n * @param chunk The chunk to push\n * @param final Whether this is the last chunk\n */\n Unzlib.prototype.push = function (chunk, final) {\n Inflate.prototype.e.call(this, chunk);\n if (this.v) {\n if (this.p.length < 2 && !final)\n return;\n this.p = this.p.subarray(2), this.v = 0;\n }\n if (final) {\n if (this.p.length < 4)\n throw 'invalid zlib stream';\n this.p = this.p.subarray(0, -4);\n }\n // necessary to prevent TS from using the closure value\n // This allows for workerization to function correctly\n Inflate.prototype.c.call(this, final);\n };\n return Unzlib;\n}());\nexport { Unzlib };\n/**\n * Asynchronous streaming Zlib decompression\n */\nvar AsyncUnzlib = /*#__PURE__*/ (function () {\n /**\n * Creates an asynchronous Zlib decompression stream\n * @param cb The callback to call whenever data is deflated\n */\n function AsyncUnzlib(cb) {\n this.ondata = cb;\n astrmify([\n bInflt,\n zule,\n function () { return [astrm, Inflate, Unzlib]; }\n ], this, 0, function () {\n var strm = new Unzlib();\n onmessage = astrm(strm);\n }, 11);\n }\n return AsyncUnzlib;\n}());\nexport { AsyncUnzlib };\nexport function unzlib(data, opts, cb) {\n if (!cb)\n cb = opts, opts = {};\n if (typeof cb != 'function')\n throw 'no callback';\n return cbify(data, opts, [\n bInflt,\n zule,\n function () { return [unzlibSync]; }\n ], function (ev) { return pbf(unzlibSync(ev.data[0], gu8(ev.data[1]))); }, 5, cb);\n}\n/**\n * Expands Zlib data\n * @param data The data to decompress\n * @param out Where to write the data. Saves memory if you know the decompressed size and provide an output buffer of that length.\n * @returns The decompressed version of the data\n */\nexport function unzlibSync(data, out) {\n return inflt((zlv(data), data.subarray(2, -4)), out);\n}\n// Default algorithm for compression (used because having a known output size allows faster decompression)\nexport { gzip as compress, AsyncGzip as AsyncCompress };\n// Default algorithm for compression (used because having a known output size allows faster decompression)\nexport { gzipSync as compressSync, Gzip as Compress };\n/**\n * Streaming GZIP, Zlib, or raw DEFLATE decompression\n */\nvar Decompress = /*#__PURE__*/ (function () {\n /**\n * Creates a decompression stream\n * @param cb The callback to call whenever data is decompressed\n */\n function Decompress(cb) {\n this.G = Gunzip;\n this.I = Inflate;\n this.Z = Unzlib;\n this.ondata = cb;\n }\n /**\n * Pushes a chunk to be decompressed\n * @param chunk The chunk to push\n * @param final Whether this is the last chunk\n */\n Decompress.prototype.push = function (chunk, final) {\n if (!this.ondata)\n throw 'no stream handler';\n if (!this.s) {\n if (this.p && this.p.length) {\n var n = new u8(this.p.length + chunk.length);\n n.set(this.p), n.set(chunk, this.p.length);\n }\n else\n this.p = chunk;\n if (this.p.length > 2) {\n var _this_1 = this;\n var cb = function () { _this_1.ondata.apply(_this_1, arguments); };\n this.s = (this.p[0] == 31 && this.p[1] == 139 && this.p[2] == 8)\n ? new this.G(cb)\n : ((this.p[0] & 15) != 8 || (this.p[0] >> 4) > 7 || ((this.p[0] << 8 | this.p[1]) % 31))\n ? new this.I(cb)\n : new this.Z(cb);\n this.s.push(this.p, final);\n this.p = null;\n }\n }\n else\n this.s.push(chunk, final);\n };\n return Decompress;\n}());\nexport { Decompress };\n/**\n * Asynchronous streaming GZIP, Zlib, or raw DEFLATE decompression\n */\nvar AsyncDecompress = /*#__PURE__*/ (function () {\n /**\n * Creates an asynchronous decompression stream\n * @param cb The callback to call whenever data is decompressed\n */\n function AsyncDecompress(cb) {\n this.G = AsyncGunzip;\n this.I = AsyncInflate;\n this.Z = AsyncUnzlib;\n this.ondata = cb;\n }\n /**\n * Pushes a chunk to be decompressed\n * @param chunk The chunk to push\n * @param final Whether this is the last chunk\n */\n AsyncDecompress.prototype.push = function (chunk, final) {\n Decompress.prototype.push.call(this, chunk, final);\n };\n return AsyncDecompress;\n}());\nexport { AsyncDecompress };\nexport function decompress(data, opts, cb) {\n if (!cb)\n cb = opts, opts = {};\n if (typeof cb != 'function')\n throw 'no callback';\n return (data[0] == 31 && data[1] == 139 && data[2] == 8)\n ? gunzip(data, opts, cb)\n : ((data[0] & 15) != 8 || (data[0] >> 4) > 7 || ((data[0] << 8 | data[1]) % 31))\n ? inflate(data, opts, cb)\n : unzlib(data, opts, cb);\n}\n/**\n * Expands compressed GZIP, Zlib, or raw DEFLATE data, automatically detecting the format\n * @param data The data to decompress\n * @param out Where to write the data. Saves memory if you know the decompressed size and provide an output buffer of that length.\n * @returns The decompressed version of the data\n */\nexport function decompressSync(data, out) {\n return (data[0] == 31 && data[1] == 139 && data[2] == 8)\n ? gunzipSync(data, out)\n : ((data[0] & 15) != 8 || (data[0] >> 4) > 7 || ((data[0] << 8 | data[1]) % 31))\n ? inflateSync(data, out)\n : unzlibSync(data, out);\n}\n// flatten a directory structure\nvar fltn = function (d, p, t, o) {\n for (var k in d) {\n var val = d[k], n = p + k;\n if (val instanceof u8)\n t[n] = [val, o];\n else if (Array.isArray(val))\n t[n] = [val[0], mrg(o, val[1])];\n else\n fltn(val, n + '/', t, o);\n }\n};\n/**\n * Converts a string into a Uint8Array for use with compression/decompression methods\n * @param str The string to encode\n * @param latin1 Whether or not to interpret the data as Latin-1. This should\n * not need to be true unless decoding a binary string.\n * @returns The string encoded in UTF-8/Latin-1 binary\n */\nexport function strToU8(str, latin1) {\n var l = str.length;\n if (!latin1 && typeof TextEncoder != 'undefined')\n return new TextEncoder().encode(str);\n var ar = new u8(str.length + (str.length >>> 1));\n var ai = 0;\n var w = function (v) { ar[ai++] = v; };\n for (var i = 0; i < l; ++i) {\n if (ai + 5 > ar.length) {\n var n = new u8(ai + 8 + ((l - i) << 1));\n n.set(ar);\n ar = n;\n }\n var c = str.charCodeAt(i);\n if (c < 128 || latin1)\n w(c);\n else if (c < 2048)\n w(192 | (c >>> 6)), w(128 | (c & 63));\n else if (c > 55295 && c < 57344)\n c = 65536 + (c & 1023 << 10) | (str.charCodeAt(++i) & 1023),\n w(240 | (c >>> 18)), w(128 | ((c >>> 12) & 63)), w(128 | ((c >>> 6) & 63)), w(128 | (c & 63));\n else\n w(224 | (c >>> 12)), w(128 | ((c >>> 6) & 63)), w(128 | (c & 63));\n }\n return slc(ar, 0, ai);\n}\n/**\n * Converts a Uint8Array to a string\n * @param dat The data to decode to string\n * @param latin1 Whether or not to interpret the data as Latin-1. This should\n * not need to be true unless encoding to binary string.\n * @returns The original UTF-8/Latin-1 string\n */\nexport function strFromU8(dat, latin1) {\n var r = '';\n if (!latin1 && typeof TextDecoder != 'undefined')\n return new TextDecoder().decode(dat);\n for (var i = 0; i < dat.length;) {\n var c = dat[i++];\n if (c < 128 || latin1)\n r += String.fromCharCode(c);\n else if (c < 224)\n r += String.fromCharCode((c & 31) << 6 | (dat[i++] & 63));\n else if (c < 240)\n r += String.fromCharCode((c & 15) << 12 | (dat[i++] & 63) << 6 | (dat[i++] & 63));\n else\n c = ((c & 15) << 18 | (dat[i++] & 63) << 12 | (dat[i++] & 63) << 6 | (dat[i++] & 63)) - 65536,\n r += String.fromCharCode(55296 | (c >> 10), 56320 | (c & 1023));\n }\n return r;\n}\n;\n// skip local zip header\nvar slzh = function (d, b) { return b + 30 + b2(d, b + 26) + b2(d, b + 28); };\n// read zip header\nvar zh = function (d, b, z) {\n var fnl = b2(d, b + 28), fn = strFromU8(d.subarray(b + 46, b + 46 + fnl), !(b2(d, b + 8) & 2048)), es = b + 46 + fnl;\n var _a = z ? z64e(d, es) : [b4(d, b + 20), b4(d, b + 24), b4(d, b + 42)], sc = _a[0], su = _a[1], off = _a[2];\n return [b2(d, b + 10), sc, su, fn, es + b2(d, b + 30) + b2(d, b + 32), off];\n};\n// read zip64 extra field\nvar z64e = function (d, b) {\n for (; b2(d, b) != 1; b += 4 + b2(d, b + 2))\n ;\n return [b4(d, b + 12), b4(d, b + 4), b4(d, b + 20)];\n};\n// write zip header\nvar wzh = function (d, b, c, cmp, su, fn, u, o, ce, t) {\n var fl = fn.length, l = cmp.length;\n wbytes(d, b, ce != null ? 0x2014B50 : 0x4034B50), b += 4;\n if (ce != null)\n d[b] = 20, b += 2;\n d[b] = 20, b += 2; // spec compliance? what's that?\n d[b++] = (t == 8 && (o.level == 1 ? 6 : o.level < 6 ? 4 : o.level == 9 ? 2 : 0)), d[b++] = u && 8;\n d[b] = t, b += 2;\n var dt = new Date(o.mtime || Date.now()), y = dt.getFullYear() - 1980;\n if (y < 0 || y > 119)\n throw 'date not in range 1980-2099';\n wbytes(d, b, ((y << 24) * 2) | ((dt.getMonth() + 1) << 21) | (dt.getDate() << 16) | (dt.getHours() << 11) | (dt.getMinutes() << 5) | (dt.getSeconds() >>> 1));\n b += 4;\n wbytes(d, b, c);\n wbytes(d, b + 4, l);\n wbytes(d, b + 8, su);\n wbytes(d, b + 12, fl), b += 16; // skip extra field, comment\n if (ce != null)\n wbytes(d, b += 10, ce), b += 4;\n d.set(fn, b);\n b += fl;\n if (ce == null)\n d.set(cmp, b);\n};\n// write zip footer (end of central directory)\nvar wzf = function (o, b, c, d, e) {\n wbytes(o, b, 0x6054B50); // skip disk\n wbytes(o, b + 8, c);\n wbytes(o, b + 10, c);\n wbytes(o, b + 12, d);\n wbytes(o, b + 16, e);\n};\nexport function zip(data, opts, cb) {\n if (!cb)\n cb = opts, opts = {};\n if (typeof cb != 'function')\n throw 'no callback';\n var r = {};\n fltn(data, '', r, opts);\n var k = Object.keys(r);\n var lft = k.length, o = 0, tot = 0;\n var slft = lft, files = new Array(lft);\n var term = [];\n var tAll = function () {\n for (var i = 0; i < term.length; ++i)\n term[i]();\n };\n var cbf = function () {\n var out = new u8(tot + 22), oe = o, cdl = tot - o;\n tot = 0;\n for (var i = 0; i < slft; ++i) {\n var f = files[i];\n try {\n wzh(out, tot, f.c, f.d, f.m, f.n, f.u, f.p, null, f.t);\n wzh(out, o, f.c, f.d, f.m, f.n, f.u, f.p, tot, f.t), o += 46 + f.n.length, tot += 30 + f.n.length + f.d.length;\n }\n catch (e) {\n return cb(e, null);\n }\n }\n wzf(out, o, files.length, cdl, oe);\n cb(null, out);\n };\n if (!lft)\n cbf();\n var _loop_1 = function (i) {\n var fn = k[i];\n var _a = r[fn], file = _a[0], p = _a[1];\n var c = crc(), m = file.length;\n c.p(file);\n var n = strToU8(fn), s = n.length;\n var t = p.level == 0 ? 0 : 8;\n var cbl = function (e, d) {\n if (e) {\n tAll();\n cb(e, null);\n }\n else {\n var l = d.length;\n files[i] = {\n t: t,\n d: d,\n m: m,\n c: c.d(),\n u: fn.length != l,\n n: n,\n p: p\n };\n o += 30 + s + l;\n tot += 76 + 2 * s + l;\n if (!--lft)\n cbf();\n }\n };\n if (n.length > 65535)\n cbl('filename too long', null);\n if (!t)\n cbl(null, file);\n else if (m < 160000) {\n try {\n cbl(null, deflateSync(file, p));\n }\n catch (e) {\n cbl(e, null);\n }\n }\n else\n term.push(deflate(file, p, cbl));\n };\n // Cannot use lft because it can decrease\n for (var i = 0; i < slft; ++i) {\n _loop_1(i);\n }\n return tAll;\n}\n/**\n * Synchronously creates a ZIP file. Prefer using `zip` for better performance\n * with more than one file.\n * @param data The directory structure for the ZIP archive\n * @param opts The main options, merged with per-file options\n * @returns The generated ZIP archive\n */\nexport function zipSync(data, opts) {\n if (opts === void 0) { opts = {}; }\n var r = {};\n var files = [];\n fltn(data, '', r, opts);\n var o = 0;\n var tot = 0;\n for (var fn in r) {\n var _a = r[fn], file = _a[0], p = _a[1];\n var t = p.level == 0 ? 0 : 8;\n var n = strToU8(fn), s = n.length;\n if (n.length > 65535)\n throw 'filename too long';\n var d = t ? deflateSync(file, p) : file, l = d.length;\n var c = crc();\n c.p(file);\n files.push({\n t: t,\n d: d,\n m: file.length,\n c: c.d(),\n u: fn.length != s,\n n: n,\n o: o,\n p: p\n });\n o += 30 + s + l;\n tot += 76 + 2 * s + l;\n }\n var out = new u8(tot + 22), oe = o, cdl = tot - o;\n for (var i = 0; i < files.length; ++i) {\n var f = files[i];\n wzh(out, f.o, f.c, f.d, f.m, f.n, f.u, f.p, null, f.t);\n wzh(out, o, f.c, f.d, f.m, f.n, f.u, f.p, f.o, f.t), o += 46 + f.n.length;\n }\n wzf(out, o, files.length, cdl, oe);\n return out;\n}\n/**\n * Asynchronously decompresses a ZIP archive\n * @param data The raw compressed ZIP file\n * @param cb The callback to call with the decompressed files\n * @returns A function that can be used to immediately terminate the unzipping\n */\nexport function unzip(data, cb) {\n if (typeof cb != 'function')\n throw 'no callback';\n var term = [];\n var tAll = function () {\n for (var i = 0; i < term.length; ++i)\n term[i]();\n };\n var files = {};\n var e = data.length - 22;\n for (; b4(data, e) != 0x6054B50; --e) {\n if (!e || data.length - e > 65558) {\n cb('invalid zip file', null);\n return;\n }\n }\n ;\n var lft = b2(data, e + 8);\n if (!lft)\n cb(null, {});\n var c = lft;\n var o = b4(data, e + 16);\n var z = o == 4294967295;\n if (z) {\n e = b4(data, e - 12);\n if (b4(data, e) != 0x6064B50)\n throw 'invalid zip file';\n c = lft = b4(data, e + 32);\n o = b4(data, e + 48);\n }\n var _loop_2 = function (i) {\n var _a = zh(data, o, z), c_1 = _a[0], sc = _a[1], su = _a[2], fn = _a[3], no = _a[4], off = _a[5], b = slzh(data, off);\n o = no;\n var cbl = function (e, d) {\n if (e) {\n tAll();\n cb(e, null);\n }\n else {\n files[fn] = d;\n if (!--lft)\n cb(null, files);\n }\n };\n if (!c_1)\n cbl(null, slc(data, b, b + sc));\n else if (c_1 == 8) {\n var infl = data.subarray(b, b + sc);\n if (sc < 320000) {\n try {\n cbl(null, inflateSync(infl, new u8(su)));\n }\n catch (e) {\n cbl(e, null);\n }\n }\n else\n term.push(inflate(infl, { size: su }, cbl));\n }\n else\n cbl('unknown compression type ' + c_1, null);\n };\n for (var i = 0; i < c; ++i) {\n _loop_2(i);\n }\n return tAll;\n}\n/**\n * Synchronously decompresses a ZIP archive. Prefer using `unzip` for better\n * performance with more than one file.\n * @param data The raw compressed ZIP file\n * @returns The decompressed files\n */\nexport function unzipSync(data) {\n var files = {};\n var e = data.length - 22;\n for (; b4(data, e) != 0x6054B50; --e) {\n if (!e || data.length - e > 65558)\n throw 'invalid zip file';\n }\n ;\n var c = b2(data, e + 8);\n if (!c)\n return {};\n var o = b4(data, e + 16);\n var z = o == 4294967295;\n if (z) {\n e = b4(data, e - 12);\n if (b4(data, e) != 0x6064B50)\n throw 'invalid zip file';\n c = b4(data, e + 32);\n o = b4(data, e + 48);\n }\n for (var i = 0; i < c; ++i) {\n var _a = zh(data, o, z), c_2 = _a[0], sc = _a[1], su = _a[2], fn = _a[3], no = _a[4], off = _a[5], b = slzh(data, off);\n o = no;\n if (!c_2)\n files[fn] = slc(data, b, b + sc);\n else if (c_2 == 8)\n files[fn] = inflateSync(data.subarray(b, b + sc), new u8(su));\n else\n throw 'unknown compression type ' + c_2;\n }\n return files;\n}\n","import { strFromU8, strToU8, unzlibSync } from 'fflate';\nimport { UnpackFn, eventWithTimeAndPacker, MARK } from './base';\nimport { eventWithTime } from '../types';\n\nexport const unpack: UnpackFn = (raw: string) => {\n if (typeof raw !== 'string') {\n return raw;\n }\n try {\n const e: eventWithTime = JSON.parse(raw);\n if (e.timestamp) {\n return e;\n }\n } catch (error) {\n // ignore and continue\n }\n try {\n const e: eventWithTimeAndPacker = JSON.parse(\n strFromU8(unzlibSync(strToU8(raw, true)))\n );\n if (e.v === MARK) {\n return e;\n }\n throw new Error(\n `These events were packed with packer ${e.v} which is incompatible with current packer ${MARK}.`,\n );\n } catch (error) {\n console.error(error);\n throw new Error('Unknown data format.');\n }\n};\n","import { eventWithTime } from '../types';\n\nexport type PackFn = (event: eventWithTime) => string;\nexport type UnpackFn = (raw: string) => eventWithTime;\n\nexport type eventWithTimeAndPacker = eventWithTime & {\n v: string;\n};\n\nexport const MARK = 'v1';\n"],"names":["NodeType","__assign","Object","assign","t","s","i","n","arguments","length","p","prototype","hasOwnProperty","call","apply","this","__values","o","Symbol","iterator","m","next","value","done","TypeError","__read","r","e","ar","push","error","__spreadArray","to","from","pack","l","Array","slice","concat","isElement","nodeType","ELEMENT_NODE","commentre","parse","css","options","lineno","column","updatePosition","str","lines","match","lastIndexOf","position","start","line","node","Position","whitespace","end","source","content","errorsList","msg","err","Error","reason","filename","silent","open","close","rules","comments","charAt","atrule","rule","re","exec","c","comment","pos","type","selector","trim","replace","split","map","declaration","propMatch","prop","val","ret","property","declarations","decl","decls","keyframe","vals","values","rulesList","atimport","_compileAtrule","atcharset","atnamespace","name","RegExp","vendor","frame","frames","keyframes","atkeyframes","media","style","atmedia","atcustommedia","supports","atsupports","doc","document","atdocument","sel","selectors","atpage","athost","atfontface","addParent","stylesheet","parsingErrors","obj","parent","isNode","childParent","_i","_a","keys","isArray","forEach","v","defineProperty","configurable","writable","enumerable","tagMap","script","altglyph","altglyphdef","altglyphitem","animatecolor","animatemotion","animatetransform","clippath","feblend","fecolormatrix","fecomponenttransfer","fecomposite","feconvolvematrix","fediffuselighting","fedisplacementmap","fedistantlight","fedropshadow","feflood","fefunca","fefuncb","fefuncg","fefuncr","fegaussianblur","feimage","femerge","femergenode","femorphology","feoffset","fepointlight","fespecularlighting","fespotlight","fetile","feturbulence","foreignobject","glyphref","lineargradient","radialgradient","HOVER_SELECTOR","HOVER_SELECTOR_GLOBAL","addHoverClass","cssText","cache","cachedStyle","stylesWithHoverClass","get","ast","test","selectorMatcher","filter","index","indexOf","sort","a","b","join","result","newSelector","set","createCache","Map","buildNode","hackCss","Document","implementation","createDocument","DocumentType","createDocumentType","publicId","systemId","Element","node_1","tagName","attributes","_cssText","getTagName","isSVG","createElementNS","createElement","_loop_1","name_1","startsWith","image_1","src","onload","ctx","getContext","drawImage","width","height","image","currentSrc","setAttribute","currentTime","rr_mediaCurrentTime","play","console","warn","pause","isTextarea","isRemoteOrDynamicCss","child","createTextNode","childNodes","TEXT_NODE","removeChild","appendChild","setAttributeNS","substring","rel","as","href","endsWith","srcset","rr_dataURL","isShadowHost","shadowRoot","firstChild","attachShadow","mode","Text","isStyle","textContent","CDATA","createCDATASection","Comment","createComment","buildNodeWithSN","skipChild","_b","afterAppend","rootId","assert","compatMode","xmlns","write","__sn","id","_c","childN","childNode","isShadow","rebuild","onVisit","idNodeMap","key","visit","visitedNode","el","name_2","scrollLeft","scrollTop","handleScroll","mitt","all","create","on","handler","off","splice","emit","evt","EventType","IncrementalSource","MouseInteractions","CanvasContext","MediaInteractions","ReplayerEvents","polyfill","w","d","documentElement","__forceSmoothScrollPolyfill__","userAgent","HTMLElement","original","scroll","scrollTo","scrollBy","elementScroll","scrollElement","scrollIntoView","now","performance","bind","Date","ROUNDING_TOLERANCE","navigator","undefined","shouldBailOut","smoothScroll","body","left","scrollX","pageXOffset","top","scrollY","pageYOffset","SyntaxError","behavior","scrollableParent","findScrollableParent","parentRects","getBoundingClientRect","clientRects","getComputedStyle","x","y","firstArg","hasScrollableSpace","axis","clientHeight","scrollHeight","clientWidth","scrollWidth","canOverflow","overflowValue","isScrollable","isScrollableY","isScrollableX","parentNode","host","step","context","currentX","currentY","k","elapsed","startTime","Math","cos","PI","startX","startY","method","scrollable","requestAnimationFrame","actions","speed","Timer","action","findActionIndex","timeOffset","lastTimestamp","self","raf","check","time","delay","shift","doAction","liveMode","cancelAnimationFrame","mid","floor","addDelay","event","baselineTime","IncrementalSnapshot","data","MouseMove","firstOffset","positions","firstTimestamp","timestamp","return","NotStarted","Running","Stopped","assignment","u","changed","matches","f","states","initial","entry","config","_options","initialState","transition","g","h","S","target","j","E","R","N","cond","O","_","T","q","exit","z","A","B","C","Set","_machine","send","subscribe","add","unsubscribe","delete","stop","clear","state","status","createPlayerService","getCastFn","applyEventsSynchronously","emitter","interpret","createMachine","playing","PAUSE","CAST_EVENT","END","ADD_EVENT","paused","PLAY","TO_LIVE","live","castEvent","lastPlayedEvent","payload","recordTimeOffset","events","timer","events_1","neededEvents","idx","event_1","Meta","discardPriorSnapshots","lastPlayedTimestamp","PlayBack","syncEvents","event_3","castFn_1","neededEvents_1","Flush","addActions","resetLastPlayedEvent","startLive","toggleLiveMode","addEvent","machineEvent","event_4","insertionIndex","isSync","castFn_2","isActive","addAction","DEPARTED_MIRROR_ACCESS_WARNING","_mirror","getId","getNode","removeNodeFromMap","has","reset","window","Proxy","Reflect","receiver","TreeIndex","mutation","parentTreeNode","indexes","parentId","treeNode","children","texts","tree","mirror","deepRemoveFromMirror","_this","removeIdSet","deepRemoveFromTreeIndex","_treeNode","_parentTreeNode","removeNodeMutations","textMutations","attributeMutations","scrollMap","inputMap","batchMutationData","Mutation","removes","adds","walk","removed","_d","_f","mutationData","queueToResolveTrees","queue","queueNodeMap","putIntoMap","nodeInTree","queueNodeTrees","queue_1","nextId","nextInTree","parentInTree","iterateResolveTree","cb","isIframeINode","getBaseDimension","rootIframe","frameElement","ownerDocument","defaultView","relativeScale","absoluteScale","frameDimension","frameBaseDimension","hasShadowRoot","Boolean","StyleRuleType","getNestedRule","cssRules","getPositionsAndIndex","nestedIndex","pop","applyVirtualStyleRulesToNode","storedRules","styleNode","sheet","Insert","insertRule","Remove","deleteRule","Snapshot","cssTexts","existingRules","existingRulesReversed","entries","reverse","lastMatch_1","Number","restoreSnapshotOfStyleRulesToNode","SetProperty","setProperty","priority","RemoveProperty","removeProperty","chars","lookup","Uint8Array","charCodeAt","webGLVarMap","variableListFor","ctor","contextMap","WebGLVariableConstructorsNames","deserializeArg","imageMap","arg","args","base64","encoded1","encoded2","encoded3","encoded4","bufferLength","len","arraybuffer","ArrayBuffer","bytes","decode","Image","webglMutation","errorHandler","WebGL","setter","constructor","includes","variables","saveToWebGLVarMap","mittProxy.default","mittProxy","REPLAY_CONSOLE_PREFIX","defaultMouseTailConfig","duration","lineCap","lineWidth","strokeStyle","indicatesTouchDevice","TouchMove","MouseInteraction","TouchStart","defaultConfig","maxSpeed","root","loadTimeout","skipInactive","showWarning","showDebug","blockClass","insertStyleRules","triggerFocus","UNSAFE_replayCanvas","pauseAnimation","mouseTail","handleResize","Resize","setupDom","treeIndex","fragmentParentMap","elementStateMap","virtualStyleRulesMap","_e","flush","frag","restoreRealParent","applyText","_h","restoreNodeSheet","_k","applyScroll","_m","applyInput","firstFullSnapshot","service","unpackFn","a1","a2","StateChange","player","speedService","normalSpeed","normal","FAST_FORWARD","SET_SPEED","skipping","BACK_TO_NORMAL","setSpeed","recordSpeed","restoreSpeed","firstMeta","find","firstFullsnapshot","FullSnapshot","width_1","height_1","setTimeout","rebuildFullSnapshot","iframe","contentWindow","initialOffset","mouse","classList","Replayer","backToNormal","display","parseFloat","wrapper","insertBefore","firstEvent","lastEvent","endTime","totalTime","getTimeOffset","contentDocument","getElementsByTagName","remove","Start","Pause","Resume","rawEvent","Promise","resolve","then","pointerEvents","win","disableInteract","smoothscrollPolyfill","NodeList","DOMTokenList","Node","contains","dimension","String","DomContentLoaded","Load","Custom","Plugin","MediaInteraction","castFn","mousePos","moveAndHover","debugData","touchActive","CustomEvent","applyIncremental","nextUserInteractionEvent","_event","isUserInteraction","skipTime","min","round","SkipStart","plugins","replayer","last_index","finish_1","Finish","max","EventCast","legacy_missingNodeRetryMap","collected","builtNode","collectIframeAndAttachDocument","mutationInQueue","this_1","attachDocumentToIframe","newDocumentQueue","collected_1","head","FullsnapshotRebuilded","waitForStylesheetLoad","preloadAllImages","styleEl","injectStylesRules","iframeEl","parent_1","realParent","toUpperCase","this_2","collected_2","timer_1","unloadSheets_1","beforeLoadState_1","stateHandler_1","unsubscribe_1","querySelectorAll","addEventListener","size","getCurrentTime","LoadStylesheetEnd","clearTimeout","LoadStylesheetStart","args_1","hasImageArg","rr_type","images","args_2","getImageArgs","stateHandler","event_2","CanvasMutation","commands","preloadImages","this_3","url","canvas","imgd","createImageData","JSON","putImageData","text","attribute","applyMutation","message","Drag","lastPosition","Event","toLowerCase","debugNodeNotFound","Blur","blur","Focus","focus","preventScroll","Click","TouchEnd","tailPositions","offsetWidth","TouchCancel","dispatchEvent","Scroll","ViewportResize","Input","input","mediaEl","volume","muted","StyleSheetRule","rules_1","parent_2","usingVirtualParent_1","styleSheet_1","StyleDeclaration","parent_3","styleSheet","mutations","WebGL2","command","canvas2DMutation","canvasMutation","warnCanvasMutationFailed","Font","fontFace","FontFace","family","buffer","fontSource","descriptors","fonts","useVirtualParent","warnNodeNotFound","realTarget","DOMException","legacy_missingNodeMap","appendNode","parentInDocument","hasIframeChild","virtualParent","createDocumentFragment","storeState","previous","previousId","nextNotInDOM","targetDoc","nextSibling","mutationInQueue_1","legacy_resolveMissingNode","resolveTrees","resolveTrees_1","debug","attributeName","removeAttribute","styleValues","targetEl","svp","svs","checked","isChecked","targetMutation","previousInMap","nextInMap","base","_x","_y","drawMouseTail","hoverElements","draw","clearRect","beginPath","moveTo","lineTo","stroke","hoveredEl","currentEl","parentElement","SkipEnd","restoreState","storeCSSRules","storedState","nodeName","idRemoved","log","u8","u16","Uint16Array","u32","Uint32Array","fleb","fdeb","clim","freb","eb","fl","revfl","fd","rev","hMap","cd","mb","co","le","rvb","sv","r_1","flt","fdt","flrm","fdrm","bits","bits16","slc","subarray","unzlibSync","out","dat","buf","st","sl","noBuf","noSt","cbuf","bl","nbuf","final","bt","lm","dm","lbt","dbt","tbts","hLit","hcLen","tl","ldt","clt","clb","clbmsk","clm","lt","dt","lms","dms","mxa","sym","dsym","inflt","zlv","raw","latin1","TextDecoder","fromCharCode","strFromU8","TextEncoder","encode","ai","strToU8"],"mappings":";;;;;;;;;;;;;;oFA+BO,IC/BHA,ED+BOC,EAAW,WAQlB,OAPAA,EAAWC,OAAOC,QAAU,SAAkBC,GAC1C,IAAK,IAAIC,EAAGC,EAAI,EAAGC,EAAIC,UAAUC,OAAQH,EAAIC,EAAGD,IAE5C,IAAK,IAAII,KADTL,EAAIG,UAAUF,GACOJ,OAAOS,UAAUC,eAAeC,KAAKR,EAAGK,KAAIN,EAAEM,GAAKL,EAAEK,IAE9E,OAAON,IAEKU,MAAMC,KAAMP,YAgFzB,SAASQ,EAASC,GACrB,IAAIZ,EAAsB,mBAAXa,QAAyBA,OAAOC,SAAUC,EAAIf,GAAKY,EAAEZ,GAAIC,EAAI,EAC5E,GAAIc,EAAG,OAAOA,EAAEP,KAAKI,GACrB,GAAIA,GAAyB,iBAAbA,EAAER,OAAqB,MAAO,CAC1CY,KAAM,WAEF,OADIJ,GAAKX,GAAKW,EAAER,SAAQQ,OAAI,GACrB,CAAEK,MAAOL,GAAKA,EAAEX,KAAMiB,MAAON,KAG5C,MAAM,IAAIO,UAAUnB,EAAI,0BAA4B,mCAGjD,SAASoB,EAAOR,EAAGV,GACtB,IAAIa,EAAsB,mBAAXF,QAAyBD,EAAEC,OAAOC,UACjD,IAAKC,EAAG,OAAOH,EACf,IAAmBS,EAAYC,EAA3BrB,EAAIc,EAAEP,KAAKI,GAAOW,EAAK,GAC3B,IACI,WAAc,IAANrB,GAAgBA,KAAM,MAAQmB,EAAIpB,EAAEe,QAAQE,MAAMK,EAAGC,KAAKH,EAAEJ,OAExE,MAAOQ,GAASH,EAAI,CAAEG,MAAOA,WAEzB,IACQJ,IAAMA,EAAEH,OAASH,EAAId,EAAU,SAAIc,EAAEP,KAAKP,WAExC,GAAIqB,EAAG,MAAMA,EAAEG,OAE7B,OAAOF,EAmBJ,SAASG,EAAcC,EAAIC,EAAMC,GACpC,GAAIA,GAA6B,IAArB1B,UAAUC,OAAc,IAAK,IAA4BmB,EAAxBtB,EAAI,EAAG6B,EAAIF,EAAKxB,OAAYH,EAAI6B,EAAG7B,KACxEsB,GAAQtB,KAAK2B,IACRL,IAAIA,EAAKQ,MAAMzB,UAAU0B,MAAMxB,KAAKoB,EAAM,EAAG3B,IAClDsB,EAAGtB,GAAK2B,EAAK3B,IAGrB,OAAO0B,EAAGM,OAAOV,GAAMQ,MAAMzB,UAAU0B,MAAMxB,KAAKoB,ICjKtD,SAASM,EAAUhC,GACf,OAAOA,EAAEiC,WAAajC,EAAEkC,cAV5B,SAAWzC,GACPA,EAASA,EAAmB,SAAI,GAAK,WACrCA,EAASA,EAAuB,aAAI,GAAK,eACzCA,EAASA,EAAkB,QAAI,GAAK,UACpCA,EAASA,EAAe,KAAI,GAAK,OACjCA,EAASA,EAAgB,MAAI,GAAK,QAClCA,EAASA,EAAkB,QAAI,GAAK,UANxC,CAOGA,IAAaA,EAAW,KAk3B3B,IAAI0C,EAAY,kCAChB,SAASC,EAAMC,EAAKC,QACA,IAAZA,IAAsBA,EAAU,IACpC,IAAIC,EAAS,EACTC,EAAS,EACb,SAASC,EAAeC,GACpB,IAAIC,EAAQD,EAAIE,MAAM,OAClBD,IACAJ,GAAUI,EAAMzC,QAEpB,IAAIH,EAAI2C,EAAIG,YAAY,MACxBL,GAAgB,IAAPzC,EAAWyC,EAASE,EAAIxC,OAASwC,EAAIxC,OAASH,EAE3D,SAAS+C,IACL,IAAIC,EAAQ,CAAEC,KAAMT,EAAQC,OAAQA,GACpC,OAAO,SAAUS,GAGb,OAFAA,EAAKH,SAAW,IAAII,EAASH,GAC7BI,IACOF,GAGf,IAAIC,EACA,SAAkBH,GACdvC,KAAKuC,MAAQA,EACbvC,KAAK4C,IAAM,CAAEJ,KAAMT,EAAQC,OAAQA,GACnChC,KAAK6C,OAASf,EAAQe,QAI9BH,EAAS9C,UAAUkD,QAAUjB,EAC7B,IAAIkB,EAAa,GACjB,SAAShC,EAAMiC,GACX,IAAIC,EAAM,IAAIC,MAAMpB,EAAQe,OAAS,IAAMd,EAAS,IAAMC,EAAS,KAAOgB,GAM1E,GALAC,EAAIE,OAASH,EACbC,EAAIG,SAAWtB,EAAQe,OACvBI,EAAIT,KAAOT,EACXkB,EAAIjB,OAASA,EACbiB,EAAIJ,OAAShB,GACTC,EAAQuB,OAIR,MAAMJ,EAHNF,EAAWjC,KAAKmC,GAiBxB,SAASK,IACL,OAAOlB,EAAM,SAEjB,SAASmB,IACL,OAAOnB,EAAM,MAEjB,SAASoB,IACL,IAAIf,EACAe,EAAQ,GAGZ,IAFAb,IACAc,EAASD,GACF3B,EAAInC,QAA4B,MAAlBmC,EAAI6B,OAAO,KAAejB,EAAOkB,KAAYC,OACjD,IAATnB,IACAe,EAAM1C,KAAK2B,GACXgB,EAASD,IAGjB,OAAOA,EAEX,SAASpB,EAAMyB,GACX,IAAIxD,EAAIwD,EAAGC,KAAKjC,GAChB,GAAKxB,EAAL,CAGA,IAAI6B,EAAM7B,EAAE,GAGZ,OAFA4B,EAAeC,GACfL,EAAMA,EAAIP,MAAMY,EAAIxC,QACbW,GAEX,SAASsC,IACLP,EAAM,QAEV,SAASqB,EAASD,GAEd,IAAIO,EACJ,SAFc,IAAVP,IAAoBA,EAAQ,IAExBO,EAAIC,MACE,IAAND,GACAP,EAAM1C,KAAKiD,GAEfA,EAAIC,IAER,OAAOR,EAEX,SAASQ,IACL,IAAIC,EAAM3B,IACV,GAAI,MAAQT,EAAI6B,OAAO,IAAM,MAAQ7B,EAAI6B,OAAO,GAAhD,CAIA,IADA,IAAInE,EAAI,EACD,KAAOsC,EAAI6B,OAAOnE,KACpB,MAAQsC,EAAI6B,OAAOnE,IAAM,MAAQsC,EAAI6B,OAAOnE,EAAI,OAC/CA,EAGN,GADAA,GAAK,EACD,KAAOsC,EAAI6B,OAAOnE,EAAI,GACtB,OAAOwB,EAAM,0BAEjB,IAAImB,EAAML,EAAIP,MAAM,EAAG/B,EAAI,GAK3B,OAJAyC,GAAU,EACVC,EAAeC,GACfL,EAAMA,EAAIP,MAAM/B,GAChByC,GAAU,EACHiC,EAAI,CACPC,KAAM,UACNF,QAAS9B,KAGjB,SAASiC,IACL,IAAI9D,EAAI+B,EAAM,YACd,GAAK/B,EAGL,OAAO+D,EAAK/D,EAAE,IACTgE,QAAQ,+CAAgD,IACxDA,QAAQ,oCAAoC,SAAUhE,GACvD,OAAOA,EAAEgE,QAAQ,KAAM,QAEtBC,MAAM,sBACNC,KAAI,SAAUjF,GACf,OAAOA,EAAE+E,QAAQ,UAAW,QAGpC,SAASG,IACL,IAAIP,EAAM3B,IACNmC,EAAYrC,EAAM,4CACtB,GAAKqC,EAAL,CAGA,IAAIC,EAAON,EAAKK,EAAU,IAC1B,IAAKrC,EAAM,SACP,OAAOrB,EAAM,wBAEjB,IAAI4D,EAAMvC,EAAM,yDACZwC,EAAMX,EAAI,CACVC,KAAM,cACNW,SAAUH,EAAKL,QAAQ1C,EAAW,IAClCpB,MAAOoE,EAAMP,EAAKO,EAAI,IAAIN,QAAQ1C,EAAW,IAAM,KAGvD,OADAS,EAAM,WACCwC,GAEX,SAASE,IACL,IAKIC,EALAC,EAAQ,GACZ,IAAK1B,IACD,OAAOvC,EAAM,eAIjB,IAFA0C,EAASuB,GAEDD,EAAOP,MACE,IAATO,IACAC,EAAMlE,KAAKiE,GACXtB,EAASuB,IAEbD,EAAOP,IAEX,OAAKjB,IAGEyB,EAFIjE,EAAM,eAIrB,SAASkE,IAIL,IAHA,IAAI5E,EACA6E,EAAO,GACPjB,EAAM3B,IACFjC,EAAI+B,EAAM,wCACd8C,EAAKpE,KAAKT,EAAE,IACZ+B,EAAM,SAEV,GAAK8C,EAAKxF,OAGV,OAAOuE,EAAI,CACPC,KAAM,WACNiB,OAAQD,EACRJ,aAAcA,MA8KtB,IA9TQM,EA8TJC,EAAWC,EAAe,UAC1BC,EAAYD,EAAe,WAC3BE,EAAcF,EAAe,aACjC,SAASA,EAAeG,GACpB,IAAI5B,EAAK,IAAI6B,OAAO,KAAOD,EAAO,gBAClC,OAAO,WACH,IAAIxB,EAAM3B,IACNjC,EAAI+B,EAAMyB,GACd,GAAKxD,EAAL,CAGA,IAAIuE,EAAM,CAAEV,KAAMuB,GAElB,OADAb,EAAIa,GAAQpF,EAAE,GAAG+D,OACVH,EAAIW,KAGnB,SAASjB,IACL,GAAe,MAAX9B,EAAI,GAGR,OA/LJ,WACI,IAAIoC,EAAM3B,IACNjC,EAAI+B,EAAM,2BACd,GAAK/B,EAAL,CAGA,IAAIsF,EAAStF,EAAE,GAEf,KADAA,EAAI+B,EAAM,iBAEN,OAAOrB,EAAM,2BAEjB,IAII6E,EAJAH,EAAOpF,EAAE,GACb,IAAKiD,IACD,OAAOvC,EAAM,0BAIjB,IADA,IAAI8E,EAASpC,IACLmC,EAAQX,KACZY,EAAO/E,KAAK8E,GACZC,EAASA,EAAOtE,OAAOkC,KAE3B,OAAKF,IAGEU,EAAI,CACPC,KAAM,YACNuB,KAAMA,EACNE,OAAQA,EACRG,UAAWD,IANJ9E,EAAM,2BAyKTgF,IA1HZ,WACI,IAAI9B,EAAM3B,IACNjC,EAAI+B,EAAM,oBACd,GAAK/B,EAAL,CAGA,IAAI2F,EAAQ5B,EAAK/D,EAAE,IACnB,IAAKiD,IACD,OAAOvC,EAAM,sBAEjB,IAAIkF,EAAQxC,IAAWlC,OAAOiC,KAC9B,OAAKD,IAGEU,EAAI,CACPC,KAAM,QACN8B,MAAOA,EACPxC,MAAOyC,IALAlF,EAAM,uBA+GbmF,IAvGR,WACI,IAAIjC,EAAM3B,IACNjC,EAAI+B,EAAM,2CACd,GAAK/B,EAGL,OAAO4D,EAAI,CACPC,KAAM,eACNuB,KAAMrB,EAAK/D,EAAE,IACb2F,MAAO5B,EAAK/D,EAAE,MA+Fd8F,IAlKR,WACI,IAAIlC,EAAM3B,IACNjC,EAAI+B,EAAM,uBACd,GAAK/B,EAAL,CAGA,IAAI+F,EAAWhC,EAAK/D,EAAE,IACtB,IAAKiD,IACD,OAAOvC,EAAM,yBAEjB,IAAIkF,EAAQxC,IAAWlC,OAAOiC,KAC9B,OAAKD,IAGEU,EAAI,CACPC,KAAM,WACNkC,SAAUA,EACV5C,MAAOyC,IALAlF,EAAM,0BAuJbsF,IACAhB,KACAE,KACAC,KAvER,WACI,IAAIvB,EAAM3B,IACNjC,EAAI+B,EAAM,gCACd,GAAK/B,EAAL,CAGA,IAAIsF,EAASvB,EAAK/D,EAAE,IAChBiG,EAAMlC,EAAK/D,EAAE,IACjB,IAAKiD,IACD,OAAOvC,EAAM,yBAEjB,IAAIkF,EAAQxC,IAAWlC,OAAOiC,KAC9B,OAAKD,IAGEU,EAAI,CACPC,KAAM,WACNqC,SAAUD,EACVX,OAAQA,EACRnC,MAAOyC,IANAlF,EAAM,0BA2DbyF,IAjGR,WACI,IAAIvC,EAAM3B,IAEV,GADQF,EAAM,YACd,CAGA,IAAIqE,EAAMtC,KAAc,GACxB,IAAKb,IACD,OAAOvC,EAAM,qBAIjB,IAFA,IACIgE,EADAC,EAAQvB,IAEJsB,EAAOP,KACXQ,EAAMlE,KAAKiE,GACXC,EAAQA,EAAMzD,OAAOkC,KAEzB,OAAKF,IAGEU,EAAI,CACPC,KAAM,OACNwC,UAAWD,EACX3B,aAAcE,IALPjE,EAAM,sBAiFb4F,IApJR,WACI,IAAI1C,EAAM3B,IAEV,GADQF,EAAM,aACd,CAGA,IAAKkB,IACD,OAAOvC,EAAM,qBAEjB,IAAIkF,EAAQxC,IAAWlC,OAAOiC,KAC9B,OAAKD,IAGEU,EAAI,CACPC,KAAM,OACNV,MAAOyC,IAJAlF,EAAM,sBA0Ib6F,IApDR,WACI,IAAI3C,EAAM3B,IAEV,GADQF,EAAM,kBACd,CAGA,IAAKkB,IACD,OAAOvC,EAAM,0BAIjB,IAFA,IACIgE,EADAC,EAAQvB,IAEJsB,EAAOP,KACXQ,EAAMlE,KAAKiE,GACXC,EAAQA,EAAMzD,OAAOkC,KAEzB,OAAKF,IAGEU,EAAI,CACPC,KAAM,YACNY,aAAcE,IAJPjE,EAAM,2BAqCb8F,GAER,SAASjD,IACL,IAAIK,EAAM3B,IACNmE,EAAMtC,IACV,OAAKsC,GAGLhD,IACOQ,EAAI,CACPC,KAAM,OACNwC,UAAWD,EACX3B,aAAcA,OANP/D,EAAM,oBASrB,OAAO+F,GA3WC1B,EAAY5B,IACT,CACHU,KAAM,aACN6C,WAAY,CACRlE,OAAQf,EAAQe,OAChBW,MAAO4B,EACP4B,cAAejE,MAuW/B,SAASqB,EAAKlC,GACV,OAAOA,EAAMA,EAAImC,QAAQ,aAAc,IAAM,GAEjD,SAASyC,EAAUG,EAAKC,GAGpB,IAFA,IAAIC,EAASF,GAA2B,iBAAbA,EAAI/C,KAC3BkD,EAAcD,EAASF,EAAMC,EACxBG,EAAK,EAAGC,EAAKnI,OAAOoI,KAAKN,GAAMI,EAAKC,EAAG5H,OAAQ2H,IAAM,CAC1D,IACI9G,EAAQ0G,EADJK,EAAGD,IAEPhG,MAAMmG,QAAQjH,GACdA,EAAMkH,SAAQ,SAAUC,GACpBZ,EAAUY,EAAGN,MAGZ7G,GAA0B,iBAAVA,GACrBuG,EAAUvG,EAAO6G,GAWzB,OARID,GACAhI,OAAOwI,eAAeV,EAAK,SAAU,CACjCW,cAAc,EACdC,UAAU,EACVC,YAAY,EACZvH,MAAO2G,GAAU,OAGlBD,EAGX,IAAIc,EAAS,CACTC,OAAQ,WACRC,SAAU,WACVC,YAAa,cACbC,aAAc,eACdC,aAAc,eACdC,cAAe,gBACfC,iBAAkB,mBAClBC,SAAU,WACVC,QAAS,UACTC,cAAe,gBACfC,oBAAqB,sBACrBC,YAAa,cACbC,iBAAkB,mBAClBC,kBAAmB,oBACnBC,kBAAmB,oBACnBC,eAAgB,iBAChBC,aAAc,eACdC,QAAS,UACTC,QAAS,UACTC,QAAS,UACTC,QAAS,UACTC,QAAS,UACTC,eAAgB,iBAChBC,QAAS,UACTC,QAAS,UACTC,YAAa,cACbC,aAAc,eACdC,SAAU,WACVC,aAAc,eACdC,mBAAoB,qBACpBC,YAAa,cACbC,OAAQ,SACRC,aAAc,eACdC,cAAe,gBACfC,SAAU,WACVC,eAAgB,iBAChBC,eAAgB,kBAYpB,IAAIC,EAAiB,gBACjBC,EAAwB,IAAI5E,OAAO2E,EAAexH,OAAQ,KAC9D,SAAS0H,EAAcC,EAASC,GAC5B,IAAIC,EAAcD,MAAAA,OAAqC,EAASA,EAAME,qBAAqBC,IAAIJ,GAC/F,GAAIE,EACA,OAAOA,EACX,IAAIG,EAAMjJ,EAAM4I,EAAS,CACrBnH,QAAQ,IAEZ,IAAKwH,EAAI9D,WACL,OAAOyD,EAEX,IAAI9D,EAAY,GAUhB,GATAmE,EAAI9D,WAAWvD,MAAMiE,SAAQ,SAAU7D,GAC/B,cAAeA,IACdA,EAAK8C,WAAa,IAAIe,SAAQ,SAAUtD,GACjCkG,EAAeS,KAAK3G,IACpBuC,EAAU5F,KAAKqD,SAKN,IAArBuC,EAAUhH,OACV,OAAO8K,EAEX,IAAIO,EAAkB,IAAIrF,OAAOgB,EAC5BsE,QAAO,SAAU7G,EAAU8G,GAAS,OAAOvE,EAAUwE,QAAQ/G,KAAc8G,KAC3EE,MAAK,SAAUC,EAAGC,GAAK,OAAOA,EAAE3L,OAAS0L,EAAE1L,UAC3C6E,KAAI,SAAUJ,GACf,OAAoBA,EA/BbE,QAAQ,sBAAuB,WAiCrCiH,KAAK,KAAM,KACZC,EAASf,EAAQnG,QAAQ0G,GAAiB,SAAU5G,GACpD,IAAIqH,EAAcrH,EAASE,QAAQiG,EAAuB,eAC1D,OAAOnG,EAAW,KAAOqH,KAG7B,OADAf,MAAAA,GAA8CA,EAAME,qBAAqBc,IAAIjB,EAASe,GAC/EA,EAEX,SAASG,IAEL,MAAO,CACHf,qBAFuB,IAAIgB,KAKnC,SAASC,EAAUpM,EAAGsC,GAClB,IAAIwE,EAAMxE,EAAQwE,IAAKuF,EAAU/J,EAAQ+J,QAASpB,EAAQ3I,EAAQ2I,MAClE,OAAQjL,EAAE0E,MACN,KAAKjF,EAAS6M,SACV,OAAOxF,EAAIyF,eAAeC,eAAe,KAAM,GAAI,MACvD,KAAK/M,EAASgN,aACV,OAAO3F,EAAIyF,eAAeG,mBAAmB1M,EAAEiG,MAAQ,OAAQjG,EAAE2M,SAAU3M,EAAE4M,UACjF,KAAKnN,EAASoN,QACV,IACIC,EADAC,EA/DhB,SAAoB/M,GAChB,IAAI+M,EAAUxE,EAAOvI,EAAE+M,SAAWxE,EAAOvI,EAAE+M,SAAW/M,EAAE+M,QAIxD,MAHgB,SAAZA,GAAsB/M,EAAEgN,WAAWC,WACnCF,EAAU,SAEPA,EA0DeG,CAAWlN,GAGrB8M,EADA9M,EAAEmN,MACOrG,EAAIsG,gBAAgB,6BAA8BL,GAGlDjG,EAAIuG,cAAcN,GAE/B,IAAIO,EAAU,SAAUC,GACpB,IAAKvN,EAAEgN,WAAW3M,eAAekN,GAC7B,MAAO,WAEX,IAAIxM,EAAQf,EAAEgN,WAAWO,GACzB,GAAgB,WAAZR,GAAmC,aAAXQ,IAAmC,IAAVxM,EACjD,MAAO,WAIX,GAFAA,EACqB,kBAAVA,GAAwC,iBAAVA,EAAqB,GAAKA,EAC9DwM,EAAOC,WAAW,OAqDlB,CACD,GAAgB,WAAZT,GAAmC,eAAXQ,EAAyB,CACjD,IAAIE,EAAU1G,SAASsG,cAAc,OACrCI,EAAQC,IAAM3M,EACd0M,EAAQE,OAAS,WACb,IAAIC,EAAMd,EAAOe,WAAW,MACxBD,GACAA,EAAIE,UAAUL,EAAS,EAAG,EAAGA,EAAQM,MAAON,EAAQO,cAI3D,GAAgB,QAAZjB,GAAgC,eAAXQ,EAAyB,CACnD,IAAIU,EAAQnB,EACPmB,EAAMC,WAAWV,WAAW,WAC7BS,EAAME,aAAa,qBAAsBnO,EAAEgN,WAAWU,KACtDO,EAAMP,IAAM3M,GAGpB,GAAe,aAAXwM,EACAT,EAAOrG,MAAMsH,MAAQhN,OAEpB,GAAe,cAAXwM,EACLT,EAAOrG,MAAMuH,OAASjN,OAErB,GAAe,wBAAXwM,EACLT,EAAOsB,YAAcpO,EAAEgN,WAClBqB,yBAEJ,GAAe,kBAAXd,EACL,OAAQxM,GACJ,IAAK,SACD+L,EACKwB,OAAc,OAAE,SAAUlN,GAAK,OAAOmN,QAAQC,KAAK,uBAAwBpN,MAChF,MACJ,IAAK,SACD0L,EAAO2B,aAxFQ,CAC3B,IAAIC,EAAyB,aAAZ3B,GAAqC,UAAXQ,EACvCoB,EAAmC,UAAZ5B,GAAkC,aAAXQ,EAIlD,GAHIoB,GAAwBtC,IACxBtL,EAAQgK,EAAchK,EAAOkK,IAE7ByD,GAAcC,EAAsB,CAEpC,IADA,IAAIC,EAAQ9H,EAAI+H,eAAe9N,GACtB8G,EAAK,EAAGC,EAAKjG,MAAMH,KAAKoL,EAAOgC,YAAajH,EAAKC,EAAG5H,OAAQ2H,IAAM,CACvE,IAAItD,EAAIuD,EAAGD,GACPtD,EAAEtC,WAAa6K,EAAOiC,WACtBjC,EAAOkC,YAAYzK,GAI3B,OADAuI,EAAOmC,YAAYL,GACZ,WAEX,IACI,GAAI5O,EAAEmN,OAAoB,eAAXI,EACXT,EAAOoC,eAAe,+BAAgC3B,EAAQxM,QAE7D,GAAe,WAAXwM,GACM,YAAXA,GAC2B,YAA3BA,EAAO4B,UAAU,EAAG,GACpBrC,EAAOqB,aAAa,IAAMZ,EAAQxM,OAEjC,CAAA,GAAgB,SAAZgM,GAC0B,4BAA/B/M,EAAEgN,WAAW,eACF,YAAXO,EAEA,OADAT,EAAOqB,aAAa,cAAepN,GAC5B,WAEU,SAAZgM,GACgB,YAArB/M,EAAEgN,WAAWoC,KACO,WAApBpP,EAAEgN,WAAWqC,IAEI,SAAZtC,GACgB,aAArB/M,EAAEgN,WAAWoC,KACgB,iBAAtBpP,EAAEgN,WAAWsC,MACpBtP,EAAEgN,WAAWsC,KAAKC,SAAS,SAEV,QAAZxC,GACL/M,EAAEgN,WAAWwC,QACbxP,EAAEgN,WAAWyC,WACb3C,EAAOqB,aAAa,wBAAyBnO,EAAEgN,WAAWwC,QAG1D1C,EAAOqB,aAAaZ,EAAQxM,KAGpC,MAAOQ,OA4Cf,IAAK,IAAIgM,KAAUvN,EAAEgN,WACjBM,EAAQC,GAEZ,GAAIvN,EAAE0P,aACF,GAAK5C,EAAO6C,WAIR,KAAO7C,EAAO6C,WAAWC,YACrB9C,EAAO6C,WAAWX,YAAYlC,EAAO6C,WAAWC,iBAJpD9C,EAAO+C,aAAa,CAAEC,KAAM,SAQpC,OAAOhD,EACX,KAAKrN,EAASsQ,KACV,OAAOjJ,EAAI+H,eAAe7O,EAAEgQ,SAAW3D,EACjCtB,EAAc/K,EAAEiQ,YAAahF,GAC7BjL,EAAEiQ,aACZ,KAAKxQ,EAASyQ,MACV,OAAOpJ,EAAIqJ,mBAAmBnQ,EAAEiQ,aACpC,KAAKxQ,EAAS2Q,QACV,OAAOtJ,EAAIuJ,cAAcrQ,EAAEiQ,aAC/B,QACI,OAAO,MAGnB,SAASK,EAAgBtQ,EAAGsC,GACxB,IAAIwE,EAAMxE,EAAQwE,IAAK/B,EAAMzC,EAAQyC,IAAK+C,EAAKxF,EAAQiO,UAAWA,OAAmB,IAAPzI,GAAwBA,EAAI0I,EAAKlO,EAAQ+J,QAASA,OAAiB,IAAPmE,GAAuBA,EAAIC,EAAcnO,EAAQmO,YAAaxF,EAAQ3I,EAAQ2I,MACpNhI,EAAOmJ,EAAUpM,EAAG,CAAE8G,IAAKA,EAAKuF,QAASA,EAASpB,MAAOA,IAC7D,IAAKhI,EACD,OAAO,KAwBX,GAtBIjD,EAAE0Q,QACFnC,QAAQoC,OAAO5L,EAAI/E,EAAE0Q,UAAY5J,EAAK,gDAEtC9G,EAAE0E,OAASjF,EAAS6M,WACpBxF,EAAI/C,QACJ+C,EAAIhD,OACiB,eAAjB9D,EAAE4Q,YACF5Q,EAAE8O,YACF9O,EAAE8O,WAAW,GAAGpK,OAASjF,EAASgN,eAC9BzM,EAAE8O,WAAW,GAAGpK,OAASjF,EAASoN,SAClC,UAAW7M,EAAE8O,WAAW,GAAG9B,YACU,iCAArChN,EAAE8O,WAAW,GAAG9B,WAAW6D,MAC3B/J,EAAIgK,MAAM,sEAGVhK,EAAIgK,MAAM,sEAGlB7N,EAAO6D,GAEX7D,EAAK8N,KAAO/Q,EACZ+E,EAAI/E,EAAEgR,IAAM/N,GACPjD,EAAE0E,OAASjF,EAAS6M,UAAYtM,EAAE0E,OAASjF,EAASoN,WACpD0D,EACD,IAAK,IAAI1I,EAAK,EAAGoJ,EAAKjR,EAAE8O,WAAYjH,EAAKoJ,EAAG/Q,OAAQ2H,IAAM,CACtD,IAAIqJ,EAASD,EAAGpJ,GACZsJ,EAAYb,EAAgBY,EAAQ,CACpCpK,IAAKA,EACL/B,IAAKA,EACLwL,WAAW,EACXlE,QAASA,EACToE,YAAaA,EACbxF,MAAOA,IAENkG,GAIDD,EAAOE,UAAYpP,EAAUiB,IAASA,EAAK0M,WAC3C1M,EAAK0M,WAAWV,YAAYkC,GAG5BlO,EAAKgM,YAAYkC,GAEjBV,GACAA,EAAYU,IAVZ5C,QAAQC,KAAK,oBAAqB0C,GAc9C,OAAOjO,EA+BX,SAASoO,EAAQrR,EAAGsC,GAChB,IAAIwE,EAAMxE,EAAQwE,IAAKwK,EAAUhP,EAAQgP,QAASxJ,EAAKxF,EAAQ+J,QAC3DkF,EAAY,GACZtO,EAAOqN,EAAgBtQ,EAAG,CAC1B8G,IAAKA,EACL/B,IAAKwM,EACLhB,WAAW,EACXlE,aANqF,IAAPvE,GAAuBA,EAOrG2I,YAPuHnO,EAAQmO,YAQ/HxF,MARoJ3I,EAAQ2I,QAgBhK,OA9CJ,SAAesG,EAAWD,GAItB,IAAK,IAAIE,KAAOD,EACRA,EAAUC,KAJJvO,EAKDsO,EAAUC,GAJnBF,EAAQrO,IADZ,IAAcA,EAuCdwO,CAAMF,GAAW,SAAUG,GACnBJ,GACAA,EAAQI,GAhCpB,SAAsBzO,GAClB,IAAIjD,EAAIiD,EAAK8N,KACb,GAAI/Q,EAAE0E,OAASjF,EAASoN,QAAxB,CAGA,IAAI8E,EAAK1O,EACT,IAAK,IAAI2O,KAAU5R,EAAEgN,WACjB,GAAMhN,EAAEgN,WAAW3M,eAAeuR,IAAWA,EAAOpE,WAAW,OAA/D,CAGA,IAAIzM,EAAQf,EAAEgN,WAAW4E,GACV,kBAAXA,IACAD,EAAGE,WAAa9Q,GAEL,iBAAX6Q,IACAD,EAAGG,UAAY/Q,KAmBnBgR,CAAaL,MAEV,CAACzO,EAAMsO,GCtnDlB,SAASS,EAAKC,GAGb,OAFAA,EAAMA,GAAOtS,OAAOuS,OAAO,MAEpB,CAQNC,GAAI,SAAYzN,EAAc0N,IAC5BH,EAAIvN,KAAUuN,EAAIvN,GAAQ,KAAKpD,KAAK8Q,IAUtCC,IAAK,SAAa3N,EAAc0N,GAC3BH,EAAIvN,IACPuN,EAAIvN,GAAM4N,OAAOL,EAAIvN,GAAMgH,QAAQ0G,KAAa,EAAG,IAYrDG,KAAM,SAAc7N,EAAc8N,IAChCP,EAAIvN,IAAS,IAAI5C,QAAQiD,KAAI,SAAUqN,GAAWA,EAAQI,OAC1DP,EAAI,MAAQ,IAAInQ,QAAQiD,KAAI,SAAUqN,GAAWA,EAAQ1N,EAAM8N,YC1CvDC,EA+DAC,EA8UAC,EAcAC,EAuIMC,EA2GNC,uDCrpBIC,EAASC,EAAoBC,GAE3C,gBAFuBD,uBAAoBC,cAGzC,mBAAoBA,EAAEC,gBAAgBzM,SACF,IAApCuM,EAAEG,8BAFJ,CAQA,IAuB4BC,EAvBxBvG,EAAUmG,EAAEK,aAAeL,EAAEnG,QAI7ByG,EAAW,CACbC,OAAQP,EAAEO,QAAUP,EAAEQ,SACtBC,SAAUT,EAAES,SACZC,cAAe7G,EAAQzM,UAAUmT,QAAUI,EAC3CC,eAAgB/G,EAAQzM,UAAUwT,gBAIhCC,EACFb,EAAEc,aAAed,EAAEc,YAAYD,IAC3Bb,EAAEc,YAAYD,IAAIE,KAAKf,EAAEc,aACzBE,KAAKH,IAmBPI,GAXwBb,EAWgBJ,EAAEkB,UAAUd,UAR/C,IAAIlN,OAFa,CAAC,QAAS,WAAY,SAEV4F,KAAK,MAAMR,KAAK8H,GAQe,EAAI,GA0LzEJ,EAAEO,OAASP,EAAEQ,SAAW,gBAEDW,IAAjBlU,UAAU,MAKsB,IAAhCmU,EAAcnU,UAAU,IAoB5BoU,EAAa/T,KACX0S,EACAC,EAAEqB,UACoBH,IAAtBlU,UAAU,GAAGsU,OACPtU,UAAU,GAAGsU,KACfvB,EAAEwB,SAAWxB,EAAEyB,iBACEN,IAArBlU,UAAU,GAAGyU,MACPzU,UAAU,GAAGyU,IACf1B,EAAE2B,SAAW3B,EAAE4B,aA3BnBtB,EAASC,OAAOjT,KACd0S,OACsBmB,IAAtBlU,UAAU,GAAGsU,KACTtU,UAAU,GAAGsU,KACW,iBAAjBtU,UAAU,GACjBA,UAAU,GACV+S,EAAEwB,SAAWxB,EAAEyB,iBAEEN,IAArBlU,UAAU,GAAGyU,IACTzU,UAAU,GAAGyU,SACIP,IAAjBlU,UAAU,GACVA,UAAU,GACV+S,EAAE2B,SAAW3B,EAAE4B,eAoBzB5B,EAAES,SAAW,gBAEUU,IAAjBlU,UAAU,KAKVmU,EAAcnU,UAAU,IAC1BqT,EAASG,SAASnT,KAChB0S,OACsBmB,IAAtBlU,UAAU,GAAGsU,KACTtU,UAAU,GAAGsU,KACW,iBAAjBtU,UAAU,GACjBA,UAAU,GACV,OACiBkU,IAArBlU,UAAU,GAAGyU,IACTzU,UAAU,GAAGyU,SACIP,IAAjBlU,UAAU,GACVA,UAAU,GACV,GAORoU,EAAa/T,KACX0S,EACAC,EAAEqB,OACArU,UAAU,GAAGsU,MAAQvB,EAAEwB,SAAWxB,EAAEyB,eACpCxU,UAAU,GAAGyU,KAAO1B,EAAE2B,SAAW3B,EAAE4B,gBAKzC/H,EAAQzM,UAAUmT,OAAS1G,EAAQzM,UAAUoT,SAAW,WAEtD,QAAqBW,IAAjBlU,UAAU,GAKd,IAAoC,IAAhCmU,EAAcnU,UAAU,IAA5B,CAyBA,IAAIsU,EAAOtU,UAAU,GAAGsU,KACpBG,EAAMzU,UAAU,GAAGyU,IAGvBL,EAAa/T,KACXE,KACAA,UACgB,IAAT+T,EAAuB/T,KAAKqR,aAAe0C,OACnC,IAARG,EAAsBlU,KAAKsR,YAAc4C,OAjClD,CAEE,GAA4B,iBAAjBzU,UAAU,SAAoCkU,IAAjBlU,UAAU,GAChD,MAAM,IAAI4U,YAAY,gCAGxBvB,EAASI,cAAcpT,KACrBE,UAEsB2T,IAAtBlU,UAAU,GAAGsU,OACPtU,UAAU,GAAGsU,KACS,iBAAjBtU,UAAU,KACfA,UAAU,GACZO,KAAKqR,gBAEYsC,IAArBlU,UAAU,GAAGyU,MACPzU,UAAU,GAAGyU,SACEP,IAAjBlU,UAAU,KACRA,UAAU,GACZO,KAAKsR,aAmBfjF,EAAQzM,UAAUqT,SAAW,gBAENU,IAAjBlU,UAAU,MAKsB,IAAhCmU,EAAcnU,UAAU,IAc5BO,KAAK+S,OAAO,CACVgB,OAAQtU,UAAU,GAAGsU,KAAO/T,KAAKqR,WACjC6C,MAAOzU,UAAU,GAAGyU,IAAMlU,KAAKsR,UAC/BgD,SAAU7U,UAAU,GAAG6U,WAhBvBxB,EAASI,cAAcpT,KACrBE,UACsB2T,IAAtBlU,UAAU,GAAGsU,OACPtU,UAAU,GAAGsU,KAAO/T,KAAKqR,aACzB5R,UAAU,GAAKO,KAAKqR,gBACLsC,IAArBlU,UAAU,GAAGyU,MACPzU,UAAU,GAAGyU,IAAMlU,KAAKsR,YACxB7R,UAAU,GAAKO,KAAKsR,aAchCjF,EAAQzM,UAAUwT,eAAiB,WAEjC,IAAoC,IAAhCQ,EAAcnU,UAAU,IAA5B,CAUA,IAAI8U,EAAmBC,EAAqBxU,MACxCyU,EAAcF,EAAiBG,wBAC/BC,EAAc3U,KAAK0U,wBAEnBH,IAAqB9B,EAAEqB,MAEzBD,EAAa/T,KACXE,KACAuU,EACAA,EAAiBlD,WAAasD,EAAYZ,KAAOU,EAAYV,KAC7DQ,EAAiBjD,UAAYqD,EAAYT,IAAMO,EAAYP,KAIP,UAAlD1B,EAAEoC,iBAAiBL,GAAkBjS,UACvCkQ,EAAES,SAAS,CACTc,KAAMU,EAAYV,KAClBG,IAAKO,EAAYP,IACjBI,SAAU,YAKd9B,EAAES,SAAS,CACTc,KAAMY,EAAYZ,KAClBG,IAAKS,EAAYT,IACjBI,SAAU,gBAnCZxB,EAASM,eAAetT,KACtBE,UACiB2T,IAAjBlU,UAAU,IAA0BA,UAAU,KA3UpD,SAAS0T,EAAc0B,EAAGC,GACxB9U,KAAKqR,WAAawD,EAClB7U,KAAKsR,UAAYwD,EAmBnB,SAASlB,EAAcmB,GACrB,GACe,OAAbA,GACoB,iBAAbA,QACepB,IAAtBoB,EAAST,UACa,SAAtBS,EAAST,UACa,YAAtBS,EAAST,SAIT,OAAO,EAGT,GAAwB,iBAAbS,GAA+C,WAAtBA,EAAST,SAE3C,OAAO,EAIT,MAAM,IAAI7T,UACR,oCACEsU,EAAST,SACT,yDAWN,SAASU,EAAmB7D,EAAI8D,GAC9B,MAAa,MAATA,EACK9D,EAAG+D,aAAezB,EAAqBtC,EAAGgE,aAGtC,MAATF,EACK9D,EAAGiE,YAAc3B,EAAqBtC,EAAGkE,iBADlD,EAYF,SAASC,EAAYnE,EAAI8D,GACvB,IAAIM,EAAgB/C,EAAEoC,iBAAiBzD,EAAI,MAAM,WAAa8D,GAE9D,MAAyB,SAAlBM,GAA8C,WAAlBA,EAUrC,SAASC,EAAarE,GACpB,IAAIsE,EAAgBT,EAAmB7D,EAAI,MAAQmE,EAAYnE,EAAI,KAC/DuE,EAAgBV,EAAmB7D,EAAI,MAAQmE,EAAYnE,EAAI,KAEnE,OAAOsE,GAAiBC,EAS1B,SAASlB,EAAqBrD,GAC5B,KAAOA,IAAOsB,EAAEqB,OAA6B,IAArB0B,EAAarE,IACnCA,EAAKA,EAAGwE,YAAcxE,EAAGyE,KAG3B,OAAOzE,EAST,SAAS0E,EAAKC,GACZ,IACIvV,EACAwV,EACAC,EAxGQC,EAyGRC,GAJO7C,IAIWyC,EAAQK,WA9Jd,IAqDJF,EA4GZC,EAAUA,EAAU,EAAI,EAAIA,EAG5B3V,EA9GO,IAAO,EAAI6V,KAAKC,IAAID,KAAKE,GAAKL,IAgHrCF,EAAWD,EAAQS,QAAUT,EAAQjB,EAAIiB,EAAQS,QAAUhW,EAC3DyV,EAAWF,EAAQU,QAAUV,EAAQhB,EAAIgB,EAAQU,QAAUjW,EAE3DuV,EAAQW,OAAO3W,KAAKgW,EAAQY,WAAYX,EAAUC,GAG9CD,IAAaD,EAAQjB,GAAKmB,IAAaF,EAAQhB,GACjDtC,EAAEmE,sBAAsBd,EAAKtC,KAAKf,EAAGsD,IAYzC,SAASjC,EAAa1C,EAAI0D,EAAGC,GAC3B,IAAI4B,EACAH,EACAC,EACAC,EACAN,EAAY9C,IAGZlC,IAAOsB,EAAEqB,MACX4C,EAAalE,EACb+D,EAAS/D,EAAEwB,SAAWxB,EAAEyB,YACxBuC,EAAShE,EAAE2B,SAAW3B,EAAE4B,YACxBqC,EAAS3D,EAASC,SAElB2D,EAAavF,EACboF,EAASpF,EAAGE,WACZmF,EAASrF,EAAGG,UACZmF,EAAStD,GAIX0C,EAAK,CACHa,WAAYA,EACZD,OAAQA,EACRN,UAAWA,EACXI,OAAQA,EACRC,OAAQA,EACR3B,EAAGA,EACHC,EAAGA,MDxNT,SAAY7C,GACVA,2CACAA,mBACAA,mCACAA,iDACAA,mBACAA,uBACAA,uBAPF,CAAYA,IAAAA,OA+DZ,SAAYC,GACVA,2BACAA,6BACAA,2CACAA,uBACAA,uCACAA,qBACAA,6BACAA,2CACAA,uCACAA,uCACAA,oBACAA,kBACAA,oBACAA,4CAdF,CAAYA,IAAAA,OA8UZ,SAAYC,GACVA,yBACAA,6BACAA,qBACAA,iCACAA,2BACAA,qBACAA,mBACAA,+BACAA,+CACAA,2BACAA,kCAXF,CAAYA,IAAAA,OAcZ,SAAYC,GACVA,kBACAA,qBACAA,uBAHF,CAAYA,IAAAA,OAuIZ,SAAkBC,GAChBA,mBACAA,qBACAA,uBACAA,mCAJF,CAAkBA,IAAAA,OA2GlB,SAAYC,GACVA,gBACAA,gBACAA,kBACAA,kBACAA,kBACAA,iDACAA,8CACAA,0CACAA,yBACAA,qBACAA,uCACAA,yBACAA,6BACAA,gBACAA,6BACAA,uBAhBF,CAAYA,IAAAA,OErpBZ,ICO6R9S,eDC3R,WAAYoX,EAAiCC,gBAAjCD,MAPL5W,gBAAqB,EAIpBA,SAAqB,KAI3BA,KAAK4W,QAAUA,EACf5W,KAAK6W,MAAQA,EAiFjB,OA3ESC,sBAAP,SAAiBC,GACf,IAAM9L,EAAQjL,KAAKgX,gBAAgBD,GACnC/W,KAAK4W,QAAQ9E,OAAO7G,EAAO,EAAG8L,IAMzBD,uBAAP,SAAkBF,GAChB5W,KAAK4W,QAAU5W,KAAK4W,QAAQrV,OAAOqV,IAG9BE,kBAAP,WACE9W,KAAKiX,WAAa,EAClB,IAAIC,EAAgB5D,YAAYD,MACxBuD,EAAY5W,aACdmX,EAAOnX,KAmBbA,KAAKoX,IAAMT,uBAlBX,SAASU,IACP,IAAMC,EAAOhE,YAAYD,MAGzB,IAFA8D,EAAKF,aAAeK,EAAOJ,GAAiBC,EAAKN,MACjDK,EAAgBI,EACTV,EAAQlX,QAAQ,CACrB,IAAMqX,EAASH,EAAQ,GAEvB,KAAIO,EAAKF,YAAcF,EAAOQ,OAI5B,MAHAX,EAAQY,QACRT,EAAOU,YAKPb,EAAQlX,OAAS,GAAKyX,EAAKO,YAC7BP,EAAKC,IAAMT,sBAAsBU,QAMhCP,kBAAP,WACM9W,KAAKoX,MACPO,qBAAqB3X,KAAKoX,KAC1BpX,KAAKoX,IAAM,MAEbpX,KAAK4W,QAAQlX,OAAS,GAGjBoX,qBAAP,SAAgBD,GACd7W,KAAK6W,MAAQA,GAGRC,2BAAP,SAAsBxH,GACpBtP,KAAK0X,SAAWpI,GAGXwH,qBAAP,WACE,OAAoB,OAAb9W,KAAKoX,KAGNN,4BAAR,SAAwBC,GAGtB,IAFA,IAAIxU,EAAQ,EACRK,EAAM5C,KAAK4W,QAAQlX,OAAS,EACzB6C,GAASK,GAAK,CACnB,IAAIgV,EAAMxB,KAAKyB,OAAOtV,EAAQK,GAAO,GACrC,GAAI5C,KAAK4W,QAAQgB,GAAKL,MAAQR,EAAOQ,MACnChV,EAAQqV,EAAM,MACT,CAAA,KAAI5X,KAAK4W,QAAQgB,GAAKL,MAAQR,EAAOQ,OAK1C,OAAOK,EAAM,EAJbhV,EAAMgV,EAAM,GAOhB,OAAOrV,iBAKKuV,EAASC,EAAsBC,GAG7C,GACED,EAAM7T,OAAS+N,EAAUgG,qBACzBF,EAAMG,KAAKrV,SAAWqP,EAAkBiG,UACxC,CACA,IAAMC,EAAcL,EAAMG,KAAKG,UAAU,GAAGpB,WAEtCqB,EAAiBP,EAAMQ,UAAYH,EAEzC,OADAL,EAAMR,MAAQe,EAAiBN,EACxBM,EAAiBN,EAI1B,OADAD,EAAMR,MAAQQ,EAAMQ,UAAYP,EACzBD,EAAMR;;;;;;;;;;;;;;oFCtGf,SAASlY,EAAEA,EAAEG,GAAG,IAAIoB,EAAE,mBAAmBT,QAAQd,EAAEc,OAAOC,UAAU,IAAIQ,EAAE,OAAOvB,EAAE,IAAIsB,EAAET,EAAEX,EAAEqB,EAAEd,KAAKT,GAAG+L,EAAE,GAAG,IAAI,WAAM,IAAS5L,GAAGA,KAAK,MAAMmB,EAAEpB,EAAEe,QAAQE,MAAM4K,EAAEtK,KAAKH,EAAEJ,OAAO,MAAMlB,GAAGa,EAAE,CAACa,MAAM1B,GAAG,QAAQ,IAAIsB,IAAIA,EAAEH,OAAOI,EAAErB,EAAEiZ,SAAS5X,EAAEd,KAAKP,GAAG,QAAQ,GAAGW,EAAE,MAAMA,EAAEa,OAAO,OAAOqK,GAAS,SAAS/L,GAAGA,EAAEA,EAAEoZ,WAAW,GAAG,aAAapZ,EAAEA,EAAEqZ,QAAQ,GAAG,UAAUrZ,EAAEA,EAAEsZ,QAAQ,GAAG,UAAnF,CAA8FnZ,IAAIA,EAAE,KAAK,IAAIoB,EAAE,CAACsD,KAAK,eAAe,SAASvD,EAAEtB,GAAG,YAAO,IAASA,EAAE,GAAG,GAAGkC,OAAOlC,GAAG,SAASa,EAAEb,GAAG,MAAM,CAAC6E,KAAK,gBAAgB0U,WAAWvZ,GAAG,SAASE,EAAEF,EAAEG,GAAG,MAAM,iBAAiBH,EAAE,iBAAiBA,GAAGG,GAAGA,EAAEH,GAAGG,EAAEH,GAAGA,GAAG,CAAC6E,KAAK7E,GAAG,mBAAmBA,EAAE,CAAC6E,KAAK7E,EAAEoG,KAAK3B,KAAKzE,GAAGA,EAAE,SAAS+L,EAAE/L,GAAG,OAAO,SAASG,GAAG,OAAOH,IAAIG,GAAG,SAASqZ,EAAExZ,GAAG,MAAM,iBAAiBA,EAAE,CAAC6E,KAAK7E,GAAGA,EAAE,SAAS0E,EAAE1E,EAAEG,GAAG,MAAM,CAACe,MAAMlB,EAAEyW,QAAQtW,EAAEoX,QAAQ,GAAGkC,SAAQ,EAAGC,QAAQ3N,EAAE/L,IAAI,SAAS2Z,EAAE3Z,EAAEG,EAAEoB,GAAG,IAAID,EAAEnB,EAAEU,GAAE,EAAG,MAAM,CAACb,EAAE2L,iBAAiB3L,GAAG,GAAG,kBAAkBA,EAAE6E,KAAK,CAAChE,GAAE,EAAG,IAAIV,EAAEL,OAAOC,OAAO,GAAGuB,GAAG,MAAM,mBAAmBtB,EAAEuZ,WAAWpZ,EAAEH,EAAEuZ,WAAWjY,EAAEC,GAAGzB,OAAOoI,KAAKlI,EAAEuZ,YAAYnR,kBAAkBvH,GAAGV,EAAEU,GAAG,mBAAmBb,EAAEuZ,WAAW1Y,GAAGb,EAAEuZ,WAAW1Y,GAAGS,EAAEC,GAAGvB,EAAEuZ,WAAW1Y,MAAMS,EAAEnB,GAAE,EAAG,OAAM,KAAMmB,EAAET,GAAG,SAASZ,EAAEE,EAAEU,QAAG,IAASA,IAAIA,EAAE,IAAI,IAAIZ,EAAED,EAAE2Z,EAAErY,EAAEnB,EAAEyZ,OAAOzZ,EAAE0Z,SAASC,OAAO5U,cAAclF,GAAG,OAAOE,EAAEF,EAAEa,EAAE0W,YAAYpX,EAAEsW,QAAQlV,GAAG,GAAGQ,EAAE9B,EAAE,GAAGoI,EAAEpI,EAAE,GAAGwV,EAAE,CAACsE,OAAO5Z,EAAE6Z,SAASnZ,EAAEoZ,aAAa,CAAC/Y,MAAMf,EAAE0Z,QAAQtC,QAAQxV,EAAE0U,QAAQpO,EAAEqR,QAAQ3N,EAAE5L,EAAE0Z,UAAUK,WAAW,SAAS3Y,EAAEV,GAAG,IAAIZ,EAAE8B,EAAEsG,EAAE,iBAAiB9G,EAAE,CAACL,MAAMK,EAAEkV,QAAQtW,EAAEsW,SAASlV,EAAEjB,EAAE+H,EAAEnH,MAAMiZ,EAAE9R,EAAEoO,QAAQrD,EAAEoG,EAAE3Y,GAAG2U,EAAErV,EAAEyZ,OAAOtZ,GAAG,GAAGkV,EAAElD,GAAG,CAAC,IAAItR,EAAEM,EAAEkU,EAAElD,GAAGc,EAAEvO,OAAO,IAAI,IAAI,IAAIuV,EAAE,SAASpa,GAAG,IAAIG,EAAE,mBAAmBW,QAAQA,OAAOC,SAASQ,EAAEpB,GAAGH,EAAEG,GAAGmB,EAAE,EAAE,GAAGC,EAAE,OAAOA,EAAEd,KAAKT,GAAG,GAAGA,GAAG,iBAAiBA,EAAEK,OAAO,MAAM,CAACY,KAAK,WAAW,OAAOjB,GAAGsB,GAAGtB,EAAEK,SAASL,OAAE,GAAQ,CAACkB,MAAMlB,GAAGA,EAAEsB,KAAKH,MAAMnB,KAAK,MAAM,IAAIoB,UAAUjB,EAAE,0BAA0B,mCAAtQ,CAA0Sa,GAAGgL,EAAEoO,EAAEnZ,QAAQ+K,EAAE7K,KAAK6K,EAAEoO,EAAEnZ,OAAO,CAAC,IAAIoZ,EAAErO,EAAE9K,MAAM,QAAG,IAASmZ,EAAE,OAAO3V,EAAEpE,EAAE6Z,GAAG,IAAIhH,EAAE,iBAAiBkH,EAAE,CAACC,OAAOD,GAAGA,EAAEE,EAAEpH,EAAEmH,OAAOE,EAAErH,EAAEoE,QAAQkD,OAAE,IAASD,EAAE,GAAGA,EAAEE,EAAEvH,EAAEwH,KAAKC,OAAE,IAASF,EAAE,WAAW,OAAM,GAAIA,EAAEG,OAAE,IAASN,EAAE3D,EAAE,MAAM2D,EAAEA,EAAEja,EAAEwa,EAAE3a,EAAEyZ,OAAOhD,GAAG,GAAGgE,EAAET,EAAE/G,GAAG,CAAC,IAAI2H,EAAE/a,EAAE2Z,GAAGkB,EAAEvZ,EAAEmZ,GAAG,GAAGvY,OAAOsT,EAAEwF,KAAKP,EAAEK,EAAEhB,OAAOnO,iBAAiB3L,GAAG,OAAOA,MAAMkF,cAAclF,GAAG,OAAOE,EAAEF,EAAEyV,EAAEuE,SAASzC,YAAY4C,EAAE/G,GAAG,GAAG6H,EAAEF,EAAE,GAAGG,EAAEH,EAAE,GAAGI,EAAEJ,EAAE,GAAGK,EAAE,MAAMb,EAAEA,EAAEja,EAAE,MAAM,CAACY,MAAMka,EAAE3E,QAAQyE,EAAE3D,QAAQ0D,EAAExB,QAAQc,IAAIja,GAAG2a,EAAE5a,OAAO,GAAG8a,EAAEzB,QAAQ3N,EAAEqP,MAAM,MAAMpb,GAAGC,EAAE,CAACyB,MAAM1B,GAAG,QAAQ,IAAIgM,IAAIA,EAAE7K,OAAOY,EAAEqY,EAAEjB,SAASpX,EAAEtB,KAAK2Z,GAAG,QAAQ,GAAGna,EAAE,MAAMA,EAAEyB,QAAQ,OAAOgD,EAAEpE,EAAE6Z,KAAK,OAAO1E,EAAE,IAAI1T,EAAE,SAAS/B,EAAEG,GAAG,OAAOH,EAAEuX,QAAQnP,kBAAkB7G,GAAG,IAAID,EAAEC,EAAEkD,KAAK,OAAOnD,GAAGA,EAAEtB,EAAEyW,QAAQtW,OAAO,SAASkI,EAAErI,GAAG,IAAIsB,EAAEtB,EAAEia,aAAapZ,EAAEV,EAAEiZ,WAAWlZ,EAAE,IAAImb,IAAI3W,EAAE,CAAC4W,SAAStb,EAAEub,KAAK,SAASha,GAAGV,IAAIV,EAAEkZ,UAAU/X,EAAEtB,EAAEka,WAAW5Y,EAAEC,GAAGQ,EAAET,EAAEkY,EAAEjY,IAAIrB,EAAEkI,kBAAkBpI,GAAG,OAAOA,EAAEsB,QAAQka,UAAU,SAASxb,GAAG,OAAOE,EAAEub,IAAIzb,GAAGA,EAAEsB,GAAG,CAACoa,YAAY,WAAW,OAAOxb,EAAEyb,OAAO3b,MAAMkD,MAAM,SAAShD,GAAG,GAAGA,EAAE,CAAC,IAAIsZ,EAAE,iBAAiBtZ,EAAEA,EAAE,CAACuW,QAAQzW,EAAE+Z,OAAOtD,QAAQvV,MAAMhB,GAAGoB,EAAE,CAACJ,MAAMsY,EAAEtY,MAAMqW,QAAQ,GAAGd,QAAQ+C,EAAE/C,QAAQiD,QAAQ3N,EAAEyN,EAAEtY,QAAQ,OAAOL,EAAEV,EAAEkZ,QAAQtX,EAAET,EAAEC,GAAGmD,GAAGkX,KAAK,WAAW,OAAO/a,EAAEV,EAAEmZ,QAAQpZ,EAAE2b,QAAQnX,GAAGoX,YAAY,OAAOxa,GAAGya,aAAa,OAAOlb,IAAI,OAAO6D,WCmExjGsX,EACdvF,EACAxO,OAAEgU,cAAWC,6BAA0BC,YAsMvC,OAAOC,EApMeC,EACpB,CACElL,GAAI,SACJsF,UACAoD,QAAS,SACTD,OAAQ,CACN0C,QAAS,CACPhK,GAAI,CACFiK,MAAO,CACLjC,OAAQ,SACR/C,QAAS,CAAC,UAEZiF,WAAY,CACVlC,OAAQ,UACR/C,QAAS,aAEXkF,IAAK,CACHnC,OAAQ,SACR/C,QAAS,CAAC,uBAAwB,UAEpCmF,UAAW,CACTpC,OAAQ,UACR/C,QAAS,CAAC,eAIhBoF,OAAQ,CACNrK,GAAI,CACFsK,KAAM,CACJtC,OAAQ,UACR/C,QAAS,CAAC,mBAAoB,SAEhCiF,WAAY,CACVlC,OAAQ,SACR/C,QAAS,aAEXsF,QAAS,CACPvC,OAAQ,OACR/C,QAAS,CAAC,cAEZmF,UAAW,CACTpC,OAAQ,SACR/C,QAAS,CAAC,eAIhBuF,KAAM,CACJxK,GAAI,CACFoK,UAAW,CACTpC,OAAQ,OACR/C,QAAS,CAAC,aAEZiF,WAAY,CACVlC,OAAQ,OACR/C,QAAS,CAAC,kBAMpB,CACEA,QAAS,CACPwF,UAAWhd,EAAO,CAChBid,gBAAiB,SAACjP,EAAK2K,GACrB,MAAmB,eAAfA,EAAM7T,KACD6T,EAAMuE,QAAQvE,MAEhB3K,EAAIiP,mBAGfE,iBAAkBnd,GAAO,SAACgO,EAAK2K,GAC7B,IAAId,EAAa7J,EAAI6J,WAIrB,MAHI,YAAac,GAAS,eAAgBA,EAAMuE,UAC9CrF,EAAac,EAAMuE,QAAQrF,mBAGxB7J,IACH6J,aACAe,aAAc5K,EAAIoP,OAAO,GAAGjE,UAAYtB,OAG5CnJ,KAAA,SAAKV,iBACKqP,EAAiDrP,QAA1CoP,EAA0CpP,SAAlC4K,EAAkC5K,eAApBiP,EAAoBjP,kBACzDqP,EAAMvB,YAEN,IAAoB,IAAAwB,EAAAzc,EAAAuc,iCAAQ,CAE1B1E,UAAgBE,qGAElB,IAAM2E,WAhHdH,EACAxE,GAEA,IAAK,IAAI4E,EAAMJ,EAAO9c,OAAS,EAAGkd,GAAO,EAAGA,IAAO,CACjD,IAAMC,EAAQL,EAAOI,GACrB,GAAIC,EAAM3Y,OAAS+N,EAAU6K,MACvBD,EAAMtE,WAAaP,EACrB,OAAOwE,EAAOlb,MAAMsb,GAI1B,OAAOJ,EAqGsBO,CAAsBP,EAAQxE,GAE/CgF,EAAsBX,MAAAA,SAAAA,EAAiB9D,WAEzC8D,MAAAA,SAAAA,EAAiBnY,QAAS+N,EAAUgG,qBACpCoE,EAAgBnE,KAAKrV,SAAWqP,EAAkBiG,YAElD6E,EACEX,EAAgB9D,qBAChB8D,EAAgBnE,KAAKG,UAAU,yBAAIpB,aAEnCe,GAAgBgF,GAAuB,IACzCxB,EAAQzJ,KAAKO,EAAe2K,UAG9B,IAAMC,EAAa,IAAI7b,MACjBuV,EAAU,IAAIvV,iBACT8b,GACT,GACEH,GACAA,EAAsBhF,IACrBmF,EAAM5E,WAAayE,GAClBG,IAAUd,oBAId,GAAIc,EAAM5E,UAAYP,EACpBkF,EAAWpc,KAAKqc,OACX,CACL,IAAMC,EAAS9B,EAAU6B,GAAO,GAChCvG,EAAQ9V,KAAK,CACX2W,SAAU,WACR2F,KAEF7F,MAAO4F,EAAM5F,cAjBnB,IAAoB,IAAA8F,EAAApd,EAAA0c,+IAqBpBpB,EAAyB2B,GACzB1B,EAAQzJ,KAAKO,EAAegL,OAC5Bb,EAAMc,WAAW3G,GACjB6F,EAAMla,SAER0L,eAAMb,GACJA,EAAIqP,MAAMvB,SAEZsC,qBAAsBpe,GAAO,SAACgO,GAC5B,cACKA,IACHiP,gBAAiB,UAGrBoB,UAAWre,EAAO,CAChB4Y,aAAc,SAAC5K,EAAK2K,GAGlB,OAFA3K,EAAIqP,MAAMiB,gBAAe,GACzBtQ,EAAIqP,MAAMla,QACS,YAAfwV,EAAM7T,MAAsB6T,EAAMuE,QAAQtE,aACrCD,EAAMuE,QAAQtE,aAEhBxE,KAAKH,SAGhBsK,SAAUve,GAAO,SAACgO,EAAKwQ,GACb,IAAA5F,EAAgC5K,eAAlBqP,EAAkBrP,QAAXoP,EAAWpP,SACxC,GAA0B,cAAtBwQ,EAAa1Z,KAAsB,CAC7B,IAAA2Z,EAAUD,EAAatB,cAC/BxE,EAAS+F,EAAO7F,GAEhB,IAAIpV,EAAM4Z,EAAO9c,OAAS,EAC1B,IAAK8c,EAAO5Z,IAAQ4Z,EAAO5Z,GAAK2V,WAAasF,EAAMtF,UAEjDiE,EAAO1b,KAAK+c,OACP,CAGL,IAFA,IAAIC,GAAkB,EAClBvb,EAAQ,EACLA,GAASK,GAAK,CACnB,IAAIgV,EAAMxB,KAAKyB,OAAOtV,EAAQK,GAAO,GACjC4Z,EAAO5E,GAAKW,WAAasF,EAAMtF,UACjChW,EAAQqV,EAAM,EAEdhV,EAAMgV,EAAM,GAGQ,IAApBkG,IACFA,EAAiBvb,GAEnBia,EAAO1K,OAAOgM,EAAgB,EAAGD,GAGnC,IAAME,EAASF,EAAMtF,UAAYP,EAC3BgG,EAAS1C,EAAUuC,EAAOE,GAC5BA,EACFC,IACSvB,EAAMwB,YACfxB,EAAMyB,UAAU,CACdzG,SAAU,WACRuG,KAEFzG,MAAOsG,EAAMtG,QAInB,cAAYnK,IAAKoP,kBChN3B,IAAM2B,EACJ,4NAKSC,EAAkB,CAC3B7Z,IAAK,GACL8Z,iBAEE,OADAtQ,QAAQhN,MAAMod,IACN,GAEVG,mBAEE,OADAvQ,QAAQhN,MAAMod,GACP,MAETI,6BACExQ,QAAQhN,MAAMod,IAEhBK,eAEE,OADAzQ,QAAQhN,MAAMod,IACP,GAETM,iBACE1Q,QAAQhN,MAAMod,KAGI,oBAAXO,QAA0BA,OAAOC,OAASD,OAAOE,UAC1DR,EAAU,IAAIO,MAAMP,EAAS,CAC3BxT,aAAI+O,EAAQjV,EAAMma,GAIhB,MAHa,QAATna,GACFqJ,QAAQhN,MAAMod,GAETS,QAAQhU,IAAI+O,EAAQjV,EAAMma,OAkOvC,iBAWE,aACE7e,KAAKye,QA4KT,OAzKSK,gBAAP,SAAWC,GACT,IAAMC,EAAiBhf,KAAKif,QAAQrU,IAAImU,EAASG,UAC3CC,EAAqB,CACzB3O,GAAIuO,EAAStc,KAAK+N,GAClBuO,WACAK,SAAU,GACVC,MAAO,GACP7S,WAAY,IAETwS,GAGHG,EAASjY,OAAS8X,EAClBA,EAAeI,SAASD,EAAS3O,IAAM2O,GAHvCnf,KAAKsf,KAAKH,EAAS3O,IAAM2O,EAK3Bnf,KAAKif,QAAQxT,IAAI0T,EAAS3O,GAAI2O,IAGzBL,mBAAP,SAAcC,EAA+BQ,GAA7C,WACQP,EAAiBhf,KAAKif,QAAQrU,IAAImU,EAASG,UAC3CC,EAAWnf,KAAKif,QAAQrU,IAAImU,EAASvO,IAErCgP,EAAuB,SAAChP,GAC5BiP,EAAKC,YAAY5E,IAAItK,GACrB,IAAM/N,EAAO8c,EAAOjB,QAAQ9N,GAC5B/N,MAAAA,GAAAA,EAAM6L,WAAW7G,SAAQ,SAACkJ,GACpB,SAAUA,GACZ6O,EAAuB7O,EAAgCJ,KAAKC,QAI5DmP,EAA0B,SAACld,GAC/Bgd,EAAKC,YAAY5E,IAAIrY,EAAK+N,IAC1BrR,OAAOgG,OAAO1C,EAAK2c,UAAU3X,SAAQ,SAACjI,GAAM,OAAAmgB,EAAwBngB,MACpE,IAAMogB,EAAYH,EAAKR,QAAQrU,IAAInI,EAAK+N,IACxC,GAAIoP,EAAW,CACb,IAAMC,EAAkBD,EAAU1Y,OAC9B2Y,WACKD,EAAU1Y,cACV2Y,EAAgBT,SAASQ,EAAUpP,IAC1CiP,EAAKR,QAAQjE,OAAO+D,EAASvO,OAK9B2O,EAGOH,UAKHG,EAASjY,cACT8X,EAAeI,SAASD,EAAS3O,IACxCxQ,KAAKif,QAAQjE,OAAO+D,EAASvO,IAC7BmP,EAAwBR,YAPjBnf,KAAKsf,KAAKH,EAAS3O,IAC1BxQ,KAAKif,QAAQjE,OAAOmE,EAAS3O,IAC7BmP,EAAwBR,KALxBnf,KAAK8f,oBAAoBhf,KAAKie,GAC9BS,EAAqBT,EAASvO,MAa3BsO,iBAAP,SAAYC,GACV,IAAMI,EAAWnf,KAAKif,QAAQrU,IAAImU,EAASvO,IACvC2O,EACFA,EAASE,MAAMve,KAAKie,GAEpB/e,KAAK+f,cAAcjf,KAAKie,IAIrBD,sBAAP,SAAiBC,GACf,IAAMI,EAAWnf,KAAKif,QAAQrU,IAAImU,EAASvO,IACvC2O,EACFA,EAAS3S,WAAW1L,KAAKie,GAEzB/e,KAAKggB,mBAAmBlf,KAAKie,IAI1BD,mBAAP,SAAcrM,GACZzS,KAAKigB,UAAUxU,IAAIgH,EAAEjC,GAAIiC,IAGpBqM,kBAAP,SAAarM,GACXzS,KAAKkgB,SAASzU,IAAIgH,EAAEjC,GAAIiC,IAGnBqM,kBAAP,8BAKQrO,EAKFzQ,KAJFsf,SACAQ,wBACAC,kBACAC,uBAGIG,EAAkC,CACtCtd,OAAQqP,EAAkBkO,SAC1BC,QAASP,EACTT,MAAOU,EACPvT,WAAYwT,EACZM,KAAM,IAGFC,EAAO,SAACpB,EAAoBqB,GAC5BA,GACFf,EAAKC,YAAY5E,IAAIqE,EAAS3O,IAEhC2P,EAAkBd,MAAQc,EAAkBd,MACzC9d,OAAOif,EAAU,GAAKrB,EAASE,OAC/BrU,QAAO,SAAC3K,GAAM,OAACof,EAAKC,YAAYlB,IAAIne,EAAEmQ,OACzC2P,EAAkB3T,WAAa2T,EAAkB3T,WAC9CjL,OAAOif,EAAU,GAAKrB,EAAS3S,YAC/BxB,QAAO,SAAC3K,GAAM,OAACof,EAAKC,YAAYlB,IAAIne,EAAEmQ,OAEtCiP,EAAKC,YAAYlB,IAAIW,EAAS3O,KAC9BiP,EAAKC,YAAYlB,IAAIW,EAASJ,SAASG,WACvCsB,EAODrhB,OAAOgG,OAAOga,EAASC,UAAU3X,SAAQ,SAACjI,GAAM,OAAA+gB,EAAK/gB,GAAG,OALxD2gB,EAAkBG,KAAKxf,KAAKqe,EAASJ,UACjCI,EAASC,UACXjgB,OAAOgG,OAAOga,EAASC,UAAU3X,SAAQ,SAACjI,GAAM,OAAA+gB,EAAK/gB,GAAG,QAO9DL,OAAOgG,OAAOma,GAAM7X,SAAQ,SAACjI,GAAM,OAAA+gB,EAAK/gB,GAAG,UAE3C,IAAiB,IAAAihB,EAAAxgB,EAAAD,KAAKigB,UAAU1Y,sCAAQ,CAAnC,IAAMiJ,UACLxQ,KAAK0f,YAAYlB,IAAIhO,IACvBxQ,KAAKigB,UAAUjF,OAAOxK,yGAG1B,IAAiB,IAAAkQ,EAAAzgB,EAAAD,KAAKkgB,SAAS3Y,sCAAQ,CAA5BiJ,UACLxQ,KAAK0f,YAAYlB,IAAIhO,IACvBxQ,KAAKkgB,SAASlF,OAAOxK,qGAIzB,IAAMyP,EAAY,IAAItU,IAAI3L,KAAKigB,WACzBC,EAAW,IAAIvU,IAAI3L,KAAKkgB,UAI9B,OAFAlgB,KAAKye,QAEE,CACLkC,aAAcR,EACdF,YACAC,aAIIpB,kBAAR,WACE9e,KAAKsf,KAAO,GACZtf,KAAKif,QAAU,IAAItT,IACnB3L,KAAK8f,oBAAsB,GAC3B9f,KAAK+f,cAAgB,GACrB/f,KAAKggB,mBAAqB,GAC1BhgB,KAAK0f,YAAc,IAAIhF,IACvB1a,KAAKigB,UAAY,IAAItU,IACrB3L,KAAKkgB,SAAW,IAAIvU,KAGfmT,sBAAP,SAAiBtO,GACf,OAAOxQ,KAAK0f,YAAYlB,IAAIhO,kBAUhBoQ,EAAoBC,WAC5BC,EAA4C,GAC5CC,EAAa,SACjB1gB,EACA6G,GAEA,IAAM8Z,EAA0B,CAC9BzgB,MAAOF,EACP6G,SACAkY,SAAU,IAGZ,OADA0B,EAAazgB,EAAEoC,KAAK+N,IAAMwQ,EACnBA,GAGHC,EAAgC,OACtC,IAAuB,IAAAC,EAAAjhB,EAAA4gB,iCAAO,CAAzB,IAAM9B,UACDoC,EAAqBpC,SAAbG,EAAaH,WAC7B,GAAIoC,GAAUA,KAAUL,EAAxB,CACE,IAAMM,EAAaN,EAAaK,GAChC,GAAIC,EAAWla,OAAQ,CACrB,IAAM0V,EAAMwE,EAAWla,OAAOkY,SAASlU,QAAQkW,GAC/CA,EAAWla,OAAOkY,SAAStN,OACzB8K,EACA,EACAmE,EAAWhC,EAAUqC,EAAWla,aAE7B,CACC0V,EAAMqE,EAAe/V,QAAQkW,GACnCH,EAAenP,OAAO8K,EAAK,EAAGmE,EAAWhC,EAAU,aAIvD,GAAIG,KAAY4B,EAAhB,CACE,IAAMO,EAAeP,EAAa5B,GAClCmC,EAAajC,SAASte,KAAKigB,EAAWhC,EAAUsC,SAGlDJ,EAAengB,KAAKigB,EAAWhC,EAAU,yGAG3C,OAAOkC,WAGOK,EACdhC,EACAiC,GAEAA,EAAGjC,EAAK/e,OAMR,IAAK,IAAIhB,EAAI+f,EAAKF,SAAS1f,OAAS,EAAGH,GAAK,EAAGA,IAC7C+hB,EAAmBhC,EAAKF,SAAS7f,GAAIgiB,YAYzBC,EACd/e,GAEA,MAAI,SAAUA,IAEVA,EAAK8N,KAAKrM,OAASjF,EAASoN,SAAiC,WAAtB5J,EAAK8N,KAAKhE,kBAOvCkV,EACdhf,EACAif,WAEMC,sBAAelf,EAAKmf,oCAAeC,kCAAaF,aACtD,IAAKA,GAAgBA,IAAiBD,EACpC,MAAO,CACL7M,EAAG,EACHC,EAAG,EACHgN,cAAe,EACfC,cAAe,GAInB,IAAMC,EAAiBL,EAAajN,wBAC9BuN,EAAqBR,EAAiBE,EAAcD,GAEpDI,EAAgBE,EAAexU,OAASmU,EAAazM,aAC3D,MAAO,CACLL,EACEmN,EAAenN,EAAIoN,EAAmBH,cACtCG,EAAmBpN,EACrBC,EACEkN,EAAelN,EAAImN,EAAmBH,cACtCG,EAAmBnN,EACrBgN,gBACAC,cAAeE,EAAmBF,cAAgBD,YAItCI,EACd1iB,GAEA,OAAO2iB,QAAU3iB,MAAAA,SAAAA,EAA2B2P,YCvnB9C,ICEYiT,WAuCIC,EACd7e,EACAlB,GAEA,IAAMsB,EAAOJ,EAAMlB,EAAS,IAC5B,OAAwB,IAApBA,EAAS5C,OACJkE,EAEAye,EACHze,EAAyB0e,SAAShgB,EAAS,IAC1CggB,SACHhgB,EAAShB,MAAM,aAKLihB,GAAqBC,GACnC,IAAMnK,SAAgBmK,OAChBvX,EAAQoN,EAAUoK,MACxB,MAAO,CAAEpK,YAAWpN,kBAGNyX,GACdC,EACAC,GAEQ,IAAAC,EAAUD,QACbC,GAMLF,EAAYlb,SAAQ,SAAC7D,GACnB,GAAIA,EAAKM,OAASke,EAAcU,OAC9B,IACE,GAAIzhB,MAAMmG,QAAQ5D,EAAKqH,OAAQ,CACvB,IAAA3D,EAAuBib,GAAqB3e,EAAKqH,OAA/CoN,cAAWpN,UACAoX,EAAcQ,EAAMP,SAAUjK,GACtC0K,WAAWnf,EAAK4G,QAASS,QAEpC4X,EAAME,WAAWnf,EAAK4G,QAAS5G,EAAKqH,OAEtC,MAAOrK,SAMJ,GAAIgD,EAAKM,OAASke,EAAcY,OACrC,IACE,GAAI3hB,MAAMmG,QAAQ5D,EAAKqH,OAAQ,CACvB,IAAA+E,EAAuBuS,GAAqB3e,EAAKqH,OAA/CoN,cAAWpN,UACAoX,EAAcQ,EAAMP,SAAUjK,GACtC4K,WAAWhY,GAAS,QAE/B4X,EAAMI,WAAWrf,EAAKqH,OAExB,MAAOrK,SAMJ,GAAIgD,EAAKM,OAASke,EAAcc,UAkB3C,SACEC,EACAP,SAEA,IACE,IAAMQ,EAAgB/hB,MAAMH,gBAAK0hB,EAAUC,4BAAOP,WAAY,IAAI/d,KAChE,SAACX,GAAS,OAAAA,EAAK4G,WAEX6Y,EAAwBlkB,OAAOmkB,QAAQF,GAAeG,UACxDC,EAAYJ,EAAc1jB,OAC9B2jB,EAAsB5b,SAAQ,SAACH,SAAAmJ,EAAA/P,OAACuK,OAAOrH,OAC/BsH,EAAUiY,EAASjY,QAAQtH,GACjC,IAAiB,IAAbsH,GAAkBA,EAAUsY,EAC9B,cACEZ,EAAUC,sBAAOI,WAAWQ,OAAOxY,IACnC,MAAOrK,IAOX4iB,EAAYtY,KAEdiY,EAAS1b,SAAQ,SAAC+C,EAASS,aACzB,yBACM2X,EAAUC,4BAAOP,SAASrX,yBAAQT,WAAYA,cAChDoY,EAAUC,sBAAOE,WAAWvY,EAASS,IAEvC,MAAOrK,QAOX,MAAOA,KArDL8iB,CAAkC9f,EAAKuf,SAAUP,QAC5C,GAAIhf,EAAKM,OAASke,EAAcuB,YAAa,CAC9BtB,EAClBQ,EAAMP,SACN1e,EAAKqH,OAEIhF,MAAM2d,YAAYhgB,EAAKiB,SAAUjB,EAAKrD,MAAOqD,EAAKigB,eACxD,GAAIjgB,EAAKM,OAASke,EAAc0B,eAAgB,CACjCzB,EAClBQ,EAAMP,SACN1e,EAAKqH,OAEIhF,MAAM8d,eAAengB,EAAKiB,eApH3C,SAAYud,GACVA,uBACAA,uBACAA,2BACAA,iCACAA,uCALF,CAAYA,IAAAA,OCMZ,IAHA,IAAI4B,GAAQ,mEAERC,GAA+B,oBAAfC,WAA6B,GAAK,IAAIA,WAAW,KAC5D3kB,GAAI,EAAGA,GAAIykB,GAAMtkB,OAAQH,KAC9B0kB,GAAOD,GAAMG,WAAW5kB,KAAMA,GAkBlC,ICjBM6kB,GAGF,IAAIzY,aACQ0Y,GACdjX,EACAkX,GAEA,IAAIC,EAAaH,GAAYxZ,IAAIwC,GAQjC,OAPKmX,IACHA,EAAa,IAAI5Y,IACjByY,GAAY3Y,IAAI2B,EAAKmX,IAElBA,EAAW/F,IAAI8F,IAClBC,EAAW9Y,IAAI6Y,EAAM,IAEhBC,EAAW3Z,IAAI0Z,GAsBxB,IAAME,GAAiC,CACrC,kBACA,cACA,mBACA,eACA,oBACA,cACA,6BACA,eACA,uBACA,mCAgBcC,GACdC,EACAtX,GAEA,OAAO,SAACuX,GACN,GAAIA,GAAsB,iBAARA,GAAoB,YAAaA,EAAK,CACtD,GAAI,UAAWA,EAAK,CACV,IAAS5X,EAAgB4X,UAAV1Z,EAAU0Z,QACjC,OAAON,GAAgBjX,EAAKL,GAAM9B,GAC7B,GAAI,SAAU0Z,EAAK,CAChB,IAASvT,EAAeuT,UAATC,EAASD,OAC1BL,EAAO5F,OAAOtN,GAEpB,WAAWkT,aAAAA,eAAQM,EAAKrgB,IAAIkgB,GAAeC,EAAUtX,WAChD,GAAI,WAAYuX,EACrB,OD9DK,SAAUE,GACnB,IAA8DtlB,EAAUulB,EAAUC,EAAUC,EAAUC,EAAlGC,EAA+B,IAAhBL,EAAOnlB,OAAeylB,EAAMN,EAAOnlB,OAAWC,EAAI,EACnC,MAA9BklB,EAAOA,EAAOnlB,OAAS,KACvBwlB,IACkC,MAA9BL,EAAOA,EAAOnlB,OAAS,IACvBwlB,KAGR,IAAIE,EAAc,IAAIC,YAAYH,GAAeI,EAAQ,IAAIpB,WAAWkB,GACxE,IAAK7lB,EAAI,EAAGA,EAAI4lB,EAAK5lB,GAAK,EACtBulB,EAAWb,GAAOY,EAAOV,WAAW5kB,IACpCwlB,EAAWd,GAAOY,EAAOV,WAAW5kB,EAAI,IACxCylB,EAAWf,GAAOY,EAAOV,WAAW5kB,EAAI,IACxC0lB,EAAWhB,GAAOY,EAAOV,WAAW5kB,EAAI,IACxC+lB,EAAM3lB,KAAQmlB,GAAY,EAAMC,GAAY,EAC5CO,EAAM3lB,MAAoB,GAAXolB,IAAkB,EAAMC,GAAY,EACnDM,EAAM3lB,MAAoB,EAAXqlB,IAAiB,EAAiB,GAAXC,EAE1C,OAAOG,EC4CIG,CAAOZ,EAAIE,QACb,GAAI,QAASF,EAAK,CACvB,IAAMlX,EAAQiX,EAAS9Z,IAAI+Z,EAAIzX,KAC/B,GAAIO,EACF,OAAOA,EAEP,IAAMR,EAAQ,IAAIuY,MAGlB,OAFAvY,EAAMC,IAAMyX,EAAIzX,IAChBwX,EAASjZ,IAAIkZ,EAAIzX,IAAKD,GACfA,QAGN,GAAI5L,MAAMmG,QAAQmd,GACvB,OAAOA,EAAIpgB,IAAIkgB,GAAeC,EAAUtX,IAE1C,OAAOuX,YAIac,GAAcne,OACpCyX,aACApF,WACAzV,SACAwgB,aACAgB,iBAQA,IACE,IAAMtY,EA7FV,SACEuM,EACAzV,GAKA,IACE,OAAIA,IAASkO,EAAcuT,MAEvBhM,EAAOtM,WAAW,UAAasM,EAAOtM,WAAW,sBAG9CsM,EAAOtM,WAAW,UACzB,MAAOzM,GACP,OAAO,MA8EKyM,CAAWsM,EAAQzV,GAC/B,IAAKkJ,EAAK,OAMV,GAAI2R,EAAS6G,OAIX,YADCxY,EAAY2R,EAASla,UAAYka,EAAS6F,KAAK,IAGlD,IAAM9R,EAAW1F,EACf2R,EAASla,UAGL+f,EAAO7F,EAAS6F,KAAKrgB,IAAIkgB,GAAeC,EAAUtX,KA9E5D,SACEA,EACA7B,GAEA,GAAKA,MAAAA,SAAAA,EAAQsa,YAAb,CAEQ,IAAApgB,EAAS8F,EAAOsa,iBACxB,GAAKrB,GAA+BsB,SAASrgB,GAA7C,CAEA,IAAMsgB,EAAY1B,GAAgBjX,EAAK3H,GAClCsgB,EAAUD,SAASva,IAASwa,EAAUjlB,KAAKyK,KAsE9Cya,CAAkB5Y,EADH0F,EAAS/S,MAAMqN,EAAKwX,IA+BnC,MAAO7jB,GACP2kB,EAAa3G,EAAUhe,ICxG3B,IAKMyQ,GAAQyU,GAA6BC,EAErCC,GAAwB,aAExBC,GAAyB,CAC7BC,SAAU,IACVC,QAAS,QACTC,UAAW,EACXC,YAAa,OAGf,SAASC,GAAqB7lB,GAC5B,OACEA,EAAEsD,MAAQ+N,EAAUgG,sBACnBrX,EAAEsX,KAAKrV,QAAUqP,EAAkBwU,WACjC9lB,EAAEsX,KAAKrV,QAAUqP,EAAkByU,kBAClC/lB,EAAEsX,KAAKhU,MAAQiO,EAAkByU,8BA+CvC,WACEpK,EACApD,GAFF,WAIE,GAlCMpZ,eAAsC,KACtCA,mBAAiD,GAEjDA,aAAmBwR,KAKnBxR,gCAA6C,GAS7CA,WAAoB0L,IAEpB1L,cAA0D,IAAI2L,IAE9D3L,YL3FD,CACLuE,IAAK,GACL8Z,eAAM7e,GAEJ,OAAKA,GAAMA,EAAE+Q,KAGN/Q,EAAE+Q,KAAKC,IAFJ,GAIZ8N,iBAAQ9N,GACN,OAAOxQ,KAAKuE,IAAIiM,IAAO,MAGzB+N,kBAAA,SAAkB/e,GAAlB,WACQgR,EAAKhR,EAAE+Q,MAAQ/Q,EAAE+Q,KAAKC,UACrBxQ,KAAKuE,IAAIiM,GACZhR,EAAE8O,YACJ9O,EAAE8O,WAAW7G,SAAQ,SAAC2G,GACpB,OAAAqR,EAAKlB,kBAAmBnQ,OAI9BoQ,aAAIhO,GACF,OAAOxQ,KAAKuE,IAAI1E,eAAe2Q,IAEjCiO,iBACEze,KAAKuE,IAAM,KKmEPvE,uBAAiD,KAEjDA,sBAAwC,GAExCA,cAAgC,KAChCA,iBAA8B,OAM/BoZ,MAAAA,SAAAA,EAAQ1B,WAAY8E,EAAO9c,OAAS,EACvC,MAAM,IAAIwD,MAAM,oCAElB,IAAM2jB,EAA8B,CAClChQ,MAAO,EACPiQ,SAAU,IACVC,KAAMxgB,SAASuN,KACfkT,YAAa,EACbC,cAAc,EACdC,aAAa,EACbC,WAAW,EACXC,WAAY,WACZ1P,UAAU,EACV2P,iBAAkB,GAClBC,cAAc,EACdC,qBAAqB,EACrBC,gBAAgB,EAChBC,UAAWrB,IAEbpmB,KAAKoZ,OAASja,OAAOC,OAAO,GAAIynB,EAAezN,GAE/CpZ,KAAK0nB,aAAe1nB,KAAK0nB,aAAanU,KAAKvT,MAC3CA,KAAKsb,UAAYtb,KAAKsb,UAAU/H,KAAKvT,MACrCA,KAAKub,yBAA2Bvb,KAAKub,yBAAyBhI,KAAKvT,MACnEA,KAAKwb,QAAQ7J,GAAGW,EAAeqV,OAAQ3nB,KAAK0nB,cAE5C1nB,KAAK4nB,WAEL5nB,KAAK6nB,UAAY,IAAI/I,EACrB9e,KAAK8nB,kBAAoB,IAAInc,IAC7B3L,KAAK+nB,gBAAkB,IAAIpc,IAC3B3L,KAAKgoB,qBAAuB,IAAIrc,IAEhC3L,KAAKwb,QAAQ7J,GAAGW,EAAegL,OAAO,+BAC9B2K,EAAwCxI,EAAKoI,UAAUK,QAArDjI,cAAWC,aAAUS,iBAE7BlB,EAAKqI,kBAAkBrgB,SAAQ,SAACP,EAAQihB,GACtC,OAAA1I,EAAK2I,kBAAkBD,EAAMjhB,UAI/B,IAAgB,IAAAwZ,EAAAzgB,EAAA0gB,EAAatB,qCAAO,CAA/B,IAAM5M,UACTgN,EAAK4I,UAAU5V,EAAGkO,yGAGpB,IAAmB,IAAA2H,EAAAroB,EAAAwf,EAAKuI,qBAAqBzgB,sCAAQ,CAAhD,IAAM9E,UAETgd,EAAK8I,iBAAiB9lB,qGAExBgd,EAAKqI,kBAAkB5M,QACvBuE,EAAKsI,gBAAgB7M,QACrBuE,EAAKuI,qBAAqB9M,YAE1B,IAAgB,IAAAsN,EAAAvoB,EAAAggB,EAAU9a,wCAAU,CAAzBsN,UACTgN,EAAKgJ,YAAYhW,GAAG,yGAEtB,IAAgB,IAAAiW,EAAAzoB,EAAAigB,EAAS/a,wCAAU,CAAxBsN,UACTgN,EAAKkJ,WAAWlW,yGAGpBzS,KAAKwb,QAAQ7J,GAAGW,EAAe2K,UAAU,WACvCwC,EAAKmJ,kBAAoB,KACzBnJ,EAAKF,OAAOd,WAGd,IAAMhC,EAAQ,IAAI3F,EAAM,IAAIsC,MAAAA,SAAAA,EAAQvC,QAASgQ,EAAchQ,OAC3D7W,KAAK6oB,QAAUxN,EACb,CACEmB,OAAQA,EACLjY,KAAI,SAAC3D,GACJ,OAAIwY,GAAUA,EAAO0P,SACZ1P,EAAO0P,SAASloB,GAElBA,KAERuK,MAAK,SAAC4d,EAAIC,GAAO,OAAAD,EAAGxQ,UAAYyQ,EAAGzQ,aACtCkE,QACAxF,WAAY,EACZe,aAAc,EACdqE,gBAAiB,MAEnB,CACEf,UAAWtb,KAAKsb,UAChBC,yBAA0Bvb,KAAKub,yBAC/BC,QAASxb,KAAKwb,UAGlBxb,KAAK6oB,QAAQtmB,QACbvC,KAAK6oB,QAAQhO,WAAU,SAACM,GACtBsE,EAAKjE,QAAQzJ,KAAKO,EAAe2W,YAAa,CAC5CC,OAAQ/N,OAGZnb,KAAKmpB,aNiIA1N,EAjDcC,EACnB,CACElL,GAAI,QACJsF,QMnFqC,CACrCsT,aAAc,EACd3M,SNkFAvD,QAAS,SACTD,OAAQ,CACNoQ,OAAQ,CACN1X,GAAI,CACF2X,aAAc,CACZ3P,OAAQ,WACR/C,QAAS,CAAC,cAAe,aAE3B2S,UAAW,CACT5P,OAAQ,SACR/C,QAAS,CAAC,eAIhB4S,SAAU,CACR7X,GAAI,CACF8X,eAAgB,CACd9P,OAAQ,SACR/C,QAAS,CAAC,iBAEZ2S,UAAW,CACT5P,OAAQ,SACR/C,QAAS,CAAC,iBAMpB,CACEA,QAAS,CACP8S,SAAU,SAACtc,EAAK2K,GACV,YAAaA,GACf3K,EAAIqP,MAAMiN,SAAS3R,EAAMuE,QAAQzF,QAGrC8S,YAAavqB,EAAO,CAClBgqB,YAAa,SAAChc,GAAQ,OAAAA,EAAIqP,MAAM5F,SAElC+S,aAAc,SAACxc,GACbA,EAAIqP,MAAMiN,SAAStc,EAAIgc,kBMvH7BppB,KAAKmpB,aAAa5mB,QAClBvC,KAAKmpB,aAAatO,WAAU,SAACM,GAC3BsE,EAAKjE,QAAQzJ,KAAKO,EAAe2W,YAAa,CAC5CpS,MAAOsE,OAMX,IAAM0O,EAAY7pB,KAAK6oB,QAAQ1N,MAAMrF,QAAQ0G,OAAOsN,MAClD,SAAClpB,GAAM,OAAAA,EAAEsD,OAAS+N,EAAU6K,QAExBiN,EAAoB/pB,KAAK6oB,QAAQ1N,MAAMrF,QAAQ0G,OAAOsN,MAC1D,SAAClpB,GAAM,OAAAA,EAAEsD,OAAS+N,EAAU+X,gBAE9B,GAAIH,EAAW,CACP,IAAAviB,EAAoBuiB,EAAU3R,KAA5B+R,UAAOC,WACfC,YAAW,WACT1K,EAAKjE,QAAQzJ,KAAKO,EAAeqV,OAAQ,CACvCpa,QACAC,aAED,GAEDuc,GACFI,YAAW,WAEL1K,EAAKmJ,oBAITnJ,EAAKmJ,kBAAoBmB,EACzBtK,EAAK2K,oBACHL,GAEFtK,EAAK4K,OAAOC,cAAetX,SACxB+W,EAAwC7R,KAAKqS,kBAE/C,GAEDvqB,KAAK6oB,QAAQ1N,MAAMrF,QAAQ0G,OAAOsN,KAAKrD,KACzCzmB,KAAKwqB,MAAMC,UAAU3P,IAAI,gBA0pD/B,OA70DE3b,sBAAWurB,yBAAX,WACE,OAAO1qB,KAAK6oB,QAAQ1N,MAAMrF,QAAQ2G,uCAsL7BiO,eAAP,SAAU3S,EAAenG,GAEvB,OADA5R,KAAKwb,QAAQ7J,GAAGoG,EAAOnG,GAChB5R,MAGF0qB,gBAAP,SAAW3S,EAAenG,GAExB,OADA5R,KAAKwb,QAAQ3J,IAAIkG,EAAOnG,GACjB5R,MAGF0qB,sBAAP,SAAiBtR,GAAjB,WACEja,OAAOoI,KAAK6R,GAAQ3R,SAAQ,SAACuJ,GAE3ByO,EAAKrG,OAAOpI,GAAOoI,EAAOpI,MAEvBhR,KAAKoZ,OAAO6N,cACfjnB,KAAK2qB,oBAEqB,IAAjBvR,EAAOvC,OAChB7W,KAAKmpB,aAAavO,KAAK,CACrB1W,KAAM,YACNoY,QAAS,CACPzF,MAAOuC,EAAOvC,cAIY,IAArBuC,EAAOqO,aACS,IAArBrO,EAAOqO,UACLznB,KAAKynB,YACPznB,KAAKynB,UAAUxhB,MAAM2kB,QAAU,SAG5B5qB,KAAKynB,YACRznB,KAAKynB,UAAYlhB,SAASsG,cAAc,UACxC7M,KAAKynB,UAAUla,MAAQkW,OAAOoH,WAAW7qB,KAAKqqB,OAAO9c,OACrDvN,KAAKynB,UAAUja,OAASiW,OAAOoH,WAAW7qB,KAAKqqB,OAAO7c,QACtDxN,KAAKynB,UAAUgD,UAAU3P,IAAI,uBAC7B9a,KAAK8qB,QAAQC,aAAa/qB,KAAKynB,UAAWznB,KAAKqqB,SAEjDrqB,KAAKynB,UAAUxhB,MAAM2kB,QAAU,aAK9BF,wBAAP,WACE,IAAMM,EAAahrB,KAAK6oB,QAAQ1N,MAAMrF,QAAQ0G,OAAO,GAC/CyO,EAAYjrB,KAAK6oB,QAAQ1N,MAAMrF,QAAQ0G,OAC3Cxc,KAAK6oB,QAAQ1N,MAAMrF,QAAQ0G,OAAO9c,OAAS,GAE7C,MAAO,CACLyW,UAAW6U,EAAWzS,UACtB2S,QAASD,EAAU1S,UACnB4S,UAAWF,EAAU1S,UAAYyS,EAAWzS,YAIzCmS,2BAAP,WACE,OAAO1qB,KAAKyc,MAAMxF,WAAajX,KAAKorB,iBAG/BV,0BAAP,WACQ,IAAApjB,EAA2BtH,KAAK6oB,QAAQ1N,MAAMrF,QACpD,+BAA6B,GAAGyC,WAG3BmS,sBAAP,WACE,OAAO1qB,KAAKuf,QAYPmL,iBAAP,SAAYzT,sBAAAA,KACNjX,KAAK6oB,QAAQ1N,MAAMpC,QAAQ,WAG7B/Y,KAAK6oB,QAAQjO,KAAK,CAAE1W,KAAM,UAF1BlE,KAAK6oB,QAAQjO,KAAK,CAAE1W,KAAM,OAAQoY,QAAS,CAAErF,0BAK/CjX,KAAKqqB,OAAOgB,gCACRC,qBAAqB,QAAQ,GAC9Bb,UAAUc,OAAO,gBACpBvrB,KAAKwb,QAAQzJ,KAAKO,EAAekZ,QAG5Bd,kBAAP,SAAazT,cACQtD,IAAfsD,GAA4BjX,KAAK6oB,QAAQ1N,MAAMpC,QAAQ,YACzD/Y,KAAK6oB,QAAQjO,KAAK,CAAE1W,KAAM,UAEF,iBAAf+S,IACTjX,KAAK8N,KAAKmJ,GACVjX,KAAK6oB,QAAQjO,KAAK,CAAE1W,KAAM,qBAE5BlE,KAAKqqB,OAAOgB,gCACRC,qBAAqB,QAAQ,GAC9Bb,UAAU3P,IAAI,gBACjB9a,KAAKwb,QAAQzJ,KAAKO,EAAemZ,QAG5Bf,mBAAP,SAAczT,gBAAAA,KACZlJ,QAAQC,KACN,gGAEFhO,KAAK8N,KAAKmJ,GACVjX,KAAKwb,QAAQzJ,KAAKO,EAAeoZ,SAG5BhB,sBAAP,SAAiB1S,GACfhY,KAAK6oB,QAAQjO,KAAK,CAAE1W,KAAM,UAAWoY,QAAS,CAAEtE,mBAG3C0S,qBAAP,SAAgBiB,GAAhB,WACQ5T,EAAQ/X,KAAKoZ,OAAO0P,SACtB9oB,KAAKoZ,OAAO0P,SAAS6C,GACpBA,EACDlF,GAAqB1O,IACvB/X,KAAKwqB,MAAMC,UAAU3P,IAAI,gBAE3B8Q,QAAQC,UAAUC,MAAK,WACrB,OAAArM,EAAKoJ,QAAQjO,KAAK,CAAE1W,KAAM,YAAaoY,QAAS,CAAEvE,eAI/C2S,2BAAP,WACE1qB,KAAKqqB,OAAO1c,aAAa,YAAa,QACtC3N,KAAKqqB,OAAOpkB,MAAM8lB,cAAgB,QAG7BrB,4BAAP,WACE1qB,KAAKqqB,OAAO1c,aAAa,YAAa,MACtC3N,KAAKqqB,OAAOpkB,MAAM8lB,cAAgB,QAO7BrB,uBAAP,WACE1qB,KAAKyK,MAAQiB,KAGPgf,qBAAR,WACE1qB,KAAK8qB,QAAUvkB,SAASsG,cAAc,OACtC7M,KAAK8qB,QAAQL,UAAU3P,IAAI,oBAC3B9a,KAAKoZ,OAAO2N,KAAMtY,YAAYzO,KAAK8qB,SAEnC9qB,KAAKwqB,MAAQjkB,SAASsG,cAAc,OACpC7M,KAAKwqB,MAAMC,UAAU3P,IAAI,kBACzB9a,KAAK8qB,QAAQrc,YAAYzO,KAAKwqB,QAEA,IAA1BxqB,KAAKoZ,OAAOqO,YACdznB,KAAKynB,UAAYlhB,SAASsG,cAAc,UACxC7M,KAAKynB,UAAUgD,UAAU3P,IAAI,uBAC7B9a,KAAKynB,UAAUxhB,MAAM2kB,QAAU,UAC/B5qB,KAAK8qB,QAAQrc,YAAYzO,KAAKynB,YAGhCznB,KAAKqqB,OAAS9jB,SAASsG,cAAc,UACrC,IL7JqBmf,EK6Jfxf,EAAa,CAAC,qBAChBxM,KAAKoZ,OAAOmO,qBACd/a,EAAW1L,KAAK,iBAGlBd,KAAKqqB,OAAOpkB,MAAM2kB,QAAU,OAC5B5qB,KAAKqqB,OAAO1c,aAAa,UAAWnB,EAAWlB,KAAK,MACpDtL,KAAKisB,kBACLjsB,KAAK8qB,QAAQrc,YAAYzO,KAAKqqB,QAC1BrqB,KAAKqqB,OAAOC,eAAiBtqB,KAAKqqB,OAAOgB,kBAC3Ca,EACElsB,KAAKqqB,OAAOC,cACZtqB,KAAKqqB,OAAOgB,2BLzKKW,EK4KVhsB,KAAKqqB,OAAOC,iBL5KF0B,UACnB,aAAcA,IAAQA,EAAIG,SAASvsB,UAAU6H,UAC/CukB,EAAIG,SAASvsB,UAAU6H,QAAWpG,MAAMzB,UACrC6H,SAGD,iBAAkBukB,IAAQA,EAAII,aAAaxsB,UAAU6H,UACvDukB,EAAII,aAAaxsB,UAAU6H,QAAWpG,MAAMzB,UACzC6H,SAIA4kB,KAAKzsB,UAAU0sB,WAClBD,KAAKzsB,UAAU0sB,SAAW,SAAkB7pB,GAC1C,KAAM,KAAKhD,WACT,MAAM,IAAIgB,UAAU,0BAGtB,GACE,GAAIT,OAASyC,EACX,OAAO,QAGDA,EAAOA,GAAQA,EAAKkT,YAE9B,OAAO,MKuJH+U,yBAAR,SAAqB6B,WACnBvsB,KAAKqqB,OAAOpkB,MAAM2kB,QAAU,cAC5B,IAAiB,IAAA5a,EAAA/P,EAAA,CAACD,KAAKynB,UAAWznB,KAAKqqB,uCAAS,CAA3C,IAAMlZ,UACJA,IAGLA,EAAGxD,aAAa,QAAS6e,OAAOD,EAAUhf,QAC1C4D,EAAGxD,aAAa,SAAU6e,OAAOD,EAAU/e,8GAIvCkd,qCAAR,SAAiClO,eAC/B,IAAoB,IAAAE,EAAAzc,EAAAuc,iCAAQ,CAAvB,IAAMK,UACT,OAAQA,EAAM3Y,MACZ,KAAK+N,EAAUwa,iBACf,KAAKxa,EAAUya,KACf,KAAKza,EAAU0a,OACb,SACF,KAAK1a,EAAU+X,aACf,KAAK/X,EAAU6K,KACf,KAAK7K,EAAU2a,OACb,MACF,KAAK3a,EAAUgG,oBACb,OAAQ4E,EAAM3E,KAAKrV,QACjB,KAAKqP,EAAkB2a,iBACrB,UAQO7sB,KAAKsb,UAAUuB,GAAO,EACrCiQ,qGAEE9sB,KAAK+sB,UACP/sB,KAAKgtB,aACHhtB,KAAK+sB,SAASlY,EACd7U,KAAK+sB,SAASjY,EACd9U,KAAK+sB,SAASvc,IACd,EACAxQ,KAAK+sB,SAASE,WAGlBjtB,KAAK+sB,SAAW,MACS,IAArB/sB,KAAKktB,YACPltB,KAAKwqB,MAAMC,UAAU3P,IAAI,iBACK,IAArB9a,KAAKktB,aACdltB,KAAKwqB,MAAMC,UAAUc,OAAO,gBAE9BvrB,KAAKktB,YAAc,MAGbxC,sBAAR,SAAkB3S,EAAsBgG,GAAxC,IACM+O,SACJ,oBAFsC/O,MAE9BhG,EAAM7T,MACZ,KAAK+N,EAAUwa,iBACf,KAAKxa,EAAUya,KACb,MACF,KAAKza,EAAU0a,OACbG,EAAS,WAMPrN,EAAKjE,QAAQzJ,KAAKO,EAAe6a,YAAapV,IAEhD,MACF,KAAK9F,EAAU6K,KACbgQ,EAAS,WACP,OAAArN,EAAKjE,QAAQzJ,KAAKO,EAAeqV,OAAQ,CACvCpa,MAAOwK,EAAMG,KAAK3K,MAClBC,OAAQuK,EAAMG,KAAK1K,UAEvB,MACF,KAAKyE,EAAU+X,aACb8C,EAAS,WACP,GAAIrN,EAAKmJ,mBACP,GAAInJ,EAAKmJ,oBAAsB7Q,EAG7B,YADA0H,EAAKmJ,mBAAoB,QAK3BnJ,EAAKmJ,mBAAoB,EAE3BnJ,EAAK2K,oBAAoBrS,EAAOgG,GAChC0B,EAAK4K,OAAOC,cAAetX,SAAS+E,EAAMG,KAAKqS,gBAEjD,MACF,KAAKtY,EAAUgG,oBACb6U,EAAS,mBAEP,GADArN,EAAK2N,iBAAiBrV,EAAOgG,IACzBA,IAIAhG,IAAU0H,EAAK4N,2BACjB5N,EAAK4N,yBAA2B,KAChC5N,EAAKkL,gBAEHlL,EAAKrG,OAAO6N,eAAiBxH,EAAK4N,0BAA0B,KAC9D,IAAqB,IAAArd,EAAA/P,EAAAwf,EAAKoJ,QAAQ1N,MAAMrF,QAAQ0G,sCAAQ,CAAnD,IAAM8Q,UACT,KAAIA,EAAO/U,WAAcR,EAAMQ,YAG3BkH,EAAK8N,kBAAkBD,GAAS,CAEhCA,EAAO/V,MAASQ,EAAMR,MA5fZ,IA8fRkI,EAAK0J,aAAahO,MAAMrF,QAAQ2G,MAAM5F,QAExC4I,EAAK4N,yBAA2BC,GAElC,yGAGJ,GAAI7N,EAAK4N,yBAA0B,CACjC,IAAMG,EACJ/N,EAAK4N,yBAAyB9V,MAASQ,EAAMR,MACzC+E,EAAU,CACdzF,MAAOT,KAAKqX,IACVrX,KAAKsX,MAAMF,EAzgBF,KA0gBT/N,EAAKrG,OAAO0N,WAGhBrH,EAAK0J,aAAavO,KAAK,CAAE1W,KAAM,eAAgBoY,YAC/CmD,EAAKjE,QAAQzJ,KAAKO,EAAeqb,UAAWrR,MA8CtD,OAvCsB,mBAChBwQ,GACFA,QAGF,IAAqB,IAAA9c,EAAA/P,EAAAwf,EAAKrG,OAAOwU,SAAW,kCAAI,SACvChc,QAAQmG,EAAOgG,EAAQ,CAAE8P,SAAUpO,sGAG5CA,EAAKoJ,QAAQjO,KAAK,CAAE1W,KAAM,aAAcoY,QAAS,CAAEvE,WAGnD,IAAI+V,EAAarO,EAAKoJ,QAAQ1N,MAAMrF,QAAQ0G,OAAO9c,OAAS,EAC5D,GAAIqY,IAAU0H,EAAKoJ,QAAQ1N,MAAMrF,QAAQ0G,OAAOsR,GAAa,CAC3D,IAAMC,EAAS,WACTD,EAAarO,EAAKoJ,QAAQ1N,MAAMrF,QAAQ0G,OAAO9c,OAAS,IAI5D+f,EAAKkL,eACLlL,EAAKoJ,QAAQjO,KAAK,OAClB6E,EAAKjE,QAAQzJ,KAAKO,EAAe0b,UAGjCjW,EAAM7T,OAAS+N,EAAUgG,qBACzBF,EAAMG,KAAKrV,SAAWqP,EAAkBiG,WACxCJ,EAAMG,KAAKG,UAAU3Y,OAGrByqB,YAAW,WACT4D,MACC3X,KAAK6X,IAAI,EAAyC,GAArClW,EAAMG,KAAKG,UAAU,GAAGpB,aAExC8W,IAIJtO,EAAKjE,QAAQzJ,KAAKO,EAAe4b,UAAWnW,KAKxC2S,gCAAR,SACE3S,EACAgG,kBAEA,gBAFAA,OAEK/d,KAAKqqB,OAAOgB,gBACf,OAAOtd,QAAQC,KAAK,gDAElB7O,OAAOoI,KAAKvH,KAAKmuB,4BAA4BzuB,QAC/CqO,QAAQC,KACN,oCACAhO,KAAKmuB,4BAGTnuB,KAAKmuB,2BAA6B,GAClC,IAAMC,EAA8B,GACpCpuB,KAAKuf,OAAOhb,IAAMsM,EAAQkH,EAAMG,KAAKzV,KAAM,CACzC6D,IAAKtG,KAAKqqB,OAAOgB,gBACjBpb,YAAa,SAACoe,GACZ5O,EAAK6O,+BAA+BF,EAAWC,IAEjD5jB,MAAOzK,KAAKyK,QACX,kBACU8jB,EAAiBF,GAC5BG,EAAKC,uBAAuBF,EAAiBF,GAC7CG,EAAKE,iBAAmBF,EAAKE,iBAAiB1jB,QAC5C,SAAC3K,GAAM,OAAAA,IAAMkuB,iBAHjB,IAA6C,IAAAI,EAAA1uB,EAAAmuB,kCAAlC,IAAApe,6IAML,IAAAS,EAA4BzQ,KAAKqqB,OAAOgB,gBAAtC3Y,oBAAiBkc,SACzB5uB,KAAKqnB,iBAAiB3U,EAAiBkc,GAClC5uB,KAAK6oB,QAAQ1N,MAAMpC,QAAQ,YAC9B/Y,KAAKqqB,OAAOgB,gBACTC,qBAAqB,QAAQ,GAC7Bb,UAAU3P,IAAI,gBAEnB9a,KAAKwb,QAAQzJ,KAAKO,EAAeuc,sBAAuB9W,GACnDgG,GACH/d,KAAK8uB,wBAEH9uB,KAAKoZ,OAAOmO,qBACdvnB,KAAK+uB,oBAIDrE,6BAAR,SACEhY,EACAkc,GAEA,IAAMI,EAAUzoB,SAASsG,cAAc,SACvC6F,EAAiBqY,aAAaiE,EAASJ,GACvC,IJtrB6CxH,EIsrBvC6H,GJtrBuC7H,EIurB3CpnB,KAAKoZ,OAAOgO,WJvrBsD,CACtE,WAAIA,mCACJ,2CIsrBI7lB,OAAOvB,KAAKoZ,OAAOiO,kBACjBrnB,KAAKoZ,OAAOoO,gBACdyH,EAAkBnuB,KAChB,2HAGJ,IAAK,IAAI8b,EAAM,EAAGA,EAAMqS,EAAkBvvB,OAAQkd,IAC/CoS,EAAQnM,MAAyBE,WAAWkM,EAAkBrS,GAAMA,IAIjE8N,mCAAR,SACE3L,EACAmQ,kBAEMd,EAA8B,GAEpC,IAAKc,EAAS7D,gBAEZ,IADA,IAAI8D,EAASD,EAASvZ,WACfwZ,GAAQ,CAEb,GAAInvB,KAAK8nB,kBAAkBtJ,IAAK2Q,GAA8B,CAC5D,IAAMhH,EAAQgH,EACRC,EAAapvB,KAAK8nB,kBAAkBld,IAAIud,GAC9CnoB,KAAKooB,kBAAkBD,EAAMiH,GAC7B,MAEFD,EAASA,EAAOxZ,WAGpB7F,EAAgBiP,EAAStc,KAAM,CAC7B6D,IAAK4oB,EAAS7D,gBACd9mB,IAAKvE,KAAKuf,OAAOhb,IACjBsH,SAAS,EACTkE,WAAW,EACXE,YAAa,SAACoe,GAEZ,GADA5O,EAAK6O,+BAA+BF,EAAWC,GAE7CA,EAAU9d,KAAKrM,OAASjF,EAASoN,SACQ,SAAzCgiB,EAAU9d,KAAKhE,QAAQ8iB,cACvB,CACM,IAAA/nB,EAA4B4nB,EAAS7D,gBAAnC3Y,oBAAiBkc,SACzBnP,EAAK4H,iBAAiB3U,EAAiBkc,KAG3CnkB,MAAOzK,KAAKyK,uBAED8jB,EAAiBF,GAC5BiB,EAAKb,uBAAuBF,EAAiBF,GAC7CiB,EAAKZ,iBAAmBY,EAAKZ,iBAAiB1jB,QAC5C,SAAC3K,GAAM,OAAAA,IAAMkuB,iBAHjB,IAA6C,IAAAgB,EAAAtvB,EAAAmuB,kCAAlC,IAAApe,+IAQL0a,2CAAR,SACE0D,EACAC,GAEA,GAAI7M,EAAc6M,GAAY,CAC5B,IAAME,EAAkBvuB,KAAK0uB,iBAAiB5E,MAC5C,SAACzpB,GAAM,OAAAA,EAAE6e,WAAamP,EAAU9d,KAAKC,MAEnC+d,GACFH,EAAUttB,KAAK,CAAEytB,kBAAiBF,gBAQhC3D,kCAAR,WAAA,aACQkE,YAAO5uB,KAAKqqB,OAAOgB,sCAAiBuD,KAC1C,GAAIA,EAAM,CACR,IACIY,EADEC,EAAqC,IAAI/U,IAE3CgV,EAAkB1vB,KAAK6oB,QAAQ1N,MAC7BwU,EAAe,WACnBD,EAAkBjQ,EAAKoJ,QAAQ1N,OAEjCnb,KAAKwb,QAAQ7J,GAAGW,EAAekZ,MAAOmE,GACtC3vB,KAAKwb,QAAQ7J,GAAGW,EAAemZ,MAAOkE,GACtC,IAAMC,EAAc,WAClBnQ,EAAKjE,QAAQ3J,IAAIS,EAAekZ,MAAOmE,GACvClQ,EAAKjE,QAAQ3J,IAAIS,EAAemZ,MAAOkE,IAEzCf,EACGiB,iBAAiB,0BACjBpoB,SAAQ,SAAC5F,GACHA,EAAIghB,QACP4M,EAAa3U,IAAIjZ,GACjBA,EAAIiuB,iBAAiB,QAAQ,WAC3BL,EAAazU,OAAOnZ,GAEM,IAAtB4tB,EAAaM,OAAyB,IAAXP,IACzBE,EAAgB3W,QAAQ,YAC1B0G,EAAK3R,KAAK2R,EAAKuQ,kBAEjBvQ,EAAKjE,QAAQzJ,KAAKO,EAAe2d,mBAC7BT,GACFU,aAAaV,GAEfI,YAMNH,EAAaM,KAAO,IAEtB/vB,KAAK6oB,QAAQjO,KAAK,CAAE1W,KAAM,UAC1BlE,KAAKwb,QAAQzJ,KAAKO,EAAe6d,qBACjCX,EAAQrF,YAAW,WACbuF,EAAgB3W,QAAQ,YAC1B0G,EAAK3R,KAAK2R,EAAKuQ,kBAGjBR,GAAS,EACTI,MACC5vB,KAAKoZ,OAAO4N,gBAKb0D,wBAAR,SAAoB9F,eAClB,IAAkB,IAAAwL,EAAAnwB,EAAA2kB,iCAAM,CAAnB,IAAMD,UACT,GAAKA,GAAsB,iBAARA,EAEZ,GAAI,YAAaA,GAAO,SAAUA,GACvC,GAAI3kB,KAAKqwB,YAAY1L,EAAIC,MAAO,OAAO,MAClC,CAAA,GAAI,YAAaD,GAAuB,qBAAhBA,EAAI2L,QACjC,OAAO,EACF,GAAI3L,aAAetjB,OACpBrB,KAAKqwB,YAAY1L,GAAM,OAAO,0GAGtC,OAAO,GAGD+F,yBAAR,SAAqB9F,WACb2L,EAAmB,OACzB,IAAkB,IAAAC,EAAAvwB,EAAA2kB,iCAAM,CAAnB,IAAMD,UACJA,GAAsB,iBAARA,IAER,YAAaA,GAAO,SAAUA,EACvC4L,EAAOzvB,WAAPyvB,SAAevwB,KAAKywB,aAAa9L,EAAIC,YAC5B,YAAaD,GAAuB,qBAAhBA,EAAI2L,QACjCC,EAAOzvB,KAAK6jB,EAAIzX,KACPyX,aAAetjB,OACxBkvB,EAAOzvB,WAAPyvB,SAAevwB,KAAKywB,aAAa9L,4GAGrC,OAAO4L,GAMD7F,6BAAR,0BACwB1qB,KAAK6oB,QAAQ1N,MACnC,IAAMuV,EAAe,WACDjR,EAAKoJ,QAAQ1N,OAEjCnb,KAAKwb,QAAQ7J,GAAGW,EAAekZ,MAAOkF,GACtC1wB,KAAKwb,QAAQ7J,GAAGW,EAAemZ,MAAOiF,kBAC3BC,GAEPA,EAAMzsB,OAAS+N,EAAUgG,qBACzB0Y,EAAMzY,KAAKrV,SAAWqP,EAAkB0e,iBAEpC,aAAcD,EAAMzY,KACtByY,EAAMzY,KAAK2Y,SAASppB,SAAQ,SAAC1D,GAAM,OAAA0b,EAAKqR,cAAc/sB,EAAG4sB,MAEzDI,EAAKD,cAAcH,EAAMzY,KAAMyY,gBARrC,IAAoB,IAAA3gB,EAAA/P,EAAAD,KAAK6oB,QAAQ1N,MAAMrF,QAAQ0G,sJAazCkO,0BAAR,SAAsBxS,EAA6BH,GAAnD,WACE,GACoB,cAAlBG,EAAKrT,UACmB,iBAAjBqT,EAAK0M,KAAK,IAChB5kB,KAAK0kB,SAASlG,IAAIzG,GAQV/X,KAAKqwB,YAAYnY,EAAK0M,OAC/B5kB,KAAKywB,aAAavY,EAAK0M,MAAMnd,SAAQ,SAACupB,GACpC,IAAMvjB,EAAQ,IAAI+X,MAClB/X,EAAMP,IAAM8jB,EACZvR,EAAKiF,SAASjZ,IAAIulB,EAAKvjB,UAXzB,CACA,IAAMwjB,EAAS1qB,SAASsG,cAAc,UAChCO,EAAM6jB,EAAO5jB,WAAW,MACxB6jB,EAAO9jB,MAAAA,SAAAA,EAAK+jB,gBAAgBF,EAAO1jB,MAAO0jB,EAAOzjB,QAC/C0jB,MAAAA,GAAAA,EAAMhZ,KACVkZ,KAAKxvB,MAAMsW,EAAK0M,KAAK,IACzBxX,MAAAA,GAAAA,EAAKikB,aAAaH,EAAO,EAAG,KAUxBxG,6BAAR,SACE9pB,EACAmd,GAFF,eAIgBtL,EAAM7R,OACpB,OAAQ6R,EAAE5P,QACR,KAAKqP,EAAkBkO,SACjBrC,IACFtL,EAAE6N,KAAK7Y,SAAQ,SAACpH,GAAM,OAAAof,EAAKoI,UAAU/M,IAAIza,MACzCoS,EAAE4M,MAAM5X,SAAQ,SAACpH,GACf,IAAMsZ,EAAS8F,EAAKF,OAAOjB,QAAQje,EAAEmQ,IAC/BtJ,EAAUyS,MAAAA,SAAAA,EAAQhE,WAGpBzO,GAAUuY,EAAKuI,qBAAqBxJ,IAAItX,IAC1CuY,EAAKuI,qBAAqBhN,OAAO9T,GAEnCuY,EAAKoI,UAAUyJ,KAAKjxB,MAEtBoS,EAAEjG,WAAW/E,SAAQ,SAACpH,GAAM,OAAAof,EAAKoI,UAAU0J,UAAUlxB,MACrDoS,EAAE4N,QAAQ5Y,SAAQ,SAACpH,GAAM,OAAAof,EAAKoI,UAAU0D,OAAOlrB,EAAGof,EAAKF,YAEzD,IACEvf,KAAKwxB,cAAc/e,EAAGsL,GACtB,MAAOhd,GACPf,KAAKgO,KAAK,gCAAyBjN,EAAM0wB,SAAW1wB,GAAS0R,GAE/D,MAEF,KAAKP,EAAkBwf,KACvB,KAAKxf,EAAkBwU,UACvB,KAAKxU,EAAkBiG,UACrB,GAAI4F,EAAQ,CACV,IAAM4T,EAAelf,EAAE4F,UAAU5F,EAAE4F,UAAU3Y,OAAS,GACtDM,KAAK+sB,SAAW,CACdlY,EAAG8c,EAAa9c,EAChBC,EAAG6c,EAAa7c,EAChBtE,GAAImhB,EAAanhB,GACjByc,UAAWxa,QAGbA,EAAE4F,UAAU5Q,SAAQ,SAAC9H,GACnB,IAAMoX,EAAS,CACbU,SAAU,WACRgI,EAAKuN,aAAartB,EAAEkV,EAAGlV,EAAEmV,EAAGnV,EAAE6Q,GAAIuN,EAAQtL,IAE5C8E,MACE5X,EAAEsX,WACFrW,EAAE2X,UACFkH,EAAKoJ,QAAQ1N,MAAMrF,QAAQkC,cAE/ByH,EAAKhD,MAAMyB,UAAUnH,MAGvB/W,KAAKyc,MAAMyB,UAAU,CACnBzG,sBACAF,MAAO3W,EAAE2W,iBAAS9E,EAAE4F,UAAU,yBAAIpB,cAGtC,MACF,KAAK/E,EAAkByU,iBAIrB,IAAc,IAAVlU,EAAEjC,GACJ,MAEF,IAAM2M,EAAQ,IAAIyU,MAAMzf,EAAkBM,EAAEvO,MAAM2tB,eAElD,KADMlY,EAAS3Z,KAAKuf,OAAOjB,QAAQ7L,EAAEjC,KAEnC,OAAOxQ,KAAK8xB,kBAAkBrf,EAAGA,EAAEjC,IAErCxQ,KAAKwb,QAAQzJ,KAAKO,EAAeqU,iBAAkB,CACjDziB,KAAMuO,EAAEvO,KACRyV,WAEM,IAAA2N,EAAiBtnB,KAAKoZ,oBAC9B,OAAQ3G,EAAEvO,MACR,KAAKiO,EAAkB4f,KACjB,SAAYpY,GACZA,EAAgCqY,OAEpC,MACF,KAAK7f,EAAkB8f,MACjB3K,GAAkB3N,EAAgCuY,OAClDvY,EAAgCuY,MAAM,CACtCC,eAAe,IAGnB,MACF,KAAKhgB,EAAkBigB,MACvB,KAAKjgB,EAAkByU,WACvB,KAAKzU,EAAkBkgB,SACjBtU,GACEtL,EAAEvO,OAASiO,EAAkByU,WAC/B5mB,KAAKktB,aAAc,EACVza,EAAEvO,OAASiO,EAAkBkgB,WACtCryB,KAAKktB,aAAc,GAErBltB,KAAK+sB,SAAW,CACdlY,EAAGpC,EAAEoC,EACLC,EAAGrC,EAAEqC,EACLtE,GAAIiC,EAAEjC,GACNyc,UAAWxa,KAGTA,EAAEvO,OAASiO,EAAkByU,aAE/B5mB,KAAKsyB,cAAc5yB,OAAS,GAE9BM,KAAKgtB,aAAava,EAAEoC,EAAGpC,EAAEqC,EAAGrC,EAAEjC,GAAIuN,EAAQtL,GACtCA,EAAEvO,OAASiO,EAAkBigB,OAS/BpyB,KAAKwqB,MAAMC,UAAUc,OAAO,UAEvBvrB,KAAKwqB,MAAM+H,YAChBvyB,KAAKwqB,MAAMC,UAAU3P,IAAI,WAChBrI,EAAEvO,OAASiO,EAAkByU,YACjC5mB,KAAKwqB,MAAM+H,YAChBvyB,KAAKwqB,MAAMC,UAAU3P,IAAI,iBAChBrI,EAAEvO,OAASiO,EAAkBkgB,UACtCryB,KAAKwqB,MAAMC,UAAUc,OAAO,iBAGhC,MACF,KAAKpZ,EAAkBqgB,YACjBzU,EACF/d,KAAKktB,aAAc,EAEnBltB,KAAKwqB,MAAMC,UAAUc,OAAO,gBAE9B,MACF,QACE5R,EAAO8Y,cAActV,GAEzB,MAEF,KAAKjL,EAAkBwgB,OAIrB,IAAc,IAAVjgB,EAAEjC,GACJ,MAEF,GAAIuN,EAAQ,CACV/d,KAAK6nB,UAAU9U,OAAON,GACtB,MAEFzS,KAAKyoB,YAAYhW,GAAG,GACpB,MAEF,KAAKP,EAAkBygB,eACrB3yB,KAAKwb,QAAQzJ,KAAKO,EAAeqV,OAAQ,CACvCpa,MAAOkF,EAAElF,MACTC,OAAQiF,EAAEjF,SAEZ,MACF,KAAK0E,EAAkB0gB,MAOrB,IAAc,IAAVngB,EAAEjC,GACJ,MAEF,GAAIuN,EAAQ,CACV/d,KAAK6nB,UAAUgL,MAAMpgB,GACrB,MAEFzS,KAAK2oB,WAAWlW,GAChB,MAEF,KAAKP,EAAkB2a,iBAErB,KADMlT,EAAS3Z,KAAKuf,OAAOjB,QAAQ7L,EAAEjC,KAEnC,OAAOxQ,KAAK8xB,kBAAkBrf,EAAGA,EAAEjC,IAErC,IAAMsiB,EAAWnZ,EACjB,IACMlH,EAAE7E,cACJklB,EAAQllB,YAAc6E,EAAE7E,aAEtB6E,EAAEsgB,SACJD,EAAQC,OAAStgB,EAAEsgB,QAEjBtgB,EAAEugB,QACJF,EAAQE,MAAQvgB,EAAEugB,WAEhBvgB,EAAEvO,MACJ4uB,EAAQ7kB,YAENwE,EAAEvO,MAKJ4uB,EAAQhlB,OAEV,MAAO/M,GACHf,KAAKoZ,OAAO8N,aACdnZ,QAAQC,KACN,+CAAwCjN,EAAM0wB,SAAW1wB,IAI/D,MAEF,KAAKmR,EAAkB+gB,eAErB,KADMtZ,EAAS3Z,KAAKuf,OAAOjB,QAAQ7L,EAAEjC,KAEnC,OAAOxQ,KAAK8xB,kBAAkBrf,EAAGA,EAAEjC,IAGrC,IAUI0iB,EAVElE,EAAWrV,EACXwZ,EAAUxZ,EAAOhE,WACjByd,EAAqBpzB,KAAK8nB,kBAAkBtJ,IAAI2U,GAOhDE,EAAaD,EAAqB,KAAOpE,EAAQnM,MAGlDwQ,IAOCrzB,KAAKgoB,qBAAqBxJ,IAAI7E,GAChCuZ,EAAQlzB,KAAKgoB,qBAAqBpd,IAAI+O,IAEtCuZ,EAAQ,GACRlzB,KAAKgoB,qBAAqBvc,IAAIkO,EAAQuZ,KAItCzgB,EAAE6N,MACJ7N,EAAE6N,KAAK7Y,SAAQ,SAACH,OAAE1D,SAAa4e,UAC7B,GAAI6Q,EACF,IACE,GAAIhyB,MAAMmG,QAAQgb,GAAc,CACxB,IAAAxS,EAAuBuS,GAC3BC,GADMnK,cAAWpN,UAGAoX,EACjBgR,EAAW/Q,SACXjK,GAES0K,WAAWnf,EAAMqH,OACvB,CACCA,OACY0I,IAAhB6O,OACI7O,EACAyC,KAAKqX,IAAIjL,EAAa6Q,EAAW/Q,SAAS5iB,QAChD2zB,EAAWtQ,WAAWnf,EAAMqH,IAE9B,MAAOrK,SAWTsyB,MAAAA,GAAAA,EAAOpyB,KAAK,CACV0J,QAAS5G,EACTqH,MAAOuX,EACPte,KAAMke,EAAcU,YAMxBrQ,EAAE4N,SACJ5N,EAAE4N,QAAQ5Y,SAAQ,SAACH,OAASkb,UAC1B,GAAI4Q,EACFF,MAAAA,GAAAA,EAAOpyB,KAAK,CAAEmK,MAAOuX,EAAate,KAAMke,EAAcY,cAEtD,IACE,GAAI3hB,MAAMmG,QAAQgb,GAAc,CACxB,IAAAxS,EAAuBuS,GAC3BC,GADMnK,cAAWpN,UAGAoX,EACjBgR,EAAY/Q,SACZjK,GAES4K,WAAWhY,GAAS,QAE/BooB,MAAAA,GAAAA,EAAYpQ,WAAWT,GAEzB,MAAO5hB,QAQf,MAEF,KAAKsR,EAAkBohB,iBAGrB,KADM3Z,EAAS3Z,KAAKuf,OAAOjB,QAAQ7L,EAAEjC,KAEnC,OAAOxQ,KAAK8xB,kBAAkBrf,EAAGA,EAAEjC,IAG/Bwe,EAAWrV,EAAjB,IACM4Z,EAAU5Z,EAAOhE,WAGjB6d,EAFqBxzB,KAAK8nB,kBAAkBtJ,IAAI+U,GAEd,KAAOvE,EAAQnM,MACnDrf,EAA2B,GAW/B,GATKgwB,IACCxzB,KAAKgoB,qBAAqBxJ,IAAI7E,GAChCnW,EAAQxD,KAAKgoB,qBAAqBpd,IAAI+O,IAEtCnW,EAAQ,GACRxD,KAAKgoB,qBAAqBvc,IAAIkO,EAAQnW,KAItCiP,EAAEhH,IACJ,GAAI+nB,EACYnR,EACZmR,EAAWhwB,MACXiP,EAAExH,OAEChF,MAAM2d,YAAYnR,EAAEhH,IAAI5G,SAAU4N,EAAEhH,IAAIlL,MAAOkS,EAAEhH,IAAIoY,eAE1DrgB,EAAM1C,QACJoD,KAAMke,EAAcuB,YACpB1Y,MAAOwH,EAAExH,OACNwH,EAAEhH,MAKX,GAAIgH,EAAE8Y,OACJ,GAAIiI,EACYnR,EACZmR,EAAWhwB,MACXiP,EAAExH,OAEChF,MAAM8d,eAAetR,EAAE8Y,OAAO1mB,eAEnCrB,EAAM1C,QACJoD,KAAMke,EAAc0B,eACpB7Y,MAAOwH,EAAExH,OACNwH,EAAE8Y,SAIX,MAEF,KAAKrZ,EAAkB0e,eACrB,IAAK5wB,KAAKoZ,OAAOmO,oBACf,OAEF,IAAM5N,EACN,KADMA,EAAS3Z,KAAKuf,OAAOjB,QAAQ7L,EAAEjC,KAEnC,OAAOxQ,KAAK8xB,kBAAkBrf,EAAGA,EAAEjC,cClvCNlJ,OACrCyQ,UACAgH,aACApF,WACA+K,aACAgB,iBAQA,IACE,IAAM+N,EACJ,aAAc1U,EAAWA,EAAS8R,SAAW,CAAC9R,GAE5C,CAAC3M,EAAcuT,MAAOvT,EAAcshB,QAAQ5N,SAAS/G,EAAS7a,MACzDuvB,EAAUhsB,SAAQ,SAACksB,GACxBlO,GAAc,CACZ1G,SAAU4U,EACVzvB,KAAM6a,EAAS7a,KACfyV,SACA+K,WACAgB,oBAKC+N,EAAUhsB,SAAQ,SAACksB,aCnCSrsB,OACrCyQ,UACAgH,aACApF,WACA+K,aACAgB,iBAQA,IACE,IAAMtY,EAAQuM,EAAyCtM,WAAW,MAElE,GAAI0R,EAAS6G,OAIX,YADCxY,EAAY2R,EAASla,UAAYka,EAAS6F,KAAK,IAGlD,IAAM9R,EAAW1F,EACf2R,EAASla,UAQX,GACwB,cAAtBka,EAASla,UACmB,iBAArBka,EAAS6F,KAAK,GACrB,CACA,IAAMnX,EAAQiX,EAAS9Z,IAAImN,GAC3BgH,EAAS6F,KAAK,GAAKnX,EACnBqF,EAAS/S,MAAMqN,EAAK2R,EAAS6F,WAE7B9R,EAAS/S,MAAMqN,EAAK2R,EAAS6F,MAE/B,MAAO7jB,GACP2kB,EAAa3G,EAAUhe,IDNrB6yB,CAAiB,CACf7b,QACAgH,SAAU4U,EACVha,SACA+K,WACAgB,oBAGJ,MAAO3kB,GACP2kB,EAAa3G,EAAUhe,ID8sCnB8yB,CAAe,CACb9b,MAAOnX,EACPme,SAAUtM,EACVkH,OAASA,EACT+K,SAAU1kB,KAAK0kB,SACfgB,aAAc1lB,KAAK8zB,yBAAyBvgB,KAAKvT,QAGnD,MAEF,KAAKkS,EAAkB6hB,KACrB,IACE,IAAMC,EAAW,IAAIC,SACnBxhB,EAAEyhB,OACFzhB,EAAE0hB,OAAS,IAAIjQ,WAAWkN,KAAKxvB,MAAM6Q,EAAE2hB,aAAe3hB,EAAE2hB,WACxD3hB,EAAE4hB,uBAEJr0B,KAAKqqB,OAAOgB,gCAAiBiJ,MAAMxZ,IAAIkZ,GACvC,MAAOjzB,GACHf,KAAKoZ,OAAO8N,aACdnZ,QAAQC,KAAKjN,MASf2pB,0BAAR,SAAsBjY,EAAiB8hB,kBACrC9hB,EAAE4N,QAAQ5Y,SAAQ,SAACsX,GACjB,IAAIpF,EAAS8F,EAAKF,OAAOjB,QAAQS,EAASvO,IAC1C,IAAKmJ,EAAQ,CACX,GAAIlH,EAAE4N,QAAQyJ,MAAK,SAACnpB,GAAM,OAAAA,EAAE6P,KAAOuO,EAASG,YAE1C,OAEF,OAAOO,EAAK+U,iBAAiB/hB,EAAGsM,EAASvO,IAEvCiP,EAAKuI,qBAAqBxJ,IAAI7E,IAChC8F,EAAKuI,qBAAqBhN,OAAOrB,GAEnC,IAAIzS,EAAoCuY,EAAKF,OAAOjB,QAClDS,EAASG,UAEX,IAAKhY,EACH,OAAOuY,EAAK+U,iBAAiB/hB,EAAGsM,EAASG,UAO3C,GALIH,EAASnO,UAAYsR,EAAchb,KACrCA,EAASA,EAAOiI,YAGlBsQ,EAAKF,OAAOhB,kBAAkB5E,GAC1BzS,EAAQ,CACV,IAAIutB,EAAa,KACXrF,EACJ,SAAUloB,EAASuY,EAAKqI,kBAAkBld,IAAI1D,QAAUyM,EACtDyb,GAAcA,EAAW9C,SAAS3S,GACpCzS,EAASkoB,EACA3P,EAAKqI,kBAAkBtJ,IAAI7E,KAKpC8a,EAAahV,EAAKqI,kBAAkBld,IAAI+O,GACxC8F,EAAKqI,kBAAkB9M,OAAOrB,GAC9BA,EAAS8a,GAEX,IACEvtB,EAAOsH,YAAYmL,GACnB,MAAO5Y,GACP,KAAIA,aAAiB2zB,cAUnB,MAAM3zB,EATN0e,EAAKzR,KACH,4CACA9G,EACAkoB,EACAzV,EACA8a,EACAhiB,QAUV,IAAMkiB,OACD30B,KAAKmuB,4BAEJtN,EAA6B,GAoB7B+T,EAAa,SAAC7V,eAClB,IAAKU,EAAK4K,OAAOgB,gBACf,OAAOtd,QAAQC,KAAK,gDAEtB,IAAI9G,EAAoCuY,EAAKF,OAAOjB,QAClDS,EAASG,UAEX,IAAKhY,EACH,OAAI6X,EAAStc,KAAKyB,OAASjF,EAAS6M,SAE3B2T,EAAKiP,iBAAiB5tB,KAAKie,GAE7B8B,EAAM/f,KAAKie,GAGpB,IAAI8V,EAAmB,KACnBpV,EAAK4K,OAAOgB,gBAAgBiB,SAC9BuI,EAAmBpV,EAAK4K,OAAOgB,gBAAgBiB,SAASplB,GAC/CuY,EAAK4K,OAAOgB,gBAAgBvX,KAAKwY,WAG1CuI,EAAmBpV,EAAK4K,OAAOgB,gBAAgBvX,KAAKwY,SAASplB,IAG/D,IAAM4tB,gBACF5tB,GAAmCokB,kDAAuB,UACzD5rB,QAAS,EAKd,GACE60B,GACAM,IACCrT,EAActa,KACd4tB,EACD,CACA,IAAMC,EAAiBxuB,SAASyuB,yBAOhC,IANAvV,EAAKF,OAAOhb,IAAIwa,EAASG,UAAY6V,EACrCtV,EAAKqI,kBAAkBrc,IAAIspB,EAAe7tB,GAG1CuY,EAAKwV,WAAW/tB,GAETA,EAAOkI,YACZ2lB,EAActmB,YAAYvH,EAAOkI,YAEnClI,EAAS6tB,EAGPhW,EAAStc,KAAKmO,WAEXsR,EAAchb,IACfA,EAAgCmI,aAAa,CAAEC,KAAM,SAElDpI,EAASA,EAAOiI,YAGzB,IAAI+lB,EAAwB,KACxB50B,EAAoB,KAOxB,GANIye,EAASoW,aACXD,EAAWzV,EAAKF,OAAOjB,QAAQS,EAASoW,aAEtCpW,EAASoC,SACX7gB,EAAOmf,EAAKF,OAAOjB,QAAQS,EAASoC,SAjFnB,SAACpC,GACpB,IAAIze,EAAoB,KAKxB,OAJIye,EAASoC,SACX7gB,EAAOmf,EAAKF,OAAOjB,QAAQS,EAASoC,SAIhB,OAApBpC,EAASoC,aACWxN,IAApBoL,EAASoC,SACY,IAArBpC,EAASoC,SACR7gB,EAyEC80B,CAAarW,GACf,OAAO8B,EAAM/f,KAAKie,GAGpB,IAAIA,EAAStc,KAAKyN,QAAWuP,EAAKF,OAAOjB,QAAQS,EAAStc,KAAKyN,QAA/D,CAIA,IAAMmlB,EAAYtW,EAAStc,KAAKyN,OAC5BuP,EAAKF,OAAOjB,QAAQS,EAAStc,KAAKyN,QAClCuP,EAAK4K,OAAOgB,gBAChB,GAAI7J,EAActa,GAChBuY,EAAKgP,uBAAuB1P,EAAU7X,OADxC,CAIA,IAAMyS,EAAS7J,EAAgBiP,EAAStc,KAAM,CAC5C6D,IAAK+uB,EACL9wB,IAAKkb,EAAKF,OAAOhb,IACjBwL,WAAW,EACXlE,SAAS,EACTpB,MAAOgV,EAAKhV,QAId,IAA6B,IAAzBsU,EAASoW,aAA0C,IAArBpW,EAASoC,OAA3C,CAQA,GACE,SAAUja,GACVA,EAAOqJ,KAAKrM,OAASjF,EAASoN,SACN,aAAxBnF,EAAOqJ,KAAKhE,SACZwS,EAAStc,KAAKyB,OAASjF,EAASsQ,SAIhC,IAAgB,IAAAkR,EAAAxgB,EAAAoB,MAAMH,KAAKgG,EAAOoH,2CAAa,CAA1C,IAAMvK,UACLA,EAAEtC,WAAayF,EAAOqH,WACxBrH,EAAOsH,YAAYzK,qGAKzB,GAAImxB,GAAYA,EAASI,aAAeJ,EAASI,YAAY3f,WAC3DzO,EAAO6jB,aAAapR,EAAQub,EAASI,kBAChC,GAAIh1B,GAAQA,EAAKqV,WAGtBzO,EAAOolB,SAAShsB,GACZ4G,EAAO6jB,aAAapR,EAAQrZ,GAC5B4G,EAAO6jB,aAAapR,EAAQ,UAC3B,CAIL,GAAIzS,IAAWmuB,EACb,KAAOA,EAAUjmB,YACfimB,EAAU7mB,YAAY6mB,EAAUjmB,YAIpClI,EAAOuH,YAAYkL,GAGrB,GAAI6H,EAAc7H,GAAS,CACzB,IAAM4b,EAAkB9V,EAAKiP,iBAAiB5E,MAC5C,SAACzpB,GAAM,OAAAA,EAAE6e,WAAavF,EAAOpJ,KAAKC,MAEhC+kB,IACF9V,EAAKgP,uBAAuB8G,EAAiB5b,GAC7C8F,EAAKiP,iBAAmBjP,EAAKiP,iBAAiB1jB,QAC5C,SAAC3K,GAAM,OAAAA,IAAMk1B,OAKfxW,EAASoW,YAAcpW,EAASoC,SAClC1B,EAAK+V,0BACHb,EACAztB,EACAyS,EACAoF,QA5DF4V,EAAsB5V,EAAStc,KAAK+N,IAAM,CACxC/N,KAAMkX,EACNoF,eA+DNtM,EAAE6N,KAAK7Y,SAAQ,SAACsX,GACd6V,EAAW7V,MAIb,IADA,IAAI5I,EAAY3C,KAAKH,MACdwN,EAAMnhB,QAAQ,CAEnB,IAAM+1B,EAAe7U,EAAoBC,GAEzC,GADAA,EAAMnhB,OAAS,EACX8T,KAAKH,MAAQ8C,EAAY,IAAK,CAChCnW,KAAKgO,KACH,2DACAynB,GAEF,UAEF,IAAmB,IAAAC,YAAAz1B,EAAAw1B,kCAAc,CAA5B,IAAMnW,UACItf,KAAKuf,OAAOjB,QAAQgB,EAAK/e,MAAM2e,UAO1CoC,EAAmBhC,GAAM,SAACP,GACxB6V,EAAW7V,MANb/e,KAAK21B,MACH,gEACArW,sGAUJngB,OAAOoI,KAAKotB,GAAuBj1B,QACrCP,OAAOC,OAAOY,KAAKmuB,2BAA4BwG,GAGjDliB,EAAE4M,MAAM5X,SAAQ,SAACsX,GACf,IAAIpF,EAAS8F,EAAKF,OAAOjB,QAAQS,EAASvO,IAC1C,IAAKmJ,EAAQ,CACX,GAAIlH,EAAE4N,QAAQyJ,MAAK,SAACnpB,GAAM,OAAAA,EAAE6P,KAAOuO,EAASvO,MAE1C,OAEF,OAAOiP,EAAK+U,iBAAiB/hB,EAAGsM,EAASvO,IAKvCiP,EAAKqI,kBAAkBtJ,IAAI7E,KAC7BA,EAAS8F,EAAKqI,kBAAkBld,IAAI+O,IAEtCA,EAAOlK,YAAcsP,EAASxe,SAEhCkS,EAAEjG,WAAW/E,SAAQ,SAACsX,GACpB,IAAIpF,EAAS8F,EAAKF,OAAOjB,QAAQS,EAASvO,IAC1C,IAAKmJ,EAAQ,CACX,GAAIlH,EAAE4N,QAAQyJ,MAAK,SAACnpB,GAAM,OAAAA,EAAE6P,KAAOuO,EAASvO,MAE1C,OAEF,OAAOiP,EAAK+U,iBAAiB/hB,EAAGsM,EAASvO,IAK3C,IAAK,IAAMolB,KAHPnW,EAAKqI,kBAAkBtJ,IAAI7E,KAC7BA,EAAS8F,EAAKqI,kBAAkBld,IAAI+O,IAEVoF,EAASvS,WACnC,GAA6B,iBAAlBopB,EAA4B,CACrC,IAAMr1B,EAAQwe,EAASvS,WAAWopB,GAClC,GAAc,OAAVr1B,EACAoZ,EAA4Bkc,gBAAgBD,QACzC,GAAqB,iBAAVr1B,EAChB,IACIoZ,EAA4BhM,aAAaioB,EAAer1B,GAC1D,MAAOQ,GACH0e,EAAKrG,OAAO8N,aACdnZ,QAAQC,KACN,qDACAjN,QAID,GAAsB,UAAlB60B,EAA2B,CACpC,IAAIE,EAAcv1B,EACZw1B,EAAYpc,EAClB,IAAK,IAAIra,KAAKw2B,EACZ,IAAuB,IAAnBA,EAAYx2B,GACdy2B,EAAS9vB,MAAM8d,eAAezkB,QACzB,GAAIw2B,EAAYx2B,aAAc+B,MAAO,CAC1C,IAAM20B,EAAMF,EAAYx2B,GACxBy2B,EAAS9vB,MAAM2d,YAAYtkB,EAAG02B,EAAI,GAAIA,EAAI,QACrC,CACL,IAAMC,EAAMH,EAAYx2B,GACxBy2B,EAAS9vB,MAAM2d,YAAYtkB,EAAG22B,UAepCvL,wBAAR,SAAoBjY,EAAesL,GACjC,IAAMpE,EAAS3Z,KAAKuf,OAAOjB,QAAQ7L,EAAEjC,IACrC,IAAKmJ,EACH,OAAO3Z,KAAK8xB,kBAAkBrf,EAAGA,EAAEjC,IAErC,GAAKmJ,IAAoB3Z,KAAKqqB,OAAOgB,gBACnCrrB,KAAKqqB,OAAOC,cAAetX,SAAS,CAClCkB,IAAKzB,EAAEqC,EACPf,KAAMtB,EAAEoC,EACRP,SAAUyJ,EAAS,OAAS,gBAEzB,GAAIpE,EAAOpJ,KAAKrM,OAASjF,EAAS6M,SAErC6N,EAAgCkI,YAAa7O,SAAS,CACtDkB,IAAKzB,EAAEqC,EACPf,KAAMtB,EAAEoC,EACRP,SAAUyJ,EAAS,OAAS,gBAG9B,IACIpE,EAA4BrI,UAAYmB,EAAEqC,EAC1C6E,EAA4BtI,WAAaoB,EAAEoC,EAC7C,MAAO9T,MASL2pB,uBAAR,SAAmBjY,GACjB,IAAMkH,EAAS3Z,KAAKuf,OAAOjB,QAAQ7L,EAAEjC,IACrC,IAAKmJ,EACH,OAAO3Z,KAAK8xB,kBAAkBrf,EAAGA,EAAEjC,IAErC,IACImJ,EAAqCuc,QAAUzjB,EAAE0jB,UACjDxc,EAAqCpZ,MAAQkS,EAAE6e,KACjD,MAAOvwB,MAKH2pB,sBAAR,SAAkBjY,EAAiBsM,GACjC,IAAMpF,EAAS3Z,KAAKuf,OAAOjB,QAAQ7L,EAAEjC,IACrC,IAAKmJ,EACH,OAAO3Z,KAAK8xB,kBAAkB/S,EAAUtM,EAAEjC,IAE5C,IACImJ,EAAgClK,YAAcgD,EAAElS,MAClD,MAAOQ,MAKH2pB,sCAAR,SACEnmB,EACA2C,EACAyS,EACAyc,GAEQ,IAAAjB,EAAuBiB,aAAXjV,EAAWiV,SACzBC,EAAgBlB,GAAc5wB,EAAI4wB,GAClCmB,EAAYnV,GAAU5c,EAAI4c,GAChC,GAAIkV,EAAe,CACX,IAAA/uB,EAAqB+uB,EAAnB5zB,SAAMsc,aACd7X,EAAO6jB,aAAatoB,EAAMkX,UACnBpV,EAAIwa,EAAStc,KAAK+N,WAClBxQ,KAAKmuB,2BAA2BpP,EAAStc,KAAK+N,KACjDuO,EAASoW,YAAcpW,EAASoC,SAClCnhB,KAAKw1B,0BAA0BjxB,EAAK2C,EAAQzE,EAAcsc,GAG9D,GAAIuX,EAAW,CACP,IAAAtmB,EAAqBsmB,EAAnB7zB,SAAMsc,aACd7X,EAAO6jB,aAAatoB,EAAMkX,EAAO2b,oBAC1B/wB,EAAIwa,EAAStc,KAAK+N,WAClBxQ,KAAKmuB,2BAA2BpP,EAAStc,KAAK+N,KACjDuO,EAASoW,YAAcpW,EAASoC,SAClCnhB,KAAKw1B,0BAA0BjxB,EAAK2C,EAAQzE,EAAcsc,KAKxD2L,yBAAR,SACE7V,EACAC,EACAtE,EACAuN,EACAkP,GAEA,IAAMtT,EAAS3Z,KAAKuf,OAAOjB,QAAQ9N,GACnC,IAAKmJ,EACH,OAAO3Z,KAAK8xB,kBAAkB7E,EAAWzc,GAG3C,IAAM+lB,EAAO9U,EAAiB9H,EAAQ3Z,KAAKqqB,QACrCmM,EAAK3hB,EAAI0hB,EAAKxU,cAAgBwU,EAAK1hB,EACnC4hB,EAAK3hB,EAAIyhB,EAAKxU,cAAgBwU,EAAKzhB,EAEzC9U,KAAKwqB,MAAMvkB,MAAM8N,KAAO,UAAGyiB,QAC3Bx2B,KAAKwqB,MAAMvkB,MAAMiO,IAAM,UAAGuiB,QACrB1Y,GACH/d,KAAK02B,cAAc,CAAE7hB,EAAG2hB,EAAI1hB,EAAG2hB,IAEjCz2B,KAAK22B,cAAehd,IAGd+Q,0BAAR,SAAsBpoB,GAAtB,WACE,GAAKtC,KAAKynB,UAAV,CAIM,IAAAngB,GACsB,IAA1BtH,KAAKoZ,OAAOqO,UACRrB,GACAjnB,OAAOC,OAAO,GAAIgnB,GAAwBpmB,KAAKoZ,OAAOqO,WAHpDnB,YAASC,cAAWC,gBAAaH,aAKnCuQ,EAAO,WACX,GAAKnX,EAAKgI,UAAV,CAGA,IAAMra,EAAMqS,EAAKgI,UAAUpa,WAAW,MACjCD,GAAQqS,EAAK6S,cAAc5yB,SAGhC0N,EAAIypB,UAAU,EAAG,EAAGpX,EAAKgI,UAAUla,MAAOkS,EAAKgI,UAAUja,QACzDJ,EAAI0pB,YACJ1pB,EAAImZ,UAAYA,EAChBnZ,EAAIkZ,QAAUA,EACdlZ,EAAIoZ,YAAcA,EAClBpZ,EAAI2pB,OAAOtX,EAAK6S,cAAc,GAAGzd,EAAG4K,EAAK6S,cAAc,GAAGxd,GAC1D2K,EAAK6S,cAAc7qB,SAAQ,SAAC9H,GAAM,OAAAyN,EAAI4pB,OAAOr3B,EAAEkV,EAAGlV,EAAEmV,MACpD1H,EAAI6pB,YAGNj3B,KAAKsyB,cAAcxxB,KAAKwB,GACxBs0B,IACAzM,YAAW,WACT1K,EAAK6S,cAAgB7S,EAAK6S,cAActnB,QAAO,SAACrL,GAAM,OAAAA,IAAM2C,KAC5Ds0B,MACCvQ,EAAWrmB,KAAKmpB,aAAahO,MAAMrF,QAAQ2G,MAAM5F,SAG9C6T,0BAAR,SAAsBvZ,mBACpBnR,KAAKqqB,OAAOgB,gCACRwE,iBAAiB,aAClBpoB,SAAQ,SAACyvB,GACRA,EAAUzM,UAAUc,OAAO,aAG/B,IADA,IAAI4L,EAA4BhmB,EACzBgmB,GACDA,EAAU1M,WACZ0M,EAAU1M,UAAU3P,IAAI,UAE1Bqc,EAAYA,EAAUC,eAIlB1M,8BAAR,SAA0B3S,GACxB,OAAIA,EAAM7T,OAAS+N,EAAUgG,sBAI3BF,EAAMG,KAAKrV,OAASqP,EAAkBkO,UACtCrI,EAAMG,KAAKrV,QAAUqP,EAAkB0gB,QAInClI,yBAAR,WACE1qB,KAAKqtB,yBAA2B,KAC5BrtB,KAAKmpB,aAAahO,MAAMpC,QAAQ,YAGpC/Y,KAAKmpB,aAAavO,KAAK,CAAE1W,KAAM,mBAC/BlE,KAAKwb,QAAQzJ,KAAKO,EAAe+kB,QAAS,CACxCxgB,MAAO7W,KAAKmpB,aAAahO,MAAMrF,QAAQsT,gBASnCsB,8BAAR,SAA0BvC,EAAajhB,GACrClH,KAAKuf,OAAOhb,IAAI2C,EAAOqJ,KAAKC,IAAMtJ,EAMhCA,EAAOqJ,KAAKrM,OAASjF,EAASoN,SACN,aAAxBnF,EAAOqJ,KAAKhE,SACZ4b,EAAK1Y,cAEHvI,EAA2C3G,MAAQ4nB,EAAK1Y,aAE5DvI,EAAOuH,YAAY0Z,GAEnBnoB,KAAKs3B,aAAapwB,IAQZwjB,uBAAR,SAAmBxjB,WACjB,GAAIA,GACEA,EAAOzF,WAAayF,EAAOxF,aAAc,CAC3C,IAAM01B,EAAiBlwB,GACnBkwB,EAAc/lB,YAAc+lB,EAAc9lB,YAE5CtR,KAAK+nB,gBAAgBtc,IAAIvE,EAAQ,CAC/B6L,OAAQ,CAACqkB,EAAc/lB,WAAY+lB,EAAc9lB,aAGvB,UAA1B8lB,EAAc7qB,kBHtqDxB6qB,EACApP,SAEA,IACE,IAAM7E,EAAW9hB,MAAMH,gBACpBk2B,EAAmCvU,4BAAOP,WAAY,IACvD/d,KAAI,SAACX,GAAS,OAAAA,EAAK4G,WACrBwd,EAAqBvc,IAAK2rB,EAAoC,CAC5D,CACElzB,KAAMke,EAAcc,SACpBC,cAGJ,MAAOviB,KG0pDD22B,CACEH,EACAp3B,KAAKgoB,sBAET,IAAM5I,EAAWgY,EAAchY,aAC/B,IAAoB,IAAApP,EAAA/P,EAAAoB,MAAMH,KAAKke,kCAAW,CAArC,IAAMhR,UACTpO,KAAKi1B,WAAY7mB,wGAUjBsc,yBAAR,SAAqBxjB,WACnB,GAAIA,EAAOzF,WAAayF,EAAOxF,aAAc,CAC3C,IAAM01B,EAAiBlwB,EACvB,GAAIlH,KAAK+nB,gBAAgBvJ,IAAItX,GAAS,CACpC,IAAMswB,EAAcx3B,KAAK+nB,gBAAgBnd,IAAI1D,GAEzCswB,EAAYzkB,SACdqkB,EAAc/lB,WAAammB,EAAYzkB,OAAO,GAC9CqkB,EAAc9lB,UAAYkmB,EAAYzkB,OAAO,IAE/C/S,KAAK+nB,gBAAgB/M,OAAO9T,GAE9B,IAAMkY,EAAWgY,EAAchY,aAC/B,IAAoB,IAAApP,EAAA/P,EAAAoB,MAAMH,KAAKke,kCAAW,CAArC,IAAMhR,UACTpO,KAAKs3B,aAAclpB,wGAKjBsc,6BAAR,SAAyBjoB,GACvB,IAAMkgB,EAAc3iB,KAAKgoB,qBAAqBpd,IAAInI,GAC5B,UAAlBA,EAAKg1B,WAIJ9U,GAMLD,GAA6BC,EAFVlgB,KAKbioB,6BAAR,SAAyBjY,EAAoBjC,GACvCxQ,KAAK6nB,UAAU6P,UAAUlnB,GAC3BxQ,KAAKgO,KAAK,wBAAiBwC,gCAAgCiC,GAE3DzS,KAAKgO,KAAK,wBAAiBwC,mBAAmBiC,IAI1CiY,qCAAR,SACEjY,EACA1R,GAEAf,KAAKgO,KAAK,6BAA8BjN,EAAO,mBAAoB0R,IAG7DiY,8BAAR,SAA0BjY,EAAoBjC,GAOxCxQ,KAAK6nB,UAAU6P,UAAUlnB,GAC3BxQ,KAAK21B,MACHxP,GACA,wBAAiB3V,gCACjBiC,GAGFzS,KAAK21B,MAAMxP,GAAuB,wBAAiB3V,mBAAmBiC,IAIlEiY,iBAAR,eAAa,aAAArjB,mBAAAA,IAAAud,kBACN5kB,KAAKoZ,OAAO8N,aAGjBnZ,QAAQC,WAARD,WAAaoY,MAA0BvB,SAGjC8F,kBAAR,eAAc,aAAArjB,mBAAAA,IAAAud,kBACP5kB,KAAKoZ,OAAO+N,WAIjBpZ,QAAQ4pB,UAAR5pB,WAAYoY,MAA0BvB,cG15DtCgT,GAAK1T,WAAY2T,GAAMC,YAAaC,GAAMC,YAE1CC,GAAO,IAAIL,GAAG,CAAC,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAgB,EAAG,EAAoB,IAG1IM,GAAO,IAAIN,GAAG,CAAC,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,GAAI,GAAI,GAAI,GAAI,GAAI,GAAI,GAAI,GAAiB,EAAG,IAEjIO,GAAO,IAAIP,GAAG,CAAC,GAAI,GAAI,GAAI,EAAG,EAAG,EAAG,EAAG,EAAG,GAAI,EAAG,GAAI,EAAG,GAAI,EAAG,GAAI,EAAG,GAAI,EAAG,KAE7EQ,GAAO,SAAUC,EAAI91B,GAErB,IADA,IAAI8I,EAAI,IAAIwsB,GAAI,IACPt4B,EAAI,EAAGA,EAAI,KAAMA,EACtB8L,EAAE9L,GAAKgD,GAAS,GAAK81B,EAAG94B,EAAI,GAGhC,IAAIoB,EAAI,IAAIo3B,GAAI1sB,EAAE,KAClB,IAAS9L,EAAI,EAAGA,EAAI,KAAMA,EACtB,IAAK,IAAIqa,EAAIvO,EAAE9L,GAAIqa,EAAIvO,EAAE9L,EAAI,KAAMqa,EAC/BjZ,EAAEiZ,GAAOA,EAAIvO,EAAE9L,IAAO,EAAKA,EAGnC,MAAO,CAAC8L,EAAG1K,IAEX2G,GAAK8wB,GAAKH,GAAM,GAAIK,GAAKhxB,GAAG,GAAIixB,GAAQjxB,GAAG,GAE/CgxB,GAAG,IAAM,IAAKC,GAAM,KAAO,GAI3B,QAHwBC,GAAfJ,GAAKF,GAAM,GAAY,GAE5BO,GAAM,IAAIZ,GAAI,OACTt4B,GAAI,EAAGA,GAAI,QAASA,GAAG,CAE5B,IAAIsV,IAAU,MAAJtV,MAAgB,GAAW,MAAJA,KAAe,EAEhDsV,IAAU,OADVA,IAAU,MAAJA,MAAgB,GAAW,MAAJA,KAAe,MACtB,GAAW,KAAJA,KAAe,EAC5C4jB,GAAIl5B,MAAY,MAAJsV,MAAgB,GAAW,IAAJA,KAAe,KAAQ,EAK9D,IAAI6jB,YAAkBC,EAAIC,EAAIj4B,GAO1B,IANA,IAAIrB,EAAIq5B,EAAGj5B,OAEPH,EAAI,EAEJ6B,EAAI,IAAIy2B,GAAIe,GAETr5B,EAAID,IAAKC,IACV6B,EAAEu3B,EAAGp5B,GAAK,GAEhB,IAIIs5B,EAJAC,EAAK,IAAIjB,GAAIe,GACjB,IAAKr5B,EAAI,EAAGA,EAAIq5B,IAAMr5B,EAClBu5B,EAAGv5B,GAAMu5B,EAAGv5B,EAAI,GAAK6B,EAAE7B,EAAI,IAAO,EAGtC,GAAIoB,EAAG,CAEHk4B,EAAK,IAAIhB,GAAI,GAAKe,GAElB,IAAIG,EAAM,GAAKH,EACf,IAAKr5B,EAAI,EAAGA,EAAID,IAAKC,EAEjB,GAAIo5B,EAAGp5B,GAQH,IANA,IAAIy5B,EAAMz5B,GAAK,EAAKo5B,EAAGp5B,GAEnB05B,EAAML,EAAKD,EAAGp5B,GAEdmI,EAAIoxB,EAAGH,EAAGp5B,GAAK,MAAQ05B,EAElB54B,EAAIqH,GAAM,GAAKuxB,GAAO,EAAIvxB,GAAKrH,IAAKqH,EAEzCmxB,EAAGJ,GAAI/wB,KAAOqxB,GAAOC,OAOjC,IADAH,EAAK,IAAIhB,GAAIv4B,GACRC,EAAI,EAAGA,EAAID,IAAKC,EACjBs5B,EAAGt5B,GAAKk5B,GAAIK,EAAGH,EAAGp5B,GAAK,QAAW,GAAKo5B,EAAGp5B,GAElD,OAAOs5B,GAGPK,GAAM,IAAItB,GAAG,KACjB,IAASr4B,GAAI,EAAGA,GAAI,MAAOA,GACvB25B,GAAI35B,IAAK,EACb,IAASA,GAAI,IAAKA,GAAI,MAAOA,GACzB25B,GAAI35B,IAAK,EACb,IAASA,GAAI,IAAKA,GAAI,MAAOA,GACzB25B,GAAI35B,IAAK,EACb,IAASA,GAAI,IAAKA,GAAI,MAAOA,GACzB25B,GAAI35B,IAAK,EAEb,IAAI45B,GAAM,IAAIvB,GAAG,IACjB,IAASr4B,GAAI,EAAGA,GAAI,KAAMA,GACtB45B,GAAI55B,IAAK,MAE4B65B,GAAqBV,GAAKQ,GAAK,EAAG,GAElCG,GAAqBX,GAAKS,GAAK,EAAG,GAEvElL,GAAM,SAAU7iB,GAEhB,IADA,IAAI/K,EAAI+K,EAAE,GACD7L,EAAI,EAAGA,EAAI6L,EAAE1L,SAAUH,EACxB6L,EAAE7L,GAAKc,IACPA,EAAI+K,EAAE7L,IAEd,OAAOc,GAGPi5B,GAAO,SAAU7mB,EAAG9S,EAAGU,GACvB,IAAIH,EAAKP,EAAI,GAAM,EACnB,OAAS8S,EAAEvS,GAAMuS,EAAEvS,EAAI,IAAM,MAAa,EAAJP,GAAUU,GAGhDk5B,GAAS,SAAU9mB,EAAG9S,GACtB,IAAIO,EAAKP,EAAI,GAAM,EACnB,OAAS8S,EAAEvS,GAAMuS,EAAEvS,EAAI,IAAM,EAAMuS,EAAEvS,EAAI,IAAM,OAAc,EAAJP,IAMzD65B,GAAM,SAAU9xB,EAAGpI,EAAGsB,IACb,MAALtB,GAAaA,EAAI,KACjBA,EAAI,IACC,MAALsB,GAAaA,EAAI8G,EAAEhI,UACnBkB,EAAI8G,EAAEhI,QAEV,IAAIF,EAAI,IAAKkI,aAAamwB,GAAMA,GAAMnwB,aAAaqwB,GAAMA,GAAMH,IAAIh3B,EAAItB,GAEvE,OADAE,EAAEiM,IAAI/D,EAAE+xB,SAASn6B,EAAGsB,IACbpB,GAsqCJ,SAASk6B,GAAWxhB,EAAMyhB,GAC7B,OApqCQ,SAAUC,EAAKC,EAAKC,GAE5B,IAAIC,EAAKH,EAAIl6B,OAETs6B,GAASH,GAAOC,EAEhBG,GAAQH,GAAMA,EAAGv6B,EAChBu6B,IACDA,EAAK,IAEJD,IACDA,EAAM,IAAIjC,GAAQ,EAALmC,IAEjB,IA3BiBp6B,EA2Bbu6B,EAAO,SAAU94B,GACjB,IAAI+4B,EAAKN,EAAIn6B,OAEb,GAAI0B,EAAI+4B,EAAI,CAER,IAAIC,EAAO,IAAIxC,GAAGxhB,KAAK6X,IAAS,EAALkM,EAAQ/4B,IACnCg5B,EAAK3uB,IAAIouB,GACTA,EAAMO,IAIVC,EAAQP,EAAG9gB,GAAK,EAAG/U,EAAM61B,EAAGn6B,GAAK,EAAG26B,EAAKR,EAAGzuB,GAAK,EAAGkvB,EAAKT,EAAG14B,EAAGo5B,EAAKV,EAAGrnB,EAAGgoB,EAAMX,EAAGz5B,EAAGq6B,EAAMZ,EAAGt6B,EAE/Fm7B,EAAY,EAALZ,EACX,EAAG,CACC,IAAKQ,EAAI,CAELT,EAAG9gB,EAAIqhB,EAAQf,GAAKM,EAAK31B,EAAK,GAE9B,IAAIC,EAAOo1B,GAAKM,EAAK31B,EAAM,EAAG,GAE9B,GADAA,GAAO,GACFC,EAAM,CAEP,IAAuB9C,EAAIw4B,GAAvBt6B,IAlDCK,EAkDQsE,GAlDU,GAAM,IAAU,EAAJtE,GAAS,GAkDxB,GAAe,GAAMi6B,EAAIt6B,EAAI,IAAM,EAAID,EAAIC,EAAI8B,EACnE,GAAI/B,EAAI06B,EAAI,CACR,GAAIE,EACA,KAAM,iBACV,MAGAD,GACAE,EAAKI,EAAKl5B,GAEdy4B,EAAIpuB,IAAImuB,EAAIH,SAASn6B,EAAGD,GAAIi7B,GAE5BR,EAAGzuB,EAAIivB,GAAMl5B,EAAG04B,EAAGn6B,EAAIsE,EAAU,EAAJ5E,EAC7B,SAEC,GAAY,GAAR6E,EACLq2B,EAAKnB,GAAMoB,EAAKnB,GAAMoB,EAAM,EAAGC,EAAM,MACpC,CAAA,GAAY,GAARx2B,EAqDL,KAAM,qBAnDN,IAAI02B,EAAOtB,GAAKM,EAAK31B,EAAK,IAAM,IAAK42B,EAAQvB,GAAKM,EAAK31B,EAAM,GAAI,IAAM,EACnE62B,EAAKF,EAAOtB,GAAKM,EAAK31B,EAAM,EAAG,IAAM,EACzCA,GAAO,GAKP,IAHA,IAAI82B,EAAM,IAAInD,GAAGkD,GAEbE,EAAM,IAAIpD,GAAG,IACRr4B,EAAI,EAAGA,EAAIs7B,IAASt7B,EAEzBy7B,EAAI7C,GAAK54B,IAAM+5B,GAAKM,EAAK31B,EAAU,EAAJ1E,EAAO,GAE1C0E,GAAe,EAAR42B,EAEP,IAAII,EAAMhN,GAAI+M,GAAME,GAAU,GAAKD,GAAO,EAC1C,IAAKhB,GAAQh2B,EAAM62B,GAAMG,EAAM,GAAKN,EAChC,MAEJ,IAAIQ,EAAMzC,GAAKsC,EAAKC,EAAK,GACzB,IAAS17B,EAAI,EAAGA,EAAIu7B,GAAK,CACrB,IAIIx7B,EAJAqB,EAAIw6B,EAAI7B,GAAKM,EAAK31B,EAAKi3B,IAM3B,GAJAj3B,GAAW,GAAJtD,GAEHrB,EAAIqB,IAAM,GAEN,GACJo6B,EAAIx7B,KAAOD,MAEV,CAED,IAAIyE,EAAI,EAAGvE,EAAI,EAOf,IANS,IAALF,GACAE,EAAI,EAAI85B,GAAKM,EAAK31B,EAAK,GAAIA,GAAO,EAAGF,EAAIg3B,EAAIx7B,EAAI,IACvC,IAALD,GACLE,EAAI,EAAI85B,GAAKM,EAAK31B,EAAK,GAAIA,GAAO,GACxB,IAAL3E,IACLE,EAAI,GAAK85B,GAAKM,EAAK31B,EAAK,KAAMA,GAAO,GAClCzE,KACHu7B,EAAIx7B,KAAOwE,GAIvB,IAAIq3B,EAAKL,EAAItB,SAAS,EAAGmB,GAAOS,EAAKN,EAAItB,SAASmB,GAElDH,EAAMxM,GAAImN,GAEVV,EAAMzM,GAAIoN,GACVd,EAAK7B,GAAK0C,EAAIX,EAAK,GACnBD,EAAK9B,GAAK2C,EAAIX,EAAK,GAIvB,GAAIz2B,EAAM02B,EACN,KAAM,iBAIVX,GACAE,EAAKI,EAAK,QAGd,IAFA,IAAIgB,GAAO,GAAKb,GAAO,EAAGc,GAAO,GAAKb,GAAO,EACzCc,EAAMf,EAAMC,EAAM,GACfT,GAAQh2B,EAAMu3B,EAAMb,GAAM,CAE7B,IAAoCc,GAAhC13B,EAAIw2B,EAAGhB,GAAOK,EAAK31B,GAAOq3B,MAAkB,EAEhD,IADAr3B,GAAW,GAAJF,GACG42B,EACN,KAAM,iBACV,IAAK52B,EACD,KAAM,yBACV,GAAI03B,EAAM,IACN5B,EAAIS,KAAQmB,MACX,CAAA,GAAW,KAAPA,EAAY,CACjBlB,EAAK,KACL,MAGA,IAAIzf,EAAM2gB,EAAM,IAEhB,GAAIA,EAAM,IAAK,CAEX,IAAmBpwB,EAAI4sB,GAAnB14B,EAAIk8B,EAAM,KACd3gB,EAAMwe,GAAKM,EAAK31B,GAAM,GAAKoH,GAAK,GAAKitB,GAAG/4B,GACxC0E,GAAOoH,EAGX,IAAIoH,EAAI+nB,EAAGjB,GAAOK,EAAK31B,GAAOs3B,GAAMG,EAAOjpB,IAAM,EACjD,IAAKA,EACD,KAAM,mBAOV,GANAxO,GAAW,GAAJwO,EACH4oB,EAAK7C,GAAGkD,GACRA,EAAO,IACHrwB,EAAI6sB,GAAKwD,GACbL,GAAM9B,GAAOK,EAAK31B,IAAS,GAAKoH,GAAK,EAAIpH,GAAOoH,GAEhDpH,EAAM02B,EACN,KAAM,iBACNX,GACAE,EAAKI,EAAK,QAEd,IADA,IAAI13B,EAAM03B,EAAKxf,EACRwf,EAAK13B,EAAK03B,GAAM,EACnBT,EAAIS,GAAMT,EAAIS,EAAKe,GACnBxB,EAAIS,EAAK,GAAKT,EAAIS,EAAK,EAAIe,GAC3BxB,EAAIS,EAAK,GAAKT,EAAIS,EAAK,EAAIe,GAC3BxB,EAAIS,EAAK,GAAKT,EAAIS,EAAK,EAAIe,GAE/Bf,EAAK13B,GAGbk3B,EAAG14B,EAAIm5B,EAAIT,EAAGn6B,EAAIsE,EAAK61B,EAAGzuB,EAAIivB,EAC1BC,IACAF,EAAQ,EAAGP,EAAGz5B,EAAIo6B,EAAKX,EAAGrnB,EAAI+nB,EAAIV,EAAGt6B,EAAIk7B,UACvCL,GACV,OAAOC,GAAMT,EAAIn6B,OAASm6B,EAAML,GAAIK,EAAK,EAAGS,GA6/BrCqB,EAvcD,SAAUlpB,GAChB,GAAmB,IAAP,GAAPA,EAAE,KAAkBA,EAAE,KAAO,EAAK,IAAOA,EAAE,IAAM,EAAIA,EAAE,IAAM,GAC9D,KAAM,oBACV,GAAW,GAAPA,EAAE,GACF,KAAM,uDAmcImpB,CAAI1jB,GAAOA,EAAKuhB,SAAS,GAAI,IAAKE,iCC3zCpB,SAACkC,GAC/B,GAAmB,iBAARA,EACT,OAAOA,EAET,IAEE,IADMj7B,EAAmBwwB,KAAKxvB,MAAMi6B,IAC9BtjB,UACJ,OAAO3X,EAET,MAAOG,IAGT,IACE,IAAMH,EAGN,GCXgB,QDQVA,EAA4BwwB,KAAKxvB,MDw8CpC,SAAmBg4B,EAAKkC,GAC3B,IAAIn7B,EAAI,GACR,IAAKm7B,GAAgC,oBAAfC,YAClB,OAAO,IAAIA,aAAcxW,OAAOqU,GACpC,IAAK,IAAIr6B,EAAI,EAAGA,EAAIq6B,EAAIl6B,QAAS,CAC7B,IAAIqE,EAAI61B,EAAIr6B,KACRwE,EAAI,KAAO+3B,EACXn7B,GAAK6rB,OAAOwP,aAAaj4B,GACpBA,EAAI,IACTpD,GAAK6rB,OAAOwP,cAAkB,GAAJj4B,IAAW,EAAgB,GAAX61B,EAAIr6B,MACzCwE,EAAI,IACTpD,GAAK6rB,OAAOwP,cAAkB,GAAJj4B,IAAW,IAAiB,GAAX61B,EAAIr6B,OAAc,EAAgB,GAAXq6B,EAAIr6B,OAEtEwE,IAAU,GAAJA,IAAW,IAAiB,GAAX61B,EAAIr6B,OAAc,IAAiB,GAAXq6B,EAAIr6B,OAAc,EAAgB,GAAXq6B,EAAIr6B,MAAc,MACpFoB,GAAK6rB,OAAOwP,aAAa,MAASj4B,GAAK,GAAK,MAAa,KAAJA,IAEjE,OAAOpD,ECv9CLs7B,CAAUvC,GDs6CT,SAAiBx3B,EAAK45B,GACzB,IAAI16B,EAAIc,EAAIxC,OACZ,IAAKo8B,GAAgC,oBAAfI,YAClB,OAAO,IAAIA,aAAcC,OAAOj6B,GAIpC,IAHA,IAAIrB,EAAK,IAAI+2B,GAAG11B,EAAIxC,QAAUwC,EAAIxC,SAAW,IACzC08B,EAAK,EACL5pB,EAAI,SAAU9K,GAAK7G,EAAGu7B,KAAQ10B,GACzBnI,EAAI,EAAGA,EAAI6B,IAAK7B,EAAG,CACxB,GAAI68B,EAAK,EAAIv7B,EAAGnB,OAAQ,CACpB,IAAIF,EAAI,IAAIo4B,GAAGwE,EAAK,GAAMh7B,EAAI7B,GAAM,IACpCC,EAAEiM,IAAI5K,GACNA,EAAKrB,EAET,IAAIuE,EAAI7B,EAAIiiB,WAAW5kB,GACnBwE,EAAI,KAAO+3B,EACXtpB,EAAEzO,GACGA,EAAI,MACTyO,EAAE,IAAOzO,IAAM,GAAKyO,EAAE,IAAW,GAAJzO,IACxBA,EAAI,OAASA,EAAI,OAElByO,EAAE,KADNzO,EAAI,OAAa,QAAJA,GAAyC,KAAtB7B,EAAIiiB,aAAa5kB,MAC9B,IAAMiT,EAAE,IAAQzO,IAAM,GAAM,IAAMyO,EAAE,IAAQzO,IAAM,EAAK,IAAMyO,EAAE,IAAW,GAAJzO,KAEzFyO,EAAE,IAAOzO,IAAM,IAAMyO,EAAE,IAAQzO,IAAM,EAAK,IAAMyO,EAAE,IAAW,GAAJzO,IAEjE,OAAOy1B,GAAI34B,EAAI,EAAGu7B,GC97CKC,CAAQR,GAAK,OAE9Bn0B,EACJ,OAAO9G,EAET,MAAM,IAAIsC,MACR,+CAAwCtC,EAAE8G,wDCf5B,WDiBhB,MAAO3G,GAEP,MADAgN,QAAQhN,MAAMA,GACR,IAAImC,MAAM"} +\ No newline at end of file +diff --git a/node_modules/rrweb/dist/replay/rrweb-replay.css b/node_modules/rrweb/dist/replay/rrweb-replay.css +new file mode 100755 +index 0000000..b459e51 +--- /dev/null ++++ b/node_modules/rrweb/dist/replay/rrweb-replay.css +@@ -0,0 +1,79 @@ ++.replayer-wrapper { ++ position: relative; ++} ++.replayer-mouse { ++ position: absolute; ++ width: 20px; ++ height: 20px; ++ transition: left 0.05s linear, top 0.05s linear; ++ background-size: contain; ++ background-position: center center; ++ background-repeat: no-repeat; ++ background-image: url('data:image/svg+xml;base64,PHN2ZyBoZWlnaHQ9JzMwMHB4JyB3aWR0aD0nMzAwcHgnICBmaWxsPSIjMDAwMDAwIiB4bWxucz0iaHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmciIGRhdGEtbmFtZT0iTGF5ZXIgMSIgdmlld0JveD0iMCAwIDUwIDUwIiB4PSIwcHgiIHk9IjBweCI+PHRpdGxlPkRlc2lnbl90bnA8L3RpdGxlPjxwYXRoIGQ9Ik00OC43MSw0Mi45MUwzNC4wOCwyOC4yOSw0NC4zMywxOEExLDEsMCwwLDAsNDQsMTYuMzlMMi4zNSwxLjA2QTEsMSwwLDAsMCwxLjA2LDIuMzVMMTYuMzksNDRhMSwxLDAsMCwwLDEuNjUuMzZMMjguMjksMzQuMDgsNDIuOTEsNDguNzFhMSwxLDAsMCwwLDEuNDEsMGw0LjM4LTQuMzhBMSwxLDAsMCwwLDQ4LjcxLDQyLjkxWm0tNS4wOSwzLjY3TDI5LDMyYTEsMSwwLDAsMC0xLjQxLDBsLTkuODUsOS44NUwzLjY5LDMuNjlsMzguMTIsMTRMMzIsMjcuNThBMSwxLDAsMCwwLDMyLDI5TDQ2LjU5LDQzLjYyWiI+PC9wYXRoPjwvc3ZnPg=='); ++ border-color: transparent; /* otherwise we transition from black when .touch-device class is added */ ++} ++.replayer-mouse::after { ++ content: ''; ++ display: inline-block; ++ width: 20px; ++ height: 20px; ++ background: rgb(73, 80, 246); ++ border-radius: 100%; ++ transform: translate(-50%, -50%); ++ opacity: 0.3; ++} ++.replayer-mouse.active::after { ++ animation: click 0.2s ease-in-out 1; ++} ++.replayer-mouse.touch-device { ++ background-image: none; /* there's no passive cursor on touch-only screens */ ++ width: 70px; ++ height: 70px; ++ border-width: 4px; ++ border-style: solid; ++ border-radius: 100%; ++ margin-left: -37px; ++ margin-top: -37px; ++ border-color: rgba(73, 80, 246, 0); ++ transition: left 0s linear, top 0s linear, border-color 0.2s ease-in-out; ++} ++.replayer-mouse.touch-device.touch-active { ++ border-color: rgba(73, 80, 246, 1); ++ transition: left 0.25s linear, top 0.25s linear, border-color 0.2s ease-in-out; ++} ++.replayer-mouse.touch-device::after { ++ opacity: 0; /* there's no passive cursor on touch-only screens */ ++} ++.replayer-mouse.touch-device.active::after { ++ animation: touch-click 0.2s ease-in-out 1; ++} ++.replayer-mouse-tail { ++ position: absolute; ++ pointer-events: none; ++} ++ ++@keyframes click { ++ 0% { ++ opacity: 0.3; ++ width: 20px; ++ height: 20px; ++ } ++ 50% { ++ opacity: 0.5; ++ width: 10px; ++ height: 10px; ++ } ++} ++ ++@keyframes touch-click { ++ 0% { ++ opacity: 0; ++ width: 20px; ++ height: 20px; ++ } ++ 50% { ++ opacity: 0.5; ++ width: 10px; ++ height: 10px; ++ } ++} +diff --git a/node_modules/rrweb/dist/replay/rrweb-replay.js b/node_modules/rrweb/dist/replay/rrweb-replay.js +old mode 100644 +new mode 100755 +diff --git a/node_modules/rrweb/dist/replay/rrweb-replay.min.css b/node_modules/rrweb/dist/replay/rrweb-replay.min.css +old mode 100644 +new mode 100755 +diff --git a/node_modules/rrweb/dist/replay/rrweb-replay.min.css.map b/node_modules/rrweb/dist/replay/rrweb-replay.min.css.map +old mode 100644 +new mode 100755 +diff --git a/node_modules/rrweb/dist/replay/rrweb-replay.min.js b/node_modules/rrweb/dist/replay/rrweb-replay.min.js +old mode 100644 +new mode 100755 +diff --git a/node_modules/rrweb/dist/replay/rrweb-replay.min.js.map b/node_modules/rrweb/dist/replay/rrweb-replay.min.js.map +old mode 100644 +new mode 100755 +index 22e3b26..dabb71a +--- a/node_modules/rrweb/dist/replay/rrweb-replay.min.js.map ++++ b/node_modules/rrweb/dist/replay/rrweb-replay.min.js.map +@@ -1 +1 @@ +-{"version":3,"file":"rrweb-replay.min.js","sources":["../../node_modules/tslib/tslib.es6.js","../../../rrweb-snapshot/es/rrweb-snapshot.js","../../../../node_modules/mitt/dist/mitt.es.js","../../../src/types.ts","../../../src/replay/smoothscroll.ts","../../../src/replay/timer.ts","../../../../node_modules/@xstate/fsm/es/index.js","../../../src/replay/machine.ts","../../../src/utils.ts","../../../src/replay/styles/inject-style.ts","../../../src/replay/virtual-styles.ts","../../../../node_modules/base64-arraybuffer/dist/base64-arraybuffer.es5.js","../../../src/replay/canvas/webgl.ts","../../../src/replay/index.ts","../../../src/replay/canvas/index.ts","../../../src/replay/canvas/2d.ts"],"sourcesContent":["/*! *****************************************************************************\r\nCopyright (c) Microsoft Corporation.\r\n\r\nPermission to use, copy, modify, and/or distribute this software for any\r\npurpose with or without fee is hereby granted.\r\n\r\nTHE SOFTWARE IS PROVIDED \"AS IS\" AND THE AUTHOR DISCLAIMS ALL WARRANTIES WITH\r\nREGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF MERCHANTABILITY\r\nAND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR ANY SPECIAL, DIRECT,\r\nINDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES WHATSOEVER RESULTING FROM\r\nLOSS OF USE, DATA OR PROFITS, WHETHER IN AN ACTION OF CONTRACT, NEGLIGENCE OR\r\nOTHER TORTIOUS ACTION, ARISING OUT OF OR IN CONNECTION WITH THE USE OR\r\nPERFORMANCE OF THIS SOFTWARE.\r\n***************************************************************************** */\r\n/* global Reflect, Promise */\r\n\r\nvar extendStatics = function(d, b) {\r\n extendStatics = Object.setPrototypeOf ||\r\n ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) ||\r\n function (d, b) { for (var p in b) if (Object.prototype.hasOwnProperty.call(b, p)) d[p] = b[p]; };\r\n return extendStatics(d, b);\r\n};\r\n\r\nexport function __extends(d, b) {\r\n if (typeof b !== \"function\" && b !== null)\r\n throw new TypeError(\"Class extends value \" + String(b) + \" is not a constructor or null\");\r\n extendStatics(d, b);\r\n function __() { this.constructor = d; }\r\n d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __());\r\n}\r\n\r\nexport var __assign = function() {\r\n __assign = Object.assign || function __assign(t) {\r\n for (var s, i = 1, n = arguments.length; i < n; i++) {\r\n s = arguments[i];\r\n for (var p in s) if (Object.prototype.hasOwnProperty.call(s, p)) t[p] = s[p];\r\n }\r\n return t;\r\n }\r\n return __assign.apply(this, arguments);\r\n}\r\n\r\nexport function __rest(s, e) {\r\n var t = {};\r\n for (var p in s) if (Object.prototype.hasOwnProperty.call(s, p) && e.indexOf(p) < 0)\r\n t[p] = s[p];\r\n if (s != null && typeof Object.getOwnPropertySymbols === \"function\")\r\n for (var i = 0, p = Object.getOwnPropertySymbols(s); i < p.length; i++) {\r\n if (e.indexOf(p[i]) < 0 && Object.prototype.propertyIsEnumerable.call(s, p[i]))\r\n t[p[i]] = s[p[i]];\r\n }\r\n return t;\r\n}\r\n\r\nexport function __decorate(decorators, target, key, desc) {\r\n var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d;\r\n if (typeof Reflect === \"object\" && typeof Reflect.decorate === \"function\") r = Reflect.decorate(decorators, target, key, desc);\r\n else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r;\r\n return c > 3 && r && Object.defineProperty(target, key, r), r;\r\n}\r\n\r\nexport function __param(paramIndex, decorator) {\r\n return function (target, key) { decorator(target, key, paramIndex); }\r\n}\r\n\r\nexport function __metadata(metadataKey, metadataValue) {\r\n if (typeof Reflect === \"object\" && typeof Reflect.metadata === \"function\") return Reflect.metadata(metadataKey, metadataValue);\r\n}\r\n\r\nexport function __awaiter(thisArg, _arguments, P, generator) {\r\n function adopt(value) { return value instanceof P ? value : new P(function (resolve) { resolve(value); }); }\r\n return new (P || (P = Promise))(function (resolve, reject) {\r\n function fulfilled(value) { try { step(generator.next(value)); } catch (e) { reject(e); } }\r\n function rejected(value) { try { step(generator[\"throw\"](value)); } catch (e) { reject(e); } }\r\n function step(result) { result.done ? resolve(result.value) : adopt(result.value).then(fulfilled, rejected); }\r\n step((generator = generator.apply(thisArg, _arguments || [])).next());\r\n });\r\n}\r\n\r\nexport function __generator(thisArg, body) {\r\n var _ = { label: 0, sent: function() { if (t[0] & 1) throw t[1]; return t[1]; }, trys: [], ops: [] }, f, y, t, g;\r\n return g = { next: verb(0), \"throw\": verb(1), \"return\": verb(2) }, typeof Symbol === \"function\" && (g[Symbol.iterator] = function() { return this; }), g;\r\n function verb(n) { return function (v) { return step([n, v]); }; }\r\n function step(op) {\r\n if (f) throw new TypeError(\"Generator is already executing.\");\r\n while (_) try {\r\n if (f = 1, y && (t = op[0] & 2 ? y[\"return\"] : op[0] ? y[\"throw\"] || ((t = y[\"return\"]) && t.call(y), 0) : y.next) && !(t = t.call(y, op[1])).done) return t;\r\n if (y = 0, t) op = [op[0] & 2, t.value];\r\n switch (op[0]) {\r\n case 0: case 1: t = op; break;\r\n case 4: _.label++; return { value: op[1], done: false };\r\n case 5: _.label++; y = op[1]; op = [0]; continue;\r\n case 7: op = _.ops.pop(); _.trys.pop(); continue;\r\n default:\r\n if (!(t = _.trys, t = t.length > 0 && t[t.length - 1]) && (op[0] === 6 || op[0] === 2)) { _ = 0; continue; }\r\n if (op[0] === 3 && (!t || (op[1] > t[0] && op[1] < t[3]))) { _.label = op[1]; break; }\r\n if (op[0] === 6 && _.label < t[1]) { _.label = t[1]; t = op; break; }\r\n if (t && _.label < t[2]) { _.label = t[2]; _.ops.push(op); break; }\r\n if (t[2]) _.ops.pop();\r\n _.trys.pop(); continue;\r\n }\r\n op = body.call(thisArg, _);\r\n } catch (e) { op = [6, e]; y = 0; } finally { f = t = 0; }\r\n if (op[0] & 5) throw op[1]; return { value: op[0] ? op[1] : void 0, done: true };\r\n }\r\n}\r\n\r\nexport var __createBinding = Object.create ? (function(o, m, k, k2) {\r\n if (k2 === undefined) k2 = k;\r\n Object.defineProperty(o, k2, { enumerable: true, get: function() { return m[k]; } });\r\n}) : (function(o, m, k, k2) {\r\n if (k2 === undefined) k2 = k;\r\n o[k2] = m[k];\r\n});\r\n\r\nexport function __exportStar(m, o) {\r\n for (var p in m) if (p !== \"default\" && !Object.prototype.hasOwnProperty.call(o, p)) __createBinding(o, m, p);\r\n}\r\n\r\nexport function __values(o) {\r\n var s = typeof Symbol === \"function\" && Symbol.iterator, m = s && o[s], i = 0;\r\n if (m) return m.call(o);\r\n if (o && typeof o.length === \"number\") return {\r\n next: function () {\r\n if (o && i >= o.length) o = void 0;\r\n return { value: o && o[i++], done: !o };\r\n }\r\n };\r\n throw new TypeError(s ? \"Object is not iterable.\" : \"Symbol.iterator is not defined.\");\r\n}\r\n\r\nexport function __read(o, n) {\r\n var m = typeof Symbol === \"function\" && o[Symbol.iterator];\r\n if (!m) return o;\r\n var i = m.call(o), r, ar = [], e;\r\n try {\r\n while ((n === void 0 || n-- > 0) && !(r = i.next()).done) ar.push(r.value);\r\n }\r\n catch (error) { e = { error: error }; }\r\n finally {\r\n try {\r\n if (r && !r.done && (m = i[\"return\"])) m.call(i);\r\n }\r\n finally { if (e) throw e.error; }\r\n }\r\n return ar;\r\n}\r\n\r\n/** @deprecated */\r\nexport function __spread() {\r\n for (var ar = [], i = 0; i < arguments.length; i++)\r\n ar = ar.concat(__read(arguments[i]));\r\n return ar;\r\n}\r\n\r\n/** @deprecated */\r\nexport function __spreadArrays() {\r\n for (var s = 0, i = 0, il = arguments.length; i < il; i++) s += arguments[i].length;\r\n for (var r = Array(s), k = 0, i = 0; i < il; i++)\r\n for (var a = arguments[i], j = 0, jl = a.length; j < jl; j++, k++)\r\n r[k] = a[j];\r\n return r;\r\n}\r\n\r\nexport function __spreadArray(to, from, pack) {\r\n if (pack || arguments.length === 2) for (var i = 0, l = from.length, ar; i < l; i++) {\r\n if (ar || !(i in from)) {\r\n if (!ar) ar = Array.prototype.slice.call(from, 0, i);\r\n ar[i] = from[i];\r\n }\r\n }\r\n return to.concat(ar || Array.prototype.slice.call(from));\r\n}\r\n\r\nexport function __await(v) {\r\n return this instanceof __await ? (this.v = v, this) : new __await(v);\r\n}\r\n\r\nexport function __asyncGenerator(thisArg, _arguments, generator) {\r\n if (!Symbol.asyncIterator) throw new TypeError(\"Symbol.asyncIterator is not defined.\");\r\n var g = generator.apply(thisArg, _arguments || []), i, q = [];\r\n return i = {}, verb(\"next\"), verb(\"throw\"), verb(\"return\"), i[Symbol.asyncIterator] = function () { return this; }, i;\r\n function verb(n) { if (g[n]) i[n] = function (v) { return new Promise(function (a, b) { q.push([n, v, a, b]) > 1 || resume(n, v); }); }; }\r\n function resume(n, v) { try { step(g[n](v)); } catch (e) { settle(q[0][3], e); } }\r\n function step(r) { r.value instanceof __await ? Promise.resolve(r.value.v).then(fulfill, reject) : settle(q[0][2], r); }\r\n function fulfill(value) { resume(\"next\", value); }\r\n function reject(value) { resume(\"throw\", value); }\r\n function settle(f, v) { if (f(v), q.shift(), q.length) resume(q[0][0], q[0][1]); }\r\n}\r\n\r\nexport function __asyncDelegator(o) {\r\n var i, p;\r\n return i = {}, verb(\"next\"), verb(\"throw\", function (e) { throw e; }), verb(\"return\"), i[Symbol.iterator] = function () { return this; }, i;\r\n function verb(n, f) { i[n] = o[n] ? function (v) { return (p = !p) ? { value: __await(o[n](v)), done: n === \"return\" } : f ? f(v) : v; } : f; }\r\n}\r\n\r\nexport function __asyncValues(o) {\r\n if (!Symbol.asyncIterator) throw new TypeError(\"Symbol.asyncIterator is not defined.\");\r\n var m = o[Symbol.asyncIterator], i;\r\n return m ? m.call(o) : (o = typeof __values === \"function\" ? __values(o) : o[Symbol.iterator](), i = {}, verb(\"next\"), verb(\"throw\"), verb(\"return\"), i[Symbol.asyncIterator] = function () { return this; }, i);\r\n function verb(n) { i[n] = o[n] && function (v) { return new Promise(function (resolve, reject) { v = o[n](v), settle(resolve, reject, v.done, v.value); }); }; }\r\n function settle(resolve, reject, d, v) { Promise.resolve(v).then(function(v) { resolve({ value: v, done: d }); }, reject); }\r\n}\r\n\r\nexport function __makeTemplateObject(cooked, raw) {\r\n if (Object.defineProperty) { Object.defineProperty(cooked, \"raw\", { value: raw }); } else { cooked.raw = raw; }\r\n return cooked;\r\n};\r\n\r\nvar __setModuleDefault = Object.create ? (function(o, v) {\r\n Object.defineProperty(o, \"default\", { enumerable: true, value: v });\r\n}) : function(o, v) {\r\n o[\"default\"] = v;\r\n};\r\n\r\nexport function __importStar(mod) {\r\n if (mod && mod.__esModule) return mod;\r\n var result = {};\r\n if (mod != null) for (var k in mod) if (k !== \"default\" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding(result, mod, k);\r\n __setModuleDefault(result, mod);\r\n return result;\r\n}\r\n\r\nexport function __importDefault(mod) {\r\n return (mod && mod.__esModule) ? mod : { default: mod };\r\n}\r\n\r\nexport function __classPrivateFieldGet(receiver, state, kind, f) {\r\n if (kind === \"a\" && !f) throw new TypeError(\"Private accessor was defined without a getter\");\r\n if (typeof state === \"function\" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError(\"Cannot read private member from an object whose class did not declare it\");\r\n return kind === \"m\" ? f : kind === \"a\" ? f.call(receiver) : f ? f.value : state.get(receiver);\r\n}\r\n\r\nexport function __classPrivateFieldSet(receiver, state, value, kind, f) {\r\n if (kind === \"m\") throw new TypeError(\"Private method is not writable\");\r\n if (kind === \"a\" && !f) throw new TypeError(\"Private accessor was defined without a setter\");\r\n if (typeof state === \"function\" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError(\"Cannot write private member to an object whose class did not declare it\");\r\n return (kind === \"a\" ? f.call(receiver, value) : f ? f.value = value : state.set(receiver, value)), value;\r\n}\r\n","var NodeType;\n(function (NodeType) {\n NodeType[NodeType[\"Document\"] = 0] = \"Document\";\n NodeType[NodeType[\"DocumentType\"] = 1] = \"DocumentType\";\n NodeType[NodeType[\"Element\"] = 2] = \"Element\";\n NodeType[NodeType[\"Text\"] = 3] = \"Text\";\n NodeType[NodeType[\"CDATA\"] = 4] = \"CDATA\";\n NodeType[NodeType[\"Comment\"] = 5] = \"Comment\";\n})(NodeType || (NodeType = {}));\n\nfunction isElement(n) {\n return n.nodeType === n.ELEMENT_NODE;\n}\nfunction isShadowRoot(n) {\n var _a;\n var host = (_a = n) === null || _a === void 0 ? void 0 : _a.host;\n return Boolean(host && host.shadowRoot && host.shadowRoot === n);\n}\nfunction maskInputValue(_a) {\n var maskInputOptions = _a.maskInputOptions, tagName = _a.tagName, type = _a.type, value = _a.value, maskInputFn = _a.maskInputFn;\n var text = value || '';\n if (maskInputOptions[tagName.toLowerCase()] ||\n maskInputOptions[type]) {\n if (maskInputFn) {\n text = maskInputFn(text);\n }\n else {\n text = '*'.repeat(text.length);\n }\n }\n return text;\n}\nvar ORIGINAL_ATTRIBUTE_NAME = '__rrweb_original__';\nfunction is2DCanvasBlank(canvas) {\n var ctx = canvas.getContext('2d');\n if (!ctx)\n return true;\n var chunkSize = 50;\n for (var x = 0; x < canvas.width; x += chunkSize) {\n for (var y = 0; y < canvas.height; y += chunkSize) {\n var getImageData = ctx.getImageData;\n var originalGetImageData = ORIGINAL_ATTRIBUTE_NAME in getImageData\n ? getImageData[ORIGINAL_ATTRIBUTE_NAME]\n : getImageData;\n var pixelBuffer = new Uint32Array(originalGetImageData.call(ctx, x, y, Math.min(chunkSize, canvas.width - x), Math.min(chunkSize, canvas.height - y)).data.buffer);\n if (pixelBuffer.some(function (pixel) { return pixel !== 0; }))\n return false;\n }\n }\n return true;\n}\n\nvar _id = 1;\nvar tagNameRegex = new RegExp('[^a-z0-9-_:]');\nvar IGNORED_NODE = -2;\nfunction genId() {\n return _id++;\n}\nfunction getValidTagName(element) {\n if (element instanceof HTMLFormElement) {\n return 'form';\n }\n var processedTagName = element.tagName.toLowerCase().trim();\n if (tagNameRegex.test(processedTagName)) {\n return 'div';\n }\n return processedTagName;\n}\nfunction getCssRulesString(s) {\n try {\n var rules = s.rules || s.cssRules;\n return rules ? Array.from(rules).map(getCssRuleString).join('') : null;\n }\n catch (error) {\n return null;\n }\n}\nfunction getCssRuleString(rule) {\n var cssStringified = rule.cssText;\n if (isCSSImportRule(rule)) {\n try {\n cssStringified = getCssRulesString(rule.styleSheet) || cssStringified;\n }\n catch (_a) {\n }\n }\n return cssStringified;\n}\nfunction isCSSImportRule(rule) {\n return 'styleSheet' in rule;\n}\nfunction stringifyStyleSheet(sheet) {\n return sheet.cssRules\n ? Array.from(sheet.cssRules)\n .map(function (rule) { return rule.cssText || ''; })\n .join('')\n : '';\n}\nfunction extractOrigin(url) {\n var origin = '';\n if (url.indexOf('//') > -1) {\n origin = url.split('/').slice(0, 3).join('/');\n }\n else {\n origin = url.split('/')[0];\n }\n origin = origin.split('?')[0];\n return origin;\n}\nvar canvasService;\nvar canvasCtx;\nvar URL_IN_CSS_REF = /url\\((?:(')([^']*)'|(\")(.*?)\"|([^)]*))\\)/gm;\nvar RELATIVE_PATH = /^(?!www\\.|(?:http|ftp)s?:\\/\\/|[A-Za-z]:\\\\|\\/\\/|#).*/;\nvar DATA_URI = /^(data:)([^,]*),(.*)/i;\nfunction absoluteToStylesheet(cssText, href) {\n return (cssText || '').replace(URL_IN_CSS_REF, function (origin, quote1, path1, quote2, path2, path3) {\n var filePath = path1 || path2 || path3;\n var maybeQuote = quote1 || quote2 || '';\n if (!filePath) {\n return origin;\n }\n if (!RELATIVE_PATH.test(filePath)) {\n return \"url(\" + maybeQuote + filePath + maybeQuote + \")\";\n }\n if (DATA_URI.test(filePath)) {\n return \"url(\" + maybeQuote + filePath + maybeQuote + \")\";\n }\n if (filePath[0] === '/') {\n return \"url(\" + maybeQuote + (extractOrigin(href) + filePath) + maybeQuote + \")\";\n }\n var stack = href.split('/');\n var parts = filePath.split('/');\n stack.pop();\n for (var _i = 0, parts_1 = parts; _i < parts_1.length; _i++) {\n var part = parts_1[_i];\n if (part === '.') {\n continue;\n }\n else if (part === '..') {\n stack.pop();\n }\n else {\n stack.push(part);\n }\n }\n return \"url(\" + maybeQuote + stack.join('/') + maybeQuote + \")\";\n });\n}\nvar SRCSET_NOT_SPACES = /^[^ \\t\\n\\r\\u000c]+/;\nvar SRCSET_COMMAS_OR_SPACES = /^[, \\t\\n\\r\\u000c]+/;\nfunction getAbsoluteSrcsetString(doc, attributeValue) {\n if (attributeValue.trim() === '') {\n return attributeValue;\n }\n var pos = 0;\n function collectCharacters(regEx) {\n var chars;\n var match = regEx.exec(attributeValue.substring(pos));\n if (match) {\n chars = match[0];\n pos += chars.length;\n return chars;\n }\n return '';\n }\n var output = [];\n while (true) {\n collectCharacters(SRCSET_COMMAS_OR_SPACES);\n if (pos >= attributeValue.length) {\n break;\n }\n var url = collectCharacters(SRCSET_NOT_SPACES);\n if (url.slice(-1) === ',') {\n url = absoluteToDoc(doc, url.substring(0, url.length - 1));\n output.push(url);\n }\n else {\n var descriptorsStr = '';\n url = absoluteToDoc(doc, url);\n var inParens = false;\n while (true) {\n var c = attributeValue.charAt(pos);\n if (c === '') {\n output.push((url + descriptorsStr).trim());\n break;\n }\n else if (!inParens) {\n if (c === ',') {\n pos += 1;\n output.push((url + descriptorsStr).trim());\n break;\n }\n else if (c === '(') {\n inParens = true;\n }\n }\n else {\n if (c === ')') {\n inParens = false;\n }\n }\n descriptorsStr += c;\n pos += 1;\n }\n }\n }\n return output.join(', ');\n}\nfunction absoluteToDoc(doc, attributeValue) {\n if (!attributeValue || attributeValue.trim() === '') {\n return attributeValue;\n }\n var a = doc.createElement('a');\n a.href = attributeValue;\n return a.href;\n}\nfunction isSVGElement(el) {\n return Boolean(el.tagName === 'svg' || el.ownerSVGElement);\n}\nfunction getHref() {\n var a = document.createElement('a');\n a.href = '';\n return a.href;\n}\nfunction transformAttribute(doc, tagName, name, value) {\n if (name === 'src' || (name === 'href' && value)) {\n return absoluteToDoc(doc, value);\n }\n else if (name === 'xlink:href' && value && value[0] !== '#') {\n return absoluteToDoc(doc, value);\n }\n else if (name === 'background' &&\n value &&\n (tagName === 'table' || tagName === 'td' || tagName === 'th')) {\n return absoluteToDoc(doc, value);\n }\n else if (name === 'srcset' && value) {\n return getAbsoluteSrcsetString(doc, value);\n }\n else if (name === 'style' && value) {\n return absoluteToStylesheet(value, getHref());\n }\n else if (tagName === 'object' && name === 'data' && value) {\n return absoluteToDoc(doc, value);\n }\n else {\n return value;\n }\n}\nfunction _isBlockedElement(element, blockClass, blockSelector) {\n if (typeof blockClass === 'string') {\n if (element.classList.contains(blockClass)) {\n return true;\n }\n }\n else {\n for (var eIndex = 0; eIndex < element.classList.length; eIndex++) {\n var className = element.classList[eIndex];\n if (blockClass.test(className)) {\n return true;\n }\n }\n }\n if (blockSelector) {\n return element.matches(blockSelector);\n }\n return false;\n}\nfunction needMaskingText(node, maskTextClass, maskTextSelector) {\n if (!node) {\n return false;\n }\n if (node.nodeType === node.ELEMENT_NODE) {\n if (typeof maskTextClass === 'string') {\n if (node.classList.contains(maskTextClass)) {\n return true;\n }\n }\n else {\n for (var eIndex = 0; eIndex < node.classList.length; eIndex++) {\n var className = node.classList[eIndex];\n if (maskTextClass.test(className)) {\n return true;\n }\n }\n }\n if (maskTextSelector) {\n if (node.matches(maskTextSelector)) {\n return true;\n }\n }\n return needMaskingText(node.parentNode, maskTextClass, maskTextSelector);\n }\n if (node.nodeType === node.TEXT_NODE) {\n return needMaskingText(node.parentNode, maskTextClass, maskTextSelector);\n }\n return needMaskingText(node.parentNode, maskTextClass, maskTextSelector);\n}\nfunction onceIframeLoaded(iframeEl, listener, iframeLoadTimeout) {\n var win = iframeEl.contentWindow;\n if (!win) {\n return;\n }\n var fired = false;\n var readyState;\n try {\n readyState = win.document.readyState;\n }\n catch (error) {\n return;\n }\n if (readyState !== 'complete') {\n var timer_1 = setTimeout(function () {\n if (!fired) {\n listener();\n fired = true;\n }\n }, iframeLoadTimeout);\n iframeEl.addEventListener('load', function () {\n clearTimeout(timer_1);\n fired = true;\n listener();\n });\n return;\n }\n var blankUrl = 'about:blank';\n if (win.location.href !== blankUrl ||\n iframeEl.src === blankUrl ||\n iframeEl.src === '') {\n setTimeout(listener, 0);\n return;\n }\n iframeEl.addEventListener('load', listener);\n}\nfunction serializeNode(n, options) {\n var _a;\n var doc = options.doc, blockClass = options.blockClass, blockSelector = options.blockSelector, maskTextClass = options.maskTextClass, maskTextSelector = options.maskTextSelector, inlineStylesheet = options.inlineStylesheet, _b = options.maskInputOptions, maskInputOptions = _b === void 0 ? {} : _b, maskTextFn = options.maskTextFn, maskInputFn = options.maskInputFn, _c = options.dataURLOptions, dataURLOptions = _c === void 0 ? {} : _c, inlineImages = options.inlineImages, recordCanvas = options.recordCanvas, keepIframeSrcFn = options.keepIframeSrcFn;\n var rootId;\n if (doc.__sn) {\n var docId = doc.__sn.id;\n rootId = docId === 1 ? undefined : docId;\n }\n switch (n.nodeType) {\n case n.DOCUMENT_NODE:\n if (n.compatMode !== 'CSS1Compat') {\n return {\n type: NodeType.Document,\n childNodes: [],\n compatMode: n.compatMode,\n rootId: rootId\n };\n }\n else {\n return {\n type: NodeType.Document,\n childNodes: [],\n rootId: rootId\n };\n }\n case n.DOCUMENT_TYPE_NODE:\n return {\n type: NodeType.DocumentType,\n name: n.name,\n publicId: n.publicId,\n systemId: n.systemId,\n rootId: rootId\n };\n case n.ELEMENT_NODE:\n var needBlock = _isBlockedElement(n, blockClass, blockSelector);\n var tagName = getValidTagName(n);\n var attributes_1 = {};\n for (var _i = 0, _d = Array.from(n.attributes); _i < _d.length; _i++) {\n var _e = _d[_i], name_1 = _e.name, value = _e.value;\n attributes_1[name_1] = transformAttribute(doc, tagName, name_1, value);\n }\n if (tagName === 'link' && inlineStylesheet) {\n var stylesheet = Array.from(doc.styleSheets).find(function (s) {\n return s.href === n.href;\n });\n var cssText = null;\n if (stylesheet) {\n cssText = getCssRulesString(stylesheet);\n }\n if (cssText) {\n delete attributes_1.rel;\n delete attributes_1.href;\n attributes_1._cssText = absoluteToStylesheet(cssText, stylesheet.href);\n }\n }\n if (tagName === 'style' &&\n n.sheet &&\n !(n.innerText ||\n n.textContent ||\n '').trim().length) {\n var cssText = getCssRulesString(n.sheet);\n if (cssText) {\n attributes_1._cssText = absoluteToStylesheet(cssText, getHref());\n }\n }\n if (tagName === 'input' ||\n tagName === 'textarea' ||\n tagName === 'select') {\n var value = n.value;\n if (attributes_1.type !== 'radio' &&\n attributes_1.type !== 'checkbox' &&\n attributes_1.type !== 'submit' &&\n attributes_1.type !== 'button' &&\n value) {\n attributes_1.value = maskInputValue({\n type: attributes_1.type,\n tagName: tagName,\n value: value,\n maskInputOptions: maskInputOptions,\n maskInputFn: maskInputFn\n });\n }\n else if (n.checked) {\n attributes_1.checked = n.checked;\n }\n }\n if (tagName === 'option') {\n if (n.selected && !maskInputOptions['select']) {\n attributes_1.selected = true;\n }\n else {\n delete attributes_1.selected;\n }\n }\n if (tagName === 'canvas' && recordCanvas) {\n if (n.__context === '2d') {\n if (!is2DCanvasBlank(n)) {\n attributes_1.rr_dataURL = n.toDataURL(dataURLOptions.type, dataURLOptions.quality);\n }\n }\n else if (!('__context' in n)) {\n var canvasDataURL = n.toDataURL(dataURLOptions.type, dataURLOptions.quality);\n var blankCanvas = document.createElement('canvas');\n blankCanvas.width = n.width;\n blankCanvas.height = n.height;\n var blankCanvasDataURL = blankCanvas.toDataURL(dataURLOptions.type, dataURLOptions.quality);\n if (canvasDataURL !== blankCanvasDataURL) {\n attributes_1.rr_dataURL = canvasDataURL;\n }\n }\n }\n if (tagName === 'img' && inlineImages) {\n if (!canvasService) {\n canvasService = doc.createElement('canvas');\n canvasCtx = canvasService.getContext('2d');\n }\n var image_1 = n;\n var oldValue_1 = image_1.crossOrigin;\n image_1.crossOrigin = 'anonymous';\n var recordInlineImage = function () {\n try {\n canvasService.width = image_1.naturalWidth;\n canvasService.height = image_1.naturalHeight;\n canvasCtx.drawImage(image_1, 0, 0);\n attributes_1.rr_dataURL = canvasService.toDataURL(dataURLOptions.type, dataURLOptions.quality);\n }\n catch (err) {\n console.warn(\"Cannot inline img src=\" + image_1.currentSrc + \"! Error: \" + err);\n }\n oldValue_1\n ? (attributes_1.crossOrigin = oldValue_1)\n : delete attributes_1.crossOrigin;\n };\n if (image_1.complete && image_1.naturalWidth !== 0)\n recordInlineImage();\n else\n image_1.onload = recordInlineImage;\n }\n if (tagName === 'audio' || tagName === 'video') {\n attributes_1.rr_mediaState = n.paused\n ? 'paused'\n : 'played';\n attributes_1.rr_mediaCurrentTime = n.currentTime;\n }\n if (n.scrollLeft) {\n attributes_1.rr_scrollLeft = n.scrollLeft;\n }\n if (n.scrollTop) {\n attributes_1.rr_scrollTop = n.scrollTop;\n }\n if (needBlock) {\n var _f = n.getBoundingClientRect(), width = _f.width, height = _f.height;\n attributes_1 = {\n \"class\": attributes_1[\"class\"],\n rr_width: width + \"px\",\n rr_height: height + \"px\"\n };\n }\n if (tagName === 'iframe' && !keepIframeSrcFn(attributes_1.src)) {\n if (!n.contentDocument) {\n attributes_1.rr_src = attributes_1.src;\n }\n delete attributes_1.src;\n }\n return {\n type: NodeType.Element,\n tagName: tagName,\n attributes: attributes_1,\n childNodes: [],\n isSVG: isSVGElement(n) || undefined,\n needBlock: needBlock,\n rootId: rootId\n };\n case n.TEXT_NODE:\n var parentTagName = n.parentNode && n.parentNode.tagName;\n var textContent = n.textContent;\n var isStyle = parentTagName === 'STYLE' ? true : undefined;\n var isScript = parentTagName === 'SCRIPT' ? true : undefined;\n if (isStyle && textContent) {\n try {\n if (n.nextSibling || n.previousSibling) {\n }\n else if ((_a = n.parentNode.sheet) === null || _a === void 0 ? void 0 : _a.cssRules) {\n textContent = stringifyStyleSheet(n.parentNode.sheet);\n }\n }\n catch (err) {\n console.warn(\"Cannot get CSS styles from text's parentNode. Error: \" + err, n);\n }\n textContent = absoluteToStylesheet(textContent, getHref());\n }\n if (isScript) {\n textContent = 'SCRIPT_PLACEHOLDER';\n }\n if (!isStyle &&\n !isScript &&\n needMaskingText(n, maskTextClass, maskTextSelector) &&\n textContent) {\n textContent = maskTextFn\n ? maskTextFn(textContent)\n : textContent.replace(/[\\S]/g, '*');\n }\n return {\n type: NodeType.Text,\n textContent: textContent || '',\n isStyle: isStyle,\n rootId: rootId\n };\n case n.CDATA_SECTION_NODE:\n return {\n type: NodeType.CDATA,\n textContent: '',\n rootId: rootId\n };\n case n.COMMENT_NODE:\n return {\n type: NodeType.Comment,\n textContent: n.textContent || '',\n rootId: rootId\n };\n default:\n return false;\n }\n}\nfunction lowerIfExists(maybeAttr) {\n if (maybeAttr === undefined) {\n return '';\n }\n else {\n return maybeAttr.toLowerCase();\n }\n}\nfunction slimDOMExcluded(sn, slimDOMOptions) {\n if (slimDOMOptions.comment && sn.type === NodeType.Comment) {\n return true;\n }\n else if (sn.type === NodeType.Element) {\n if (slimDOMOptions.script &&\n (sn.tagName === 'script' ||\n (sn.tagName === 'link' &&\n sn.attributes.rel === 'preload' &&\n sn.attributes.as === 'script') ||\n (sn.tagName === 'link' &&\n sn.attributes.rel === 'prefetch' &&\n typeof sn.attributes.href === 'string' &&\n sn.attributes.href.endsWith('.js')))) {\n return true;\n }\n else if (slimDOMOptions.headFavicon &&\n ((sn.tagName === 'link' && sn.attributes.rel === 'shortcut icon') ||\n (sn.tagName === 'meta' &&\n (lowerIfExists(sn.attributes.name).match(/^msapplication-tile(image|color)$/) ||\n lowerIfExists(sn.attributes.name) === 'application-name' ||\n lowerIfExists(sn.attributes.rel) === 'icon' ||\n lowerIfExists(sn.attributes.rel) === 'apple-touch-icon' ||\n lowerIfExists(sn.attributes.rel) === 'shortcut icon')))) {\n return true;\n }\n else if (sn.tagName === 'meta') {\n if (slimDOMOptions.headMetaDescKeywords &&\n lowerIfExists(sn.attributes.name).match(/^description|keywords$/)) {\n return true;\n }\n else if (slimDOMOptions.headMetaSocial &&\n (lowerIfExists(sn.attributes.property).match(/^(og|twitter|fb):/) ||\n lowerIfExists(sn.attributes.name).match(/^(og|twitter):/) ||\n lowerIfExists(sn.attributes.name) === 'pinterest')) {\n return true;\n }\n else if (slimDOMOptions.headMetaRobots &&\n (lowerIfExists(sn.attributes.name) === 'robots' ||\n lowerIfExists(sn.attributes.name) === 'googlebot' ||\n lowerIfExists(sn.attributes.name) === 'bingbot')) {\n return true;\n }\n else if (slimDOMOptions.headMetaHttpEquiv &&\n sn.attributes['http-equiv'] !== undefined) {\n return true;\n }\n else if (slimDOMOptions.headMetaAuthorship &&\n (lowerIfExists(sn.attributes.name) === 'author' ||\n lowerIfExists(sn.attributes.name) === 'generator' ||\n lowerIfExists(sn.attributes.name) === 'framework' ||\n lowerIfExists(sn.attributes.name) === 'publisher' ||\n lowerIfExists(sn.attributes.name) === 'progid' ||\n lowerIfExists(sn.attributes.property).match(/^article:/) ||\n lowerIfExists(sn.attributes.property).match(/^product:/))) {\n return true;\n }\n else if (slimDOMOptions.headMetaVerification &&\n (lowerIfExists(sn.attributes.name) === 'google-site-verification' ||\n lowerIfExists(sn.attributes.name) === 'yandex-verification' ||\n lowerIfExists(sn.attributes.name) === 'csrf-token' ||\n lowerIfExists(sn.attributes.name) === 'p:domain_verify' ||\n lowerIfExists(sn.attributes.name) === 'verify-v1' ||\n lowerIfExists(sn.attributes.name) === 'verification' ||\n lowerIfExists(sn.attributes.name) === 'shopify-checkout-api-token')) {\n return true;\n }\n }\n }\n return false;\n}\nfunction serializeNodeWithId(n, options) {\n var doc = options.doc, map = options.map, blockClass = options.blockClass, blockSelector = options.blockSelector, maskTextClass = options.maskTextClass, maskTextSelector = options.maskTextSelector, _a = options.skipChild, skipChild = _a === void 0 ? false : _a, _b = options.inlineStylesheet, inlineStylesheet = _b === void 0 ? true : _b, _c = options.maskInputOptions, maskInputOptions = _c === void 0 ? {} : _c, maskTextFn = options.maskTextFn, maskInputFn = options.maskInputFn, slimDOMOptions = options.slimDOMOptions, _d = options.dataURLOptions, dataURLOptions = _d === void 0 ? {} : _d, _e = options.inlineImages, inlineImages = _e === void 0 ? false : _e, _f = options.recordCanvas, recordCanvas = _f === void 0 ? false : _f, onSerialize = options.onSerialize, onIframeLoad = options.onIframeLoad, _g = options.iframeLoadTimeout, iframeLoadTimeout = _g === void 0 ? 5000 : _g, _h = options.keepIframeSrcFn, keepIframeSrcFn = _h === void 0 ? function () { return false; } : _h;\n var _j = options.preserveWhiteSpace, preserveWhiteSpace = _j === void 0 ? true : _j;\n var _serializedNode = serializeNode(n, {\n doc: doc,\n blockClass: blockClass,\n blockSelector: blockSelector,\n maskTextClass: maskTextClass,\n maskTextSelector: maskTextSelector,\n inlineStylesheet: inlineStylesheet,\n maskInputOptions: maskInputOptions,\n maskTextFn: maskTextFn,\n maskInputFn: maskInputFn,\n dataURLOptions: dataURLOptions,\n inlineImages: inlineImages,\n recordCanvas: recordCanvas,\n keepIframeSrcFn: keepIframeSrcFn\n });\n if (!_serializedNode) {\n console.warn(n, 'not serialized');\n return null;\n }\n var id;\n if ('__sn' in n) {\n id = n.__sn.id;\n }\n else if (slimDOMExcluded(_serializedNode, slimDOMOptions) ||\n (!preserveWhiteSpace &&\n _serializedNode.type === NodeType.Text &&\n !_serializedNode.isStyle &&\n !_serializedNode.textContent.replace(/^\\s+|\\s+$/gm, '').length)) {\n id = IGNORED_NODE;\n }\n else {\n id = genId();\n }\n var serializedNode = Object.assign(_serializedNode, { id: id });\n n.__sn = serializedNode;\n if (id === IGNORED_NODE) {\n return null;\n }\n map[id] = n;\n if (onSerialize) {\n onSerialize(n);\n }\n var recordChild = !skipChild;\n if (serializedNode.type === NodeType.Element) {\n recordChild = recordChild && !serializedNode.needBlock;\n delete serializedNode.needBlock;\n if (n.shadowRoot)\n serializedNode.isShadowHost = true;\n }\n if ((serializedNode.type === NodeType.Document ||\n serializedNode.type === NodeType.Element) &&\n recordChild) {\n if (slimDOMOptions.headWhitespace &&\n _serializedNode.type === NodeType.Element &&\n _serializedNode.tagName === 'head') {\n preserveWhiteSpace = false;\n }\n var bypassOptions = {\n doc: doc,\n map: map,\n blockClass: blockClass,\n blockSelector: blockSelector,\n maskTextClass: maskTextClass,\n maskTextSelector: maskTextSelector,\n skipChild: skipChild,\n inlineStylesheet: inlineStylesheet,\n maskInputOptions: maskInputOptions,\n maskTextFn: maskTextFn,\n maskInputFn: maskInputFn,\n slimDOMOptions: slimDOMOptions,\n dataURLOptions: dataURLOptions,\n inlineImages: inlineImages,\n recordCanvas: recordCanvas,\n preserveWhiteSpace: preserveWhiteSpace,\n onSerialize: onSerialize,\n onIframeLoad: onIframeLoad,\n iframeLoadTimeout: iframeLoadTimeout,\n keepIframeSrcFn: keepIframeSrcFn\n };\n for (var _i = 0, _k = Array.from(n.childNodes); _i < _k.length; _i++) {\n var childN = _k[_i];\n var serializedChildNode = serializeNodeWithId(childN, bypassOptions);\n if (serializedChildNode) {\n serializedNode.childNodes.push(serializedChildNode);\n }\n }\n if (isElement(n) && n.shadowRoot) {\n for (var _l = 0, _m = Array.from(n.shadowRoot.childNodes); _l < _m.length; _l++) {\n var childN = _m[_l];\n var serializedChildNode = serializeNodeWithId(childN, bypassOptions);\n if (serializedChildNode) {\n serializedChildNode.isShadow = true;\n serializedNode.childNodes.push(serializedChildNode);\n }\n }\n }\n }\n if (n.parentNode && isShadowRoot(n.parentNode)) {\n serializedNode.isShadow = true;\n }\n if (serializedNode.type === NodeType.Element &&\n serializedNode.tagName === 'iframe') {\n onceIframeLoaded(n, function () {\n var iframeDoc = n.contentDocument;\n if (iframeDoc && onIframeLoad) {\n var serializedIframeNode = serializeNodeWithId(iframeDoc, {\n doc: iframeDoc,\n map: map,\n blockClass: blockClass,\n blockSelector: blockSelector,\n maskTextClass: maskTextClass,\n maskTextSelector: maskTextSelector,\n skipChild: false,\n inlineStylesheet: inlineStylesheet,\n maskInputOptions: maskInputOptions,\n maskTextFn: maskTextFn,\n maskInputFn: maskInputFn,\n slimDOMOptions: slimDOMOptions,\n dataURLOptions: dataURLOptions,\n inlineImages: inlineImages,\n recordCanvas: recordCanvas,\n preserveWhiteSpace: preserveWhiteSpace,\n onSerialize: onSerialize,\n onIframeLoad: onIframeLoad,\n iframeLoadTimeout: iframeLoadTimeout,\n keepIframeSrcFn: keepIframeSrcFn\n });\n if (serializedIframeNode) {\n onIframeLoad(n, serializedIframeNode);\n }\n }\n }, iframeLoadTimeout);\n }\n return serializedNode;\n}\nfunction snapshot(n, options) {\n var _a = options || {}, _b = _a.blockClass, blockClass = _b === void 0 ? 'rr-block' : _b, _c = _a.blockSelector, blockSelector = _c === void 0 ? null : _c, _d = _a.maskTextClass, maskTextClass = _d === void 0 ? 'rr-mask' : _d, _e = _a.maskTextSelector, maskTextSelector = _e === void 0 ? null : _e, _f = _a.inlineStylesheet, inlineStylesheet = _f === void 0 ? true : _f, _g = _a.inlineImages, inlineImages = _g === void 0 ? false : _g, _h = _a.recordCanvas, recordCanvas = _h === void 0 ? false : _h, _j = _a.maskAllInputs, maskAllInputs = _j === void 0 ? false : _j, maskTextFn = _a.maskTextFn, maskInputFn = _a.maskInputFn, _k = _a.slimDOM, slimDOM = _k === void 0 ? false : _k, dataURLOptions = _a.dataURLOptions, preserveWhiteSpace = _a.preserveWhiteSpace, onSerialize = _a.onSerialize, onIframeLoad = _a.onIframeLoad, iframeLoadTimeout = _a.iframeLoadTimeout, _l = _a.keepIframeSrcFn, keepIframeSrcFn = _l === void 0 ? function () { return false; } : _l;\n var idNodeMap = {};\n var maskInputOptions = maskAllInputs === true\n ? {\n color: true,\n date: true,\n 'datetime-local': true,\n email: true,\n month: true,\n number: true,\n range: true,\n search: true,\n tel: true,\n text: true,\n time: true,\n url: true,\n week: true,\n textarea: true,\n select: true,\n password: true\n }\n : maskAllInputs === false\n ? {\n password: true\n }\n : maskAllInputs;\n var slimDOMOptions = slimDOM === true || slimDOM === 'all'\n ?\n {\n script: true,\n comment: true,\n headFavicon: true,\n headWhitespace: true,\n headMetaDescKeywords: slimDOM === 'all',\n headMetaSocial: true,\n headMetaRobots: true,\n headMetaHttpEquiv: true,\n headMetaAuthorship: true,\n headMetaVerification: true\n }\n : slimDOM === false\n ? {}\n : slimDOM;\n return [\n serializeNodeWithId(n, {\n doc: n,\n map: idNodeMap,\n blockClass: blockClass,\n blockSelector: blockSelector,\n maskTextClass: maskTextClass,\n maskTextSelector: maskTextSelector,\n skipChild: false,\n inlineStylesheet: inlineStylesheet,\n maskInputOptions: maskInputOptions,\n maskTextFn: maskTextFn,\n maskInputFn: maskInputFn,\n slimDOMOptions: slimDOMOptions,\n dataURLOptions: dataURLOptions,\n inlineImages: inlineImages,\n recordCanvas: recordCanvas,\n preserveWhiteSpace: preserveWhiteSpace,\n onSerialize: onSerialize,\n onIframeLoad: onIframeLoad,\n iframeLoadTimeout: iframeLoadTimeout,\n keepIframeSrcFn: keepIframeSrcFn\n }),\n idNodeMap,\n ];\n}\nfunction visitSnapshot(node, onVisit) {\n function walk(current) {\n onVisit(current);\n if (current.type === NodeType.Document ||\n current.type === NodeType.Element) {\n current.childNodes.forEach(walk);\n }\n }\n walk(node);\n}\nfunction cleanupSnapshot() {\n _id = 1;\n}\n\nvar commentre = /\\/\\*[^*]*\\*+([^/*][^*]*\\*+)*\\//g;\nfunction parse(css, options) {\n if (options === void 0) { options = {}; }\n var lineno = 1;\n var column = 1;\n function updatePosition(str) {\n var lines = str.match(/\\n/g);\n if (lines) {\n lineno += lines.length;\n }\n var i = str.lastIndexOf('\\n');\n column = i === -1 ? column + str.length : str.length - i;\n }\n function position() {\n var start = { line: lineno, column: column };\n return function (node) {\n node.position = new Position(start);\n whitespace();\n return node;\n };\n }\n var Position = (function () {\n function Position(start) {\n this.start = start;\n this.end = { line: lineno, column: column };\n this.source = options.source;\n }\n return Position;\n }());\n Position.prototype.content = css;\n var errorsList = [];\n function error(msg) {\n var err = new Error(options.source + ':' + lineno + ':' + column + ': ' + msg);\n err.reason = msg;\n err.filename = options.source;\n err.line = lineno;\n err.column = column;\n err.source = css;\n if (options.silent) {\n errorsList.push(err);\n }\n else {\n throw err;\n }\n }\n function stylesheet() {\n var rulesList = rules();\n return {\n type: 'stylesheet',\n stylesheet: {\n source: options.source,\n rules: rulesList,\n parsingErrors: errorsList\n }\n };\n }\n function open() {\n return match(/^{\\s*/);\n }\n function close() {\n return match(/^}/);\n }\n function rules() {\n var node;\n var rules = [];\n whitespace();\n comments(rules);\n while (css.length && css.charAt(0) !== '}' && (node = atrule() || rule())) {\n if (node !== false) {\n rules.push(node);\n comments(rules);\n }\n }\n return rules;\n }\n function match(re) {\n var m = re.exec(css);\n if (!m) {\n return;\n }\n var str = m[0];\n updatePosition(str);\n css = css.slice(str.length);\n return m;\n }\n function whitespace() {\n match(/^\\s*/);\n }\n function comments(rules) {\n if (rules === void 0) { rules = []; }\n var c;\n while ((c = comment())) {\n if (c !== false) {\n rules.push(c);\n }\n c = comment();\n }\n return rules;\n }\n function comment() {\n var pos = position();\n if ('/' !== css.charAt(0) || '*' !== css.charAt(1)) {\n return;\n }\n var i = 2;\n while ('' !== css.charAt(i) &&\n ('*' !== css.charAt(i) || '/' !== css.charAt(i + 1))) {\n ++i;\n }\n i += 2;\n if ('' === css.charAt(i - 1)) {\n return error('End of comment missing');\n }\n var str = css.slice(2, i - 2);\n column += 2;\n updatePosition(str);\n css = css.slice(i);\n column += 2;\n return pos({\n type: 'comment',\n comment: str\n });\n }\n function selector() {\n var m = match(/^([^{]+)/);\n if (!m) {\n return;\n }\n return trim(m[0])\n .replace(/\\/\\*([^*]|[\\r\\n]|(\\*+([^*/]|[\\r\\n])))*\\*\\/+/g, '')\n .replace(/\"(?:\\\\\"|[^\"])*\"|'(?:\\\\'|[^'])*'/g, function (m) {\n return m.replace(/,/g, '\\u200C');\n })\n .split(/\\s*(?![^(]*\\)),\\s*/)\n .map(function (s) {\n return s.replace(/\\u200C/g, ',');\n });\n }\n function declaration() {\n var pos = position();\n var propMatch = match(/^(\\*?[-#\\/\\*\\\\\\w]+(\\[[0-9a-z_-]+\\])?)\\s*/);\n if (!propMatch) {\n return;\n }\n var prop = trim(propMatch[0]);\n if (!match(/^:\\s*/)) {\n return error(\"property missing ':'\");\n }\n var val = match(/^((?:'(?:\\\\'|.)*?'|\"(?:\\\\\"|.)*?\"|\\([^\\)]*?\\)|[^};])+)/);\n var ret = pos({\n type: 'declaration',\n property: prop.replace(commentre, ''),\n value: val ? trim(val[0]).replace(commentre, '') : ''\n });\n match(/^[;\\s]*/);\n return ret;\n }\n function declarations() {\n var decls = [];\n if (!open()) {\n return error(\"missing '{'\");\n }\n comments(decls);\n var decl;\n while ((decl = declaration())) {\n if (decl !== false) {\n decls.push(decl);\n comments(decls);\n }\n decl = declaration();\n }\n if (!close()) {\n return error(\"missing '}'\");\n }\n return decls;\n }\n function keyframe() {\n var m;\n var vals = [];\n var pos = position();\n while ((m = match(/^((\\d+\\.\\d+|\\.\\d+|\\d+)%?|[a-z]+)\\s*/))) {\n vals.push(m[1]);\n match(/^,\\s*/);\n }\n if (!vals.length) {\n return;\n }\n return pos({\n type: 'keyframe',\n values: vals,\n declarations: declarations()\n });\n }\n function atkeyframes() {\n var pos = position();\n var m = match(/^@([-\\w]+)?keyframes\\s*/);\n if (!m) {\n return;\n }\n var vendor = m[1];\n m = match(/^([-\\w]+)\\s*/);\n if (!m) {\n return error('@keyframes missing name');\n }\n var name = m[1];\n if (!open()) {\n return error(\"@keyframes missing '{'\");\n }\n var frame;\n var frames = comments();\n while ((frame = keyframe())) {\n frames.push(frame);\n frames = frames.concat(comments());\n }\n if (!close()) {\n return error(\"@keyframes missing '}'\");\n }\n return pos({\n type: 'keyframes',\n name: name,\n vendor: vendor,\n keyframes: frames\n });\n }\n function atsupports() {\n var pos = position();\n var m = match(/^@supports *([^{]+)/);\n if (!m) {\n return;\n }\n var supports = trim(m[1]);\n if (!open()) {\n return error(\"@supports missing '{'\");\n }\n var style = comments().concat(rules());\n if (!close()) {\n return error(\"@supports missing '}'\");\n }\n return pos({\n type: 'supports',\n supports: supports,\n rules: style\n });\n }\n function athost() {\n var pos = position();\n var m = match(/^@host\\s*/);\n if (!m) {\n return;\n }\n if (!open()) {\n return error(\"@host missing '{'\");\n }\n var style = comments().concat(rules());\n if (!close()) {\n return error(\"@host missing '}'\");\n }\n return pos({\n type: 'host',\n rules: style\n });\n }\n function atmedia() {\n var pos = position();\n var m = match(/^@media *([^{]+)/);\n if (!m) {\n return;\n }\n var media = trim(m[1]);\n if (!open()) {\n return error(\"@media missing '{'\");\n }\n var style = comments().concat(rules());\n if (!close()) {\n return error(\"@media missing '}'\");\n }\n return pos({\n type: 'media',\n media: media,\n rules: style\n });\n }\n function atcustommedia() {\n var pos = position();\n var m = match(/^@custom-media\\s+(--[^\\s]+)\\s*([^{;]+);/);\n if (!m) {\n return;\n }\n return pos({\n type: 'custom-media',\n name: trim(m[1]),\n media: trim(m[2])\n });\n }\n function atpage() {\n var pos = position();\n var m = match(/^@page */);\n if (!m) {\n return;\n }\n var sel = selector() || [];\n if (!open()) {\n return error(\"@page missing '{'\");\n }\n var decls = comments();\n var decl;\n while ((decl = declaration())) {\n decls.push(decl);\n decls = decls.concat(comments());\n }\n if (!close()) {\n return error(\"@page missing '}'\");\n }\n return pos({\n type: 'page',\n selectors: sel,\n declarations: decls\n });\n }\n function atdocument() {\n var pos = position();\n var m = match(/^@([-\\w]+)?document *([^{]+)/);\n if (!m) {\n return;\n }\n var vendor = trim(m[1]);\n var doc = trim(m[2]);\n if (!open()) {\n return error(\"@document missing '{'\");\n }\n var style = comments().concat(rules());\n if (!close()) {\n return error(\"@document missing '}'\");\n }\n return pos({\n type: 'document',\n document: doc,\n vendor: vendor,\n rules: style\n });\n }\n function atfontface() {\n var pos = position();\n var m = match(/^@font-face\\s*/);\n if (!m) {\n return;\n }\n if (!open()) {\n return error(\"@font-face missing '{'\");\n }\n var decls = comments();\n var decl;\n while ((decl = declaration())) {\n decls.push(decl);\n decls = decls.concat(comments());\n }\n if (!close()) {\n return error(\"@font-face missing '}'\");\n }\n return pos({\n type: 'font-face',\n declarations: decls\n });\n }\n var atimport = _compileAtrule('import');\n var atcharset = _compileAtrule('charset');\n var atnamespace = _compileAtrule('namespace');\n function _compileAtrule(name) {\n var re = new RegExp('^@' + name + '\\\\s*([^;]+);');\n return function () {\n var pos = position();\n var m = match(re);\n if (!m) {\n return;\n }\n var ret = { type: name };\n ret[name] = m[1].trim();\n return pos(ret);\n };\n }\n function atrule() {\n if (css[0] !== '@') {\n return;\n }\n return (atkeyframes() ||\n atmedia() ||\n atcustommedia() ||\n atsupports() ||\n atimport() ||\n atcharset() ||\n atnamespace() ||\n atdocument() ||\n atpage() ||\n athost() ||\n atfontface());\n }\n function rule() {\n var pos = position();\n var sel = selector();\n if (!sel) {\n return error('selector missing');\n }\n comments();\n return pos({\n type: 'rule',\n selectors: sel,\n declarations: declarations()\n });\n }\n return addParent(stylesheet());\n}\nfunction trim(str) {\n return str ? str.replace(/^\\s+|\\s+$/g, '') : '';\n}\nfunction addParent(obj, parent) {\n var isNode = obj && typeof obj.type === 'string';\n var childParent = isNode ? obj : parent;\n for (var _i = 0, _a = Object.keys(obj); _i < _a.length; _i++) {\n var k = _a[_i];\n var value = obj[k];\n if (Array.isArray(value)) {\n value.forEach(function (v) {\n addParent(v, childParent);\n });\n }\n else if (value && typeof value === 'object') {\n addParent(value, childParent);\n }\n }\n if (isNode) {\n Object.defineProperty(obj, 'parent', {\n configurable: true,\n writable: true,\n enumerable: false,\n value: parent || null\n });\n }\n return obj;\n}\n\nvar tagMap = {\n script: 'noscript',\n altglyph: 'altGlyph',\n altglyphdef: 'altGlyphDef',\n altglyphitem: 'altGlyphItem',\n animatecolor: 'animateColor',\n animatemotion: 'animateMotion',\n animatetransform: 'animateTransform',\n clippath: 'clipPath',\n feblend: 'feBlend',\n fecolormatrix: 'feColorMatrix',\n fecomponenttransfer: 'feComponentTransfer',\n fecomposite: 'feComposite',\n feconvolvematrix: 'feConvolveMatrix',\n fediffuselighting: 'feDiffuseLighting',\n fedisplacementmap: 'feDisplacementMap',\n fedistantlight: 'feDistantLight',\n fedropshadow: 'feDropShadow',\n feflood: 'feFlood',\n fefunca: 'feFuncA',\n fefuncb: 'feFuncB',\n fefuncg: 'feFuncG',\n fefuncr: 'feFuncR',\n fegaussianblur: 'feGaussianBlur',\n feimage: 'feImage',\n femerge: 'feMerge',\n femergenode: 'feMergeNode',\n femorphology: 'feMorphology',\n feoffset: 'feOffset',\n fepointlight: 'fePointLight',\n fespecularlighting: 'feSpecularLighting',\n fespotlight: 'feSpotLight',\n fetile: 'feTile',\n feturbulence: 'feTurbulence',\n foreignobject: 'foreignObject',\n glyphref: 'glyphRef',\n lineargradient: 'linearGradient',\n radialgradient: 'radialGradient'\n};\nfunction getTagName(n) {\n var tagName = tagMap[n.tagName] ? tagMap[n.tagName] : n.tagName;\n if (tagName === 'link' && n.attributes._cssText) {\n tagName = 'style';\n }\n return tagName;\n}\nfunction escapeRegExp(str) {\n return str.replace(/[.*+?^${}()|[\\]\\\\]/g, '\\\\$&');\n}\nvar HOVER_SELECTOR = /([^\\\\]):hover/;\nvar HOVER_SELECTOR_GLOBAL = new RegExp(HOVER_SELECTOR.source, 'g');\nfunction addHoverClass(cssText, cache) {\n var cachedStyle = cache === null || cache === void 0 ? void 0 : cache.stylesWithHoverClass.get(cssText);\n if (cachedStyle)\n return cachedStyle;\n var ast = parse(cssText, {\n silent: true\n });\n if (!ast.stylesheet) {\n return cssText;\n }\n var selectors = [];\n ast.stylesheet.rules.forEach(function (rule) {\n if ('selectors' in rule) {\n (rule.selectors || []).forEach(function (selector) {\n if (HOVER_SELECTOR.test(selector)) {\n selectors.push(selector);\n }\n });\n }\n });\n if (selectors.length === 0) {\n return cssText;\n }\n var selectorMatcher = new RegExp(selectors\n .filter(function (selector, index) { return selectors.indexOf(selector) === index; })\n .sort(function (a, b) { return b.length - a.length; })\n .map(function (selector) {\n return escapeRegExp(selector);\n })\n .join('|'), 'g');\n var result = cssText.replace(selectorMatcher, function (selector) {\n var newSelector = selector.replace(HOVER_SELECTOR_GLOBAL, '$1.\\\\:hover');\n return selector + \", \" + newSelector;\n });\n cache === null || cache === void 0 ? void 0 : cache.stylesWithHoverClass.set(cssText, result);\n return result;\n}\nfunction createCache() {\n var stylesWithHoverClass = new Map();\n return {\n stylesWithHoverClass: stylesWithHoverClass\n };\n}\nfunction buildNode(n, options) {\n var doc = options.doc, hackCss = options.hackCss, cache = options.cache;\n switch (n.type) {\n case NodeType.Document:\n return doc.implementation.createDocument(null, '', null);\n case NodeType.DocumentType:\n return doc.implementation.createDocumentType(n.name || 'html', n.publicId, n.systemId);\n case NodeType.Element:\n var tagName = getTagName(n);\n var node_1;\n if (n.isSVG) {\n node_1 = doc.createElementNS('http://www.w3.org/2000/svg', tagName);\n }\n else {\n node_1 = doc.createElement(tagName);\n }\n var _loop_1 = function (name_1) {\n if (!n.attributes.hasOwnProperty(name_1)) {\n return \"continue\";\n }\n var value = n.attributes[name_1];\n if (tagName === 'option' && name_1 === 'selected' && value === false) {\n return \"continue\";\n }\n value =\n typeof value === 'boolean' || typeof value === 'number' ? '' : value;\n if (!name_1.startsWith('rr_')) {\n var isTextarea = tagName === 'textarea' && name_1 === 'value';\n var isRemoteOrDynamicCss = tagName === 'style' && name_1 === '_cssText';\n if (isRemoteOrDynamicCss && hackCss) {\n value = addHoverClass(value, cache);\n }\n if (isTextarea || isRemoteOrDynamicCss) {\n var child = doc.createTextNode(value);\n for (var _i = 0, _a = Array.from(node_1.childNodes); _i < _a.length; _i++) {\n var c = _a[_i];\n if (c.nodeType === node_1.TEXT_NODE) {\n node_1.removeChild(c);\n }\n }\n node_1.appendChild(child);\n return \"continue\";\n }\n try {\n if (n.isSVG && name_1 === 'xlink:href') {\n node_1.setAttributeNS('http://www.w3.org/1999/xlink', name_1, value);\n }\n else if (name_1 === 'onload' ||\n name_1 === 'onclick' ||\n name_1.substring(0, 7) === 'onmouse') {\n node_1.setAttribute('_' + name_1, value);\n }\n else if (tagName === 'meta' &&\n n.attributes['http-equiv'] === 'Content-Security-Policy' &&\n name_1 === 'content') {\n node_1.setAttribute('csp-content', value);\n return \"continue\";\n }\n else if (tagName === 'link' &&\n n.attributes.rel === 'preload' &&\n n.attributes.as === 'script') {\n }\n else if (tagName === 'link' &&\n n.attributes.rel === 'prefetch' &&\n typeof n.attributes.href === 'string' &&\n n.attributes.href.endsWith('.js')) {\n }\n else if (tagName === 'img' &&\n n.attributes.srcset &&\n n.attributes.rr_dataURL) {\n node_1.setAttribute('rrweb-original-srcset', n.attributes.srcset);\n }\n else {\n node_1.setAttribute(name_1, value);\n }\n }\n catch (error) {\n }\n }\n else {\n if (tagName === 'canvas' && name_1 === 'rr_dataURL') {\n var image_1 = document.createElement('img');\n image_1.src = value;\n image_1.onload = function () {\n var ctx = node_1.getContext('2d');\n if (ctx) {\n ctx.drawImage(image_1, 0, 0, image_1.width, image_1.height);\n }\n };\n }\n else if (tagName === 'img' && name_1 === 'rr_dataURL') {\n var image = node_1;\n if (!image.currentSrc.startsWith('data:')) {\n image.setAttribute('rrweb-original-src', n.attributes.src);\n image.src = value;\n }\n }\n if (name_1 === 'rr_width') {\n node_1.style.width = value;\n }\n else if (name_1 === 'rr_height') {\n node_1.style.height = value;\n }\n else if (name_1 === 'rr_mediaCurrentTime') {\n node_1.currentTime = n.attributes\n .rr_mediaCurrentTime;\n }\n else if (name_1 === 'rr_mediaState') {\n switch (value) {\n case 'played':\n node_1\n .play()[\"catch\"](function (e) { return console.warn('media playback error', e); });\n break;\n case 'paused':\n node_1.pause();\n break;\n }\n }\n }\n };\n for (var name_1 in n.attributes) {\n _loop_1(name_1);\n }\n if (n.isShadowHost) {\n if (!node_1.shadowRoot) {\n node_1.attachShadow({ mode: 'open' });\n }\n else {\n while (node_1.shadowRoot.firstChild) {\n node_1.shadowRoot.removeChild(node_1.shadowRoot.firstChild);\n }\n }\n }\n return node_1;\n case NodeType.Text:\n return doc.createTextNode(n.isStyle && hackCss\n ? addHoverClass(n.textContent, cache)\n : n.textContent);\n case NodeType.CDATA:\n return doc.createCDATASection(n.textContent);\n case NodeType.Comment:\n return doc.createComment(n.textContent);\n default:\n return null;\n }\n}\nfunction buildNodeWithSN(n, options) {\n var doc = options.doc, map = options.map, _a = options.skipChild, skipChild = _a === void 0 ? false : _a, _b = options.hackCss, hackCss = _b === void 0 ? true : _b, afterAppend = options.afterAppend, cache = options.cache;\n var node = buildNode(n, { doc: doc, hackCss: hackCss, cache: cache });\n if (!node) {\n return null;\n }\n if (n.rootId) {\n console.assert(map[n.rootId] === doc, 'Target document should has the same root id.');\n }\n if (n.type === NodeType.Document) {\n doc.close();\n doc.open();\n if (n.compatMode === 'BackCompat' &&\n n.childNodes &&\n n.childNodes[0].type !== NodeType.DocumentType) {\n if (n.childNodes[0].type === NodeType.Element &&\n 'xmlns' in n.childNodes[0].attributes &&\n n.childNodes[0].attributes.xmlns === 'http://www.w3.org/1999/xhtml') {\n doc.write('');\n }\n else {\n doc.write('');\n }\n }\n node = doc;\n }\n node.__sn = n;\n map[n.id] = node;\n if ((n.type === NodeType.Document || n.type === NodeType.Element) &&\n !skipChild) {\n for (var _i = 0, _c = n.childNodes; _i < _c.length; _i++) {\n var childN = _c[_i];\n var childNode = buildNodeWithSN(childN, {\n doc: doc,\n map: map,\n skipChild: false,\n hackCss: hackCss,\n afterAppend: afterAppend,\n cache: cache\n });\n if (!childNode) {\n console.warn('Failed to rebuild', childN);\n continue;\n }\n if (childN.isShadow && isElement(node) && node.shadowRoot) {\n node.shadowRoot.appendChild(childNode);\n }\n else {\n node.appendChild(childNode);\n }\n if (afterAppend) {\n afterAppend(childNode);\n }\n }\n }\n return node;\n}\nfunction visit(idNodeMap, onVisit) {\n function walk(node) {\n onVisit(node);\n }\n for (var key in idNodeMap) {\n if (idNodeMap[key]) {\n walk(idNodeMap[key]);\n }\n }\n}\nfunction handleScroll(node) {\n var n = node.__sn;\n if (n.type !== NodeType.Element) {\n return;\n }\n var el = node;\n for (var name_2 in n.attributes) {\n if (!(n.attributes.hasOwnProperty(name_2) && name_2.startsWith('rr_'))) {\n continue;\n }\n var value = n.attributes[name_2];\n if (name_2 === 'rr_scrollLeft') {\n el.scrollLeft = value;\n }\n if (name_2 === 'rr_scrollTop') {\n el.scrollTop = value;\n }\n }\n}\nfunction rebuild(n, options) {\n var doc = options.doc, onVisit = options.onVisit, _a = options.hackCss, hackCss = _a === void 0 ? true : _a, afterAppend = options.afterAppend, cache = options.cache;\n var idNodeMap = {};\n var node = buildNodeWithSN(n, {\n doc: doc,\n map: idNodeMap,\n skipChild: false,\n hackCss: hackCss,\n afterAppend: afterAppend,\n cache: cache\n });\n visit(idNodeMap, function (visitedNode) {\n if (onVisit) {\n onVisit(visitedNode);\n }\n handleScroll(visitedNode);\n });\n return [node, idNodeMap];\n}\n\nexport { IGNORED_NODE, NodeType, addHoverClass, buildNodeWithSN, cleanupSnapshot, createCache, is2DCanvasBlank, isElement, isShadowRoot, maskInputValue, needMaskingText, rebuild, serializeNodeWithId, snapshot, transformAttribute, visitSnapshot };\n","// \n// An event handler can take an optional event argument\n// and should not return a value\n \n \n\n// An array of all currently registered event handlers for a type\n \n \n// A map of event types and their corresponding event handlers.\n \n \n \n \n\n/** Mitt: Tiny (~200b) functional event emitter / pubsub.\n * @name mitt\n * @returns {Mitt}\n */\nfunction mitt(all ) {\n\tall = all || Object.create(null);\n\n\treturn {\n\t\t/**\n\t\t * Register an event handler for the given type.\n\t\t *\n\t\t * @param {String} type\tType of event to listen for, or `\"*\"` for all events\n\t\t * @param {Function} handler Function to call in response to given event\n\t\t * @memberOf mitt\n\t\t */\n\t\ton: function on(type , handler ) {\n\t\t\t(all[type] || (all[type] = [])).push(handler);\n\t\t},\n\n\t\t/**\n\t\t * Remove an event handler for the given type.\n\t\t *\n\t\t * @param {String} type\tType of event to unregister `handler` from, or `\"*\"`\n\t\t * @param {Function} handler Handler function to remove\n\t\t * @memberOf mitt\n\t\t */\n\t\toff: function off(type , handler ) {\n\t\t\tif (all[type]) {\n\t\t\t\tall[type].splice(all[type].indexOf(handler) >>> 0, 1);\n\t\t\t}\n\t\t},\n\n\t\t/**\n\t\t * Invoke all handlers for the given type.\n\t\t * If present, `\"*\"` handlers are invoked after type-matched handlers.\n\t\t *\n\t\t * @param {String} type The event type to invoke\n\t\t * @param {Any} [evt] Any value (object is recommended and powerful), passed to each handler\n\t\t * @memberOf mitt\n\t\t */\n\t\temit: function emit(type , evt ) {\n\t\t\t(all[type] || []).slice().map(function (handler) { handler(evt); });\n\t\t\t(all['*'] || []).slice().map(function (handler) { handler(type, evt); });\n\t\t}\n\t};\n}\n\nexport default mitt;\n//# sourceMappingURL=mitt.es.js.map\n","import {\n serializedNodeWithId,\n idNodeMap,\n INode,\n MaskInputOptions,\n SlimDOMOptions,\n MaskInputFn,\n MaskTextFn,\n} from 'rrweb-snapshot';\nimport { PackFn, UnpackFn } from './packer/base';\nimport { IframeManager } from './record/iframe-manager';\nimport { ShadowDomManager } from './record/shadow-dom-manager';\nimport type { Replayer } from './replay';\nimport { CanvasManager } from './record/observers/canvas/canvas-manager';\n\nexport enum EventType {\n DomContentLoaded,\n Load,\n FullSnapshot,\n IncrementalSnapshot,\n Meta,\n Custom,\n Plugin,\n}\n\nexport type domContentLoadedEvent = {\n type: EventType.DomContentLoaded;\n data: {};\n};\n\nexport type loadedEvent = {\n type: EventType.Load;\n data: {};\n};\n\nexport type fullSnapshotEvent = {\n type: EventType.FullSnapshot;\n data: {\n node: serializedNodeWithId;\n initialOffset: {\n top: number;\n left: number;\n };\n };\n};\n\nexport type incrementalSnapshotEvent = {\n type: EventType.IncrementalSnapshot;\n data: incrementalData;\n};\n\nexport type metaEvent = {\n type: EventType.Meta;\n data: {\n href: string;\n width: number;\n height: number;\n };\n};\n\nexport type customEvent = {\n type: EventType.Custom;\n data: {\n tag: string;\n payload: T;\n };\n};\n\nexport type pluginEvent = {\n type: EventType.Plugin;\n data: {\n plugin: string;\n payload: T;\n };\n};\n\nexport type styleSheetEvent = {};\n\nexport enum IncrementalSource {\n Mutation,\n MouseMove,\n MouseInteraction,\n Scroll,\n ViewportResize,\n Input,\n TouchMove,\n MediaInteraction,\n StyleSheetRule,\n CanvasMutation,\n Font,\n Log,\n Drag,\n StyleDeclaration,\n}\n\nexport type mutationData = {\n source: IncrementalSource.Mutation;\n} & mutationCallbackParam;\n\nexport type mousemoveData = {\n source:\n | IncrementalSource.MouseMove\n | IncrementalSource.TouchMove\n | IncrementalSource.Drag;\n positions: mousePosition[];\n};\n\nexport type mouseInteractionData = {\n source: IncrementalSource.MouseInteraction;\n} & mouseInteractionParam;\n\nexport type scrollData = {\n source: IncrementalSource.Scroll;\n} & scrollPosition;\n\nexport type viewportResizeData = {\n source: IncrementalSource.ViewportResize;\n} & viewportResizeDimension;\n\nexport type inputData = {\n source: IncrementalSource.Input;\n id: number;\n} & inputValue;\n\nexport type mediaInteractionData = {\n source: IncrementalSource.MediaInteraction;\n} & mediaInteractionParam;\n\nexport type styleSheetRuleData = {\n source: IncrementalSource.StyleSheetRule;\n} & styleSheetRuleParam;\n\nexport type styleDeclarationData = {\n source: IncrementalSource.StyleDeclaration;\n} & styleDeclarationParam;\n\nexport type canvasMutationData = {\n source: IncrementalSource.CanvasMutation;\n} & canvasMutationParam;\n\nexport type fontData = {\n source: IncrementalSource.Font;\n} & fontParam;\n\nexport type incrementalData =\n | mutationData\n | mousemoveData\n | mouseInteractionData\n | scrollData\n | viewportResizeData\n | inputData\n | mediaInteractionData\n | styleSheetRuleData\n | canvasMutationData\n | fontData\n | styleDeclarationData;\n\nexport type event =\n | domContentLoadedEvent\n | loadedEvent\n | fullSnapshotEvent\n | incrementalSnapshotEvent\n | metaEvent\n | customEvent\n | pluginEvent;\n\nexport type eventWithTime = event & {\n timestamp: number;\n delay?: number;\n};\n\nexport type blockClass = string | RegExp;\n\nexport type maskTextClass = string | RegExp;\n\nexport type SamplingStrategy = Partial<{\n /**\n * false means not to record mouse/touch move events\n * number is the throttle threshold of recording mouse/touch move\n */\n mousemove: boolean | number;\n /**\n * number is the throttle threshold of mouse/touch move callback\n */\n mousemoveCallback: number;\n /**\n * false means not to record mouse interaction events\n * can also specify record some kinds of mouse interactions\n */\n mouseInteraction: boolean | Record;\n /**\n * number is the throttle threshold of recording scroll\n */\n scroll: number;\n /**\n * number is the throttle threshold of recording media interactions\n */\n media: number;\n /**\n * 'all' will record all the input events\n * 'last' will only record the last input value while input a sequence of chars\n */\n input: 'all' | 'last';\n}>;\n\nexport type RecordPlugin = {\n name: string;\n observer?: (cb: Function, win: IWindow, options: TOptions) => listenerHandler;\n eventProcessor?: (event: eventWithTime) => eventWithTime & TExtend;\n options: TOptions;\n};\n\nexport type recordOptions = {\n emit?: (e: T, isCheckout?: boolean) => void;\n checkoutEveryNth?: number;\n checkoutEveryNms?: number;\n blockClass?: blockClass;\n blockSelector?: string;\n ignoreClass?: string;\n maskTextClass?: maskTextClass;\n maskTextSelector?: string;\n maskAllInputs?: boolean;\n maskInputOptions?: MaskInputOptions;\n maskInputFn?: MaskInputFn;\n maskTextFn?: MaskTextFn;\n slimDOMOptions?: SlimDOMOptions | 'all' | true;\n inlineStylesheet?: boolean;\n hooks?: hooksParam;\n packFn?: PackFn;\n sampling?: SamplingStrategy;\n recordCanvas?: boolean;\n userTriggeredOnInput?: boolean;\n collectFonts?: boolean;\n inlineImages?: boolean;\n plugins?: RecordPlugin[];\n // departed, please use sampling options\n mousemoveWait?: number;\n keepIframeSrcFn?: KeepIframeSrcFn;\n};\n\nexport type observerParam = {\n mutationCb: mutationCallBack;\n mousemoveCb: mousemoveCallBack;\n mouseInteractionCb: mouseInteractionCallBack;\n scrollCb: scrollCallback;\n viewportResizeCb: viewportResizeCallback;\n inputCb: inputCallback;\n mediaInteractionCb: mediaInteractionCallback;\n blockClass: blockClass;\n blockSelector: string | null;\n ignoreClass: string;\n maskTextClass: maskTextClass;\n maskTextSelector: string | null;\n maskInputOptions: MaskInputOptions;\n maskInputFn?: MaskInputFn;\n maskTextFn?: MaskTextFn;\n inlineStylesheet: boolean;\n styleSheetRuleCb: styleSheetRuleCallback;\n styleDeclarationCb: styleDeclarationCallback;\n canvasMutationCb: canvasMutationCallback;\n fontCb: fontCallback;\n sampling: SamplingStrategy;\n recordCanvas: boolean;\n inlineImages: boolean;\n userTriggeredOnInput: boolean;\n collectFonts: boolean;\n slimDOMOptions: SlimDOMOptions;\n doc: Document;\n mirror: Mirror;\n iframeManager: IframeManager;\n shadowDomManager: ShadowDomManager;\n canvasManager: CanvasManager;\n plugins: Array<{\n observer: Function;\n callback: Function;\n options: unknown;\n }>;\n};\n\nexport type MutationBufferParam = Pick<\n observerParam,\n | 'mutationCb'\n | 'blockClass'\n | 'blockSelector'\n | 'maskTextClass'\n | 'maskTextSelector'\n | 'inlineStylesheet'\n | 'maskInputOptions'\n | 'maskTextFn'\n | 'maskInputFn'\n | 'recordCanvas'\n | 'inlineImages'\n | 'slimDOMOptions'\n | 'doc'\n | 'mirror'\n | 'iframeManager'\n | 'shadowDomManager'\n | 'canvasManager'\n>;\n\nexport type hooksParam = {\n mutation?: mutationCallBack;\n mousemove?: mousemoveCallBack;\n mouseInteraction?: mouseInteractionCallBack;\n scroll?: scrollCallback;\n viewportResize?: viewportResizeCallback;\n input?: inputCallback;\n mediaInteaction?: mediaInteractionCallback;\n styleSheetRule?: styleSheetRuleCallback;\n styleDeclaration?: styleDeclarationCallback;\n canvasMutation?: canvasMutationCallback;\n font?: fontCallback;\n};\n\n// https://dom.spec.whatwg.org/#interface-mutationrecord\nexport type mutationRecord = {\n type: string;\n target: Node;\n oldValue: string | null;\n addedNodes: NodeList;\n removedNodes: NodeList;\n attributeName: string | null;\n};\n\nexport type textCursor = {\n node: Node;\n value: string | null;\n};\nexport type textMutation = {\n id: number;\n value: string | null;\n};\n\nexport type styleAttributeValue = {\n [key: string]: styleValueWithPriority | string | false;\n};\n\nexport type styleValueWithPriority = [string, string];\n\nexport type attributeCursor = {\n node: Node;\n attributes: {\n [key: string]: string | styleAttributeValue | null;\n };\n};\nexport type attributeMutation = {\n id: number;\n attributes: {\n [key: string]: string | styleAttributeValue | null;\n };\n};\n\nexport type removedNodeMutation = {\n parentId: number;\n id: number;\n isShadow?: boolean;\n};\n\nexport type addedNodeMutation = {\n parentId: number;\n // Newly recorded mutations will not have previousId any more, just for compatibility\n previousId?: number | null;\n nextId: number | null;\n node: serializedNodeWithId;\n};\n\nexport type mutationCallbackParam = {\n texts: textMutation[];\n attributes: attributeMutation[];\n removes: removedNodeMutation[];\n adds: addedNodeMutation[];\n isAttachIframe?: true;\n};\n\nexport type mutationCallBack = (m: mutationCallbackParam) => void;\n\nexport type mousemoveCallBack = (\n p: mousePosition[],\n source:\n | IncrementalSource.MouseMove\n | IncrementalSource.TouchMove\n | IncrementalSource.Drag,\n) => void;\n\nexport type mousePosition = {\n x: number;\n y: number;\n id: number;\n timeOffset: number;\n};\n\nexport type mouseMovePos = {\n x: number;\n y: number;\n id: number;\n debugData: incrementalData;\n};\n\nexport enum MouseInteractions {\n MouseUp,\n MouseDown,\n Click,\n ContextMenu,\n DblClick,\n Focus,\n Blur,\n TouchStart,\n TouchMove_Departed, // we will start a separate observer for touch move event\n TouchEnd,\n TouchCancel,\n}\n\nexport enum CanvasContext {\n '2D',\n WebGL,\n WebGL2,\n}\n\nexport type SerializedWebGlArg =\n | {\n rr_type: 'ArrayBuffer';\n base64: string; // base64\n }\n | {\n rr_type: string;\n src: string; // url of image\n }\n | {\n rr_type: string;\n args: SerializedWebGlArg[];\n }\n | {\n rr_type: string;\n index: number;\n }\n | string\n | number\n | boolean\n | null\n | SerializedWebGlArg[];\n\ntype mouseInteractionParam = {\n type: MouseInteractions;\n id: number;\n x: number;\n y: number;\n};\n\nexport type mouseInteractionCallBack = (d: mouseInteractionParam) => void;\n\nexport type scrollPosition = {\n id: number;\n x: number;\n y: number;\n};\n\nexport type scrollCallback = (p: scrollPosition) => void;\n\nexport type styleSheetAddRule = {\n rule: string;\n index?: number | number[];\n};\n\nexport type styleSheetDeleteRule = {\n index: number | number[];\n};\n\nexport type styleSheetRuleParam = {\n id: number;\n removes?: styleSheetDeleteRule[];\n adds?: styleSheetAddRule[];\n};\n\nexport type styleSheetRuleCallback = (s: styleSheetRuleParam) => void;\n\nexport type styleDeclarationParam = {\n id: number;\n index: number[];\n set?: {\n property: string;\n value: string | null;\n priority: string | undefined;\n };\n remove?: {\n property: string;\n };\n};\n\nexport type styleDeclarationCallback = (s: styleDeclarationParam) => void;\n\nexport type canvasMutationCommand = {\n property: string;\n args: Array;\n setter?: true;\n};\n\nexport type canvasMutationParam =\n | {\n id: number;\n type: CanvasContext;\n commands: canvasMutationCommand[];\n }\n | ({\n id: number;\n type: CanvasContext;\n } & canvasMutationCommand);\n\nexport type canvasMutationWithType = {\n type: CanvasContext;\n} & canvasMutationCommand;\n\nexport type canvasMutationCallback = (p: canvasMutationParam) => void;\n\nexport type canvasManagerMutationCallback = (\n target: HTMLCanvasElement,\n p: canvasMutationWithType,\n) => void;\n\nexport type fontParam = {\n family: string;\n fontSource: string;\n buffer: boolean;\n descriptors?: FontFaceDescriptors;\n};\n\nexport type fontCallback = (p: fontParam) => void;\n\nexport type viewportResizeDimension = {\n width: number;\n height: number;\n};\n\nexport type viewportResizeCallback = (d: viewportResizeDimension) => void;\n\nexport type inputValue = {\n text: string;\n isChecked: boolean;\n\n // `userTriggered` indicates if this event was triggered directly by user (userTriggered: true)\n // or was triggered indirectly (userTriggered: false)\n // Example of `userTriggered` in action:\n // User clicks on radio element (userTriggered: true) which triggers the other radio element to change (userTriggered: false)\n userTriggered?: boolean;\n};\n\nexport type inputCallback = (v: inputValue & { id: number }) => void;\n\nexport const enum MediaInteractions {\n Play,\n Pause,\n Seeked,\n VolumeChange,\n}\n\nexport type mediaInteractionParam = {\n type: MediaInteractions;\n id: number;\n currentTime?: number;\n volume?: number;\n muted?: boolean;\n};\n\nexport type mediaInteractionCallback = (p: mediaInteractionParam) => void;\n\nexport type DocumentDimension = {\n x: number;\n y: number;\n // scale value relative to its parent iframe\n relativeScale: number;\n // scale value relative to the root iframe\n absoluteScale: number;\n};\n\nexport type Mirror = {\n map: idNodeMap;\n getId: (n: INode) => number;\n getNode: (id: number) => INode | null;\n removeNodeFromMap: (n: INode) => void;\n has: (id: number) => boolean;\n reset: () => void;\n};\n\nexport type throttleOptions = {\n leading?: boolean;\n trailing?: boolean;\n};\n\nexport type listenerHandler = () => void;\nexport type hookResetter = () => void;\n\nexport type ReplayPlugin = {\n handler: (\n event: eventWithTime,\n isSync: boolean,\n context: { replayer: Replayer },\n ) => void;\n};\nexport type playerConfig = {\n speed: number;\n maxSpeed: number;\n root: Element;\n loadTimeout: number;\n skipInactive: boolean;\n showWarning: boolean;\n showDebug: boolean;\n blockClass: string;\n liveMode: boolean;\n insertStyleRules: string[];\n triggerFocus: boolean;\n UNSAFE_replayCanvas: boolean;\n pauseAnimation?: boolean;\n mouseTail:\n | boolean\n | {\n duration?: number;\n lineCap?: string;\n lineWidth?: number;\n strokeStyle?: string;\n };\n unpackFn?: UnpackFn;\n plugins?: ReplayPlugin[];\n};\n\nexport type playerMetaData = {\n startTime: number;\n endTime: number;\n totalTime: number;\n};\n\nexport type missingNode = {\n node: Node;\n mutation: addedNodeMutation;\n};\nexport type missingNodeMap = {\n [id: number]: missingNode;\n};\n\nexport type actionWithDelay = {\n doAction: () => void;\n delay: number;\n};\n\nexport type Handler = (event?: unknown) => void;\n\nexport type Emitter = {\n on(type: string, handler: Handler): void;\n emit(type: string, event?: unknown): void;\n off(type: string, handler: Handler): void;\n};\n\nexport type Arguments = T extends (...payload: infer U) => unknown\n ? U\n : unknown;\n\nexport enum ReplayerEvents {\n Start = 'start',\n Pause = 'pause',\n Resume = 'resume',\n Resize = 'resize',\n Finish = 'finish',\n FullsnapshotRebuilded = 'fullsnapshot-rebuilded',\n LoadStylesheetStart = 'load-stylesheet-start',\n LoadStylesheetEnd = 'load-stylesheet-end',\n SkipStart = 'skip-start',\n SkipEnd = 'skip-end',\n MouseInteraction = 'mouse-interaction',\n EventCast = 'event-cast',\n CustomEvent = 'custom-event',\n Flush = 'flush',\n StateChange = 'state-change',\n PlayBack = 'play-back',\n}\n\n// store the state that would be changed during the process(unmount from dom and mount again)\nexport type ElementState = {\n // [scrollLeft,scrollTop]\n scroll?: [number, number];\n};\n\nexport type KeepIframeSrcFn = (src: string) => boolean;\n\ndeclare global {\n interface Window {\n FontFace: typeof FontFace;\n }\n}\n\nexport type IWindow = Window & typeof globalThis;\n\nexport type Optional = Pick, K> & Omit;\n","/**\n * A fork version of https://github.com/iamdustan/smoothscroll\n * Add support of customize target window and document\n */\n\n// @ts-nocheck\n// tslint:disable\nexport function polyfill(w: Window = window, d = document) {\n // return if scroll behavior is supported and polyfill is not forced\n if (\n 'scrollBehavior' in d.documentElement.style &&\n w.__forceSmoothScrollPolyfill__ !== true\n ) {\n return;\n }\n\n // globals\n var Element = w.HTMLElement || w.Element;\n var SCROLL_TIME = 468;\n\n // object gathering original scroll methods\n var original = {\n scroll: w.scroll || w.scrollTo,\n scrollBy: w.scrollBy,\n elementScroll: Element.prototype.scroll || scrollElement,\n scrollIntoView: Element.prototype.scrollIntoView,\n };\n\n // define timing method\n var now =\n w.performance && w.performance.now\n ? w.performance.now.bind(w.performance)\n : Date.now;\n\n /**\n * indicates if a the current browser is made by Microsoft\n * @method isMicrosoftBrowser\n * @param {String} userAgent\n * @returns {Boolean}\n */\n function isMicrosoftBrowser(userAgent) {\n var userAgentPatterns = ['MSIE ', 'Trident/', 'Edge/'];\n\n return new RegExp(userAgentPatterns.join('|')).test(userAgent);\n }\n\n /*\n * IE has rounding bug rounding down clientHeight and clientWidth and\n * rounding up scrollHeight and scrollWidth causing false positives\n * on hasScrollableSpace\n */\n var ROUNDING_TOLERANCE = isMicrosoftBrowser(w.navigator.userAgent) ? 1 : 0;\n\n /**\n * changes scroll position inside an element\n * @method scrollElement\n * @param {Number} x\n * @param {Number} y\n * @returns {undefined}\n */\n function scrollElement(x, y) {\n this.scrollLeft = x;\n this.scrollTop = y;\n }\n\n /**\n * returns result of applying ease math function to a number\n * @method ease\n * @param {Number} k\n * @returns {Number}\n */\n function ease(k) {\n return 0.5 * (1 - Math.cos(Math.PI * k));\n }\n\n /**\n * indicates if a smooth behavior should be applied\n * @method shouldBailOut\n * @param {Number|Object} firstArg\n * @returns {Boolean}\n */\n function shouldBailOut(firstArg) {\n if (\n firstArg === null ||\n typeof firstArg !== 'object' ||\n firstArg.behavior === undefined ||\n firstArg.behavior === 'auto' ||\n firstArg.behavior === 'instant'\n ) {\n // first argument is not an object/null\n // or behavior is auto, instant or undefined\n return true;\n }\n\n if (typeof firstArg === 'object' && firstArg.behavior === 'smooth') {\n // first argument is an object and behavior is smooth\n return false;\n }\n\n // throw error when behavior is not supported\n throw new TypeError(\n 'behavior member of ScrollOptions ' +\n firstArg.behavior +\n ' is not a valid value for enumeration ScrollBehavior.',\n );\n }\n\n /**\n * indicates if an element has scrollable space in the provided axis\n * @method hasScrollableSpace\n * @param {Node} el\n * @param {String} axis\n * @returns {Boolean}\n */\n function hasScrollableSpace(el, axis) {\n if (axis === 'Y') {\n return el.clientHeight + ROUNDING_TOLERANCE < el.scrollHeight;\n }\n\n if (axis === 'X') {\n return el.clientWidth + ROUNDING_TOLERANCE < el.scrollWidth;\n }\n }\n\n /**\n * indicates if an element has a scrollable overflow property in the axis\n * @method canOverflow\n * @param {Node} el\n * @param {String} axis\n * @returns {Boolean}\n */\n function canOverflow(el, axis) {\n var overflowValue = w.getComputedStyle(el, null)['overflow' + axis];\n\n return overflowValue === 'auto' || overflowValue === 'scroll';\n }\n\n /**\n * indicates if an element can be scrolled in either axis\n * @method isScrollable\n * @param {Node} el\n * @param {String} axis\n * @returns {Boolean}\n */\n function isScrollable(el) {\n var isScrollableY = hasScrollableSpace(el, 'Y') && canOverflow(el, 'Y');\n var isScrollableX = hasScrollableSpace(el, 'X') && canOverflow(el, 'X');\n\n return isScrollableY || isScrollableX;\n }\n\n /**\n * finds scrollable parent of an element\n * @method findScrollableParent\n * @param {Node} el\n * @returns {Node} el\n */\n function findScrollableParent(el) {\n while (el !== d.body && isScrollable(el) === false) {\n el = el.parentNode || el.host;\n }\n\n return el;\n }\n\n /**\n * self invoked function that, given a context, steps through scrolling\n * @method step\n * @param {Object} context\n * @returns {undefined}\n */\n function step(context) {\n var time = now();\n var value;\n var currentX;\n var currentY;\n var elapsed = (time - context.startTime) / SCROLL_TIME;\n\n // avoid elapsed times higher than one\n elapsed = elapsed > 1 ? 1 : elapsed;\n\n // apply easing to elapsed time\n value = ease(elapsed);\n\n currentX = context.startX + (context.x - context.startX) * value;\n currentY = context.startY + (context.y - context.startY) * value;\n\n context.method.call(context.scrollable, currentX, currentY);\n\n // scroll more if we have not reached our destination\n if (currentX !== context.x || currentY !== context.y) {\n w.requestAnimationFrame(step.bind(w, context));\n }\n }\n\n /**\n * scrolls window or element with a smooth behavior\n * @method smoothScroll\n * @param {Object|Node} el\n * @param {Number} x\n * @param {Number} y\n * @returns {undefined}\n */\n function smoothScroll(el, x, y) {\n var scrollable;\n var startX;\n var startY;\n var method;\n var startTime = now();\n\n // define scroll context\n if (el === d.body) {\n scrollable = w;\n startX = w.scrollX || w.pageXOffset;\n startY = w.scrollY || w.pageYOffset;\n method = original.scroll;\n } else {\n scrollable = el;\n startX = el.scrollLeft;\n startY = el.scrollTop;\n method = scrollElement;\n }\n\n // scroll looping over a frame\n step({\n scrollable: scrollable,\n method: method,\n startTime: startTime,\n startX: startX,\n startY: startY,\n x: x,\n y: y,\n });\n }\n\n // ORIGINAL METHODS OVERRIDES\n // w.scroll and w.scrollTo\n w.scroll = w.scrollTo = function () {\n // avoid action when no arguments are passed\n if (arguments[0] === undefined) {\n return;\n }\n\n // avoid smooth behavior if not required\n if (shouldBailOut(arguments[0]) === true) {\n original.scroll.call(\n w,\n arguments[0].left !== undefined\n ? arguments[0].left\n : typeof arguments[0] !== 'object'\n ? arguments[0]\n : w.scrollX || w.pageXOffset,\n // use top prop, second argument if present or fallback to scrollY\n arguments[0].top !== undefined\n ? arguments[0].top\n : arguments[1] !== undefined\n ? arguments[1]\n : w.scrollY || w.pageYOffset,\n );\n\n return;\n }\n\n // LET THE SMOOTHNESS BEGIN!\n smoothScroll.call(\n w,\n d.body,\n arguments[0].left !== undefined\n ? ~~arguments[0].left\n : w.scrollX || w.pageXOffset,\n arguments[0].top !== undefined\n ? ~~arguments[0].top\n : w.scrollY || w.pageYOffset,\n );\n };\n\n // w.scrollBy\n w.scrollBy = function () {\n // avoid action when no arguments are passed\n if (arguments[0] === undefined) {\n return;\n }\n\n // avoid smooth behavior if not required\n if (shouldBailOut(arguments[0])) {\n original.scrollBy.call(\n w,\n arguments[0].left !== undefined\n ? arguments[0].left\n : typeof arguments[0] !== 'object'\n ? arguments[0]\n : 0,\n arguments[0].top !== undefined\n ? arguments[0].top\n : arguments[1] !== undefined\n ? arguments[1]\n : 0,\n );\n\n return;\n }\n\n // LET THE SMOOTHNESS BEGIN!\n smoothScroll.call(\n w,\n d.body,\n ~~arguments[0].left + (w.scrollX || w.pageXOffset),\n ~~arguments[0].top + (w.scrollY || w.pageYOffset),\n );\n };\n\n // Element.prototype.scroll and Element.prototype.scrollTo\n Element.prototype.scroll = Element.prototype.scrollTo = function () {\n // avoid action when no arguments are passed\n if (arguments[0] === undefined) {\n return;\n }\n\n // avoid smooth behavior if not required\n if (shouldBailOut(arguments[0]) === true) {\n // if one number is passed, throw error to match Firefox implementation\n if (typeof arguments[0] === 'number' && arguments[1] === undefined) {\n throw new SyntaxError('Value could not be converted');\n }\n\n original.elementScroll.call(\n this,\n // use left prop, first number argument or fallback to scrollLeft\n arguments[0].left !== undefined\n ? ~~arguments[0].left\n : typeof arguments[0] !== 'object'\n ? ~~arguments[0]\n : this.scrollLeft,\n // use top prop, second argument or fallback to scrollTop\n arguments[0].top !== undefined\n ? ~~arguments[0].top\n : arguments[1] !== undefined\n ? ~~arguments[1]\n : this.scrollTop,\n );\n\n return;\n }\n\n var left = arguments[0].left;\n var top = arguments[0].top;\n\n // LET THE SMOOTHNESS BEGIN!\n smoothScroll.call(\n this,\n this,\n typeof left === 'undefined' ? this.scrollLeft : ~~left,\n typeof top === 'undefined' ? this.scrollTop : ~~top,\n );\n };\n\n // Element.prototype.scrollBy\n Element.prototype.scrollBy = function () {\n // avoid action when no arguments are passed\n if (arguments[0] === undefined) {\n return;\n }\n\n // avoid smooth behavior if not required\n if (shouldBailOut(arguments[0]) === true) {\n original.elementScroll.call(\n this,\n arguments[0].left !== undefined\n ? ~~arguments[0].left + this.scrollLeft\n : ~~arguments[0] + this.scrollLeft,\n arguments[0].top !== undefined\n ? ~~arguments[0].top + this.scrollTop\n : ~~arguments[1] + this.scrollTop,\n );\n\n return;\n }\n\n this.scroll({\n left: ~~arguments[0].left + this.scrollLeft,\n top: ~~arguments[0].top + this.scrollTop,\n behavior: arguments[0].behavior,\n });\n };\n\n // Element.prototype.scrollIntoView\n Element.prototype.scrollIntoView = function () {\n // avoid smooth behavior if not required\n if (shouldBailOut(arguments[0]) === true) {\n original.scrollIntoView.call(\n this,\n arguments[0] === undefined ? true : arguments[0],\n );\n\n return;\n }\n\n // LET THE SMOOTHNESS BEGIN!\n var scrollableParent = findScrollableParent(this);\n var parentRects = scrollableParent.getBoundingClientRect();\n var clientRects = this.getBoundingClientRect();\n\n if (scrollableParent !== d.body) {\n // reveal element inside parent\n smoothScroll.call(\n this,\n scrollableParent,\n scrollableParent.scrollLeft + clientRects.left - parentRects.left,\n scrollableParent.scrollTop + clientRects.top - parentRects.top,\n );\n\n // reveal parent in viewport unless is fixed\n if (w.getComputedStyle(scrollableParent).position !== 'fixed') {\n w.scrollBy({\n left: parentRects.left,\n top: parentRects.top,\n behavior: 'smooth',\n });\n }\n } else {\n // reveal element in viewport\n w.scrollBy({\n left: clientRects.left,\n top: clientRects.top,\n behavior: 'smooth',\n });\n }\n };\n}\n","import {\n actionWithDelay,\n eventWithTime,\n EventType,\n IncrementalSource,\n} from '../types';\n\nexport class Timer {\n public timeOffset: number = 0;\n public speed: number;\n\n private actions: actionWithDelay[];\n private raf: number | null = null;\n private liveMode: boolean;\n\n constructor(actions: actionWithDelay[] = [], speed: number) {\n this.actions = actions;\n this.speed = speed;\n }\n /**\n * Add an action after the timer starts.\n * @param action\n */\n public addAction(action: actionWithDelay) {\n const index = this.findActionIndex(action);\n this.actions.splice(index, 0, action);\n }\n /**\n * Add all actions before the timer starts\n * @param actions\n */\n public addActions(actions: actionWithDelay[]) {\n this.actions = this.actions.concat(actions);\n }\n\n public start() {\n this.timeOffset = 0;\n let lastTimestamp = performance.now();\n const { actions } = this;\n const self = this;\n function check() {\n const time = performance.now();\n self.timeOffset += (time - lastTimestamp) * self.speed;\n lastTimestamp = time;\n while (actions.length) {\n const action = actions[0];\n\n if (self.timeOffset >= action.delay) {\n actions.shift();\n action.doAction();\n } else {\n break;\n }\n }\n if (actions.length > 0 || self.liveMode) {\n self.raf = requestAnimationFrame(check);\n }\n }\n this.raf = requestAnimationFrame(check);\n }\n\n public clear() {\n if (this.raf) {\n cancelAnimationFrame(this.raf);\n this.raf = null;\n }\n this.actions.length = 0;\n }\n\n public setSpeed(speed: number) {\n this.speed = speed;\n }\n\n public toggleLiveMode(mode: boolean) {\n this.liveMode = mode;\n }\n\n public isActive() {\n return this.raf !== null;\n }\n\n private findActionIndex(action: actionWithDelay): number {\n let start = 0;\n let end = this.actions.length - 1;\n while (start <= end) {\n let mid = Math.floor((start + end) / 2);\n if (this.actions[mid].delay < action.delay) {\n start = mid + 1;\n } else if (this.actions[mid].delay > action.delay) {\n end = mid - 1;\n } else {\n // already an action with same delay (timestamp)\n // the plus one will splice the new one after the existing one\n return mid + 1;\n }\n }\n return start;\n }\n}\n\n// TODO: add speed to mouse move timestamp calculation\nexport function addDelay(event: eventWithTime, baselineTime: number): number {\n // Mouse move events was recorded in a throttle function,\n // so we need to find the real timestamp by traverse the time offsets.\n if (\n event.type === EventType.IncrementalSnapshot &&\n event.data.source === IncrementalSource.MouseMove\n ) {\n const firstOffset = event.data.positions[0].timeOffset;\n // timeOffset is a negative offset to event.timestamp\n const firstTimestamp = event.timestamp + firstOffset;\n event.delay = firstTimestamp - baselineTime;\n return firstTimestamp - baselineTime;\n }\n\n event.delay = event.timestamp - baselineTime;\n return event.delay;\n}\n","/*! *****************************************************************************\nCopyright (c) Microsoft Corporation.\n\nPermission to use, copy, modify, and/or distribute this software for any\npurpose with or without fee is hereby granted.\n\nTHE SOFTWARE IS PROVIDED \"AS IS\" AND THE AUTHOR DISCLAIMS ALL WARRANTIES WITH\nREGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF MERCHANTABILITY\nAND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR ANY SPECIAL, DIRECT,\nINDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES WHATSOEVER RESULTING FROM\nLOSS OF USE, DATA OR PROFITS, WHETHER IN AN ACTION OF CONTRACT, NEGLIGENCE OR\nOTHER TORTIOUS ACTION, ARISING OUT OF OR IN CONNECTION WITH THE USE OR\nPERFORMANCE OF THIS SOFTWARE.\n***************************************************************************** */\nfunction t(t,n){var e=\"function\"==typeof Symbol&&t[Symbol.iterator];if(!e)return t;var r,o,i=e.call(t),a=[];try{for(;(void 0===n||n-- >0)&&!(r=i.next()).done;)a.push(r.value)}catch(t){o={error:t}}finally{try{r&&!r.done&&(e=i.return)&&e.call(i)}finally{if(o)throw o.error}}return a}var n;!function(t){t[t.NotStarted=0]=\"NotStarted\",t[t.Running=1]=\"Running\",t[t.Stopped=2]=\"Stopped\"}(n||(n={}));var e={type:\"xstate.init\"};function r(t){return void 0===t?[]:[].concat(t)}function o(t){return{type:\"xstate.assign\",assignment:t}}function i(t,n){return\"string\"==typeof(t=\"string\"==typeof t&&n&&n[t]?n[t]:t)?{type:t}:\"function\"==typeof t?{type:t.name,exec:t}:t}function a(t){return function(n){return t===n}}function u(t){return\"string\"==typeof t?{type:t}:t}function c(t,n){return{value:t,context:n,actions:[],changed:!1,matches:a(t)}}function f(t,n,e){var r=n,o=!1;return[t.filter((function(t){if(\"xstate.assign\"===t.type){o=!0;var n=Object.assign({},r);return\"function\"==typeof t.assignment?n=t.assignment(r,e):Object.keys(t.assignment).forEach((function(o){n[o]=\"function\"==typeof t.assignment[o]?t.assignment[o](r,e):t.assignment[o]})),r=n,!1}return!0})),r,o]}function s(n,o){void 0===o&&(o={});var s=t(f(r(n.states[n.initial].entry).map((function(t){return i(t,o.actions)})),n.context,e),2),l=s[0],v=s[1],y={config:n,_options:o,initialState:{value:n.initial,actions:l,context:v,matches:a(n.initial)},transition:function(e,o){var s,l,v=\"string\"==typeof e?{value:e,context:n.context}:e,p=v.value,g=v.context,d=u(o),x=n.states[p];if(x.on){var m=r(x.on[d.type]);try{for(var h=function(t){var n=\"function\"==typeof Symbol&&Symbol.iterator,e=n&&t[n],r=0;if(e)return e.call(t);if(t&&\"number\"==typeof t.length)return{next:function(){return t&&r>=t.length&&(t=void 0),{value:t&&t[r++],done:!t}}};throw new TypeError(n?\"Object is not iterable.\":\"Symbol.iterator is not defined.\")}(m),b=h.next();!b.done;b=h.next()){var S=b.value;if(void 0===S)return c(p,g);var w=\"string\"==typeof S?{target:S}:S,j=w.target,E=w.actions,R=void 0===E?[]:E,N=w.cond,O=void 0===N?function(){return!0}:N,_=void 0===j,k=null!=j?j:p,T=n.states[k];if(O(g,d)){var q=t(f((_?r(R):[].concat(x.exit,R,T.entry).filter((function(t){return t}))).map((function(t){return i(t,y._options.actions)})),g,d),3),z=q[0],A=q[1],B=q[2],C=null!=j?j:p;return{value:C,context:A,actions:z,changed:j!==p||z.length>0||B,matches:a(C)}}}}catch(t){s={error:t}}finally{try{b&&!b.done&&(l=h.return)&&l.call(h)}finally{if(s)throw s.error}}}return c(p,g)}};return y}var l=function(t,n){return t.actions.forEach((function(e){var r=e.exec;return r&&r(t.context,n)}))};function v(t){var r=t.initialState,o=n.NotStarted,i=new Set,c={_machine:t,send:function(e){o===n.Running&&(r=t.transition(r,e),l(r,u(e)),i.forEach((function(t){return t(r)})))},subscribe:function(t){return i.add(t),t(r),{unsubscribe:function(){return i.delete(t)}}},start:function(i){if(i){var u=\"object\"==typeof i?i:{context:t.config.context,value:i};r={value:u.value,actions:[],context:u.context,matches:a(u.value)}}return o=n.Running,l(r,e),c},stop:function(){return o=n.Stopped,i.clear(),c},get state(){return r},get status(){return o}};return c}export{n as InterpreterStatus,o as assign,s as createMachine,v as interpret};\n","import { createMachine, interpret, assign, StateMachine } from '@xstate/fsm';\nimport {\n playerConfig,\n eventWithTime,\n actionWithDelay,\n ReplayerEvents,\n EventType,\n Emitter,\n IncrementalSource,\n} from '../types';\nimport { Timer, addDelay } from './timer';\n\nexport type PlayerContext = {\n events: eventWithTime[];\n timer: Timer;\n timeOffset: number;\n baselineTime: number;\n lastPlayedEvent: eventWithTime | null;\n};\nexport type PlayerEvent =\n | {\n type: 'PLAY';\n payload: {\n timeOffset: number;\n };\n }\n | {\n type: 'CAST_EVENT';\n payload: {\n event: eventWithTime;\n };\n }\n | { type: 'PAUSE' }\n | { type: 'TO_LIVE'; payload: { baselineTime?: number } }\n | {\n type: 'ADD_EVENT';\n payload: {\n event: eventWithTime;\n };\n }\n | {\n type: 'END';\n };\nexport type PlayerState =\n | {\n value: 'playing';\n context: PlayerContext;\n }\n | {\n value: 'paused';\n context: PlayerContext;\n }\n | {\n value: 'live';\n context: PlayerContext;\n };\n\n/**\n * If the array have multiple meta and fullsnapshot events,\n * return the events from last meta to the end.\n */\nexport function discardPriorSnapshots(\n events: eventWithTime[],\n baselineTime: number,\n): eventWithTime[] {\n for (let idx = events.length - 1; idx >= 0; idx--) {\n const event = events[idx];\n if (event.type === EventType.Meta) {\n if (event.timestamp <= baselineTime) {\n return events.slice(idx);\n }\n }\n }\n return events;\n}\n\ntype PlayerAssets = {\n emitter: Emitter;\n applyEventsSynchronously(events: Array): void;\n getCastFn(event: eventWithTime, isSync: boolean): () => void;\n};\nexport function createPlayerService(\n context: PlayerContext,\n { getCastFn, applyEventsSynchronously, emitter }: PlayerAssets,\n) {\n const playerMachine = createMachine(\n {\n id: 'player',\n context,\n initial: 'paused',\n states: {\n playing: {\n on: {\n PAUSE: {\n target: 'paused',\n actions: ['pause'],\n },\n CAST_EVENT: {\n target: 'playing',\n actions: 'castEvent',\n },\n END: {\n target: 'paused',\n actions: ['resetLastPlayedEvent', 'pause'],\n },\n ADD_EVENT: {\n target: 'playing',\n actions: ['addEvent'],\n },\n },\n },\n paused: {\n on: {\n PLAY: {\n target: 'playing',\n actions: ['recordTimeOffset', 'play'],\n },\n CAST_EVENT: {\n target: 'paused',\n actions: 'castEvent',\n },\n TO_LIVE: {\n target: 'live',\n actions: ['startLive'],\n },\n ADD_EVENT: {\n target: 'paused',\n actions: ['addEvent'],\n },\n },\n },\n live: {\n on: {\n ADD_EVENT: {\n target: 'live',\n actions: ['addEvent'],\n },\n CAST_EVENT: {\n target: 'live',\n actions: ['castEvent'],\n },\n },\n },\n },\n },\n {\n actions: {\n castEvent: assign({\n lastPlayedEvent: (ctx, event) => {\n if (event.type === 'CAST_EVENT') {\n return event.payload.event;\n }\n return ctx.lastPlayedEvent;\n },\n }),\n recordTimeOffset: assign((ctx, event) => {\n let timeOffset = ctx.timeOffset;\n if ('payload' in event && 'timeOffset' in event.payload) {\n timeOffset = event.payload.timeOffset;\n }\n return {\n ...ctx,\n timeOffset,\n baselineTime: ctx.events[0].timestamp + timeOffset,\n };\n }),\n play(ctx) {\n const { timer, events, baselineTime, lastPlayedEvent } = ctx;\n timer.clear();\n\n for (const event of events) {\n // TODO: improve this API\n addDelay(event, baselineTime);\n }\n const neededEvents = discardPriorSnapshots(events, baselineTime);\n\n let lastPlayedTimestamp = lastPlayedEvent?.timestamp;\n if (\n lastPlayedEvent?.type === EventType.IncrementalSnapshot &&\n lastPlayedEvent.data.source === IncrementalSource.MouseMove\n ) {\n lastPlayedTimestamp =\n lastPlayedEvent.timestamp +\n lastPlayedEvent.data.positions[0]?.timeOffset;\n }\n if (baselineTime < (lastPlayedTimestamp || 0)) {\n emitter.emit(ReplayerEvents.PlayBack);\n }\n\n const syncEvents = new Array();\n const actions = new Array();\n for (const event of neededEvents) {\n if (\n lastPlayedTimestamp &&\n lastPlayedTimestamp < baselineTime &&\n (event.timestamp <= lastPlayedTimestamp ||\n event === lastPlayedEvent)\n ) {\n continue;\n }\n if (event.timestamp < baselineTime) {\n syncEvents.push(event);\n } else {\n const castFn = getCastFn(event, false);\n actions.push({\n doAction: () => {\n castFn();\n },\n delay: event.delay!,\n });\n }\n }\n applyEventsSynchronously(syncEvents);\n emitter.emit(ReplayerEvents.Flush);\n timer.addActions(actions);\n timer.start();\n },\n pause(ctx) {\n ctx.timer.clear();\n },\n resetLastPlayedEvent: assign((ctx) => {\n return {\n ...ctx,\n lastPlayedEvent: null,\n };\n }),\n startLive: assign({\n baselineTime: (ctx, event) => {\n ctx.timer.toggleLiveMode(true);\n ctx.timer.start();\n if (event.type === 'TO_LIVE' && event.payload.baselineTime) {\n return event.payload.baselineTime;\n }\n return Date.now();\n },\n }),\n addEvent: assign((ctx, machineEvent) => {\n const { baselineTime, timer, events } = ctx;\n if (machineEvent.type === 'ADD_EVENT') {\n const { event } = machineEvent.payload;\n addDelay(event, baselineTime);\n\n let end = events.length - 1;\n if (!events[end] || events[end].timestamp <= event.timestamp) {\n // fast track\n events.push(event);\n } else {\n let insertionIndex = -1;\n let start = 0;\n while (start <= end) {\n let mid = Math.floor((start + end) / 2);\n if (events[mid].timestamp <= event.timestamp) {\n start = mid + 1;\n } else {\n end = mid - 1;\n }\n }\n if (insertionIndex === -1) {\n insertionIndex = start;\n }\n events.splice(insertionIndex, 0, event);\n }\n\n const isSync = event.timestamp < baselineTime;\n const castFn = getCastFn(event, isSync);\n if (isSync) {\n castFn();\n } else if (timer.isActive()) {\n timer.addAction({\n doAction: () => {\n castFn();\n },\n delay: event.delay!,\n });\n }\n }\n return { ...ctx, events };\n }),\n },\n },\n );\n return interpret(playerMachine);\n}\n\nexport type SpeedContext = {\n normalSpeed: playerConfig['speed'];\n timer: Timer;\n};\n\nexport type SpeedEvent =\n | {\n type: 'FAST_FORWARD';\n payload: { speed: playerConfig['speed'] };\n }\n | {\n type: 'BACK_TO_NORMAL';\n }\n | {\n type: 'SET_SPEED';\n payload: { speed: playerConfig['speed'] };\n };\n\nexport type SpeedState =\n | {\n value: 'normal';\n context: SpeedContext;\n }\n | {\n value: 'skipping';\n context: SpeedContext;\n };\n\nexport function createSpeedService(context: SpeedContext) {\n const speedMachine = createMachine(\n {\n id: 'speed',\n context,\n initial: 'normal',\n states: {\n normal: {\n on: {\n FAST_FORWARD: {\n target: 'skipping',\n actions: ['recordSpeed', 'setSpeed'],\n },\n SET_SPEED: {\n target: 'normal',\n actions: ['setSpeed'],\n },\n },\n },\n skipping: {\n on: {\n BACK_TO_NORMAL: {\n target: 'normal',\n actions: ['restoreSpeed'],\n },\n SET_SPEED: {\n target: 'normal',\n actions: ['setSpeed'],\n },\n },\n },\n },\n },\n {\n actions: {\n setSpeed: (ctx, event) => {\n if ('payload' in event) {\n ctx.timer.setSpeed(event.payload.speed);\n }\n },\n recordSpeed: assign({\n normalSpeed: (ctx) => ctx.timer.speed,\n }),\n restoreSpeed: (ctx) => {\n ctx.timer.setSpeed(ctx.normalSpeed);\n },\n },\n },\n );\n\n return interpret(speedMachine);\n}\n\nexport type PlayerMachineState = StateMachine.State<\n PlayerContext,\n PlayerEvent,\n PlayerState\n>;\n\nexport type SpeedMachineState = StateMachine.State<\n SpeedContext,\n SpeedEvent,\n SpeedState\n>;\n","import {\n Mirror,\n throttleOptions,\n listenerHandler,\n hookResetter,\n blockClass,\n IncrementalSource,\n addedNodeMutation,\n removedNodeMutation,\n textMutation,\n attributeMutation,\n mutationData,\n scrollData,\n inputData,\n DocumentDimension,\n IWindow,\n} from './types';\nimport {\n INode,\n IGNORED_NODE,\n serializedNodeWithId,\n NodeType,\n isShadowRoot,\n} from 'rrweb-snapshot';\n\nexport function on(\n type: string,\n fn: EventListenerOrEventListenerObject,\n target: Document | IWindow = document,\n): listenerHandler {\n const options = { capture: true, passive: true };\n target.addEventListener(type, fn, options);\n return () => target.removeEventListener(type, fn, options);\n}\n\nexport function createMirror(): Mirror {\n return {\n map: {},\n getId(n) {\n // if n is not a serialized INode, use -1 as its id.\n if (!n || !n.__sn) {\n return -1;\n }\n return n.__sn.id;\n },\n getNode(id) {\n return this.map[id] || null;\n },\n // TODO: use a weakmap to get rid of manually memory management\n removeNodeFromMap(n) {\n const id = n.__sn && n.__sn.id;\n delete this.map[id];\n if (n.childNodes) {\n n.childNodes.forEach((child) =>\n this.removeNodeFromMap((child as Node) as INode),\n );\n }\n },\n has(id) {\n return this.map.hasOwnProperty(id);\n },\n reset() {\n this.map = {};\n },\n };\n}\n\n// https://github.com/rrweb-io/rrweb/pull/407\nconst DEPARTED_MIRROR_ACCESS_WARNING =\n 'Please stop import mirror directly. Instead of that,' +\n '\\r\\n' +\n 'now you can use replayer.getMirror() to access the mirror instance of a replayer,' +\n '\\r\\n' +\n 'or you can use record.mirror to access the mirror instance during recording.';\nexport let _mirror: Mirror = {\n map: {},\n getId() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n return -1;\n },\n getNode() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n return null;\n },\n removeNodeFromMap() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n },\n has() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n return false;\n },\n reset() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n },\n};\nif (typeof window !== 'undefined' && window.Proxy && window.Reflect) {\n _mirror = new Proxy(_mirror, {\n get(target, prop, receiver) {\n if (prop === 'map') {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n }\n return Reflect.get(target, prop, receiver);\n },\n });\n}\n\n// copy from underscore and modified\nexport function throttle(\n func: (arg: T) => void,\n wait: number,\n options: throttleOptions = {},\n) {\n let timeout: ReturnType | null = null;\n let previous = 0;\n // tslint:disable-next-line: only-arrow-functions\n return function (arg: T) {\n let now = Date.now();\n if (!previous && options.leading === false) {\n previous = now;\n }\n let remaining = wait - (now - previous);\n let context = this;\n let args = arguments;\n if (remaining <= 0 || remaining > wait) {\n if (timeout) {\n clearTimeout(timeout);\n timeout = null;\n }\n previous = now;\n func.apply(context, args);\n } else if (!timeout && options.trailing !== false) {\n timeout = setTimeout(() => {\n previous = options.leading === false ? 0 : Date.now();\n timeout = null;\n func.apply(context, args);\n }, remaining);\n }\n };\n}\n\nexport function hookSetter(\n target: T,\n key: string | number | symbol,\n d: PropertyDescriptor,\n isRevoked?: boolean,\n win = window,\n): hookResetter {\n const original = win.Object.getOwnPropertyDescriptor(target, key);\n win.Object.defineProperty(\n target,\n key,\n isRevoked\n ? d\n : {\n set(value) {\n // put hooked setter into event loop to avoid of set latency\n setTimeout(() => {\n d.set!.call(this, value);\n }, 0);\n if (original && original.set) {\n original.set.call(this, value);\n }\n },\n },\n );\n return () => hookSetter(target, key, original || {}, true);\n}\n\n// copy from https://github.com/getsentry/sentry-javascript/blob/b2109071975af8bf0316d3b5b38f519bdaf5dc15/packages/utils/src/object.ts\nexport function patch(\n // tslint:disable-next-line:no-any\n source: { [key: string]: any },\n name: string,\n // tslint:disable-next-line:no-any\n replacement: (...args: any[]) => any,\n): () => void {\n try {\n if (!(name in source)) {\n return () => {};\n }\n\n const original = source[name] as () => unknown;\n const wrapped = replacement(original);\n\n // Make sure it's a function first, as we need to attach an empty prototype for `defineProperties` to work\n // otherwise it'll throw \"TypeError: Object.defineProperties called on non-object\"\n // tslint:disable-next-line:strict-type-predicates\n if (typeof wrapped === 'function') {\n wrapped.prototype = wrapped.prototype || {};\n Object.defineProperties(wrapped, {\n __rrweb_original__: {\n enumerable: false,\n value: original,\n },\n });\n }\n\n source[name] = wrapped;\n\n return () => {\n source[name] = original;\n };\n } catch {\n return () => {};\n // This can throw if multiple fill happens on a global object like XMLHttpRequest\n // Fixes https://github.com/getsentry/sentry-javascript/issues/2043\n }\n}\n\nexport function getWindowHeight(): number {\n return (\n window.innerHeight ||\n (document.documentElement && document.documentElement.clientHeight) ||\n (document.body && document.body.clientHeight)\n );\n}\n\nexport function getWindowWidth(): number {\n return (\n window.innerWidth ||\n (document.documentElement && document.documentElement.clientWidth) ||\n (document.body && document.body.clientWidth)\n );\n}\n\nexport function isBlocked(node: Node | null, blockClass: blockClass): boolean {\n if (!node) {\n return false;\n }\n if (node.nodeType === node.ELEMENT_NODE) {\n let needBlock = false;\n if (typeof blockClass === 'string') {\n if ((node as HTMLElement).closest !== undefined) {\n return (node as HTMLElement).closest('.' + blockClass) !== null;\n } else {\n needBlock = (node as HTMLElement).classList.contains(blockClass);\n }\n } else {\n (node as HTMLElement).classList.forEach((className) => {\n if (blockClass.test(className)) {\n needBlock = true;\n }\n });\n }\n return needBlock || isBlocked(node.parentNode, blockClass);\n }\n if (node.nodeType === node.TEXT_NODE) {\n // check parent node since text node do not have class name\n return isBlocked(node.parentNode, blockClass);\n }\n return isBlocked(node.parentNode, blockClass);\n}\n\nexport function isIgnored(n: Node | INode): boolean {\n if ('__sn' in n) {\n return (n as INode).__sn.id === IGNORED_NODE;\n }\n // The main part of the slimDOM check happens in\n // rrweb-snapshot::serializeNodeWithId\n return false;\n}\n\nexport function isAncestorRemoved(target: INode, mirror: Mirror): boolean {\n if (isShadowRoot(target)) {\n return false;\n }\n const id = mirror.getId(target);\n if (!mirror.has(id)) {\n return true;\n }\n if (\n target.parentNode &&\n target.parentNode.nodeType === target.DOCUMENT_NODE\n ) {\n return false;\n }\n // if the root is not document, it means the node is not in the DOM tree anymore\n if (!target.parentNode) {\n return true;\n }\n return isAncestorRemoved((target.parentNode as unknown) as INode, mirror);\n}\n\nexport function isTouchEvent(\n event: MouseEvent | TouchEvent,\n): event is TouchEvent {\n return Boolean((event as TouchEvent).changedTouches);\n}\n\nexport function polyfill(win = window) {\n if ('NodeList' in win && !win.NodeList.prototype.forEach) {\n win.NodeList.prototype.forEach = (Array.prototype\n .forEach as unknown) as NodeList['forEach'];\n }\n\n if ('DOMTokenList' in win && !win.DOMTokenList.prototype.forEach) {\n win.DOMTokenList.prototype.forEach = (Array.prototype\n .forEach as unknown) as DOMTokenList['forEach'];\n }\n\n // https://github.com/Financial-Times/polyfill-service/pull/183\n if (!Node.prototype.contains) {\n Node.prototype.contains = function contains(node) {\n if (!(0 in arguments)) {\n throw new TypeError('1 argument is required');\n }\n\n do {\n if (this === node) {\n return true;\n }\n // tslint:disable-next-line: no-conditional-assignment\n } while ((node = node && node.parentNode));\n\n return false;\n };\n }\n}\n\nexport type TreeNode = {\n id: number;\n mutation: addedNodeMutation;\n parent?: TreeNode;\n children: Record;\n texts: textMutation[];\n attributes: attributeMutation[];\n};\nexport class TreeIndex {\n public tree!: Record;\n\n private removeNodeMutations!: removedNodeMutation[];\n private textMutations!: textMutation[];\n private attributeMutations!: attributeMutation[];\n private indexes!: Map;\n private removeIdSet!: Set;\n private scrollMap!: Map;\n private inputMap!: Map;\n\n constructor() {\n this.reset();\n }\n\n public add(mutation: addedNodeMutation) {\n const parentTreeNode = this.indexes.get(mutation.parentId);\n const treeNode: TreeNode = {\n id: mutation.node.id,\n mutation,\n children: [],\n texts: [],\n attributes: [],\n };\n if (!parentTreeNode) {\n this.tree[treeNode.id] = treeNode;\n } else {\n treeNode.parent = parentTreeNode;\n parentTreeNode.children[treeNode.id] = treeNode;\n }\n this.indexes.set(treeNode.id, treeNode);\n }\n\n public remove(mutation: removedNodeMutation, mirror: Mirror) {\n const parentTreeNode = this.indexes.get(mutation.parentId);\n const treeNode = this.indexes.get(mutation.id);\n\n const deepRemoveFromMirror = (id: number) => {\n this.removeIdSet.add(id);\n const node = mirror.getNode(id);\n node?.childNodes.forEach((childNode) => {\n if ('__sn' in childNode) {\n deepRemoveFromMirror(((childNode as unknown) as INode).__sn.id);\n }\n });\n };\n const deepRemoveFromTreeIndex = (node: TreeNode) => {\n this.removeIdSet.add(node.id);\n Object.values(node.children).forEach((n) => deepRemoveFromTreeIndex(n));\n const _treeNode = this.indexes.get(node.id);\n if (_treeNode) {\n const _parentTreeNode = _treeNode.parent;\n if (_parentTreeNode) {\n delete _treeNode.parent;\n delete _parentTreeNode.children[_treeNode.id];\n this.indexes.delete(mutation.id);\n }\n }\n };\n\n if (!treeNode) {\n this.removeNodeMutations.push(mutation);\n deepRemoveFromMirror(mutation.id);\n } else if (!parentTreeNode) {\n delete this.tree[treeNode.id];\n this.indexes.delete(treeNode.id);\n deepRemoveFromTreeIndex(treeNode);\n } else {\n delete treeNode.parent;\n delete parentTreeNode.children[treeNode.id];\n this.indexes.delete(mutation.id);\n deepRemoveFromTreeIndex(treeNode);\n }\n }\n\n public text(mutation: textMutation) {\n const treeNode = this.indexes.get(mutation.id);\n if (treeNode) {\n treeNode.texts.push(mutation);\n } else {\n this.textMutations.push(mutation);\n }\n }\n\n public attribute(mutation: attributeMutation) {\n const treeNode = this.indexes.get(mutation.id);\n if (treeNode) {\n treeNode.attributes.push(mutation);\n } else {\n this.attributeMutations.push(mutation);\n }\n }\n\n public scroll(d: scrollData) {\n this.scrollMap.set(d.id, d);\n }\n\n public input(d: inputData) {\n this.inputMap.set(d.id, d);\n }\n\n public flush(): {\n mutationData: mutationData;\n scrollMap: TreeIndex['scrollMap'];\n inputMap: TreeIndex['inputMap'];\n } {\n const {\n tree,\n removeNodeMutations,\n textMutations,\n attributeMutations,\n } = this;\n\n const batchMutationData: mutationData = {\n source: IncrementalSource.Mutation,\n removes: removeNodeMutations,\n texts: textMutations,\n attributes: attributeMutations,\n adds: [],\n };\n\n const walk = (treeNode: TreeNode, removed: boolean) => {\n if (removed) {\n this.removeIdSet.add(treeNode.id);\n }\n batchMutationData.texts = batchMutationData.texts\n .concat(removed ? [] : treeNode.texts)\n .filter((m) => !this.removeIdSet.has(m.id));\n batchMutationData.attributes = batchMutationData.attributes\n .concat(removed ? [] : treeNode.attributes)\n .filter((m) => !this.removeIdSet.has(m.id));\n if (\n !this.removeIdSet.has(treeNode.id) &&\n !this.removeIdSet.has(treeNode.mutation.parentId) &&\n !removed\n ) {\n batchMutationData.adds.push(treeNode.mutation);\n if (treeNode.children) {\n Object.values(treeNode.children).forEach((n) => walk(n, false));\n }\n } else {\n Object.values(treeNode.children).forEach((n) => walk(n, true));\n }\n };\n\n Object.values(tree).forEach((n) => walk(n, false));\n\n for (const id of this.scrollMap.keys()) {\n if (this.removeIdSet.has(id)) {\n this.scrollMap.delete(id);\n }\n }\n for (const id of this.inputMap.keys()) {\n if (this.removeIdSet.has(id)) {\n this.inputMap.delete(id);\n }\n }\n\n const scrollMap = new Map(this.scrollMap);\n const inputMap = new Map(this.inputMap);\n\n this.reset();\n\n return {\n mutationData: batchMutationData,\n scrollMap,\n inputMap,\n };\n }\n\n private reset() {\n this.tree = [];\n this.indexes = new Map();\n this.removeNodeMutations = [];\n this.textMutations = [];\n this.attributeMutations = [];\n this.removeIdSet = new Set();\n this.scrollMap = new Map();\n this.inputMap = new Map();\n }\n\n public idRemoved(id: number): boolean {\n return this.removeIdSet.has(id);\n }\n}\n\ntype ResolveTree = {\n value: addedNodeMutation;\n children: ResolveTree[];\n parent: ResolveTree | null;\n};\n\nexport function queueToResolveTrees(queue: addedNodeMutation[]): ResolveTree[] {\n const queueNodeMap: Record = {};\n const putIntoMap = (\n m: addedNodeMutation,\n parent: ResolveTree | null,\n ): ResolveTree => {\n const nodeInTree: ResolveTree = {\n value: m,\n parent,\n children: [],\n };\n queueNodeMap[m.node.id] = nodeInTree;\n return nodeInTree;\n };\n\n const queueNodeTrees: ResolveTree[] = [];\n for (const mutation of queue) {\n const { nextId, parentId } = mutation;\n if (nextId && nextId in queueNodeMap) {\n const nextInTree = queueNodeMap[nextId];\n if (nextInTree.parent) {\n const idx = nextInTree.parent.children.indexOf(nextInTree);\n nextInTree.parent.children.splice(\n idx,\n 0,\n putIntoMap(mutation, nextInTree.parent),\n );\n } else {\n const idx = queueNodeTrees.indexOf(nextInTree);\n queueNodeTrees.splice(idx, 0, putIntoMap(mutation, null));\n }\n continue;\n }\n if (parentId in queueNodeMap) {\n const parentInTree = queueNodeMap[parentId];\n parentInTree.children.push(putIntoMap(mutation, parentInTree));\n continue;\n }\n queueNodeTrees.push(putIntoMap(mutation, null));\n }\n\n return queueNodeTrees;\n}\n\nexport function iterateResolveTree(\n tree: ResolveTree,\n cb: (mutation: addedNodeMutation) => unknown,\n) {\n cb(tree.value);\n /**\n * The resolve tree was designed to reflect the DOM layout,\n * but we need append next sibling first, so we do a reverse\n * loop here.\n */\n for (let i = tree.children.length - 1; i >= 0; i--) {\n iterateResolveTree(tree.children[i], cb);\n }\n}\n\ntype HTMLIFrameINode = HTMLIFrameElement & {\n __sn: serializedNodeWithId;\n};\nexport type AppendedIframe = {\n mutationInQueue: addedNodeMutation;\n builtNode: HTMLIFrameINode;\n};\n\nexport function isIframeINode(\n node: INode | ShadowRoot,\n): node is HTMLIFrameINode {\n if ('__sn' in node) {\n return (\n node.__sn.type === NodeType.Element && node.__sn.tagName === 'iframe'\n );\n }\n // node can be document fragment when using the virtual parent feature\n return false;\n}\n\nexport function getBaseDimension(\n node: Node,\n rootIframe: Node,\n): DocumentDimension {\n const frameElement = node.ownerDocument?.defaultView?.frameElement;\n if (!frameElement || frameElement === rootIframe) {\n return {\n x: 0,\n y: 0,\n relativeScale: 1,\n absoluteScale: 1,\n };\n }\n\n const frameDimension = frameElement.getBoundingClientRect();\n const frameBaseDimension = getBaseDimension(frameElement, rootIframe);\n // the iframe element may have a scale transform\n const relativeScale = frameDimension.height / frameElement.clientHeight;\n return {\n x:\n frameDimension.x * frameBaseDimension.relativeScale +\n frameBaseDimension.x,\n y:\n frameDimension.y * frameBaseDimension.relativeScale +\n frameBaseDimension.y,\n relativeScale,\n absoluteScale: frameBaseDimension.absoluteScale * relativeScale,\n };\n}\n\nexport function hasShadowRoot(\n n: T,\n): n is T & { shadowRoot: ShadowRoot } {\n return Boolean(((n as unknown) as Element)?.shadowRoot);\n}\n","const rules: (blockClass: string) => string[] = (blockClass: string) => [\n `.${blockClass} { background: currentColor }`,\n 'noscript { display: none !important; }',\n];\n\nexport default rules;\n","import { INode } from 'rrweb-snapshot';\n\nexport enum StyleRuleType {\n Insert,\n Remove,\n Snapshot,\n SetProperty,\n RemoveProperty,\n}\n\ntype InsertRule = {\n cssText: string;\n type: StyleRuleType.Insert;\n index?: number | number[];\n};\ntype RemoveRule = {\n type: StyleRuleType.Remove;\n index: number | number[];\n};\ntype SnapshotRule = {\n type: StyleRuleType.Snapshot;\n cssTexts: string[];\n};\ntype SetPropertyRule = {\n type: StyleRuleType.SetProperty;\n index: number[];\n property: string;\n value: string | null;\n priority: string | undefined;\n};\ntype RemovePropertyRule = {\n type: StyleRuleType.RemoveProperty;\n index: number[];\n property: string;\n};\n\nexport type VirtualStyleRules = Array<\n InsertRule | RemoveRule | SnapshotRule | SetPropertyRule | RemovePropertyRule\n>;\nexport type VirtualStyleRulesMap = Map;\n\nexport function getNestedRule(\n rules: CSSRuleList,\n position: number[],\n): CSSGroupingRule {\n const rule = rules[position[0]] as CSSGroupingRule;\n if (position.length === 1) {\n return rule;\n } else {\n return getNestedRule(\n ((rule as CSSGroupingRule).cssRules[position[1]] as CSSGroupingRule)\n .cssRules,\n position.slice(2),\n );\n }\n}\n\nexport function getPositionsAndIndex(nestedIndex: number[]) {\n const positions = [...nestedIndex];\n const index = positions.pop();\n return { positions, index };\n}\n\nexport function applyVirtualStyleRulesToNode(\n storedRules: VirtualStyleRules,\n styleNode: HTMLStyleElement,\n) {\n const { sheet } = styleNode;\n if (!sheet) {\n // styleNode without sheet means the DOM has been removed\n // so the rules no longer need to be applied\n return;\n }\n\n storedRules.forEach((rule) => {\n if (rule.type === StyleRuleType.Insert) {\n try {\n if (Array.isArray(rule.index)) {\n const { positions, index } = getPositionsAndIndex(rule.index);\n const nestedRule = getNestedRule(sheet.cssRules, positions);\n nestedRule.insertRule(rule.cssText, index);\n } else {\n sheet.insertRule(rule.cssText, rule.index);\n }\n } catch (e) {\n /**\n * sometimes we may capture rules with browser prefix\n * insert rule with prefixs in other browsers may cause Error\n */\n }\n } else if (rule.type === StyleRuleType.Remove) {\n try {\n if (Array.isArray(rule.index)) {\n const { positions, index } = getPositionsAndIndex(rule.index);\n const nestedRule = getNestedRule(sheet.cssRules, positions);\n nestedRule.deleteRule(index || 0);\n } else {\n sheet.deleteRule(rule.index);\n }\n } catch (e) {\n /**\n * accessing styleSheet rules may cause SecurityError\n * for specific access control settings\n */\n }\n } else if (rule.type === StyleRuleType.Snapshot) {\n restoreSnapshotOfStyleRulesToNode(rule.cssTexts, styleNode);\n } else if (rule.type === StyleRuleType.SetProperty) {\n const nativeRule = (getNestedRule(\n sheet.cssRules,\n rule.index,\n ) as unknown) as CSSStyleRule;\n nativeRule.style.setProperty(rule.property, rule.value, rule.priority);\n } else if (rule.type === StyleRuleType.RemoveProperty) {\n const nativeRule = (getNestedRule(\n sheet.cssRules,\n rule.index,\n ) as unknown) as CSSStyleRule;\n nativeRule.style.removeProperty(rule.property);\n }\n });\n}\n\nfunction restoreSnapshotOfStyleRulesToNode(\n cssTexts: string[],\n styleNode: HTMLStyleElement,\n) {\n try {\n const existingRules = Array.from(styleNode.sheet?.cssRules || []).map(\n (rule) => rule.cssText,\n );\n const existingRulesReversed = Object.entries(existingRules).reverse();\n let lastMatch = existingRules.length;\n existingRulesReversed.forEach(([index, rule]) => {\n const indexOf = cssTexts.indexOf(rule);\n if (indexOf === -1 || indexOf > lastMatch) {\n try {\n styleNode.sheet?.deleteRule(Number(index));\n } catch (e) {\n /**\n * accessing styleSheet rules may cause SecurityError\n * for specific access control settings\n */\n }\n }\n lastMatch = indexOf;\n });\n cssTexts.forEach((cssText, index) => {\n try {\n if (styleNode.sheet?.cssRules[index]?.cssText !== cssText) {\n styleNode.sheet?.insertRule(cssText, index);\n }\n } catch (e) {\n /**\n * sometimes we may capture rules with browser prefix\n * insert rule with prefixs in other browsers may cause Error\n */\n }\n });\n } catch (e) {\n /**\n * accessing styleSheet rules may cause SecurityError\n * for specific access control settings\n */\n }\n}\n\nexport function storeCSSRules(\n parentElement: HTMLStyleElement,\n virtualStyleRulesMap: VirtualStyleRulesMap,\n) {\n try {\n const cssTexts = Array.from(\n (parentElement as HTMLStyleElement).sheet?.cssRules || [],\n ).map((rule) => rule.cssText);\n virtualStyleRulesMap.set((parentElement as unknown) as INode, [\n {\n type: StyleRuleType.Snapshot,\n cssTexts,\n },\n ]);\n } catch (e) {\n /**\n * accessing styleSheet rules may cause SecurityError\n * for specific access control settings\n */\n }\n}\n","/*\n * base64-arraybuffer 1.0.1 \n * Copyright (c) 2021 Niklas von Hertzen \n * Released under MIT License\n */\nvar chars = 'ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/';\n// Use a lookup table to find the index.\nvar lookup = typeof Uint8Array === 'undefined' ? [] : new Uint8Array(256);\nfor (var i = 0; i < chars.length; i++) {\n lookup[chars.charCodeAt(i)] = i;\n}\nvar encode = function (arraybuffer) {\n var bytes = new Uint8Array(arraybuffer), i, len = bytes.length, base64 = '';\n for (i = 0; i < len; i += 3) {\n base64 += chars[bytes[i] >> 2];\n base64 += chars[((bytes[i] & 3) << 4) | (bytes[i + 1] >> 4)];\n base64 += chars[((bytes[i + 1] & 15) << 2) | (bytes[i + 2] >> 6)];\n base64 += chars[bytes[i + 2] & 63];\n }\n if (len % 3 === 2) {\n base64 = base64.substring(0, base64.length - 1) + '=';\n }\n else if (len % 3 === 1) {\n base64 = base64.substring(0, base64.length - 2) + '==';\n }\n return base64;\n};\nvar decode = function (base64) {\n var bufferLength = base64.length * 0.75, len = base64.length, i, p = 0, encoded1, encoded2, encoded3, encoded4;\n if (base64[base64.length - 1] === '=') {\n bufferLength--;\n if (base64[base64.length - 2] === '=') {\n bufferLength--;\n }\n }\n var arraybuffer = new ArrayBuffer(bufferLength), bytes = new Uint8Array(arraybuffer);\n for (i = 0; i < len; i += 4) {\n encoded1 = lookup[base64.charCodeAt(i)];\n encoded2 = lookup[base64.charCodeAt(i + 1)];\n encoded3 = lookup[base64.charCodeAt(i + 2)];\n encoded4 = lookup[base64.charCodeAt(i + 3)];\n bytes[p++] = (encoded1 << 2) | (encoded2 >> 4);\n bytes[p++] = ((encoded2 & 15) << 4) | (encoded3 >> 2);\n bytes[p++] = ((encoded3 & 3) << 6) | (encoded4 & 63);\n }\n return arraybuffer;\n};\n\nexport { decode, encode };\n//# sourceMappingURL=base64-arraybuffer.es5.js.map\n","import { decode } from 'base64-arraybuffer';\nimport { Replayer } from '../';\nimport {\n CanvasContext,\n canvasMutationCommand,\n SerializedWebGlArg,\n} from '../../types';\n\n// TODO: add ability to wipe this list\ntype GLVarMap = Map;\nconst webGLVarMap: Map<\n WebGLRenderingContext | WebGL2RenderingContext,\n GLVarMap\n> = new Map();\nexport function variableListFor(\n ctx: WebGLRenderingContext | WebGL2RenderingContext,\n ctor: string,\n) {\n let contextMap = webGLVarMap.get(ctx);\n if (!contextMap) {\n contextMap = new Map();\n webGLVarMap.set(ctx, contextMap);\n }\n if (!contextMap.has(ctor)) {\n contextMap.set(ctor, []);\n }\n return contextMap.get(ctor) as any[];\n}\n\nfunction getContext(\n target: HTMLCanvasElement,\n type: CanvasContext,\n): WebGLRenderingContext | WebGL2RenderingContext | null {\n // Note to whomever is going to implement support for `contextAttributes`:\n // if `preserveDrawingBuffer` is set to true,\n // you might have to do `ctx.flush()` before every webgl canvas event\n try {\n if (type === CanvasContext.WebGL) {\n return (\n target.getContext('webgl')! || target.getContext('experimental-webgl')\n );\n }\n return target.getContext('webgl2')!;\n } catch (e) {\n return null;\n }\n}\n\nconst WebGLVariableConstructorsNames = [\n 'WebGLActiveInfo',\n 'WebGLBuffer',\n 'WebGLFramebuffer',\n 'WebGLProgram',\n 'WebGLRenderbuffer',\n 'WebGLShader',\n 'WebGLShaderPrecisionFormat',\n 'WebGLTexture',\n 'WebGLUniformLocation',\n 'WebGLVertexArrayObject',\n];\n\nfunction saveToWebGLVarMap(\n ctx: WebGLRenderingContext | WebGL2RenderingContext,\n result: any,\n) {\n if (!result?.constructor) return; // probably null or undefined\n\n const { name } = result.constructor;\n if (!WebGLVariableConstructorsNames.includes(name)) return; // not a WebGL variable\n\n const variables = variableListFor(ctx, name);\n if (!variables.includes(result)) variables.push(result);\n}\n\nexport function deserializeArg(\n imageMap: Replayer['imageMap'],\n ctx: WebGLRenderingContext | WebGL2RenderingContext,\n): (arg: SerializedWebGlArg) => any {\n return (arg: SerializedWebGlArg): any => {\n if (arg && typeof arg === 'object' && 'rr_type' in arg) {\n if ('index' in arg) {\n const { rr_type: name, index } = arg;\n return variableListFor(ctx, name)[index];\n } else if ('args' in arg) {\n const { rr_type: name, args } = arg;\n const ctor = window[name as keyof Window];\n\n return new ctor(...args.map(deserializeArg(imageMap, ctx)));\n } else if ('base64' in arg) {\n return decode(arg.base64);\n } else if ('src' in arg) {\n const image = imageMap.get(arg.src);\n if (image) {\n return image;\n } else {\n const image = new Image();\n image.src = arg.src;\n imageMap.set(arg.src, image);\n return image;\n }\n }\n } else if (Array.isArray(arg)) {\n return arg.map(deserializeArg(imageMap, ctx));\n }\n return arg;\n };\n}\n\nexport default function webglMutation({\n mutation,\n target,\n type,\n imageMap,\n errorHandler,\n}: {\n mutation: canvasMutationCommand;\n target: HTMLCanvasElement;\n type: CanvasContext;\n imageMap: Replayer['imageMap'];\n errorHandler: Replayer['warnCanvasMutationFailed'];\n}): void {\n try {\n const ctx = getContext(target, type);\n if (!ctx) return;\n\n // NOTE: if `preserveDrawingBuffer` is set to true,\n // we must flush the buffers on every new canvas event\n // if (mutation.newFrame) ctx.flush();\n\n if (mutation.setter) {\n // skip some read-only type checks\n // tslint:disable-next-line:no-any\n (ctx as any)[mutation.property] = mutation.args[0];\n return;\n }\n const original = ctx[\n mutation.property as Exclude\n ] as Function;\n\n const args = mutation.args.map(deserializeArg(imageMap, ctx));\n const result = original.apply(ctx, args);\n saveToWebGLVarMap(ctx, result);\n\n // Slows down replay considerably, only use for debugging\n const debugMode = false;\n if (debugMode) {\n if (mutation.property === 'compileShader') {\n if (!ctx.getShaderParameter(args[0], ctx.COMPILE_STATUS))\n console.warn(\n 'something went wrong in replay',\n ctx.getShaderInfoLog(args[0]),\n );\n } else if (mutation.property === 'linkProgram') {\n ctx.validateProgram(args[0]);\n if (!ctx.getProgramParameter(args[0], ctx.LINK_STATUS))\n console.warn(\n 'something went wrong in replay',\n ctx.getProgramInfoLog(args[0]),\n );\n }\n const webglError = ctx.getError();\n if (webglError !== ctx.NO_ERROR) {\n console.warn(\n 'WEBGL ERROR',\n webglError,\n 'on command:',\n mutation.property,\n ...args,\n );\n }\n }\n } catch (error) {\n errorHandler(mutation, error);\n }\n}\n","import {\n rebuild,\n buildNodeWithSN,\n INode,\n NodeType,\n BuildCache,\n createCache,\n} from 'rrweb-snapshot';\nimport * as mittProxy from 'mitt';\nimport { polyfill as smoothscrollPolyfill } from './smoothscroll';\nimport { Timer } from './timer';\nimport { createPlayerService, createSpeedService } from './machine';\nimport {\n EventType,\n IncrementalSource,\n fullSnapshotEvent,\n eventWithTime,\n MouseInteractions,\n playerConfig,\n playerMetaData,\n viewportResizeDimension,\n missingNodeMap,\n addedNodeMutation,\n missingNode,\n incrementalSnapshotEvent,\n incrementalData,\n ReplayerEvents,\n Handler,\n Emitter,\n MediaInteractions,\n metaEvent,\n mutationData,\n scrollData,\n inputData,\n canvasMutationData,\n Mirror,\n ElementState,\n styleAttributeValue,\n styleValueWithPriority,\n mouseMovePos,\n IWindow,\n canvasMutationCommand,\n textMutation,\n} from '../types';\nimport {\n createMirror,\n polyfill,\n TreeIndex,\n queueToResolveTrees,\n iterateResolveTree,\n AppendedIframe,\n isIframeINode,\n getBaseDimension,\n hasShadowRoot,\n} from '../utils';\nimport getInjectStyleRules from './styles/inject-style';\nimport './styles/style.css';\nimport {\n applyVirtualStyleRulesToNode,\n storeCSSRules,\n StyleRuleType,\n VirtualStyleRules,\n VirtualStyleRulesMap,\n getNestedRule,\n getPositionsAndIndex,\n} from './virtual-styles';\nimport canvasMutation from './canvas';\n\nconst SKIP_TIME_THRESHOLD = 10 * 1000;\nconst SKIP_TIME_INTERVAL = 5 * 1000;\n\n// https://github.com/rollup/rollup/issues/1267#issuecomment-296395734\n// tslint:disable-next-line\nconst mitt = (mittProxy as any).default || mittProxy;\n\nconst REPLAY_CONSOLE_PREFIX = '[replayer]';\n\nconst defaultMouseTailConfig = {\n duration: 500,\n lineCap: 'round',\n lineWidth: 3,\n strokeStyle: 'red',\n} as const;\n\nfunction indicatesTouchDevice(e: eventWithTime) {\n return (\n e.type == EventType.IncrementalSnapshot &&\n (e.data.source == IncrementalSource.TouchMove ||\n (e.data.source == IncrementalSource.MouseInteraction &&\n e.data.type == MouseInteractions.TouchStart))\n );\n}\n\nexport class Replayer {\n public wrapper: HTMLDivElement;\n public iframe: HTMLIFrameElement;\n\n public service: ReturnType;\n public speedService: ReturnType;\n public get timer() {\n return this.service.state.context.timer;\n }\n\n public config: playerConfig;\n\n private mouse: HTMLDivElement;\n private mouseTail: HTMLCanvasElement | null = null;\n private tailPositions: Array<{ x: number; y: number }> = [];\n\n private emitter: Emitter = mitt();\n\n private nextUserInteractionEvent: eventWithTime | null;\n\n // tslint:disable-next-line: variable-name\n private legacy_missingNodeRetryMap: missingNodeMap = {};\n\n private treeIndex!: TreeIndex;\n private fragmentParentMap!: Map;\n private elementStateMap!: Map;\n // Hold the list of CSSRules for in-memory state restoration\n private virtualStyleRulesMap!: VirtualStyleRulesMap;\n\n // The replayer uses the cache to speed up replay and scrubbing.\n private cache: BuildCache = createCache();\n\n private imageMap: Map = new Map();\n\n private mirror: Mirror = createMirror();\n\n private firstFullSnapshot: eventWithTime | true | null = null;\n\n private newDocumentQueue: addedNodeMutation[] = [];\n\n private mousePos: mouseMovePos | null = null;\n private touchActive: boolean | null = null;\n\n constructor(\n events: Array,\n config?: Partial,\n ) {\n if (!config?.liveMode && events.length < 2) {\n throw new Error('Replayer need at least 2 events.');\n }\n const defaultConfig: playerConfig = {\n speed: 1,\n maxSpeed: 360,\n root: document.body,\n loadTimeout: 0,\n skipInactive: false,\n showWarning: true,\n showDebug: false,\n blockClass: 'rr-block',\n liveMode: false,\n insertStyleRules: [],\n triggerFocus: true,\n UNSAFE_replayCanvas: false,\n pauseAnimation: true,\n mouseTail: defaultMouseTailConfig,\n };\n this.config = Object.assign({}, defaultConfig, config);\n\n this.handleResize = this.handleResize.bind(this);\n this.getCastFn = this.getCastFn.bind(this);\n this.applyEventsSynchronously = this.applyEventsSynchronously.bind(this);\n this.emitter.on(ReplayerEvents.Resize, this.handleResize as Handler);\n\n this.setupDom();\n\n this.treeIndex = new TreeIndex();\n this.fragmentParentMap = new Map();\n this.elementStateMap = new Map();\n this.virtualStyleRulesMap = new Map();\n\n this.emitter.on(ReplayerEvents.Flush, () => {\n const { scrollMap, inputMap, mutationData } = this.treeIndex.flush();\n\n this.fragmentParentMap.forEach((parent, frag) =>\n this.restoreRealParent(frag, parent),\n );\n // apply text needs to happen before virtual style rules gets applied\n // as it can overwrite the contents of a stylesheet\n for (const d of mutationData.texts) {\n this.applyText(d, mutationData);\n }\n\n for (const node of this.virtualStyleRulesMap.keys()) {\n // restore css rules of style elements after they are mounted\n this.restoreNodeSheet(node);\n }\n this.fragmentParentMap.clear();\n this.elementStateMap.clear();\n this.virtualStyleRulesMap.clear();\n\n for (const d of scrollMap.values()) {\n this.applyScroll(d, true);\n }\n for (const d of inputMap.values()) {\n this.applyInput(d);\n }\n });\n this.emitter.on(ReplayerEvents.PlayBack, () => {\n this.firstFullSnapshot = null;\n this.mirror.reset();\n });\n\n const timer = new Timer([], config?.speed || defaultConfig.speed);\n this.service = createPlayerService(\n {\n events: events\n .map((e) => {\n if (config && config.unpackFn) {\n return config.unpackFn(e as string);\n }\n return e as eventWithTime;\n })\n .sort((a1, a2) => a1.timestamp - a2.timestamp),\n timer,\n timeOffset: 0,\n baselineTime: 0,\n lastPlayedEvent: null,\n },\n {\n getCastFn: this.getCastFn,\n applyEventsSynchronously: this.applyEventsSynchronously,\n emitter: this.emitter,\n },\n );\n this.service.start();\n this.service.subscribe((state) => {\n this.emitter.emit(ReplayerEvents.StateChange, {\n player: state,\n });\n });\n this.speedService = createSpeedService({\n normalSpeed: -1,\n timer,\n });\n this.speedService.start();\n this.speedService.subscribe((state) => {\n this.emitter.emit(ReplayerEvents.StateChange, {\n speed: state,\n });\n });\n\n // rebuild first full snapshot as the poster of the player\n // maybe we can cache it for performance optimization\n const firstMeta = this.service.state.context.events.find(\n (e) => e.type === EventType.Meta,\n );\n const firstFullsnapshot = this.service.state.context.events.find(\n (e) => e.type === EventType.FullSnapshot,\n );\n if (firstMeta) {\n const { width, height } = firstMeta.data as metaEvent['data'];\n setTimeout(() => {\n this.emitter.emit(ReplayerEvents.Resize, {\n width,\n height,\n });\n }, 0);\n }\n if (firstFullsnapshot) {\n setTimeout(() => {\n // when something has been played, there is no need to rebuild poster\n if (this.firstFullSnapshot) {\n // true if any other fullSnapshot has been executed by Timer already\n return;\n }\n this.firstFullSnapshot = firstFullsnapshot;\n this.rebuildFullSnapshot(\n firstFullsnapshot as fullSnapshotEvent & { timestamp: number },\n );\n this.iframe.contentWindow!.scrollTo(\n (firstFullsnapshot as fullSnapshotEvent).data.initialOffset,\n );\n }, 1);\n }\n if (this.service.state.context.events.find(indicatesTouchDevice)) {\n this.mouse.classList.add('touch-device');\n }\n }\n\n public on(event: string, handler: Handler) {\n this.emitter.on(event, handler);\n return this;\n }\n\n public off(event: string, handler: Handler) {\n this.emitter.off(event, handler);\n return this;\n }\n\n public setConfig(config: Partial) {\n Object.keys(config).forEach((key) => {\n // @ts-ignore\n this.config[key] = config[key];\n });\n if (!this.config.skipInactive) {\n this.backToNormal();\n }\n if (typeof config.speed !== 'undefined') {\n this.speedService.send({\n type: 'SET_SPEED',\n payload: {\n speed: config.speed!,\n },\n });\n }\n if (typeof config.mouseTail !== 'undefined') {\n if (config.mouseTail === false) {\n if (this.mouseTail) {\n this.mouseTail.style.display = 'none';\n }\n } else {\n if (!this.mouseTail) {\n this.mouseTail = document.createElement('canvas');\n this.mouseTail.width = Number.parseFloat(this.iframe.width);\n this.mouseTail.height = Number.parseFloat(this.iframe.height);\n this.mouseTail.classList.add('replayer-mouse-tail');\n this.wrapper.insertBefore(this.mouseTail, this.iframe);\n }\n this.mouseTail.style.display = 'inherit';\n }\n }\n }\n\n public getMetaData(): playerMetaData {\n const firstEvent = this.service.state.context.events[0];\n const lastEvent = this.service.state.context.events[\n this.service.state.context.events.length - 1\n ];\n return {\n startTime: firstEvent.timestamp,\n endTime: lastEvent.timestamp,\n totalTime: lastEvent.timestamp - firstEvent.timestamp,\n };\n }\n\n public getCurrentTime(): number {\n return this.timer.timeOffset + this.getTimeOffset();\n }\n\n public getTimeOffset(): number {\n const { baselineTime, events } = this.service.state.context;\n return baselineTime - events[0].timestamp;\n }\n\n public getMirror(): Mirror {\n return this.mirror;\n }\n\n /**\n * This API was designed to be used as play at any time offset.\n * Since we minimized the data collected from recorder, we do not\n * have the ability of undo an event.\n * So the implementation of play at any time offset will always iterate\n * all of the events, cast event before the offset synchronously\n * and cast event after the offset asynchronously with timer.\n * @param timeOffset number\n */\n public play(timeOffset = 0) {\n if (this.service.state.matches('paused')) {\n this.service.send({ type: 'PLAY', payload: { timeOffset } });\n } else {\n this.service.send({ type: 'PAUSE' });\n this.service.send({ type: 'PLAY', payload: { timeOffset } });\n }\n this.iframe.contentDocument\n ?.getElementsByTagName('html')[0]\n .classList.remove('rrweb-paused');\n this.emitter.emit(ReplayerEvents.Start);\n }\n\n public pause(timeOffset?: number) {\n if (timeOffset === undefined && this.service.state.matches('playing')) {\n this.service.send({ type: 'PAUSE' });\n }\n if (typeof timeOffset === 'number') {\n this.play(timeOffset);\n this.service.send({ type: 'PAUSE' });\n }\n this.iframe.contentDocument\n ?.getElementsByTagName('html')[0]\n .classList.add('rrweb-paused');\n this.emitter.emit(ReplayerEvents.Pause);\n }\n\n public resume(timeOffset = 0) {\n console.warn(\n `The 'resume' will be departed in 1.0. Please use 'play' method which has the same interface.`,\n );\n this.play(timeOffset);\n this.emitter.emit(ReplayerEvents.Resume);\n }\n\n public startLive(baselineTime?: number) {\n this.service.send({ type: 'TO_LIVE', payload: { baselineTime } });\n }\n\n public addEvent(rawEvent: eventWithTime | string) {\n const event = this.config.unpackFn\n ? this.config.unpackFn(rawEvent as string)\n : (rawEvent as eventWithTime);\n if (indicatesTouchDevice(event)) {\n this.mouse.classList.add('touch-device');\n }\n Promise.resolve().then(() =>\n this.service.send({ type: 'ADD_EVENT', payload: { event } }),\n );\n }\n\n public enableInteract() {\n this.iframe.setAttribute('scrolling', 'auto');\n this.iframe.style.pointerEvents = 'auto';\n }\n\n public disableInteract() {\n this.iframe.setAttribute('scrolling', 'no');\n this.iframe.style.pointerEvents = 'none';\n }\n\n /**\n * Empties the replayer's cache and reclaims memory.\n * The replayer will use this cache to speed up the playback.\n */\n public resetCache() {\n this.cache = createCache();\n }\n\n private setupDom() {\n this.wrapper = document.createElement('div');\n this.wrapper.classList.add('replayer-wrapper');\n this.config.root!.appendChild(this.wrapper);\n\n this.mouse = document.createElement('div');\n this.mouse.classList.add('replayer-mouse');\n this.wrapper.appendChild(this.mouse);\n\n if (this.config.mouseTail !== false) {\n this.mouseTail = document.createElement('canvas');\n this.mouseTail.classList.add('replayer-mouse-tail');\n this.mouseTail.style.display = 'inherit';\n this.wrapper.appendChild(this.mouseTail);\n }\n\n this.iframe = document.createElement('iframe');\n const attributes = ['allow-same-origin'];\n if (this.config.UNSAFE_replayCanvas) {\n attributes.push('allow-scripts');\n }\n // hide iframe before first meta event\n this.iframe.style.display = 'none';\n this.iframe.setAttribute('sandbox', attributes.join(' '));\n this.disableInteract();\n this.wrapper.appendChild(this.iframe);\n if (this.iframe.contentWindow && this.iframe.contentDocument) {\n smoothscrollPolyfill(\n this.iframe.contentWindow,\n this.iframe.contentDocument,\n );\n\n polyfill(this.iframe.contentWindow as IWindow);\n }\n }\n\n private handleResize(dimension: viewportResizeDimension) {\n this.iframe.style.display = 'inherit';\n for (const el of [this.mouseTail, this.iframe]) {\n if (!el) {\n continue;\n }\n el.setAttribute('width', String(dimension.width));\n el.setAttribute('height', String(dimension.height));\n }\n }\n\n private applyEventsSynchronously(events: Array) {\n for (const event of events) {\n switch (event.type) {\n case EventType.DomContentLoaded:\n case EventType.Load:\n case EventType.Custom:\n continue;\n case EventType.FullSnapshot:\n case EventType.Meta:\n case EventType.Plugin:\n break;\n case EventType.IncrementalSnapshot:\n switch (event.data.source) {\n case IncrementalSource.MediaInteraction:\n continue;\n default:\n break;\n }\n break;\n default:\n break;\n }\n const castFn = this.getCastFn(event, true);\n castFn();\n }\n if (this.mousePos) {\n this.moveAndHover(\n this.mousePos.x,\n this.mousePos.y,\n this.mousePos.id,\n true,\n this.mousePos.debugData,\n );\n }\n this.mousePos = null;\n if (this.touchActive === true) {\n this.mouse.classList.add('touch-active');\n } else if (this.touchActive === false) {\n this.mouse.classList.remove('touch-active');\n }\n this.touchActive = null;\n }\n\n private getCastFn(event: eventWithTime, isSync = false) {\n let castFn: undefined | (() => void);\n switch (event.type) {\n case EventType.DomContentLoaded:\n case EventType.Load:\n break;\n case EventType.Custom:\n castFn = () => {\n /**\n * emit custom-event and pass the event object.\n *\n * This will add more value to the custom event and allows the client to react for custom-event.\n */\n this.emitter.emit(ReplayerEvents.CustomEvent, event);\n };\n break;\n case EventType.Meta:\n castFn = () =>\n this.emitter.emit(ReplayerEvents.Resize, {\n width: event.data.width,\n height: event.data.height,\n });\n break;\n case EventType.FullSnapshot:\n castFn = () => {\n if (this.firstFullSnapshot) {\n if (this.firstFullSnapshot === event) {\n // we've already built this exact FullSnapshot when the player was mounted, and haven't built any other FullSnapshot since\n this.firstFullSnapshot = true; // forget as we might need to re-execute this FullSnapshot later e.g. to rebuild after scrubbing\n return;\n }\n } else {\n // Timer (requestAnimationFrame) can be faster than setTimeout(..., 1)\n this.firstFullSnapshot = true;\n }\n this.rebuildFullSnapshot(event, isSync);\n this.iframe.contentWindow!.scrollTo(event.data.initialOffset);\n };\n break;\n case EventType.IncrementalSnapshot:\n castFn = () => {\n this.applyIncremental(event, isSync);\n if (isSync) {\n // do not check skip in sync\n return;\n }\n if (event === this.nextUserInteractionEvent) {\n this.nextUserInteractionEvent = null;\n this.backToNormal();\n }\n if (this.config.skipInactive && !this.nextUserInteractionEvent) {\n for (const _event of this.service.state.context.events) {\n if (_event.timestamp! <= event.timestamp!) {\n continue;\n }\n if (this.isUserInteraction(_event)) {\n if (\n _event.delay! - event.delay! >\n SKIP_TIME_THRESHOLD *\n this.speedService.state.context.timer.speed\n ) {\n this.nextUserInteractionEvent = _event;\n }\n break;\n }\n }\n if (this.nextUserInteractionEvent) {\n const skipTime =\n this.nextUserInteractionEvent.delay! - event.delay!;\n const payload = {\n speed: Math.min(\n Math.round(skipTime / SKIP_TIME_INTERVAL),\n this.config.maxSpeed,\n ),\n };\n this.speedService.send({ type: 'FAST_FORWARD', payload });\n this.emitter.emit(ReplayerEvents.SkipStart, payload);\n }\n }\n };\n break;\n default:\n }\n const wrappedCastFn = () => {\n if (castFn) {\n castFn();\n }\n\n for (const plugin of this.config.plugins || []) {\n plugin.handler(event, isSync, { replayer: this });\n }\n\n this.service.send({ type: 'CAST_EVENT', payload: { event } });\n\n // events are kept sorted by timestamp, check if this is the last event\n let last_index = this.service.state.context.events.length - 1;\n if (event === this.service.state.context.events[last_index]) {\n const finish = () => {\n if (last_index < this.service.state.context.events.length - 1) {\n // more events have been added since the setTimeout\n return;\n }\n this.backToNormal();\n this.service.send('END');\n this.emitter.emit(ReplayerEvents.Finish);\n };\n if (\n event.type === EventType.IncrementalSnapshot &&\n event.data.source === IncrementalSource.MouseMove &&\n event.data.positions.length\n ) {\n // defer finish event if the last event is a mouse move\n setTimeout(() => {\n finish();\n }, Math.max(0, -event.data.positions[0].timeOffset + 50)); // Add 50 to make sure the timer would check the last mousemove event. Otherwise, the timer may be stopped by the service before checking the last event.\n } else {\n finish();\n }\n }\n\n this.emitter.emit(ReplayerEvents.EventCast, event);\n };\n return wrappedCastFn;\n }\n\n private rebuildFullSnapshot(\n event: fullSnapshotEvent & { timestamp: number },\n isSync: boolean = false,\n ) {\n if (!this.iframe.contentDocument) {\n return console.warn('Looks like your replayer has been destroyed.');\n }\n if (Object.keys(this.legacy_missingNodeRetryMap).length) {\n console.warn(\n 'Found unresolved missing node map',\n this.legacy_missingNodeRetryMap,\n );\n }\n this.legacy_missingNodeRetryMap = {};\n const collected: AppendedIframe[] = [];\n this.mirror.map = rebuild(event.data.node, {\n doc: this.iframe.contentDocument,\n afterAppend: (builtNode) => {\n this.collectIframeAndAttachDocument(collected, builtNode);\n },\n cache: this.cache,\n })[1];\n for (const { mutationInQueue, builtNode } of collected) {\n this.attachDocumentToIframe(mutationInQueue, builtNode);\n this.newDocumentQueue = this.newDocumentQueue.filter(\n (m) => m !== mutationInQueue,\n );\n }\n const { documentElement, head } = this.iframe.contentDocument;\n this.insertStyleRules(documentElement, head);\n if (!this.service.state.matches('playing')) {\n this.iframe.contentDocument\n .getElementsByTagName('html')[0]\n .classList.add('rrweb-paused');\n }\n this.emitter.emit(ReplayerEvents.FullsnapshotRebuilded, event);\n if (!isSync) {\n this.waitForStylesheetLoad();\n }\n if (this.config.UNSAFE_replayCanvas) {\n this.preloadAllImages();\n }\n }\n\n private insertStyleRules(\n documentElement: HTMLElement,\n head: HTMLHeadElement,\n ) {\n const styleEl = document.createElement('style');\n documentElement!.insertBefore(styleEl, head);\n const injectStylesRules = getInjectStyleRules(\n this.config.blockClass,\n ).concat(this.config.insertStyleRules);\n if (this.config.pauseAnimation) {\n injectStylesRules.push(\n 'html.rrweb-paused *, html.rrweb-paused *:before, html.rrweb-paused *:after { animation-play-state: paused !important; }',\n );\n }\n for (let idx = 0; idx < injectStylesRules.length; idx++) {\n (styleEl.sheet! as CSSStyleSheet).insertRule(injectStylesRules[idx], idx);\n }\n }\n\n private attachDocumentToIframe(\n mutation: addedNodeMutation,\n iframeEl: HTMLIFrameElement,\n ) {\n const collected: AppendedIframe[] = [];\n // If iframeEl is detached from dom, iframeEl.contentDocument is null.\n if (!iframeEl.contentDocument) {\n let parent = iframeEl.parentNode;\n while (parent) {\n // The parent of iframeEl is virtual parent and we need to mount it on the dom.\n if (this.fragmentParentMap.has((parent as unknown) as INode)) {\n const frag = (parent as unknown) as INode;\n const realParent = this.fragmentParentMap.get(frag)!;\n this.restoreRealParent(frag, realParent);\n break;\n }\n parent = parent.parentNode;\n }\n }\n buildNodeWithSN(mutation.node, {\n doc: iframeEl.contentDocument!,\n map: this.mirror.map,\n hackCss: true,\n skipChild: false,\n afterAppend: (builtNode) => {\n this.collectIframeAndAttachDocument(collected, builtNode);\n if (\n builtNode.__sn.type === NodeType.Element &&\n builtNode.__sn.tagName.toUpperCase() === 'HTML'\n ) {\n const { documentElement, head } = iframeEl.contentDocument!;\n this.insertStyleRules(documentElement, head);\n }\n },\n cache: this.cache,\n });\n for (const { mutationInQueue, builtNode } of collected) {\n this.attachDocumentToIframe(mutationInQueue, builtNode);\n this.newDocumentQueue = this.newDocumentQueue.filter(\n (m) => m !== mutationInQueue,\n );\n }\n }\n\n private collectIframeAndAttachDocument(\n collected: AppendedIframe[],\n builtNode: INode,\n ) {\n if (isIframeINode(builtNode)) {\n const mutationInQueue = this.newDocumentQueue.find(\n (m) => m.parentId === builtNode.__sn.id,\n );\n if (mutationInQueue) {\n collected.push({ mutationInQueue, builtNode });\n }\n }\n }\n\n /**\n * pause when loading style sheet, resume when loaded all timeout exceed\n */\n private waitForStylesheetLoad() {\n const head = this.iframe.contentDocument?.head;\n if (head) {\n const unloadSheets: Set = new Set();\n let timer: ReturnType | -1;\n let beforeLoadState = this.service.state;\n const stateHandler = () => {\n beforeLoadState = this.service.state;\n };\n this.emitter.on(ReplayerEvents.Start, stateHandler);\n this.emitter.on(ReplayerEvents.Pause, stateHandler);\n const unsubscribe = () => {\n this.emitter.off(ReplayerEvents.Start, stateHandler);\n this.emitter.off(ReplayerEvents.Pause, stateHandler);\n };\n head\n .querySelectorAll('link[rel=\"stylesheet\"]')\n .forEach((css: HTMLLinkElement) => {\n if (!css.sheet) {\n unloadSheets.add(css);\n css.addEventListener('load', () => {\n unloadSheets.delete(css);\n // all loaded and timer not released yet\n if (unloadSheets.size === 0 && timer !== -1) {\n if (beforeLoadState.matches('playing')) {\n this.play(this.getCurrentTime());\n }\n this.emitter.emit(ReplayerEvents.LoadStylesheetEnd);\n if (timer) {\n clearTimeout(timer);\n }\n unsubscribe();\n }\n });\n }\n });\n\n if (unloadSheets.size > 0) {\n // find some unload sheets after iterate\n this.service.send({ type: 'PAUSE' });\n this.emitter.emit(ReplayerEvents.LoadStylesheetStart);\n timer = setTimeout(() => {\n if (beforeLoadState.matches('playing')) {\n this.play(this.getCurrentTime());\n }\n // mark timer was called\n timer = -1;\n unsubscribe();\n }, this.config.loadTimeout);\n }\n }\n }\n\n private hasImageArg(args: any[]): boolean {\n for (const arg of args) {\n if (!arg || typeof arg !== 'object') {\n // do nothing\n } else if ('rr_type' in arg && 'args' in arg) {\n if (this.hasImageArg(arg.args)) return true;\n } else if ('rr_type' in arg && arg.rr_type === 'HTMLImageElement') {\n return true; // has image!\n } else if (arg instanceof Array) {\n if (this.hasImageArg(arg)) return true;\n }\n }\n return false;\n }\n\n private getImageArgs(args: any[]): string[] {\n const images: string[] = [];\n for (const arg of args) {\n if (!arg || typeof arg !== 'object') {\n // do nothing\n } else if ('rr_type' in arg && 'args' in arg) {\n images.push(...this.getImageArgs(arg.args));\n } else if ('rr_type' in arg && arg.rr_type === 'HTMLImageElement') {\n images.push(arg.src);\n } else if (arg instanceof Array) {\n images.push(...this.getImageArgs(arg));\n }\n }\n return images;\n }\n\n /**\n * pause when there are some canvas drawImage args need to be loaded\n */\n private preloadAllImages() {\n let beforeLoadState = this.service.state;\n const stateHandler = () => {\n beforeLoadState = this.service.state;\n };\n this.emitter.on(ReplayerEvents.Start, stateHandler);\n this.emitter.on(ReplayerEvents.Pause, stateHandler);\n for (const event of this.service.state.context.events) {\n if (\n event.type === EventType.IncrementalSnapshot &&\n event.data.source === IncrementalSource.CanvasMutation\n )\n if ('commands' in event.data) {\n event.data.commands.forEach((c) => this.preloadImages(c, event));\n } else {\n this.preloadImages(event.data, event);\n }\n }\n }\n\n private preloadImages(data: canvasMutationCommand, event: eventWithTime) {\n if (\n data.property === 'drawImage' &&\n typeof data.args[0] === 'string' &&\n !this.imageMap.has(event)\n ) {\n const canvas = document.createElement('canvas');\n const ctx = canvas.getContext('2d');\n const imgd = ctx?.createImageData(canvas.width, canvas.height);\n let d = imgd?.data;\n d = JSON.parse(data.args[0]);\n ctx?.putImageData(imgd!, 0, 0);\n } else if (this.hasImageArg(data.args)) {\n this.getImageArgs(data.args).forEach((url) => {\n const image = new Image();\n image.src = url; // this preloads the image\n this.imageMap.set(url, image);\n });\n }\n }\n\n private applyIncremental(\n e: incrementalSnapshotEvent & { timestamp: number; delay?: number },\n isSync: boolean,\n ) {\n const { data: d } = e;\n switch (d.source) {\n case IncrementalSource.Mutation: {\n if (isSync) {\n d.adds.forEach((m) => this.treeIndex.add(m));\n d.texts.forEach((m) => {\n const target = this.mirror.getNode(m.id);\n const parent = (target?.parentNode as unknown) as INode | null;\n // remove any style rules that pending\n // for stylesheets where the contents get replaced\n if (parent && this.virtualStyleRulesMap.has(parent))\n this.virtualStyleRulesMap.delete(parent);\n\n this.treeIndex.text(m);\n });\n d.attributes.forEach((m) => this.treeIndex.attribute(m));\n d.removes.forEach((m) => this.treeIndex.remove(m, this.mirror));\n }\n try {\n this.applyMutation(d, isSync);\n } catch (error) {\n this.warn(`Exception in mutation ${error.message || error}`, d);\n }\n break;\n }\n case IncrementalSource.Drag:\n case IncrementalSource.TouchMove:\n case IncrementalSource.MouseMove:\n if (isSync) {\n const lastPosition = d.positions[d.positions.length - 1];\n this.mousePos = {\n x: lastPosition.x,\n y: lastPosition.y,\n id: lastPosition.id,\n debugData: d,\n };\n } else {\n d.positions.forEach((p) => {\n const action = {\n doAction: () => {\n this.moveAndHover(p.x, p.y, p.id, isSync, d);\n },\n delay:\n p.timeOffset +\n e.timestamp -\n this.service.state.context.baselineTime,\n };\n this.timer.addAction(action);\n });\n // add a dummy action to keep timer alive\n this.timer.addAction({\n doAction() {},\n delay: e.delay! - d.positions[0]?.timeOffset,\n });\n }\n break;\n case IncrementalSource.MouseInteraction: {\n /**\n * Same as the situation of missing input target.\n */\n if (d.id === -1) {\n break;\n }\n const event = new Event(MouseInteractions[d.type].toLowerCase());\n const target = this.mirror.getNode(d.id);\n if (!target) {\n return this.debugNodeNotFound(d, d.id);\n }\n this.emitter.emit(ReplayerEvents.MouseInteraction, {\n type: d.type,\n target,\n });\n const { triggerFocus } = this.config;\n switch (d.type) {\n case MouseInteractions.Blur:\n if ('blur' in ((target as Node) as HTMLElement)) {\n ((target as Node) as HTMLElement).blur();\n }\n break;\n case MouseInteractions.Focus:\n if (triggerFocus && ((target as Node) as HTMLElement).focus) {\n ((target as Node) as HTMLElement).focus({\n preventScroll: true,\n });\n }\n break;\n case MouseInteractions.Click:\n case MouseInteractions.TouchStart:\n case MouseInteractions.TouchEnd:\n if (isSync) {\n if (d.type === MouseInteractions.TouchStart) {\n this.touchActive = true;\n } else if (d.type === MouseInteractions.TouchEnd) {\n this.touchActive = false;\n }\n this.mousePos = {\n x: d.x,\n y: d.y,\n id: d.id,\n debugData: d,\n };\n } else {\n if (d.type === MouseInteractions.TouchStart) {\n // don't draw a trail as user has lifted finger and is placing at a new point\n this.tailPositions.length = 0;\n }\n this.moveAndHover(d.x, d.y, d.id, isSync, d);\n if (d.type === MouseInteractions.Click) {\n /*\n * don't want target.click() here as could trigger an iframe navigation\n * instead any effects of the click should already be covered by mutations\n */\n /*\n * removal and addition of .active class (along with void line to trigger repaint)\n * triggers the 'click' css animation in styles/style.css\n */\n this.mouse.classList.remove('active');\n // tslint:disable-next-line\n void this.mouse.offsetWidth;\n this.mouse.classList.add('active');\n } else if (d.type === MouseInteractions.TouchStart) {\n void this.mouse.offsetWidth; // needed for the position update of moveAndHover to apply without the .touch-active transition\n this.mouse.classList.add('touch-active');\n } else if (d.type === MouseInteractions.TouchEnd) {\n this.mouse.classList.remove('touch-active');\n }\n }\n break;\n case MouseInteractions.TouchCancel:\n if (isSync) {\n this.touchActive = false;\n } else {\n this.mouse.classList.remove('touch-active');\n }\n break;\n default:\n target.dispatchEvent(event);\n }\n break;\n }\n case IncrementalSource.Scroll: {\n /**\n * Same as the situation of missing input target.\n */\n if (d.id === -1) {\n break;\n }\n if (isSync) {\n this.treeIndex.scroll(d);\n break;\n }\n this.applyScroll(d, false);\n break;\n }\n case IncrementalSource.ViewportResize:\n this.emitter.emit(ReplayerEvents.Resize, {\n width: d.width,\n height: d.height,\n });\n break;\n case IncrementalSource.Input: {\n /**\n * Input event on an unserialized node usually means the event\n * was synchrony triggered programmatically after the node was\n * created. This means there was not an user observable interaction\n * and we do not need to replay it.\n */\n if (d.id === -1) {\n break;\n }\n if (isSync) {\n this.treeIndex.input(d);\n break;\n }\n this.applyInput(d);\n break;\n }\n case IncrementalSource.MediaInteraction: {\n const target = this.mirror.getNode(d.id);\n if (!target) {\n return this.debugNodeNotFound(d, d.id);\n }\n const mediaEl = (target as Node) as HTMLMediaElement;\n try {\n if (d.currentTime) {\n mediaEl.currentTime = d.currentTime;\n }\n if (d.volume) {\n mediaEl.volume = d.volume;\n }\n if (d.muted) {\n mediaEl.muted = d.muted;\n }\n if (d.type === MediaInteractions.Pause) {\n mediaEl.pause();\n }\n if (d.type === MediaInteractions.Play) {\n // remove listener for 'canplay' event because play() is async and returns a promise\n // i.e. media will evntualy start to play when data is loaded\n // 'canplay' event fires even when currentTime attribute changes which may lead to\n // unexpeted behavior\n mediaEl.play();\n }\n } catch (error) {\n if (this.config.showWarning) {\n console.warn(\n `Failed to replay media interactions: ${error.message || error}`,\n );\n }\n }\n break;\n }\n case IncrementalSource.StyleSheetRule: {\n const target = this.mirror.getNode(d.id);\n if (!target) {\n return this.debugNodeNotFound(d, d.id);\n }\n\n const styleEl = (target as Node) as HTMLStyleElement;\n const parent = (target.parentNode as unknown) as INode;\n const usingVirtualParent = this.fragmentParentMap.has(parent);\n\n /**\n * Always use existing DOM node, when it's there.\n * In in-memory replay, there is virtual node, but it's `sheet` is inaccessible.\n * Hence, we buffer all style changes in virtualStyleRulesMap.\n */\n const styleSheet = usingVirtualParent ? null : styleEl.sheet;\n let rules: VirtualStyleRules;\n\n if (!styleSheet) {\n /**\n * styleEl.sheet is only accessible if the styleEl is part of the\n * dom. This doesn't work on DocumentFragments so we have to add the\n * style mutations to the virtualStyleRulesMap.\n */\n\n if (this.virtualStyleRulesMap.has(target)) {\n rules = this.virtualStyleRulesMap.get(target) as VirtualStyleRules;\n } else {\n rules = [];\n this.virtualStyleRulesMap.set(target, rules);\n }\n }\n\n if (d.adds) {\n d.adds.forEach(({ rule, index: nestedIndex }) => {\n if (styleSheet) {\n try {\n if (Array.isArray(nestedIndex)) {\n const { positions, index } = getPositionsAndIndex(\n nestedIndex,\n );\n const nestedRule = getNestedRule(\n styleSheet.cssRules,\n positions,\n );\n nestedRule.insertRule(rule, index);\n } else {\n const index =\n nestedIndex === undefined\n ? undefined\n : Math.min(nestedIndex, styleSheet.cssRules.length);\n styleSheet.insertRule(rule, index);\n }\n } catch (e) {\n /**\n * sometimes we may capture rules with browser prefix\n * insert rule with prefixs in other browsers may cause Error\n */\n /**\n * accessing styleSheet rules may cause SecurityError\n * for specific access control settings\n */\n }\n } else {\n rules?.push({\n cssText: rule,\n index: nestedIndex,\n type: StyleRuleType.Insert,\n });\n }\n });\n }\n\n if (d.removes) {\n d.removes.forEach(({ index: nestedIndex }) => {\n if (usingVirtualParent) {\n rules?.push({ index: nestedIndex, type: StyleRuleType.Remove });\n } else {\n try {\n if (Array.isArray(nestedIndex)) {\n const { positions, index } = getPositionsAndIndex(\n nestedIndex,\n );\n const nestedRule = getNestedRule(\n styleSheet!.cssRules,\n positions,\n );\n nestedRule.deleteRule(index || 0);\n } else {\n styleSheet?.deleteRule(nestedIndex);\n }\n } catch (e) {\n /**\n * same as insertRule\n */\n }\n }\n });\n }\n break;\n }\n case IncrementalSource.StyleDeclaration: {\n // same with StyleSheetRule\n const target = this.mirror.getNode(d.id);\n if (!target) {\n return this.debugNodeNotFound(d, d.id);\n }\n\n const styleEl = (target as Node) as HTMLStyleElement;\n const parent = (target.parentNode as unknown) as INode;\n const usingVirtualParent = this.fragmentParentMap.has(parent);\n\n const styleSheet = usingVirtualParent ? null : styleEl.sheet;\n let rules: VirtualStyleRules = [];\n\n if (!styleSheet) {\n if (this.virtualStyleRulesMap.has(target)) {\n rules = this.virtualStyleRulesMap.get(target) as VirtualStyleRules;\n } else {\n rules = [];\n this.virtualStyleRulesMap.set(target, rules);\n }\n }\n\n if (d.set) {\n if (styleSheet) {\n const rule = (getNestedRule(\n styleSheet.rules,\n d.index,\n ) as unknown) as CSSStyleRule;\n rule.style.setProperty(d.set.property, d.set.value, d.set.priority);\n } else {\n rules.push({\n type: StyleRuleType.SetProperty,\n index: d.index,\n ...d.set,\n });\n }\n }\n\n if (d.remove) {\n if (styleSheet) {\n const rule = (getNestedRule(\n styleSheet.rules,\n d.index,\n ) as unknown) as CSSStyleRule;\n rule.style.removeProperty(d.remove.property);\n } else {\n rules.push({\n type: StyleRuleType.RemoveProperty,\n index: d.index,\n ...d.remove,\n });\n }\n }\n break;\n }\n case IncrementalSource.CanvasMutation: {\n if (!this.config.UNSAFE_replayCanvas) {\n return;\n }\n const target = this.mirror.getNode(d.id);\n if (!target) {\n return this.debugNodeNotFound(d, d.id);\n }\n\n canvasMutation({\n event: e,\n mutation: d,\n target: (target as unknown) as HTMLCanvasElement,\n imageMap: this.imageMap,\n errorHandler: this.warnCanvasMutationFailed.bind(this),\n });\n\n break;\n }\n case IncrementalSource.Font: {\n try {\n const fontFace = new FontFace(\n d.family,\n d.buffer ? new Uint8Array(JSON.parse(d.fontSource)) : d.fontSource,\n d.descriptors,\n );\n this.iframe.contentDocument?.fonts.add(fontFace);\n } catch (error) {\n if (this.config.showWarning) {\n console.warn(error);\n }\n }\n break;\n }\n default:\n }\n }\n\n private applyMutation(d: mutationData, useVirtualParent: boolean) {\n d.removes.forEach((mutation) => {\n let target = this.mirror.getNode(mutation.id);\n if (!target) {\n if (d.removes.find((r) => r.id === mutation.parentId)) {\n // no need to warn, parent was already removed\n return;\n }\n return this.warnNodeNotFound(d, mutation.id);\n }\n if (this.virtualStyleRulesMap.has(target)) {\n this.virtualStyleRulesMap.delete(target);\n }\n let parent: INode | null | ShadowRoot = this.mirror.getNode(\n mutation.parentId,\n );\n if (!parent) {\n return this.warnNodeNotFound(d, mutation.parentId);\n }\n if (mutation.isShadow && hasShadowRoot(parent)) {\n parent = parent.shadowRoot;\n }\n // target may be removed with its parents before\n this.mirror.removeNodeFromMap(target);\n if (parent) {\n let realTarget = null;\n const realParent =\n '__sn' in parent ? this.fragmentParentMap.get(parent) : undefined;\n if (realParent && realParent.contains(target)) {\n parent = realParent;\n } else if (this.fragmentParentMap.has(target)) {\n /**\n * the target itself is a fragment document and it's not in the dom\n * so we should remove the real target from its parent\n */\n realTarget = this.fragmentParentMap.get(target)!;\n this.fragmentParentMap.delete(target);\n target = realTarget;\n }\n try {\n parent.removeChild(target);\n } catch (error) {\n if (error instanceof DOMException) {\n this.warn(\n 'parent could not remove child in mutation',\n parent,\n realParent,\n target,\n realTarget,\n d,\n );\n } else {\n throw error;\n }\n }\n }\n });\n\n // tslint:disable-next-line: variable-name\n const legacy_missingNodeMap: missingNodeMap = {\n ...this.legacy_missingNodeRetryMap,\n };\n const queue: addedNodeMutation[] = [];\n\n // next not present at this moment\n const nextNotInDOM = (mutation: addedNodeMutation) => {\n let next: Node | null = null;\n if (mutation.nextId) {\n next = this.mirror.getNode(mutation.nextId) as Node;\n }\n // next not present at this moment\n if (\n mutation.nextId !== null &&\n mutation.nextId !== undefined &&\n mutation.nextId !== -1 &&\n !next\n ) {\n return true;\n }\n return false;\n };\n\n const appendNode = (mutation: addedNodeMutation) => {\n if (!this.iframe.contentDocument) {\n return console.warn('Looks like your replayer has been destroyed.');\n }\n let parent: INode | null | ShadowRoot = this.mirror.getNode(\n mutation.parentId,\n );\n if (!parent) {\n if (mutation.node.type === NodeType.Document) {\n // is newly added document, maybe the document node of an iframe\n return this.newDocumentQueue.push(mutation);\n }\n return queue.push(mutation);\n }\n\n let parentInDocument = null;\n if (this.iframe.contentDocument.contains) {\n parentInDocument = this.iframe.contentDocument.contains(parent);\n } else if (this.iframe.contentDocument.body.contains) {\n // fix for IE\n // refer 'Internet Explorer notes' at https://developer.mozilla.org/zh-CN/docs/Web/API/Document\n parentInDocument = this.iframe.contentDocument.body.contains(parent);\n }\n\n const hasIframeChild =\n ((parent as unknown) as HTMLElement).getElementsByTagName?.('iframe')\n .length > 0;\n /**\n * Why !isIframeINode(parent)? If parent element is an iframe, iframe document can't be appended to virtual parent.\n * Why !hasIframeChild? If we move iframe elements from dom to fragment document, we will lose the contentDocument of iframe. So we need to disable the virtual dom optimization if a parent node contains iframe elements.\n */\n if (\n useVirtualParent &&\n parentInDocument &&\n !isIframeINode(parent) &&\n !hasIframeChild\n ) {\n const virtualParent = (document.createDocumentFragment() as unknown) as INode;\n this.mirror.map[mutation.parentId] = virtualParent;\n this.fragmentParentMap.set(virtualParent, parent);\n\n // store the state, like scroll position, of child nodes before they are unmounted from dom\n this.storeState(parent);\n\n while (parent.firstChild) {\n virtualParent.appendChild(parent.firstChild);\n }\n parent = virtualParent;\n }\n\n if (mutation.node.isShadow) {\n // If the parent is attached a shadow dom after it's created, it won't have a shadow root.\n if (!hasShadowRoot(parent)) {\n ((parent as Node) as HTMLElement).attachShadow({ mode: 'open' });\n parent = ((parent as Node) as HTMLElement).shadowRoot!;\n } else parent = parent.shadowRoot;\n }\n\n let previous: Node | null = null;\n let next: Node | null = null;\n if (mutation.previousId) {\n previous = this.mirror.getNode(mutation.previousId) as Node;\n }\n if (mutation.nextId) {\n next = this.mirror.getNode(mutation.nextId) as Node;\n }\n if (nextNotInDOM(mutation)) {\n return queue.push(mutation);\n }\n\n if (mutation.node.rootId && !this.mirror.getNode(mutation.node.rootId)) {\n return;\n }\n\n const targetDoc = mutation.node.rootId\n ? this.mirror.getNode(mutation.node.rootId)\n : this.iframe.contentDocument;\n if (isIframeINode(parent)) {\n this.attachDocumentToIframe(mutation, parent);\n return;\n }\n const target = buildNodeWithSN(mutation.node, {\n doc: targetDoc as Document,\n map: this.mirror.map,\n skipChild: true,\n hackCss: true,\n cache: this.cache,\n }) as INode;\n\n // legacy data, we should not have -1 siblings any more\n if (mutation.previousId === -1 || mutation.nextId === -1) {\n legacy_missingNodeMap[mutation.node.id] = {\n node: target,\n mutation,\n };\n return;\n }\n\n if (\n '__sn' in parent &&\n parent.__sn.type === NodeType.Element &&\n parent.__sn.tagName === 'textarea' &&\n mutation.node.type === NodeType.Text\n ) {\n // https://github.com/rrweb-io/rrweb/issues/745\n // parent is textarea, will only keep one child node as the value\n for (const c of Array.from(parent.childNodes)) {\n if (c.nodeType === parent.TEXT_NODE) {\n parent.removeChild(c);\n }\n }\n }\n\n if (previous && previous.nextSibling && previous.nextSibling.parentNode) {\n parent.insertBefore(target, previous.nextSibling);\n } else if (next && next.parentNode) {\n // making sure the parent contains the reference nodes\n // before we insert target before next.\n parent.contains(next)\n ? parent.insertBefore(target, next)\n : parent.insertBefore(target, null);\n } else {\n /**\n * Sometimes the document changes and the MutationObserver is disconnected, so the removal of child elements can't be detected and recorded. After the change of document, we may get another mutation which adds a new html element, while the old html element still exists in the dom, and we need to remove the old html element first to avoid collision.\n */\n if (parent === targetDoc) {\n while (targetDoc.firstChild) {\n targetDoc.removeChild(targetDoc.firstChild);\n }\n }\n\n parent.appendChild(target);\n }\n\n if (isIframeINode(target)) {\n const mutationInQueue = this.newDocumentQueue.find(\n (m) => m.parentId === target.__sn.id,\n );\n if (mutationInQueue) {\n this.attachDocumentToIframe(mutationInQueue, target);\n this.newDocumentQueue = this.newDocumentQueue.filter(\n (m) => m !== mutationInQueue,\n );\n }\n }\n\n if (mutation.previousId || mutation.nextId) {\n this.legacy_resolveMissingNode(\n legacy_missingNodeMap,\n parent,\n target,\n mutation,\n );\n }\n };\n\n d.adds.forEach((mutation) => {\n appendNode(mutation);\n });\n\n let startTime = Date.now();\n while (queue.length) {\n // transform queue to resolve tree\n const resolveTrees = queueToResolveTrees(queue);\n queue.length = 0;\n if (Date.now() - startTime > 500) {\n this.warn(\n 'Timeout in the loop, please check the resolve tree data:',\n resolveTrees,\n );\n break;\n }\n for (const tree of resolveTrees) {\n let parent = this.mirror.getNode(tree.value.parentId);\n if (!parent) {\n this.debug(\n 'Drop resolve tree since there is no parent for the root node.',\n tree,\n );\n } else {\n iterateResolveTree(tree, (mutation) => {\n appendNode(mutation);\n });\n }\n }\n }\n\n if (Object.keys(legacy_missingNodeMap).length) {\n Object.assign(this.legacy_missingNodeRetryMap, legacy_missingNodeMap);\n }\n\n d.texts.forEach((mutation) => {\n let target = this.mirror.getNode(mutation.id);\n if (!target) {\n if (d.removes.find((r) => r.id === mutation.id)) {\n // no need to warn, element was already removed\n return;\n }\n return this.warnNodeNotFound(d, mutation.id);\n }\n /**\n * apply text content to real parent directly\n */\n if (this.fragmentParentMap.has(target)) {\n target = this.fragmentParentMap.get(target)!;\n }\n target.textContent = mutation.value;\n });\n d.attributes.forEach((mutation) => {\n let target = this.mirror.getNode(mutation.id);\n if (!target) {\n if (d.removes.find((r) => r.id === mutation.id)) {\n // no need to warn, element was already removed\n return;\n }\n return this.warnNodeNotFound(d, mutation.id);\n }\n if (this.fragmentParentMap.has(target)) {\n target = this.fragmentParentMap.get(target)!;\n }\n for (const attributeName in mutation.attributes) {\n if (typeof attributeName === 'string') {\n const value = mutation.attributes[attributeName];\n if (value === null) {\n ((target as Node) as Element).removeAttribute(attributeName);\n } else if (typeof value === 'string') {\n try {\n ((target as Node) as Element).setAttribute(attributeName, value);\n } catch (error) {\n if (this.config.showWarning) {\n console.warn(\n 'An error occurred may due to the checkout feature.',\n error,\n );\n }\n }\n } else if (attributeName === 'style') {\n let styleValues = value as styleAttributeValue;\n const targetEl = (target as Node) as HTMLElement;\n for (var s in styleValues) {\n if (styleValues[s] === false) {\n targetEl.style.removeProperty(s);\n } else if (styleValues[s] instanceof Array) {\n const svp = styleValues[s] as styleValueWithPriority;\n targetEl.style.setProperty(s, svp[0], svp[1]);\n } else {\n const svs = styleValues[s] as string;\n targetEl.style.setProperty(s, svs);\n }\n }\n }\n }\n }\n });\n }\n\n /**\n * Apply the scroll data on real elements.\n * If the replayer is in sync mode, smooth scroll behavior should be disabled.\n * @param d the scroll data\n * @param isSync whether the replayer is in sync mode(fast-forward)\n */\n private applyScroll(d: scrollData, isSync: boolean) {\n const target = this.mirror.getNode(d.id);\n if (!target) {\n return this.debugNodeNotFound(d, d.id);\n }\n if ((target as Node) === this.iframe.contentDocument) {\n this.iframe.contentWindow!.scrollTo({\n top: d.y,\n left: d.x,\n behavior: isSync ? 'auto' : 'smooth',\n });\n } else if (target.__sn.type === NodeType.Document) {\n // nest iframe content document\n ((target as unknown) as Document).defaultView!.scrollTo({\n top: d.y,\n left: d.x,\n behavior: isSync ? 'auto' : 'smooth',\n });\n } else {\n try {\n ((target as Node) as Element).scrollTop = d.y;\n ((target as Node) as Element).scrollLeft = d.x;\n } catch (error) {\n /**\n * Seldomly we may found scroll target was removed before\n * its last scroll event.\n */\n }\n }\n }\n\n private applyInput(d: inputData) {\n const target = this.mirror.getNode(d.id);\n if (!target) {\n return this.debugNodeNotFound(d, d.id);\n }\n try {\n ((target as Node) as HTMLInputElement).checked = d.isChecked;\n ((target as Node) as HTMLInputElement).value = d.text;\n } catch (error) {\n // for safe\n }\n }\n\n private applyText(d: textMutation, mutation: mutationData) {\n const target = this.mirror.getNode(d.id);\n if (!target) {\n return this.debugNodeNotFound(mutation, d.id);\n }\n try {\n ((target as Node) as HTMLElement).textContent = d.value;\n } catch (error) {\n // for safe\n }\n }\n\n private legacy_resolveMissingNode(\n map: missingNodeMap,\n parent: Node,\n target: Node,\n targetMutation: addedNodeMutation,\n ) {\n const { previousId, nextId } = targetMutation;\n const previousInMap = previousId && map[previousId];\n const nextInMap = nextId && map[nextId];\n if (previousInMap) {\n const { node, mutation } = previousInMap as missingNode;\n parent.insertBefore(node, target);\n delete map[mutation.node.id];\n delete this.legacy_missingNodeRetryMap[mutation.node.id];\n if (mutation.previousId || mutation.nextId) {\n this.legacy_resolveMissingNode(map, parent, node as Node, mutation);\n }\n }\n if (nextInMap) {\n const { node, mutation } = nextInMap as missingNode;\n parent.insertBefore(node, target.nextSibling);\n delete map[mutation.node.id];\n delete this.legacy_missingNodeRetryMap[mutation.node.id];\n if (mutation.previousId || mutation.nextId) {\n this.legacy_resolveMissingNode(map, parent, node as Node, mutation);\n }\n }\n }\n\n private moveAndHover(\n x: number,\n y: number,\n id: number,\n isSync: boolean,\n debugData: incrementalData,\n ) {\n const target = this.mirror.getNode(id);\n if (!target) {\n return this.debugNodeNotFound(debugData, id);\n }\n\n const base = getBaseDimension(target, this.iframe);\n const _x = x * base.absoluteScale + base.x;\n const _y = y * base.absoluteScale + base.y;\n\n this.mouse.style.left = `${_x}px`;\n this.mouse.style.top = `${_y}px`;\n if (!isSync) {\n this.drawMouseTail({ x: _x, y: _y });\n }\n this.hoverElements((target as Node) as Element);\n }\n\n private drawMouseTail(position: { x: number; y: number }) {\n if (!this.mouseTail) {\n return;\n }\n\n const { lineCap, lineWidth, strokeStyle, duration } =\n this.config.mouseTail === true\n ? defaultMouseTailConfig\n : Object.assign({}, defaultMouseTailConfig, this.config.mouseTail);\n\n const draw = () => {\n if (!this.mouseTail) {\n return;\n }\n const ctx = this.mouseTail.getContext('2d');\n if (!ctx || !this.tailPositions.length) {\n return;\n }\n ctx.clearRect(0, 0, this.mouseTail.width, this.mouseTail.height);\n ctx.beginPath();\n ctx.lineWidth = lineWidth;\n ctx.lineCap = lineCap;\n ctx.strokeStyle = strokeStyle;\n ctx.moveTo(this.tailPositions[0].x, this.tailPositions[0].y);\n this.tailPositions.forEach((p) => ctx.lineTo(p.x, p.y));\n ctx.stroke();\n };\n\n this.tailPositions.push(position);\n draw();\n setTimeout(() => {\n this.tailPositions = this.tailPositions.filter((p) => p !== position);\n draw();\n }, duration / this.speedService.state.context.timer.speed);\n }\n\n private hoverElements(el: Element) {\n this.iframe.contentDocument\n ?.querySelectorAll('.\\\\:hover')\n .forEach((hoveredEl) => {\n hoveredEl.classList.remove(':hover');\n });\n let currentEl: Element | null = el;\n while (currentEl) {\n if (currentEl.classList) {\n currentEl.classList.add(':hover');\n }\n currentEl = currentEl.parentElement;\n }\n }\n\n private isUserInteraction(event: eventWithTime): boolean {\n if (event.type !== EventType.IncrementalSnapshot) {\n return false;\n }\n return (\n event.data.source > IncrementalSource.Mutation &&\n event.data.source <= IncrementalSource.Input\n );\n }\n\n private backToNormal() {\n this.nextUserInteractionEvent = null;\n if (this.speedService.state.matches('normal')) {\n return;\n }\n this.speedService.send({ type: 'BACK_TO_NORMAL' });\n this.emitter.emit(ReplayerEvents.SkipEnd, {\n speed: this.speedService.state.context.normalSpeed,\n });\n }\n\n /**\n * Replace the virtual parent with the real parent.\n * @param frag fragment document, the virtual parent\n * @param parent real parent element\n */\n private restoreRealParent(frag: INode, parent: INode) {\n this.mirror.map[parent.__sn.id] = parent;\n /**\n * If we have already set value attribute on textarea,\n * then we could not apply text content as default value any more.\n */\n if (\n parent.__sn.type === NodeType.Element &&\n parent.__sn.tagName === 'textarea' &&\n frag.textContent\n ) {\n ((parent as unknown) as HTMLTextAreaElement).value = frag.textContent;\n }\n parent.appendChild(frag);\n // restore state of elements after they are mounted\n this.restoreState(parent);\n }\n\n /**\n * store state of elements before unmounted from dom recursively\n * the state should be restored in the handler of event ReplayerEvents.Flush\n * e.g. browser would lose scroll position after the process that we add children of parent node to Fragment Document as virtual dom\n */\n private storeState(parent: INode) {\n if (parent) {\n if (parent.nodeType === parent.ELEMENT_NODE) {\n const parentElement = (parent as unknown) as HTMLElement;\n if (parentElement.scrollLeft || parentElement.scrollTop) {\n // store scroll position state\n this.elementStateMap.set(parent, {\n scroll: [parentElement.scrollLeft, parentElement.scrollTop],\n });\n }\n if (parentElement.tagName === 'STYLE')\n storeCSSRules(\n parentElement as HTMLStyleElement,\n this.virtualStyleRulesMap,\n );\n const children = parentElement.children;\n for (const child of Array.from(children)) {\n this.storeState((child as unknown) as INode);\n }\n }\n }\n }\n\n /**\n * restore the state of elements recursively, which was stored before elements were unmounted from dom in virtual parent mode\n * this function corresponds to function storeState\n */\n private restoreState(parent: INode) {\n if (parent.nodeType === parent.ELEMENT_NODE) {\n const parentElement = (parent as unknown) as HTMLElement;\n if (this.elementStateMap.has(parent)) {\n const storedState = this.elementStateMap.get(parent)!;\n // restore scroll position\n if (storedState.scroll) {\n parentElement.scrollLeft = storedState.scroll[0];\n parentElement.scrollTop = storedState.scroll[1];\n }\n this.elementStateMap.delete(parent);\n }\n const children = parentElement.children;\n for (const child of Array.from(children)) {\n this.restoreState((child as unknown) as INode);\n }\n }\n }\n\n private restoreNodeSheet(node: INode) {\n const storedRules = this.virtualStyleRulesMap.get(node);\n if (node.nodeName !== 'STYLE') {\n return;\n }\n\n if (!storedRules) {\n return;\n }\n\n const styleNode = (node as unknown) as HTMLStyleElement;\n\n applyVirtualStyleRulesToNode(storedRules, styleNode);\n }\n\n private warnNodeNotFound(d: incrementalData, id: number) {\n if (this.treeIndex.idRemoved(id)) {\n this.warn(`Node with id '${id}' was previously removed. `, d);\n } else {\n this.warn(`Node with id '${id}' not found. `, d);\n }\n }\n\n private warnCanvasMutationFailed(\n d: canvasMutationData | canvasMutationCommand,\n error: unknown,\n ) {\n this.warn(`Has error on canvas update`, error, 'canvas mutation:', d);\n }\n\n private debugNodeNotFound(d: incrementalData, id: number) {\n /**\n * There maybe some valid scenes of node not being found.\n * Because DOM events are macrotask and MutationObserver callback\n * is microtask, so events fired on a removed DOM may emit\n * snapshots in the reverse order.\n */\n if (this.treeIndex.idRemoved(id)) {\n this.debug(\n REPLAY_CONSOLE_PREFIX,\n `Node with id '${id}' was previously removed. `,\n d,\n );\n } else {\n this.debug(REPLAY_CONSOLE_PREFIX, `Node with id '${id}' not found. `, d);\n }\n }\n\n private warn(...args: Parameters) {\n if (!this.config.showWarning) {\n return;\n }\n console.warn(REPLAY_CONSOLE_PREFIX, ...args);\n }\n\n private debug(...args: Parameters) {\n if (!this.config.showDebug) {\n return;\n }\n // tslint:disable-next-line: no-console\n console.log(REPLAY_CONSOLE_PREFIX, ...args);\n }\n}\n","import { Replayer } from '..';\nimport {\n CanvasContext,\n canvasMutationCommand,\n canvasMutationData,\n} from '../../types';\nimport webglMutation from './webgl';\nimport canvas2DMutation from './2d';\n\nexport default function canvasMutation({\n event,\n mutation,\n target,\n imageMap,\n errorHandler,\n}: {\n event: Parameters[0];\n mutation: canvasMutationData;\n target: HTMLCanvasElement;\n imageMap: Replayer['imageMap'];\n errorHandler: Replayer['warnCanvasMutationFailed'];\n}): void {\n try {\n const mutations: canvasMutationCommand[] =\n 'commands' in mutation ? mutation.commands : [mutation];\n\n if ([CanvasContext.WebGL, CanvasContext.WebGL2].includes(mutation.type)) {\n return mutations.forEach((command) => {\n webglMutation({\n mutation: command,\n type: mutation.type,\n target,\n imageMap,\n errorHandler,\n });\n });\n }\n // default is '2d' for backwards compatibility (rrweb below 1.1.x)\n return mutations.forEach((command) => {\n canvas2DMutation({\n event,\n mutation: command,\n target,\n imageMap,\n errorHandler,\n });\n });\n } catch (error) {\n errorHandler(mutation, error);\n }\n}\n","import { Replayer } from '../';\nimport { canvasMutationCommand } from '../../types';\n\nexport default function canvasMutation({\n event,\n mutation,\n target,\n imageMap,\n errorHandler,\n}: {\n event: Parameters[0];\n mutation: canvasMutationCommand;\n target: HTMLCanvasElement;\n imageMap: Replayer['imageMap'];\n errorHandler: Replayer['warnCanvasMutationFailed'];\n}): void {\n try {\n const ctx = ((target as unknown) as HTMLCanvasElement).getContext('2d')!;\n\n if (mutation.setter) {\n // skip some read-only type checks\n // tslint:disable-next-line:no-any\n (ctx as any)[mutation.property] = mutation.args[0];\n return;\n }\n const original = ctx[\n mutation.property as Exclude\n ] as Function;\n\n /**\n * We have serialized the image source into base64 string during recording,\n * which has been preloaded before replay.\n * So we can get call drawImage SYNCHRONOUSLY which avoid some fragile cast.\n */\n if (\n mutation.property === 'drawImage' &&\n typeof mutation.args[0] === 'string'\n ) {\n const image = imageMap.get(event);\n mutation.args[0] = image;\n original.apply(ctx, mutation.args);\n } else {\n original.apply(ctx, mutation.args);\n }\n } catch (error) {\n errorHandler(mutation, error);\n }\n}\n"],"names":["NodeType","__assign","Object","assign","t","s","i","n","arguments","length","p","prototype","hasOwnProperty","call","apply","this","__values","o","Symbol","iterator","m","next","value","done","TypeError","__read","r","e","ar","push","error","__spreadArray","to","from","pack","l","Array","slice","concat","isElement","nodeType","ELEMENT_NODE","commentre","parse","css","options","lineno","column","updatePosition","str","lines","match","lastIndexOf","position","start","line","node","Position","whitespace","end","source","content","errorsList","msg","err","Error","reason","filename","silent","open","close","rules","comments","charAt","atrule","rule","re","exec","c","comment","pos","type","selector","trim","replace","split","map","declaration","propMatch","prop","val","ret","property","declarations","decl","decls","keyframe","vals","values","rulesList","atimport","_compileAtrule","atcharset","atnamespace","name","RegExp","vendor","frame","frames","keyframes","atkeyframes","media","style","atmedia","atcustommedia","supports","atsupports","doc","document","atdocument","sel","selectors","atpage","athost","atfontface","addParent","stylesheet","parsingErrors","obj","parent","isNode","childParent","_i","_a","keys","isArray","forEach","v","defineProperty","configurable","writable","enumerable","tagMap","script","altglyph","altglyphdef","altglyphitem","animatecolor","animatemotion","animatetransform","clippath","feblend","fecolormatrix","fecomponenttransfer","fecomposite","feconvolvematrix","fediffuselighting","fedisplacementmap","fedistantlight","fedropshadow","feflood","fefunca","fefuncb","fefuncg","fefuncr","fegaussianblur","feimage","femerge","femergenode","femorphology","feoffset","fepointlight","fespecularlighting","fespotlight","fetile","feturbulence","foreignobject","glyphref","lineargradient","radialgradient","HOVER_SELECTOR","HOVER_SELECTOR_GLOBAL","addHoverClass","cssText","cache","cachedStyle","stylesWithHoverClass","get","ast","test","selectorMatcher","filter","index","indexOf","sort","a","b","join","result","newSelector","set","createCache","Map","buildNode","hackCss","Document","implementation","createDocument","DocumentType","createDocumentType","publicId","systemId","Element","node_1","tagName","attributes","_cssText","getTagName","isSVG","createElementNS","createElement","_loop_1","name_1","startsWith","image_1","src","onload","ctx","getContext","drawImage","width","height","image","currentSrc","setAttribute","currentTime","rr_mediaCurrentTime","play","console","warn","pause","isTextarea","isRemoteOrDynamicCss","child","createTextNode","childNodes","TEXT_NODE","removeChild","appendChild","setAttributeNS","substring","rel","as","href","endsWith","srcset","rr_dataURL","isShadowHost","shadowRoot","firstChild","attachShadow","mode","Text","isStyle","textContent","CDATA","createCDATASection","Comment","createComment","buildNodeWithSN","skipChild","_b","afterAppend","rootId","assert","compatMode","xmlns","write","__sn","id","_c","childN","childNode","isShadow","rebuild","onVisit","idNodeMap","key","visit","visitedNode","el","name_2","scrollLeft","scrollTop","handleScroll","mitt","all","create","on","handler","off","splice","emit","evt","EventType","IncrementalSource","MouseInteractions","CanvasContext","MediaInteractions","ReplayerEvents","polyfill","w","d","documentElement","__forceSmoothScrollPolyfill__","userAgent","HTMLElement","original","scroll","scrollTo","scrollBy","elementScroll","scrollElement","scrollIntoView","now","performance","bind","Date","ROUNDING_TOLERANCE","navigator","undefined","shouldBailOut","smoothScroll","body","left","scrollX","pageXOffset","top","scrollY","pageYOffset","SyntaxError","behavior","scrollableParent","findScrollableParent","parentRects","getBoundingClientRect","clientRects","getComputedStyle","x","y","firstArg","hasScrollableSpace","axis","clientHeight","scrollHeight","clientWidth","scrollWidth","canOverflow","overflowValue","isScrollable","isScrollableY","isScrollableX","parentNode","host","step","context","currentX","currentY","k","elapsed","startTime","Math","cos","PI","startX","startY","method","scrollable","requestAnimationFrame","actions","speed","Timer","action","findActionIndex","timeOffset","lastTimestamp","self","raf","check","time","delay","shift","doAction","liveMode","cancelAnimationFrame","mid","floor","addDelay","event","baselineTime","IncrementalSnapshot","data","MouseMove","firstOffset","positions","firstTimestamp","timestamp","return","NotStarted","Running","Stopped","assignment","u","changed","matches","f","states","initial","entry","config","_options","initialState","transition","g","h","S","target","j","E","R","N","cond","O","_","T","q","exit","z","A","B","C","Set","_machine","send","subscribe","add","unsubscribe","delete","stop","clear","state","status","createPlayerService","getCastFn","applyEventsSynchronously","emitter","interpret","createMachine","playing","PAUSE","CAST_EVENT","END","ADD_EVENT","paused","PLAY","TO_LIVE","live","castEvent","lastPlayedEvent","payload","recordTimeOffset","events","timer","events_1","neededEvents","idx","event_1","Meta","discardPriorSnapshots","lastPlayedTimestamp","PlayBack","syncEvents","event_3","castFn_1","neededEvents_1","Flush","addActions","resetLastPlayedEvent","startLive","toggleLiveMode","addEvent","machineEvent","event_4","insertionIndex","isSync","castFn_2","isActive","addAction","DEPARTED_MIRROR_ACCESS_WARNING","_mirror","getId","getNode","removeNodeFromMap","has","reset","window","Proxy","Reflect","receiver","TreeIndex","mutation","parentTreeNode","indexes","parentId","treeNode","children","texts","tree","mirror","deepRemoveFromMirror","_this","removeIdSet","deepRemoveFromTreeIndex","_treeNode","_parentTreeNode","removeNodeMutations","textMutations","attributeMutations","scrollMap","inputMap","batchMutationData","Mutation","removes","adds","walk","removed","_d","_f","mutationData","queueToResolveTrees","queue","queueNodeMap","putIntoMap","nodeInTree","queueNodeTrees","queue_1","nextId","nextInTree","parentInTree","iterateResolveTree","cb","isIframeINode","getBaseDimension","rootIframe","frameElement","ownerDocument","defaultView","relativeScale","absoluteScale","frameDimension","frameBaseDimension","hasShadowRoot","Boolean","StyleRuleType","getNestedRule","cssRules","getPositionsAndIndex","nestedIndex","pop","applyVirtualStyleRulesToNode","storedRules","styleNode","sheet","Insert","insertRule","Remove","deleteRule","Snapshot","cssTexts","existingRules","existingRulesReversed","entries","reverse","lastMatch_1","Number","restoreSnapshotOfStyleRulesToNode","SetProperty","setProperty","priority","RemoveProperty","removeProperty","chars","lookup","Uint8Array","charCodeAt","webGLVarMap","variableListFor","ctor","contextMap","WebGLVariableConstructorsNames","deserializeArg","imageMap","arg","args","base64","encoded1","encoded2","encoded3","encoded4","bufferLength","len","arraybuffer","ArrayBuffer","bytes","decode","Image","webglMutation","errorHandler","WebGL","setter","constructor","includes","variables","saveToWebGLVarMap","mittProxy.default","mittProxy","REPLAY_CONSOLE_PREFIX","defaultMouseTailConfig","duration","lineCap","lineWidth","strokeStyle","indicatesTouchDevice","TouchMove","MouseInteraction","TouchStart","defaultConfig","maxSpeed","root","loadTimeout","skipInactive","showWarning","showDebug","blockClass","insertStyleRules","triggerFocus","UNSAFE_replayCanvas","pauseAnimation","mouseTail","handleResize","Resize","setupDom","treeIndex","fragmentParentMap","elementStateMap","virtualStyleRulesMap","_e","flush","frag","restoreRealParent","applyText","_h","restoreNodeSheet","_k","applyScroll","_m","applyInput","firstFullSnapshot","service","unpackFn","a1","a2","StateChange","player","speedService","normalSpeed","normal","FAST_FORWARD","SET_SPEED","skipping","BACK_TO_NORMAL","setSpeed","recordSpeed","restoreSpeed","firstMeta","find","firstFullsnapshot","FullSnapshot","width_1","height_1","setTimeout","rebuildFullSnapshot","iframe","contentWindow","initialOffset","mouse","classList","Replayer","backToNormal","display","parseFloat","wrapper","insertBefore","firstEvent","lastEvent","endTime","totalTime","getTimeOffset","contentDocument","getElementsByTagName","remove","Start","Pause","Resume","rawEvent","Promise","resolve","then","pointerEvents","win","disableInteract","smoothscrollPolyfill","NodeList","DOMTokenList","Node","contains","dimension","String","DomContentLoaded","Load","Custom","Plugin","MediaInteraction","castFn","mousePos","moveAndHover","debugData","touchActive","CustomEvent","applyIncremental","nextUserInteractionEvent","_event","isUserInteraction","skipTime","min","round","SkipStart","plugins","replayer","last_index","finish_1","Finish","max","EventCast","legacy_missingNodeRetryMap","collected","builtNode","collectIframeAndAttachDocument","mutationInQueue","this_1","attachDocumentToIframe","newDocumentQueue","collected_1","head","FullsnapshotRebuilded","waitForStylesheetLoad","preloadAllImages","styleEl","injectStylesRules","iframeEl","parent_1","realParent","toUpperCase","this_2","collected_2","timer_1","unloadSheets_1","beforeLoadState_1","stateHandler_1","unsubscribe_1","querySelectorAll","addEventListener","size","getCurrentTime","LoadStylesheetEnd","clearTimeout","LoadStylesheetStart","args_1","hasImageArg","rr_type","images","args_2","getImageArgs","stateHandler","event_2","CanvasMutation","commands","preloadImages","this_3","url","canvas","imgd","createImageData","JSON","putImageData","text","attribute","applyMutation","message","Drag","lastPosition","Event","toLowerCase","debugNodeNotFound","Blur","blur","Focus","focus","preventScroll","Click","TouchEnd","tailPositions","offsetWidth","TouchCancel","dispatchEvent","Scroll","ViewportResize","Input","input","mediaEl","volume","muted","StyleSheetRule","rules_1","parent_2","usingVirtualParent_1","styleSheet_1","StyleDeclaration","parent_3","styleSheet","mutations","WebGL2","command","canvas2DMutation","canvasMutation","warnCanvasMutationFailed","Font","fontFace","FontFace","family","buffer","fontSource","descriptors","fonts","useVirtualParent","warnNodeNotFound","realTarget","DOMException","legacy_missingNodeMap","appendNode","parentInDocument","hasIframeChild","virtualParent","createDocumentFragment","storeState","previous","previousId","nextNotInDOM","targetDoc","nextSibling","mutationInQueue_1","legacy_resolveMissingNode","resolveTrees","resolveTrees_1","debug","attributeName","removeAttribute","styleValues","targetEl","svp","svs","checked","isChecked","targetMutation","previousInMap","nextInMap","base","_x","_y","drawMouseTail","hoverElements","draw","clearRect","beginPath","moveTo","lineTo","stroke","hoveredEl","currentEl","parentElement","SkipEnd","restoreState","storeCSSRules","storedState","nodeName","idRemoved","log"],"mappings":";;;;;;;;;;;;;;oFA+BO,IC/BHA,ED+BOC,EAAW,WAQlB,OAPAA,EAAWC,OAAOC,QAAU,SAAkBC,GAC1C,IAAK,IAAIC,EAAGC,EAAI,EAAGC,EAAIC,UAAUC,OAAQH,EAAIC,EAAGD,IAE5C,IAAK,IAAII,KADTL,EAAIG,UAAUF,GACOJ,OAAOS,UAAUC,eAAeC,KAAKR,EAAGK,KAAIN,EAAEM,GAAKL,EAAEK,IAE9E,OAAON,IAEKU,MAAMC,KAAMP,YAgFzB,SAASQ,EAASC,GACrB,IAAIZ,EAAsB,mBAAXa,QAAyBA,OAAOC,SAAUC,EAAIf,GAAKY,EAAEZ,GAAIC,EAAI,EAC5E,GAAIc,EAAG,OAAOA,EAAEP,KAAKI,GACrB,GAAIA,GAAyB,iBAAbA,EAAER,OAAqB,MAAO,CAC1CY,KAAM,WAEF,OADIJ,GAAKX,GAAKW,EAAER,SAAQQ,OAAI,GACrB,CAAEK,MAAOL,GAAKA,EAAEX,KAAMiB,MAAON,KAG5C,MAAM,IAAIO,UAAUnB,EAAI,0BAA4B,mCAGjD,SAASoB,EAAOR,EAAGV,GACtB,IAAIa,EAAsB,mBAAXF,QAAyBD,EAAEC,OAAOC,UACjD,IAAKC,EAAG,OAAOH,EACf,IAAmBS,EAAYC,EAA3BrB,EAAIc,EAAEP,KAAKI,GAAOW,EAAK,GAC3B,IACI,WAAc,IAANrB,GAAgBA,KAAM,MAAQmB,EAAIpB,EAAEe,QAAQE,MAAMK,EAAGC,KAAKH,EAAEJ,OAExE,MAAOQ,GAASH,EAAI,CAAEG,MAAOA,WAEzB,IACQJ,IAAMA,EAAEH,OAASH,EAAId,EAAU,SAAIc,EAAEP,KAAKP,WAExC,GAAIqB,EAAG,MAAMA,EAAEG,OAE7B,OAAOF,EAmBJ,SAASG,EAAcC,EAAIC,EAAMC,GACpC,GAAIA,GAA6B,IAArB1B,UAAUC,OAAc,IAAK,IAA4BmB,EAAxBtB,EAAI,EAAG6B,EAAIF,EAAKxB,OAAYH,EAAI6B,EAAG7B,KACxEsB,GAAQtB,KAAK2B,IACRL,IAAIA,EAAKQ,MAAMzB,UAAU0B,MAAMxB,KAAKoB,EAAM,EAAG3B,IAClDsB,EAAGtB,GAAK2B,EAAK3B,IAGrB,OAAO0B,EAAGM,OAAOV,GAAMQ,MAAMzB,UAAU0B,MAAMxB,KAAKoB,ICjKtD,SAASM,EAAUhC,GACf,OAAOA,EAAEiC,WAAajC,EAAEkC,cAV5B,SAAWzC,GACPA,EAASA,EAAmB,SAAI,GAAK,WACrCA,EAASA,EAAuB,aAAI,GAAK,eACzCA,EAASA,EAAkB,QAAI,GAAK,UACpCA,EAASA,EAAe,KAAI,GAAK,OACjCA,EAASA,EAAgB,MAAI,GAAK,QAClCA,EAASA,EAAkB,QAAI,GAAK,UANxC,CAOGA,IAAaA,EAAW,KAm1B3B,IAAI0C,EAAY,kCAChB,SAASC,EAAMC,EAAKC,QACA,IAAZA,IAAsBA,EAAU,IACpC,IAAIC,EAAS,EACTC,EAAS,EACb,SAASC,EAAeC,GACpB,IAAIC,EAAQD,EAAIE,MAAM,OAClBD,IACAJ,GAAUI,EAAMzC,QAEpB,IAAIH,EAAI2C,EAAIG,YAAY,MACxBL,GAAgB,IAAPzC,EAAWyC,EAASE,EAAIxC,OAASwC,EAAIxC,OAASH,EAE3D,SAAS+C,IACL,IAAIC,EAAQ,CAAEC,KAAMT,EAAQC,OAAQA,GACpC,OAAO,SAAUS,GAGb,OAFAA,EAAKH,SAAW,IAAII,EAASH,GAC7BI,IACOF,GAGf,IAAIC,EACA,SAAkBH,GACdvC,KAAKuC,MAAQA,EACbvC,KAAK4C,IAAM,CAAEJ,KAAMT,EAAQC,OAAQA,GACnChC,KAAK6C,OAASf,EAAQe,QAI9BH,EAAS9C,UAAUkD,QAAUjB,EAC7B,IAAIkB,EAAa,GACjB,SAAShC,EAAMiC,GACX,IAAIC,EAAM,IAAIC,MAAMpB,EAAQe,OAAS,IAAMd,EAAS,IAAMC,EAAS,KAAOgB,GAM1E,GALAC,EAAIE,OAASH,EACbC,EAAIG,SAAWtB,EAAQe,OACvBI,EAAIT,KAAOT,EACXkB,EAAIjB,OAASA,EACbiB,EAAIJ,OAAShB,GACTC,EAAQuB,OAIR,MAAMJ,EAHNF,EAAWjC,KAAKmC,GAiBxB,SAASK,IACL,OAAOlB,EAAM,SAEjB,SAASmB,IACL,OAAOnB,EAAM,MAEjB,SAASoB,IACL,IAAIf,EACAe,EAAQ,GAGZ,IAFAb,IACAc,EAASD,GACF3B,EAAInC,QAA4B,MAAlBmC,EAAI6B,OAAO,KAAejB,EAAOkB,KAAYC,OACjD,IAATnB,IACAe,EAAM1C,KAAK2B,GACXgB,EAASD,IAGjB,OAAOA,EAEX,SAASpB,EAAMyB,GACX,IAAIxD,EAAIwD,EAAGC,KAAKjC,GAChB,GAAKxB,EAAL,CAGA,IAAI6B,EAAM7B,EAAE,GAGZ,OAFA4B,EAAeC,GACfL,EAAMA,EAAIP,MAAMY,EAAIxC,QACbW,GAEX,SAASsC,IACLP,EAAM,QAEV,SAASqB,EAASD,GAEd,IAAIO,EACJ,SAFc,IAAVP,IAAoBA,EAAQ,IAExBO,EAAIC,MACE,IAAND,GACAP,EAAM1C,KAAKiD,GAEfA,EAAIC,IAER,OAAOR,EAEX,SAASQ,IACL,IAAIC,EAAM3B,IACV,GAAI,MAAQT,EAAI6B,OAAO,IAAM,MAAQ7B,EAAI6B,OAAO,GAAhD,CAIA,IADA,IAAInE,EAAI,EACD,KAAOsC,EAAI6B,OAAOnE,KACpB,MAAQsC,EAAI6B,OAAOnE,IAAM,MAAQsC,EAAI6B,OAAOnE,EAAI,OAC/CA,EAGN,GADAA,GAAK,EACD,KAAOsC,EAAI6B,OAAOnE,EAAI,GACtB,OAAOwB,EAAM,0BAEjB,IAAImB,EAAML,EAAIP,MAAM,EAAG/B,EAAI,GAK3B,OAJAyC,GAAU,EACVC,EAAeC,GACfL,EAAMA,EAAIP,MAAM/B,GAChByC,GAAU,EACHiC,EAAI,CACPC,KAAM,UACNF,QAAS9B,KAGjB,SAASiC,IACL,IAAI9D,EAAI+B,EAAM,YACd,GAAK/B,EAGL,OAAO+D,EAAK/D,EAAE,IACTgE,QAAQ,+CAAgD,IACxDA,QAAQ,oCAAoC,SAAUhE,GACvD,OAAOA,EAAEgE,QAAQ,KAAM,QAEtBC,MAAM,sBACNC,KAAI,SAAUjF,GACf,OAAOA,EAAE+E,QAAQ,UAAW,QAGpC,SAASG,IACL,IAAIP,EAAM3B,IACNmC,EAAYrC,EAAM,4CACtB,GAAKqC,EAAL,CAGA,IAAIC,EAAON,EAAKK,EAAU,IAC1B,IAAKrC,EAAM,SACP,OAAOrB,EAAM,wBAEjB,IAAI4D,EAAMvC,EAAM,yDACZwC,EAAMX,EAAI,CACVC,KAAM,cACNW,SAAUH,EAAKL,QAAQ1C,EAAW,IAClCpB,MAAOoE,EAAMP,EAAKO,EAAI,IAAIN,QAAQ1C,EAAW,IAAM,KAGvD,OADAS,EAAM,WACCwC,GAEX,SAASE,IACL,IAKIC,EALAC,EAAQ,GACZ,IAAK1B,IACD,OAAOvC,EAAM,eAIjB,IAFA0C,EAASuB,GAEDD,EAAOP,MACE,IAATO,IACAC,EAAMlE,KAAKiE,GACXtB,EAASuB,IAEbD,EAAOP,IAEX,OAAKjB,IAGEyB,EAFIjE,EAAM,eAIrB,SAASkE,IAIL,IAHA,IAAI5E,EACA6E,EAAO,GACPjB,EAAM3B,IACFjC,EAAI+B,EAAM,wCACd8C,EAAKpE,KAAKT,EAAE,IACZ+B,EAAM,SAEV,GAAK8C,EAAKxF,OAGV,OAAOuE,EAAI,CACPC,KAAM,WACNiB,OAAQD,EACRJ,aAAcA,MA8KtB,IA9TQM,EA8TJC,EAAWC,EAAe,UAC1BC,EAAYD,EAAe,WAC3BE,EAAcF,EAAe,aACjC,SAASA,EAAeG,GACpB,IAAI5B,EAAK,IAAI6B,OAAO,KAAOD,EAAO,gBAClC,OAAO,WACH,IAAIxB,EAAM3B,IACNjC,EAAI+B,EAAMyB,GACd,GAAKxD,EAAL,CAGA,IAAIuE,EAAM,CAAEV,KAAMuB,GAElB,OADAb,EAAIa,GAAQpF,EAAE,GAAG+D,OACVH,EAAIW,KAGnB,SAASjB,IACL,GAAe,MAAX9B,EAAI,GAGR,OA/LJ,WACI,IAAIoC,EAAM3B,IACNjC,EAAI+B,EAAM,2BACd,GAAK/B,EAAL,CAGA,IAAIsF,EAAStF,EAAE,GAEf,KADAA,EAAI+B,EAAM,iBAEN,OAAOrB,EAAM,2BAEjB,IAII6E,EAJAH,EAAOpF,EAAE,GACb,IAAKiD,IACD,OAAOvC,EAAM,0BAIjB,IADA,IAAI8E,EAASpC,IACLmC,EAAQX,KACZY,EAAO/E,KAAK8E,GACZC,EAASA,EAAOtE,OAAOkC,KAE3B,OAAKF,IAGEU,EAAI,CACPC,KAAM,YACNuB,KAAMA,EACNE,OAAQA,EACRG,UAAWD,IANJ9E,EAAM,2BAyKTgF,IA1HZ,WACI,IAAI9B,EAAM3B,IACNjC,EAAI+B,EAAM,oBACd,GAAK/B,EAAL,CAGA,IAAI2F,EAAQ5B,EAAK/D,EAAE,IACnB,IAAKiD,IACD,OAAOvC,EAAM,sBAEjB,IAAIkF,EAAQxC,IAAWlC,OAAOiC,KAC9B,OAAKD,IAGEU,EAAI,CACPC,KAAM,QACN8B,MAAOA,EACPxC,MAAOyC,IALAlF,EAAM,uBA+GbmF,IAvGR,WACI,IAAIjC,EAAM3B,IACNjC,EAAI+B,EAAM,2CACd,GAAK/B,EAGL,OAAO4D,EAAI,CACPC,KAAM,eACNuB,KAAMrB,EAAK/D,EAAE,IACb2F,MAAO5B,EAAK/D,EAAE,MA+Fd8F,IAlKR,WACI,IAAIlC,EAAM3B,IACNjC,EAAI+B,EAAM,uBACd,GAAK/B,EAAL,CAGA,IAAI+F,EAAWhC,EAAK/D,EAAE,IACtB,IAAKiD,IACD,OAAOvC,EAAM,yBAEjB,IAAIkF,EAAQxC,IAAWlC,OAAOiC,KAC9B,OAAKD,IAGEU,EAAI,CACPC,KAAM,WACNkC,SAAUA,EACV5C,MAAOyC,IALAlF,EAAM,0BAuJbsF,IACAhB,KACAE,KACAC,KAvER,WACI,IAAIvB,EAAM3B,IACNjC,EAAI+B,EAAM,gCACd,GAAK/B,EAAL,CAGA,IAAIsF,EAASvB,EAAK/D,EAAE,IAChBiG,EAAMlC,EAAK/D,EAAE,IACjB,IAAKiD,IACD,OAAOvC,EAAM,yBAEjB,IAAIkF,EAAQxC,IAAWlC,OAAOiC,KAC9B,OAAKD,IAGEU,EAAI,CACPC,KAAM,WACNqC,SAAUD,EACVX,OAAQA,EACRnC,MAAOyC,IANAlF,EAAM,0BA2DbyF,IAjGR,WACI,IAAIvC,EAAM3B,IAEV,GADQF,EAAM,YACd,CAGA,IAAIqE,EAAMtC,KAAc,GACxB,IAAKb,IACD,OAAOvC,EAAM,qBAIjB,IAFA,IACIgE,EADAC,EAAQvB,IAEJsB,EAAOP,KACXQ,EAAMlE,KAAKiE,GACXC,EAAQA,EAAMzD,OAAOkC,KAEzB,OAAKF,IAGEU,EAAI,CACPC,KAAM,OACNwC,UAAWD,EACX3B,aAAcE,IALPjE,EAAM,sBAiFb4F,IApJR,WACI,IAAI1C,EAAM3B,IAEV,GADQF,EAAM,aACd,CAGA,IAAKkB,IACD,OAAOvC,EAAM,qBAEjB,IAAIkF,EAAQxC,IAAWlC,OAAOiC,KAC9B,OAAKD,IAGEU,EAAI,CACPC,KAAM,OACNV,MAAOyC,IAJAlF,EAAM,sBA0Ib6F,IApDR,WACI,IAAI3C,EAAM3B,IAEV,GADQF,EAAM,kBACd,CAGA,IAAKkB,IACD,OAAOvC,EAAM,0BAIjB,IAFA,IACIgE,EADAC,EAAQvB,IAEJsB,EAAOP,KACXQ,EAAMlE,KAAKiE,GACXC,EAAQA,EAAMzD,OAAOkC,KAEzB,OAAKF,IAGEU,EAAI,CACPC,KAAM,YACNY,aAAcE,IAJPjE,EAAM,2BAqCb8F,GAER,SAASjD,IACL,IAAIK,EAAM3B,IACNmE,EAAMtC,IACV,OAAKsC,GAGLhD,IACOQ,EAAI,CACPC,KAAM,OACNwC,UAAWD,EACX3B,aAAcA,OANP/D,EAAM,oBASrB,OAAO+F,GA3WC1B,EAAY5B,IACT,CACHU,KAAM,aACN6C,WAAY,CACRlE,OAAQf,EAAQe,OAChBW,MAAO4B,EACP4B,cAAejE,MAuW/B,SAASqB,EAAKlC,GACV,OAAOA,EAAMA,EAAImC,QAAQ,aAAc,IAAM,GAEjD,SAASyC,EAAUG,EAAKC,GAGpB,IAFA,IAAIC,EAASF,GAA2B,iBAAbA,EAAI/C,KAC3BkD,EAAcD,EAASF,EAAMC,EACxBG,EAAK,EAAGC,EAAKnI,OAAOoI,KAAKN,GAAMI,EAAKC,EAAG5H,OAAQ2H,IAAM,CAC1D,IACI9G,EAAQ0G,EADJK,EAAGD,IAEPhG,MAAMmG,QAAQjH,GACdA,EAAMkH,SAAQ,SAAUC,GACpBZ,EAAUY,EAAGN,MAGZ7G,GAA0B,iBAAVA,GACrBuG,EAAUvG,EAAO6G,GAWzB,OARID,GACAhI,OAAOwI,eAAeV,EAAK,SAAU,CACjCW,cAAc,EACdC,UAAU,EACVC,YAAY,EACZvH,MAAO2G,GAAU,OAGlBD,EAGX,IAAIc,EAAS,CACTC,OAAQ,WACRC,SAAU,WACVC,YAAa,cACbC,aAAc,eACdC,aAAc,eACdC,cAAe,gBACfC,iBAAkB,mBAClBC,SAAU,WACVC,QAAS,UACTC,cAAe,gBACfC,oBAAqB,sBACrBC,YAAa,cACbC,iBAAkB,mBAClBC,kBAAmB,oBACnBC,kBAAmB,oBACnBC,eAAgB,iBAChBC,aAAc,eACdC,QAAS,UACTC,QAAS,UACTC,QAAS,UACTC,QAAS,UACTC,QAAS,UACTC,eAAgB,iBAChBC,QAAS,UACTC,QAAS,UACTC,YAAa,cACbC,aAAc,eACdC,SAAU,WACVC,aAAc,eACdC,mBAAoB,qBACpBC,YAAa,cACbC,OAAQ,SACRC,aAAc,eACdC,cAAe,gBACfC,SAAU,WACVC,eAAgB,iBAChBC,eAAgB,kBAYpB,IAAIC,EAAiB,gBACjBC,EAAwB,IAAI5E,OAAO2E,EAAexH,OAAQ,KAC9D,SAAS0H,EAAcC,EAASC,GAC5B,IAAIC,EAAcD,MAAAA,OAAqC,EAASA,EAAME,qBAAqBC,IAAIJ,GAC/F,GAAIE,EACA,OAAOA,EACX,IAAIG,EAAMjJ,EAAM4I,EAAS,CACrBnH,QAAQ,IAEZ,IAAKwH,EAAI9D,WACL,OAAOyD,EAEX,IAAI9D,EAAY,GAUhB,GATAmE,EAAI9D,WAAWvD,MAAMiE,SAAQ,SAAU7D,GAC/B,cAAeA,IACdA,EAAK8C,WAAa,IAAIe,SAAQ,SAAUtD,GACjCkG,EAAeS,KAAK3G,IACpBuC,EAAU5F,KAAKqD,SAKN,IAArBuC,EAAUhH,OACV,OAAO8K,EAEX,IAAIO,EAAkB,IAAIrF,OAAOgB,EAC5BsE,QAAO,SAAU7G,EAAU8G,GAAS,OAAOvE,EAAUwE,QAAQ/G,KAAc8G,KAC3EE,MAAK,SAAUC,EAAGC,GAAK,OAAOA,EAAE3L,OAAS0L,EAAE1L,UAC3C6E,KAAI,SAAUJ,GACf,OAAoBA,EA/BbE,QAAQ,sBAAuB,WAiCrCiH,KAAK,KAAM,KACZC,EAASf,EAAQnG,QAAQ0G,GAAiB,SAAU5G,GACpD,IAAIqH,EAAcrH,EAASE,QAAQiG,EAAuB,eAC1D,OAAOnG,EAAW,KAAOqH,KAG7B,OADAf,MAAAA,GAA8CA,EAAME,qBAAqBc,IAAIjB,EAASe,GAC/EA,EAEX,SAASG,IAEL,MAAO,CACHf,qBAFuB,IAAIgB,KAKnC,SAASC,EAAUpM,EAAGsC,GAClB,IAAIwE,EAAMxE,EAAQwE,IAAKuF,EAAU/J,EAAQ+J,QAASpB,EAAQ3I,EAAQ2I,MAClE,OAAQjL,EAAE0E,MACN,KAAKjF,EAAS6M,SACV,OAAOxF,EAAIyF,eAAeC,eAAe,KAAM,GAAI,MACvD,KAAK/M,EAASgN,aACV,OAAO3F,EAAIyF,eAAeG,mBAAmB1M,EAAEiG,MAAQ,OAAQjG,EAAE2M,SAAU3M,EAAE4M,UACjF,KAAKnN,EAASoN,QACV,IACIC,EADAC,EA/DhB,SAAoB/M,GAChB,IAAI+M,EAAUxE,EAAOvI,EAAE+M,SAAWxE,EAAOvI,EAAE+M,SAAW/M,EAAE+M,QAIxD,MAHgB,SAAZA,GAAsB/M,EAAEgN,WAAWC,WACnCF,EAAU,SAEPA,EA0DeG,CAAWlN,GAGrB8M,EADA9M,EAAEmN,MACOrG,EAAIsG,gBAAgB,6BAA8BL,GAGlDjG,EAAIuG,cAAcN,GAE/B,IAAIO,EAAU,SAAUC,GACpB,IAAKvN,EAAEgN,WAAW3M,eAAekN,GAC7B,MAAO,WAEX,IAAIxM,EAAQf,EAAEgN,WAAWO,GACzB,GAAgB,WAAZR,GAAmC,aAAXQ,IAAmC,IAAVxM,EACjD,MAAO,WAIX,GAFAA,EACqB,kBAAVA,GAAwC,iBAAVA,EAAqB,GAAKA,EAC9DwM,EAAOC,WAAW,OAqDlB,CACD,GAAgB,WAAZT,GAAmC,eAAXQ,EAAyB,CACjD,IAAIE,EAAU1G,SAASsG,cAAc,OACrCI,EAAQC,IAAM3M,EACd0M,EAAQE,OAAS,WACb,IAAIC,EAAMd,EAAOe,WAAW,MACxBD,GACAA,EAAIE,UAAUL,EAAS,EAAG,EAAGA,EAAQM,MAAON,EAAQO,cAI3D,GAAgB,QAAZjB,GAAgC,eAAXQ,EAAyB,CACnD,IAAIU,EAAQnB,EACPmB,EAAMC,WAAWV,WAAW,WAC7BS,EAAME,aAAa,qBAAsBnO,EAAEgN,WAAWU,KACtDO,EAAMP,IAAM3M,GAGpB,GAAe,aAAXwM,EACAT,EAAOrG,MAAMsH,MAAQhN,OAEpB,GAAe,cAAXwM,EACLT,EAAOrG,MAAMuH,OAASjN,OAErB,GAAe,wBAAXwM,EACLT,EAAOsB,YAAcpO,EAAEgN,WAClBqB,yBAEJ,GAAe,kBAAXd,EACL,OAAQxM,GACJ,IAAK,SACD+L,EACKwB,OAAc,OAAE,SAAUlN,GAAK,OAAOmN,QAAQC,KAAK,uBAAwBpN,MAChF,MACJ,IAAK,SACD0L,EAAO2B,aAxFQ,CAC3B,IAAIC,EAAyB,aAAZ3B,GAAqC,UAAXQ,EACvCoB,EAAmC,UAAZ5B,GAAkC,aAAXQ,EAIlD,GAHIoB,GAAwBtC,IACxBtL,EAAQgK,EAAchK,EAAOkK,IAE7ByD,GAAcC,EAAsB,CAEpC,IADA,IAAIC,EAAQ9H,EAAI+H,eAAe9N,GACtB8G,EAAK,EAAGC,EAAKjG,MAAMH,KAAKoL,EAAOgC,YAAajH,EAAKC,EAAG5H,OAAQ2H,IAAM,CACvE,IAAItD,EAAIuD,EAAGD,GACPtD,EAAEtC,WAAa6K,EAAOiC,WACtBjC,EAAOkC,YAAYzK,GAI3B,OADAuI,EAAOmC,YAAYL,GACZ,WAEX,IACI,GAAI5O,EAAEmN,OAAoB,eAAXI,EACXT,EAAOoC,eAAe,+BAAgC3B,EAAQxM,QAE7D,GAAe,WAAXwM,GACM,YAAXA,GAC2B,YAA3BA,EAAO4B,UAAU,EAAG,GACpBrC,EAAOqB,aAAa,IAAMZ,EAAQxM,OAEjC,CAAA,GAAgB,SAAZgM,GAC0B,4BAA/B/M,EAAEgN,WAAW,eACF,YAAXO,EAEA,OADAT,EAAOqB,aAAa,cAAepN,GAC5B,WAEU,SAAZgM,GACgB,YAArB/M,EAAEgN,WAAWoC,KACO,WAApBpP,EAAEgN,WAAWqC,IAEI,SAAZtC,GACgB,aAArB/M,EAAEgN,WAAWoC,KACgB,iBAAtBpP,EAAEgN,WAAWsC,MACpBtP,EAAEgN,WAAWsC,KAAKC,SAAS,SAEV,QAAZxC,GACL/M,EAAEgN,WAAWwC,QACbxP,EAAEgN,WAAWyC,WACb3C,EAAOqB,aAAa,wBAAyBnO,EAAEgN,WAAWwC,QAG1D1C,EAAOqB,aAAaZ,EAAQxM,KAGpC,MAAOQ,OA4Cf,IAAK,IAAIgM,KAAUvN,EAAEgN,WACjBM,EAAQC,GAEZ,GAAIvN,EAAE0P,aACF,GAAK5C,EAAO6C,WAIR,KAAO7C,EAAO6C,WAAWC,YACrB9C,EAAO6C,WAAWX,YAAYlC,EAAO6C,WAAWC,iBAJpD9C,EAAO+C,aAAa,CAAEC,KAAM,SAQpC,OAAOhD,EACX,KAAKrN,EAASsQ,KACV,OAAOjJ,EAAI+H,eAAe7O,EAAEgQ,SAAW3D,EACjCtB,EAAc/K,EAAEiQ,YAAahF,GAC7BjL,EAAEiQ,aACZ,KAAKxQ,EAASyQ,MACV,OAAOpJ,EAAIqJ,mBAAmBnQ,EAAEiQ,aACpC,KAAKxQ,EAAS2Q,QACV,OAAOtJ,EAAIuJ,cAAcrQ,EAAEiQ,aAC/B,QACI,OAAO,MAGnB,SAASK,EAAgBtQ,EAAGsC,GACxB,IAAIwE,EAAMxE,EAAQwE,IAAK/B,EAAMzC,EAAQyC,IAAK+C,EAAKxF,EAAQiO,UAAWA,OAAmB,IAAPzI,GAAwBA,EAAI0I,EAAKlO,EAAQ+J,QAASA,OAAiB,IAAPmE,GAAuBA,EAAIC,EAAcnO,EAAQmO,YAAaxF,EAAQ3I,EAAQ2I,MACpNhI,EAAOmJ,EAAUpM,EAAG,CAAE8G,IAAKA,EAAKuF,QAASA,EAASpB,MAAOA,IAC7D,IAAKhI,EACD,OAAO,KAwBX,GAtBIjD,EAAE0Q,QACFnC,QAAQoC,OAAO5L,EAAI/E,EAAE0Q,UAAY5J,EAAK,gDAEtC9G,EAAE0E,OAASjF,EAAS6M,WACpBxF,EAAI/C,QACJ+C,EAAIhD,OACiB,eAAjB9D,EAAE4Q,YACF5Q,EAAE8O,YACF9O,EAAE8O,WAAW,GAAGpK,OAASjF,EAASgN,eAC9BzM,EAAE8O,WAAW,GAAGpK,OAASjF,EAASoN,SAClC,UAAW7M,EAAE8O,WAAW,GAAG9B,YACU,iCAArChN,EAAE8O,WAAW,GAAG9B,WAAW6D,MAC3B/J,EAAIgK,MAAM,sEAGVhK,EAAIgK,MAAM,sEAGlB7N,EAAO6D,GAEX7D,EAAK8N,KAAO/Q,EACZ+E,EAAI/E,EAAEgR,IAAM/N,GACPjD,EAAE0E,OAASjF,EAAS6M,UAAYtM,EAAE0E,OAASjF,EAASoN,WACpD0D,EACD,IAAK,IAAI1I,EAAK,EAAGoJ,EAAKjR,EAAE8O,WAAYjH,EAAKoJ,EAAG/Q,OAAQ2H,IAAM,CACtD,IAAIqJ,EAASD,EAAGpJ,GACZsJ,EAAYb,EAAgBY,EAAQ,CACpCpK,IAAKA,EACL/B,IAAKA,EACLwL,WAAW,EACXlE,QAASA,EACToE,YAAaA,EACbxF,MAAOA,IAENkG,GAIDD,EAAOE,UAAYpP,EAAUiB,IAASA,EAAK0M,WAC3C1M,EAAK0M,WAAWV,YAAYkC,GAG5BlO,EAAKgM,YAAYkC,GAEjBV,GACAA,EAAYU,IAVZ5C,QAAQC,KAAK,oBAAqB0C,GAc9C,OAAOjO,EA+BX,SAASoO,EAAQrR,EAAGsC,GAChB,IAAIwE,EAAMxE,EAAQwE,IAAKwK,EAAUhP,EAAQgP,QAASxJ,EAAKxF,EAAQ+J,QAC3DkF,EAAY,GACZtO,EAAOqN,EAAgBtQ,EAAG,CAC1B8G,IAAKA,EACL/B,IAAKwM,EACLhB,WAAW,EACXlE,aANqF,IAAPvE,GAAuBA,EAOrG2I,YAPuHnO,EAAQmO,YAQ/HxF,MARoJ3I,EAAQ2I,QAgBhK,OA9CJ,SAAesG,EAAWD,GAItB,IAAK,IAAIE,KAAOD,EACRA,EAAUC,KAJJvO,EAKDsO,EAAUC,GAJnBF,EAAQrO,IADZ,IAAcA,EAuCdwO,CAAMF,GAAW,SAAUG,GACnBJ,GACAA,EAAQI,GAhCpB,SAAsBzO,GAClB,IAAIjD,EAAIiD,EAAK8N,KACb,GAAI/Q,EAAE0E,OAASjF,EAASoN,QAAxB,CAGA,IAAI8E,EAAK1O,EACT,IAAK,IAAI2O,KAAU5R,EAAEgN,WACjB,GAAMhN,EAAEgN,WAAW3M,eAAeuR,IAAWA,EAAOpE,WAAW,OAA/D,CAGA,IAAIzM,EAAQf,EAAEgN,WAAW4E,GACV,kBAAXA,IACAD,EAAGE,WAAa9Q,GAEL,iBAAX6Q,IACAD,EAAGG,UAAY/Q,KAmBnBgR,CAAaL,MAEV,CAACzO,EAAMsO,GCvlDlB,SAASS,EAAKC,GAGb,OAFAA,EAAMA,GAAOtS,OAAOuS,OAAO,MAEpB,CAQNC,GAAI,SAAYzN,EAAc0N,IAC5BH,EAAIvN,KAAUuN,EAAIvN,GAAQ,KAAKpD,KAAK8Q,IAUtCC,IAAK,SAAa3N,EAAc0N,GAC3BH,EAAIvN,IACPuN,EAAIvN,GAAM4N,OAAOL,EAAIvN,GAAMgH,QAAQ0G,KAAa,EAAG,IAYrDG,KAAM,SAAc7N,EAAc8N,IAChCP,EAAIvN,IAAS,IAAI5C,QAAQiD,KAAI,SAAUqN,GAAWA,EAAQI,OAC1DP,EAAI,MAAQ,IAAInQ,QAAQiD,KAAI,SAAUqN,GAAWA,EAAQ1N,EAAM8N,YC1CvDC,EA+DAC,EAgUAC,EAcAC,EAuIMC,EA2GNC,uDCvoBIC,EAASC,EAAoBC,GAE3C,gBAFuBD,uBAAoBC,cAGzC,mBAAoBA,EAAEC,gBAAgBzM,SACF,IAApCuM,EAAEG,8BAFJ,CAQA,IAuB4BC,EAvBxBvG,EAAUmG,EAAEK,aAAeL,EAAEnG,QAI7ByG,EAAW,CACbC,OAAQP,EAAEO,QAAUP,EAAEQ,SACtBC,SAAUT,EAAES,SACZC,cAAe7G,EAAQzM,UAAUmT,QAAUI,EAC3CC,eAAgB/G,EAAQzM,UAAUwT,gBAIhCC,EACFb,EAAEc,aAAed,EAAEc,YAAYD,IAC3Bb,EAAEc,YAAYD,IAAIE,KAAKf,EAAEc,aACzBE,KAAKH,IAmBPI,GAXwBb,EAWgBJ,EAAEkB,UAAUd,UAR/C,IAAIlN,OAFa,CAAC,QAAS,WAAY,SAEV4F,KAAK,MAAMR,KAAK8H,GAQe,EAAI,GA0LzEJ,EAAEO,OAASP,EAAEQ,SAAW,gBAEDW,IAAjBlU,UAAU,MAKsB,IAAhCmU,EAAcnU,UAAU,IAoB5BoU,EAAa/T,KACX0S,EACAC,EAAEqB,UACoBH,IAAtBlU,UAAU,GAAGsU,OACPtU,UAAU,GAAGsU,KACfvB,EAAEwB,SAAWxB,EAAEyB,iBACEN,IAArBlU,UAAU,GAAGyU,MACPzU,UAAU,GAAGyU,IACf1B,EAAE2B,SAAW3B,EAAE4B,aA3BnBtB,EAASC,OAAOjT,KACd0S,OACsBmB,IAAtBlU,UAAU,GAAGsU,KACTtU,UAAU,GAAGsU,KACW,iBAAjBtU,UAAU,GACjBA,UAAU,GACV+S,EAAEwB,SAAWxB,EAAEyB,iBAEEN,IAArBlU,UAAU,GAAGyU,IACTzU,UAAU,GAAGyU,SACIP,IAAjBlU,UAAU,GACVA,UAAU,GACV+S,EAAE2B,SAAW3B,EAAE4B,eAoBzB5B,EAAES,SAAW,gBAEUU,IAAjBlU,UAAU,KAKVmU,EAAcnU,UAAU,IAC1BqT,EAASG,SAASnT,KAChB0S,OACsBmB,IAAtBlU,UAAU,GAAGsU,KACTtU,UAAU,GAAGsU,KACW,iBAAjBtU,UAAU,GACjBA,UAAU,GACV,OACiBkU,IAArBlU,UAAU,GAAGyU,IACTzU,UAAU,GAAGyU,SACIP,IAAjBlU,UAAU,GACVA,UAAU,GACV,GAORoU,EAAa/T,KACX0S,EACAC,EAAEqB,OACArU,UAAU,GAAGsU,MAAQvB,EAAEwB,SAAWxB,EAAEyB,eACpCxU,UAAU,GAAGyU,KAAO1B,EAAE2B,SAAW3B,EAAE4B,gBAKzC/H,EAAQzM,UAAUmT,OAAS1G,EAAQzM,UAAUoT,SAAW,WAEtD,QAAqBW,IAAjBlU,UAAU,GAKd,IAAoC,IAAhCmU,EAAcnU,UAAU,IAA5B,CAyBA,IAAIsU,EAAOtU,UAAU,GAAGsU,KACpBG,EAAMzU,UAAU,GAAGyU,IAGvBL,EAAa/T,KACXE,KACAA,UACgB,IAAT+T,EAAuB/T,KAAKqR,aAAe0C,OACnC,IAARG,EAAsBlU,KAAKsR,YAAc4C,OAjClD,CAEE,GAA4B,iBAAjBzU,UAAU,SAAoCkU,IAAjBlU,UAAU,GAChD,MAAM,IAAI4U,YAAY,gCAGxBvB,EAASI,cAAcpT,KACrBE,UAEsB2T,IAAtBlU,UAAU,GAAGsU,OACPtU,UAAU,GAAGsU,KACS,iBAAjBtU,UAAU,KACfA,UAAU,GACZO,KAAKqR,gBAEYsC,IAArBlU,UAAU,GAAGyU,MACPzU,UAAU,GAAGyU,SACEP,IAAjBlU,UAAU,KACRA,UAAU,GACZO,KAAKsR,aAmBfjF,EAAQzM,UAAUqT,SAAW,gBAENU,IAAjBlU,UAAU,MAKsB,IAAhCmU,EAAcnU,UAAU,IAc5BO,KAAK+S,OAAO,CACVgB,OAAQtU,UAAU,GAAGsU,KAAO/T,KAAKqR,WACjC6C,MAAOzU,UAAU,GAAGyU,IAAMlU,KAAKsR,UAC/BgD,SAAU7U,UAAU,GAAG6U,WAhBvBxB,EAASI,cAAcpT,KACrBE,UACsB2T,IAAtBlU,UAAU,GAAGsU,OACPtU,UAAU,GAAGsU,KAAO/T,KAAKqR,aACzB5R,UAAU,GAAKO,KAAKqR,gBACLsC,IAArBlU,UAAU,GAAGyU,MACPzU,UAAU,GAAGyU,IAAMlU,KAAKsR,YACxB7R,UAAU,GAAKO,KAAKsR,aAchCjF,EAAQzM,UAAUwT,eAAiB,WAEjC,IAAoC,IAAhCQ,EAAcnU,UAAU,IAA5B,CAUA,IAAI8U,EAAmBC,EAAqBxU,MACxCyU,EAAcF,EAAiBG,wBAC/BC,EAAc3U,KAAK0U,wBAEnBH,IAAqB9B,EAAEqB,MAEzBD,EAAa/T,KACXE,KACAuU,EACAA,EAAiBlD,WAAasD,EAAYZ,KAAOU,EAAYV,KAC7DQ,EAAiBjD,UAAYqD,EAAYT,IAAMO,EAAYP,KAIP,UAAlD1B,EAAEoC,iBAAiBL,GAAkBjS,UACvCkQ,EAAES,SAAS,CACTc,KAAMU,EAAYV,KAClBG,IAAKO,EAAYP,IACjBI,SAAU,YAKd9B,EAAES,SAAS,CACTc,KAAMY,EAAYZ,KAClBG,IAAKS,EAAYT,IACjBI,SAAU,gBAnCZxB,EAASM,eAAetT,KACtBE,UACiB2T,IAAjBlU,UAAU,IAA0BA,UAAU,KA3UpD,SAAS0T,EAAc0B,EAAGC,GACxB9U,KAAKqR,WAAawD,EAClB7U,KAAKsR,UAAYwD,EAmBnB,SAASlB,EAAcmB,GACrB,GACe,OAAbA,GACoB,iBAAbA,QACepB,IAAtBoB,EAAST,UACa,SAAtBS,EAAST,UACa,YAAtBS,EAAST,SAIT,OAAO,EAGT,GAAwB,iBAAbS,GAA+C,WAAtBA,EAAST,SAE3C,OAAO,EAIT,MAAM,IAAI7T,UACR,oCACEsU,EAAST,SACT,yDAWN,SAASU,EAAmB7D,EAAI8D,GAC9B,MAAa,MAATA,EACK9D,EAAG+D,aAAezB,EAAqBtC,EAAGgE,aAGtC,MAATF,EACK9D,EAAGiE,YAAc3B,EAAqBtC,EAAGkE,iBADlD,EAYF,SAASC,EAAYnE,EAAI8D,GACvB,IAAIM,EAAgB/C,EAAEoC,iBAAiBzD,EAAI,MAAM,WAAa8D,GAE9D,MAAyB,SAAlBM,GAA8C,WAAlBA,EAUrC,SAASC,EAAarE,GACpB,IAAIsE,EAAgBT,EAAmB7D,EAAI,MAAQmE,EAAYnE,EAAI,KAC/DuE,EAAgBV,EAAmB7D,EAAI,MAAQmE,EAAYnE,EAAI,KAEnE,OAAOsE,GAAiBC,EAS1B,SAASlB,EAAqBrD,GAC5B,KAAOA,IAAOsB,EAAEqB,OAA6B,IAArB0B,EAAarE,IACnCA,EAAKA,EAAGwE,YAAcxE,EAAGyE,KAG3B,OAAOzE,EAST,SAAS0E,EAAKC,GACZ,IACIvV,EACAwV,EACAC,EAxGQC,EAyGRC,GAJO7C,IAIWyC,EAAQK,WA9Jd,IAqDJF,EA4GZC,EAAUA,EAAU,EAAI,EAAIA,EAG5B3V,EA9GO,IAAO,EAAI6V,KAAKC,IAAID,KAAKE,GAAKL,IAgHrCF,EAAWD,EAAQS,QAAUT,EAAQjB,EAAIiB,EAAQS,QAAUhW,EAC3DyV,EAAWF,EAAQU,QAAUV,EAAQhB,EAAIgB,EAAQU,QAAUjW,EAE3DuV,EAAQW,OAAO3W,KAAKgW,EAAQY,WAAYX,EAAUC,GAG9CD,IAAaD,EAAQjB,GAAKmB,IAAaF,EAAQhB,GACjDtC,EAAEmE,sBAAsBd,EAAKtC,KAAKf,EAAGsD,IAYzC,SAASjC,EAAa1C,EAAI0D,EAAGC,GAC3B,IAAI4B,EACAH,EACAC,EACAC,EACAN,EAAY9C,IAGZlC,IAAOsB,EAAEqB,MACX4C,EAAalE,EACb+D,EAAS/D,EAAEwB,SAAWxB,EAAEyB,YACxBuC,EAAShE,EAAE2B,SAAW3B,EAAE4B,YACxBqC,EAAS3D,EAASC,SAElB2D,EAAavF,EACboF,EAASpF,EAAGE,WACZmF,EAASrF,EAAGG,UACZmF,EAAStD,GAIX0C,EAAK,CACHa,WAAYA,EACZD,OAAQA,EACRN,UAAWA,EACXI,OAAQA,EACRC,OAAQA,EACR3B,EAAGA,EACHC,EAAGA,MDxNT,SAAY7C,GACVA,2CACAA,mBACAA,mCACAA,iDACAA,mBACAA,uBACAA,uBAPF,CAAYA,IAAAA,OA+DZ,SAAYC,GACVA,2BACAA,6BACAA,2CACAA,uBACAA,uCACAA,qBACAA,6BACAA,2CACAA,uCACAA,uCACAA,oBACAA,kBACAA,oBACAA,4CAdF,CAAYA,IAAAA,OAgUZ,SAAYC,GACVA,yBACAA,6BACAA,qBACAA,iCACAA,2BACAA,qBACAA,mBACAA,+BACAA,+CACAA,2BACAA,kCAXF,CAAYA,IAAAA,OAcZ,SAAYC,GACVA,kBACAA,qBACAA,uBAHF,CAAYA,IAAAA,OAuIZ,SAAkBC,GAChBA,mBACAA,qBACAA,uBACAA,mCAJF,CAAkBA,IAAAA,OA2GlB,SAAYC,GACVA,gBACAA,gBACAA,kBACAA,kBACAA,kBACAA,iDACAA,8CACAA,0CACAA,yBACAA,qBACAA,uCACAA,yBACAA,6BACAA,gBACAA,6BACAA,uBAhBF,CAAYA,IAAAA,OEvoBZ,ICO6R9S,eDC3R,WAAYoX,EAAiCC,gBAAjCD,MAPL5W,gBAAqB,EAIpBA,SAAqB,KAI3BA,KAAK4W,QAAUA,EACf5W,KAAK6W,MAAQA,EAiFjB,OA3ESC,sBAAP,SAAiBC,GACf,IAAM9L,EAAQjL,KAAKgX,gBAAgBD,GACnC/W,KAAK4W,QAAQ9E,OAAO7G,EAAO,EAAG8L,IAMzBD,uBAAP,SAAkBF,GAChB5W,KAAK4W,QAAU5W,KAAK4W,QAAQrV,OAAOqV,IAG9BE,kBAAP,WACE9W,KAAKiX,WAAa,EAClB,IAAIC,EAAgB5D,YAAYD,MACxBuD,EAAY5W,aACdmX,EAAOnX,KAmBbA,KAAKoX,IAAMT,uBAlBX,SAASU,IACP,IAAMC,EAAOhE,YAAYD,MAGzB,IAFA8D,EAAKF,aAAeK,EAAOJ,GAAiBC,EAAKN,MACjDK,EAAgBI,EACTV,EAAQlX,QAAQ,CACrB,IAAMqX,EAASH,EAAQ,GAEvB,KAAIO,EAAKF,YAAcF,EAAOQ,OAI5B,MAHAX,EAAQY,QACRT,EAAOU,YAKPb,EAAQlX,OAAS,GAAKyX,EAAKO,YAC7BP,EAAKC,IAAMT,sBAAsBU,QAMhCP,kBAAP,WACM9W,KAAKoX,MACPO,qBAAqB3X,KAAKoX,KAC1BpX,KAAKoX,IAAM,MAEbpX,KAAK4W,QAAQlX,OAAS,GAGjBoX,qBAAP,SAAgBD,GACd7W,KAAK6W,MAAQA,GAGRC,2BAAP,SAAsBxH,GACpBtP,KAAK0X,SAAWpI,GAGXwH,qBAAP,WACE,OAAoB,OAAb9W,KAAKoX,KAGNN,4BAAR,SAAwBC,GAGtB,IAFA,IAAIxU,EAAQ,EACRK,EAAM5C,KAAK4W,QAAQlX,OAAS,EACzB6C,GAASK,GAAK,CACnB,IAAIgV,EAAMxB,KAAKyB,OAAOtV,EAAQK,GAAO,GACrC,GAAI5C,KAAK4W,QAAQgB,GAAKL,MAAQR,EAAOQ,MACnChV,EAAQqV,EAAM,MACT,CAAA,KAAI5X,KAAK4W,QAAQgB,GAAKL,MAAQR,EAAOQ,OAK1C,OAAOK,EAAM,EAJbhV,EAAMgV,EAAM,GAOhB,OAAOrV,iBAKKuV,EAASC,EAAsBC,GAG7C,GACED,EAAM7T,OAAS+N,EAAUgG,qBACzBF,EAAMG,KAAKrV,SAAWqP,EAAkBiG,UACxC,CACA,IAAMC,EAAcL,EAAMG,KAAKG,UAAU,GAAGpB,WAEtCqB,EAAiBP,EAAMQ,UAAYH,EAEzC,OADAL,EAAMR,MAAQe,EAAiBN,EACxBM,EAAiBN,EAI1B,OADAD,EAAMR,MAAQQ,EAAMQ,UAAYP,EACzBD,EAAMR;;;;;;;;;;;;;;oFCtGf,SAASlY,EAAEA,EAAEG,GAAG,IAAIoB,EAAE,mBAAmBT,QAAQd,EAAEc,OAAOC,UAAU,IAAIQ,EAAE,OAAOvB,EAAE,IAAIsB,EAAET,EAAEX,EAAEqB,EAAEd,KAAKT,GAAG+L,EAAE,GAAG,IAAI,WAAM,IAAS5L,GAAGA,KAAK,MAAMmB,EAAEpB,EAAEe,QAAQE,MAAM4K,EAAEtK,KAAKH,EAAEJ,OAAO,MAAMlB,GAAGa,EAAE,CAACa,MAAM1B,GAAG,QAAQ,IAAIsB,IAAIA,EAAEH,OAAOI,EAAErB,EAAEiZ,SAAS5X,EAAEd,KAAKP,GAAG,QAAQ,GAAGW,EAAE,MAAMA,EAAEa,OAAO,OAAOqK,GAAS,SAAS/L,GAAGA,EAAEA,EAAEoZ,WAAW,GAAG,aAAapZ,EAAEA,EAAEqZ,QAAQ,GAAG,UAAUrZ,EAAEA,EAAEsZ,QAAQ,GAAG,UAAnF,CAA8FnZ,IAAIA,EAAE,KAAK,IAAIoB,EAAE,CAACsD,KAAK,eAAe,SAASvD,EAAEtB,GAAG,YAAO,IAASA,EAAE,GAAG,GAAGkC,OAAOlC,GAAG,SAASa,EAAEb,GAAG,MAAM,CAAC6E,KAAK,gBAAgB0U,WAAWvZ,GAAG,SAASE,EAAEF,EAAEG,GAAG,MAAM,iBAAiBH,EAAE,iBAAiBA,GAAGG,GAAGA,EAAEH,GAAGG,EAAEH,GAAGA,GAAG,CAAC6E,KAAK7E,GAAG,mBAAmBA,EAAE,CAAC6E,KAAK7E,EAAEoG,KAAK3B,KAAKzE,GAAGA,EAAE,SAAS+L,EAAE/L,GAAG,OAAO,SAASG,GAAG,OAAOH,IAAIG,GAAG,SAASqZ,EAAExZ,GAAG,MAAM,iBAAiBA,EAAE,CAAC6E,KAAK7E,GAAGA,EAAE,SAAS0E,EAAE1E,EAAEG,GAAG,MAAM,CAACe,MAAMlB,EAAEyW,QAAQtW,EAAEoX,QAAQ,GAAGkC,SAAQ,EAAGC,QAAQ3N,EAAE/L,IAAI,SAAS2Z,EAAE3Z,EAAEG,EAAEoB,GAAG,IAAID,EAAEnB,EAAEU,GAAE,EAAG,MAAM,CAACb,EAAE2L,iBAAiB3L,GAAG,GAAG,kBAAkBA,EAAE6E,KAAK,CAAChE,GAAE,EAAG,IAAIV,EAAEL,OAAOC,OAAO,GAAGuB,GAAG,MAAM,mBAAmBtB,EAAEuZ,WAAWpZ,EAAEH,EAAEuZ,WAAWjY,EAAEC,GAAGzB,OAAOoI,KAAKlI,EAAEuZ,YAAYnR,kBAAkBvH,GAAGV,EAAEU,GAAG,mBAAmBb,EAAEuZ,WAAW1Y,GAAGb,EAAEuZ,WAAW1Y,GAAGS,EAAEC,GAAGvB,EAAEuZ,WAAW1Y,MAAMS,EAAEnB,GAAE,EAAG,OAAM,KAAMmB,EAAET,GAAG,SAASZ,EAAEE,EAAEU,QAAG,IAASA,IAAIA,EAAE,IAAI,IAAIZ,EAAED,EAAE2Z,EAAErY,EAAEnB,EAAEyZ,OAAOzZ,EAAE0Z,SAASC,OAAO5U,cAAclF,GAAG,OAAOE,EAAEF,EAAEa,EAAE0W,YAAYpX,EAAEsW,QAAQlV,GAAG,GAAGQ,EAAE9B,EAAE,GAAGoI,EAAEpI,EAAE,GAAGwV,EAAE,CAACsE,OAAO5Z,EAAE6Z,SAASnZ,EAAEoZ,aAAa,CAAC/Y,MAAMf,EAAE0Z,QAAQtC,QAAQxV,EAAE0U,QAAQpO,EAAEqR,QAAQ3N,EAAE5L,EAAE0Z,UAAUK,WAAW,SAAS3Y,EAAEV,GAAG,IAAIZ,EAAE8B,EAAEsG,EAAE,iBAAiB9G,EAAE,CAACL,MAAMK,EAAEkV,QAAQtW,EAAEsW,SAASlV,EAAEjB,EAAE+H,EAAEnH,MAAMiZ,EAAE9R,EAAEoO,QAAQrD,EAAEoG,EAAE3Y,GAAG2U,EAAErV,EAAEyZ,OAAOtZ,GAAG,GAAGkV,EAAElD,GAAG,CAAC,IAAItR,EAAEM,EAAEkU,EAAElD,GAAGc,EAAEvO,OAAO,IAAI,IAAI,IAAIuV,EAAE,SAASpa,GAAG,IAAIG,EAAE,mBAAmBW,QAAQA,OAAOC,SAASQ,EAAEpB,GAAGH,EAAEG,GAAGmB,EAAE,EAAE,GAAGC,EAAE,OAAOA,EAAEd,KAAKT,GAAG,GAAGA,GAAG,iBAAiBA,EAAEK,OAAO,MAAM,CAACY,KAAK,WAAW,OAAOjB,GAAGsB,GAAGtB,EAAEK,SAASL,OAAE,GAAQ,CAACkB,MAAMlB,GAAGA,EAAEsB,KAAKH,MAAMnB,KAAK,MAAM,IAAIoB,UAAUjB,EAAE,0BAA0B,mCAAtQ,CAA0Sa,GAAGgL,EAAEoO,EAAEnZ,QAAQ+K,EAAE7K,KAAK6K,EAAEoO,EAAEnZ,OAAO,CAAC,IAAIoZ,EAAErO,EAAE9K,MAAM,QAAG,IAASmZ,EAAE,OAAO3V,EAAEpE,EAAE6Z,GAAG,IAAIhH,EAAE,iBAAiBkH,EAAE,CAACC,OAAOD,GAAGA,EAAEE,EAAEpH,EAAEmH,OAAOE,EAAErH,EAAEoE,QAAQkD,OAAE,IAASD,EAAE,GAAGA,EAAEE,EAAEvH,EAAEwH,KAAKC,OAAE,IAASF,EAAE,WAAW,OAAM,GAAIA,EAAEG,OAAE,IAASN,EAAE3D,EAAE,MAAM2D,EAAEA,EAAEja,EAAEwa,EAAE3a,EAAEyZ,OAAOhD,GAAG,GAAGgE,EAAET,EAAE/G,GAAG,CAAC,IAAI2H,EAAE/a,EAAE2Z,GAAGkB,EAAEvZ,EAAEmZ,GAAG,GAAGvY,OAAOsT,EAAEwF,KAAKP,EAAEK,EAAEhB,OAAOnO,iBAAiB3L,GAAG,OAAOA,MAAMkF,cAAclF,GAAG,OAAOE,EAAEF,EAAEyV,EAAEuE,SAASzC,YAAY4C,EAAE/G,GAAG,GAAG6H,EAAEF,EAAE,GAAGG,EAAEH,EAAE,GAAGI,EAAEJ,EAAE,GAAGK,EAAE,MAAMb,EAAEA,EAAEja,EAAE,MAAM,CAACY,MAAMka,EAAE3E,QAAQyE,EAAE3D,QAAQ0D,EAAExB,QAAQc,IAAIja,GAAG2a,EAAE5a,OAAO,GAAG8a,EAAEzB,QAAQ3N,EAAEqP,MAAM,MAAMpb,GAAGC,EAAE,CAACyB,MAAM1B,GAAG,QAAQ,IAAIgM,IAAIA,EAAE7K,OAAOY,EAAEqY,EAAEjB,SAASpX,EAAEtB,KAAK2Z,GAAG,QAAQ,GAAGna,EAAE,MAAMA,EAAEyB,QAAQ,OAAOgD,EAAEpE,EAAE6Z,KAAK,OAAO1E,EAAE,IAAI1T,EAAE,SAAS/B,EAAEG,GAAG,OAAOH,EAAEuX,QAAQnP,kBAAkB7G,GAAG,IAAID,EAAEC,EAAEkD,KAAK,OAAOnD,GAAGA,EAAEtB,EAAEyW,QAAQtW,OAAO,SAASkI,EAAErI,GAAG,IAAIsB,EAAEtB,EAAEia,aAAapZ,EAAEV,EAAEiZ,WAAWlZ,EAAE,IAAImb,IAAI3W,EAAE,CAAC4W,SAAStb,EAAEub,KAAK,SAASha,GAAGV,IAAIV,EAAEkZ,UAAU/X,EAAEtB,EAAEka,WAAW5Y,EAAEC,GAAGQ,EAAET,EAAEkY,EAAEjY,IAAIrB,EAAEkI,kBAAkBpI,GAAG,OAAOA,EAAEsB,QAAQka,UAAU,SAASxb,GAAG,OAAOE,EAAEub,IAAIzb,GAAGA,EAAEsB,GAAG,CAACoa,YAAY,WAAW,OAAOxb,EAAEyb,OAAO3b,MAAMkD,MAAM,SAAShD,GAAG,GAAGA,EAAE,CAAC,IAAIsZ,EAAE,iBAAiBtZ,EAAEA,EAAE,CAACuW,QAAQzW,EAAE+Z,OAAOtD,QAAQvV,MAAMhB,GAAGoB,EAAE,CAACJ,MAAMsY,EAAEtY,MAAMqW,QAAQ,GAAGd,QAAQ+C,EAAE/C,QAAQiD,QAAQ3N,EAAEyN,EAAEtY,QAAQ,OAAOL,EAAEV,EAAEkZ,QAAQtX,EAAET,EAAEC,GAAGmD,GAAGkX,KAAK,WAAW,OAAO/a,EAAEV,EAAEmZ,QAAQpZ,EAAE2b,QAAQnX,GAAGoX,YAAY,OAAOxa,GAAGya,aAAa,OAAOlb,IAAI,OAAO6D,WCmExjGsX,EACdvF,EACAxO,OAAEgU,cAAWC,6BAA0BC,YAsMvC,OAAOC,EApMeC,EACpB,CACElL,GAAI,SACJsF,UACAoD,QAAS,SACTD,OAAQ,CACN0C,QAAS,CACPhK,GAAI,CACFiK,MAAO,CACLjC,OAAQ,SACR/C,QAAS,CAAC,UAEZiF,WAAY,CACVlC,OAAQ,UACR/C,QAAS,aAEXkF,IAAK,CACHnC,OAAQ,SACR/C,QAAS,CAAC,uBAAwB,UAEpCmF,UAAW,CACTpC,OAAQ,UACR/C,QAAS,CAAC,eAIhBoF,OAAQ,CACNrK,GAAI,CACFsK,KAAM,CACJtC,OAAQ,UACR/C,QAAS,CAAC,mBAAoB,SAEhCiF,WAAY,CACVlC,OAAQ,SACR/C,QAAS,aAEXsF,QAAS,CACPvC,OAAQ,OACR/C,QAAS,CAAC,cAEZmF,UAAW,CACTpC,OAAQ,SACR/C,QAAS,CAAC,eAIhBuF,KAAM,CACJxK,GAAI,CACFoK,UAAW,CACTpC,OAAQ,OACR/C,QAAS,CAAC,aAEZiF,WAAY,CACVlC,OAAQ,OACR/C,QAAS,CAAC,kBAMpB,CACEA,QAAS,CACPwF,UAAWhd,EAAO,CAChBid,gBAAiB,SAACjP,EAAK2K,GACrB,MAAmB,eAAfA,EAAM7T,KACD6T,EAAMuE,QAAQvE,MAEhB3K,EAAIiP,mBAGfE,iBAAkBnd,GAAO,SAACgO,EAAK2K,GAC7B,IAAId,EAAa7J,EAAI6J,WAIrB,MAHI,YAAac,GAAS,eAAgBA,EAAMuE,UAC9CrF,EAAac,EAAMuE,QAAQrF,mBAGxB7J,IACH6J,aACAe,aAAc5K,EAAIoP,OAAO,GAAGjE,UAAYtB,OAG5CnJ,KAAA,SAAKV,iBACKqP,EAAiDrP,QAA1CoP,EAA0CpP,SAAlC4K,EAAkC5K,eAApBiP,EAAoBjP,kBACzDqP,EAAMvB,YAEN,IAAoB,IAAAwB,EAAAzc,EAAAuc,iCAAQ,CAE1B1E,UAAgBE,qGAElB,IAAM2E,WAhHdH,EACAxE,GAEA,IAAK,IAAI4E,EAAMJ,EAAO9c,OAAS,EAAGkd,GAAO,EAAGA,IAAO,CACjD,IAAMC,EAAQL,EAAOI,GACrB,GAAIC,EAAM3Y,OAAS+N,EAAU6K,MACvBD,EAAMtE,WAAaP,EACrB,OAAOwE,EAAOlb,MAAMsb,GAI1B,OAAOJ,EAqGsBO,CAAsBP,EAAQxE,GAE/CgF,EAAsBX,MAAAA,SAAAA,EAAiB9D,WAEzC8D,MAAAA,SAAAA,EAAiBnY,QAAS+N,EAAUgG,qBACpCoE,EAAgBnE,KAAKrV,SAAWqP,EAAkBiG,YAElD6E,EACEX,EAAgB9D,qBAChB8D,EAAgBnE,KAAKG,UAAU,yBAAIpB,aAEnCe,GAAgBgF,GAAuB,IACzCxB,EAAQzJ,KAAKO,EAAe2K,UAG9B,IAAMC,EAAa,IAAI7b,MACjBuV,EAAU,IAAIvV,iBACT8b,GACT,GACEH,GACAA,EAAsBhF,IACrBmF,EAAM5E,WAAayE,GAClBG,IAAUd,oBAId,GAAIc,EAAM5E,UAAYP,EACpBkF,EAAWpc,KAAKqc,OACX,CACL,IAAMC,EAAS9B,EAAU6B,GAAO,GAChCvG,EAAQ9V,KAAK,CACX2W,SAAU,WACR2F,KAEF7F,MAAO4F,EAAM5F,cAjBnB,IAAoB,IAAA8F,EAAApd,EAAA0c,+IAqBpBpB,EAAyB2B,GACzB1B,EAAQzJ,KAAKO,EAAegL,OAC5Bb,EAAMc,WAAW3G,GACjB6F,EAAMla,SAER0L,eAAMb,GACJA,EAAIqP,MAAMvB,SAEZsC,qBAAsBpe,GAAO,SAACgO,GAC5B,cACKA,IACHiP,gBAAiB,UAGrBoB,UAAWre,EAAO,CAChB4Y,aAAc,SAAC5K,EAAK2K,GAGlB,OAFA3K,EAAIqP,MAAMiB,gBAAe,GACzBtQ,EAAIqP,MAAMla,QACS,YAAfwV,EAAM7T,MAAsB6T,EAAMuE,QAAQtE,aACrCD,EAAMuE,QAAQtE,aAEhBxE,KAAKH,SAGhBsK,SAAUve,GAAO,SAACgO,EAAKwQ,GACb,IAAA5F,EAAgC5K,eAAlBqP,EAAkBrP,QAAXoP,EAAWpP,SACxC,GAA0B,cAAtBwQ,EAAa1Z,KAAsB,CAC7B,IAAA2Z,EAAUD,EAAatB,cAC/BxE,EAAS+F,EAAO7F,GAEhB,IAAIpV,EAAM4Z,EAAO9c,OAAS,EAC1B,IAAK8c,EAAO5Z,IAAQ4Z,EAAO5Z,GAAK2V,WAAasF,EAAMtF,UAEjDiE,EAAO1b,KAAK+c,OACP,CAGL,IAFA,IAAIC,GAAkB,EAClBvb,EAAQ,EACLA,GAASK,GAAK,CACnB,IAAIgV,EAAMxB,KAAKyB,OAAOtV,EAAQK,GAAO,GACjC4Z,EAAO5E,GAAKW,WAAasF,EAAMtF,UACjChW,EAAQqV,EAAM,EAEdhV,EAAMgV,EAAM,GAGQ,IAApBkG,IACFA,EAAiBvb,GAEnBia,EAAO1K,OAAOgM,EAAgB,EAAGD,GAGnC,IAAME,EAASF,EAAMtF,UAAYP,EAC3BgG,EAAS1C,EAAUuC,EAAOE,GAC5BA,EACFC,IACSvB,EAAMwB,YACfxB,EAAMyB,UAAU,CACdzG,SAAU,WACRuG,KAEFzG,MAAOsG,EAAMtG,QAInB,cAAYnK,IAAKoP,kBChN3B,IAAM2B,EACJ,4NAKSC,EAAkB,CAC3B7Z,IAAK,GACL8Z,iBAEE,OADAtQ,QAAQhN,MAAMod,IACN,GAEVG,mBAEE,OADAvQ,QAAQhN,MAAMod,GACP,MAETI,6BACExQ,QAAQhN,MAAMod,IAEhBK,eAEE,OADAzQ,QAAQhN,MAAMod,IACP,GAETM,iBACE1Q,QAAQhN,MAAMod,KAGI,oBAAXO,QAA0BA,OAAOC,OAASD,OAAOE,UAC1DR,EAAU,IAAIO,MAAMP,EAAS,CAC3BxT,aAAI+O,EAAQjV,EAAMma,GAIhB,MAHa,QAATna,GACFqJ,QAAQhN,MAAMod,GAETS,QAAQhU,IAAI+O,EAAQjV,EAAMma,OAkOvC,iBAWE,aACE7e,KAAKye,QA4KT,OAzKSK,gBAAP,SAAWC,GACT,IAAMC,EAAiBhf,KAAKif,QAAQrU,IAAImU,EAASG,UAC3CC,EAAqB,CACzB3O,GAAIuO,EAAStc,KAAK+N,GAClBuO,WACAK,SAAU,GACVC,MAAO,GACP7S,WAAY,IAETwS,GAGHG,EAASjY,OAAS8X,EAClBA,EAAeI,SAASD,EAAS3O,IAAM2O,GAHvCnf,KAAKsf,KAAKH,EAAS3O,IAAM2O,EAK3Bnf,KAAKif,QAAQxT,IAAI0T,EAAS3O,GAAI2O,IAGzBL,mBAAP,SAAcC,EAA+BQ,GAA7C,WACQP,EAAiBhf,KAAKif,QAAQrU,IAAImU,EAASG,UAC3CC,EAAWnf,KAAKif,QAAQrU,IAAImU,EAASvO,IAErCgP,EAAuB,SAAChP,GAC5BiP,EAAKC,YAAY5E,IAAItK,GACrB,IAAM/N,EAAO8c,EAAOjB,QAAQ9N,GAC5B/N,MAAAA,GAAAA,EAAM6L,WAAW7G,SAAQ,SAACkJ,GACpB,SAAUA,GACZ6O,EAAuB7O,EAAgCJ,KAAKC,QAI5DmP,EAA0B,SAACld,GAC/Bgd,EAAKC,YAAY5E,IAAIrY,EAAK+N,IAC1BrR,OAAOgG,OAAO1C,EAAK2c,UAAU3X,SAAQ,SAACjI,GAAM,OAAAmgB,EAAwBngB,MACpE,IAAMogB,EAAYH,EAAKR,QAAQrU,IAAInI,EAAK+N,IACxC,GAAIoP,EAAW,CACb,IAAMC,EAAkBD,EAAU1Y,OAC9B2Y,WACKD,EAAU1Y,cACV2Y,EAAgBT,SAASQ,EAAUpP,IAC1CiP,EAAKR,QAAQjE,OAAO+D,EAASvO,OAK9B2O,EAGOH,UAKHG,EAASjY,cACT8X,EAAeI,SAASD,EAAS3O,IACxCxQ,KAAKif,QAAQjE,OAAO+D,EAASvO,IAC7BmP,EAAwBR,YAPjBnf,KAAKsf,KAAKH,EAAS3O,IAC1BxQ,KAAKif,QAAQjE,OAAOmE,EAAS3O,IAC7BmP,EAAwBR,KALxBnf,KAAK8f,oBAAoBhf,KAAKie,GAC9BS,EAAqBT,EAASvO,MAa3BsO,iBAAP,SAAYC,GACV,IAAMI,EAAWnf,KAAKif,QAAQrU,IAAImU,EAASvO,IACvC2O,EACFA,EAASE,MAAMve,KAAKie,GAEpB/e,KAAK+f,cAAcjf,KAAKie,IAIrBD,sBAAP,SAAiBC,GACf,IAAMI,EAAWnf,KAAKif,QAAQrU,IAAImU,EAASvO,IACvC2O,EACFA,EAAS3S,WAAW1L,KAAKie,GAEzB/e,KAAKggB,mBAAmBlf,KAAKie,IAI1BD,mBAAP,SAAcrM,GACZzS,KAAKigB,UAAUxU,IAAIgH,EAAEjC,GAAIiC,IAGpBqM,kBAAP,SAAarM,GACXzS,KAAKkgB,SAASzU,IAAIgH,EAAEjC,GAAIiC,IAGnBqM,kBAAP,8BAKQrO,EAKFzQ,KAJFsf,SACAQ,wBACAC,kBACAC,uBAGIG,EAAkC,CACtCtd,OAAQqP,EAAkBkO,SAC1BC,QAASP,EACTT,MAAOU,EACPvT,WAAYwT,EACZM,KAAM,IAGFC,EAAO,SAACpB,EAAoBqB,GAC5BA,GACFf,EAAKC,YAAY5E,IAAIqE,EAAS3O,IAEhC2P,EAAkBd,MAAQc,EAAkBd,MACzC9d,OAAOif,EAAU,GAAKrB,EAASE,OAC/BrU,QAAO,SAAC3K,GAAM,OAACof,EAAKC,YAAYlB,IAAIne,EAAEmQ,OACzC2P,EAAkB3T,WAAa2T,EAAkB3T,WAC9CjL,OAAOif,EAAU,GAAKrB,EAAS3S,YAC/BxB,QAAO,SAAC3K,GAAM,OAACof,EAAKC,YAAYlB,IAAIne,EAAEmQ,OAEtCiP,EAAKC,YAAYlB,IAAIW,EAAS3O,KAC9BiP,EAAKC,YAAYlB,IAAIW,EAASJ,SAASG,WACvCsB,EAODrhB,OAAOgG,OAAOga,EAASC,UAAU3X,SAAQ,SAACjI,GAAM,OAAA+gB,EAAK/gB,GAAG,OALxD2gB,EAAkBG,KAAKxf,KAAKqe,EAASJ,UACjCI,EAASC,UACXjgB,OAAOgG,OAAOga,EAASC,UAAU3X,SAAQ,SAACjI,GAAM,OAAA+gB,EAAK/gB,GAAG,QAO9DL,OAAOgG,OAAOma,GAAM7X,SAAQ,SAACjI,GAAM,OAAA+gB,EAAK/gB,GAAG,UAE3C,IAAiB,IAAAihB,EAAAxgB,EAAAD,KAAKigB,UAAU1Y,sCAAQ,CAAnC,IAAMiJ,UACLxQ,KAAK0f,YAAYlB,IAAIhO,IACvBxQ,KAAKigB,UAAUjF,OAAOxK,yGAG1B,IAAiB,IAAAkQ,EAAAzgB,EAAAD,KAAKkgB,SAAS3Y,sCAAQ,CAA5BiJ,UACLxQ,KAAK0f,YAAYlB,IAAIhO,IACvBxQ,KAAKkgB,SAASlF,OAAOxK,qGAIzB,IAAMyP,EAAY,IAAItU,IAAI3L,KAAKigB,WACzBC,EAAW,IAAIvU,IAAI3L,KAAKkgB,UAI9B,OAFAlgB,KAAKye,QAEE,CACLkC,aAAcR,EACdF,YACAC,aAIIpB,kBAAR,WACE9e,KAAKsf,KAAO,GACZtf,KAAKif,QAAU,IAAItT,IACnB3L,KAAK8f,oBAAsB,GAC3B9f,KAAK+f,cAAgB,GACrB/f,KAAKggB,mBAAqB,GAC1BhgB,KAAK0f,YAAc,IAAIhF,IACvB1a,KAAKigB,UAAY,IAAItU,IACrB3L,KAAKkgB,SAAW,IAAIvU,KAGfmT,sBAAP,SAAiBtO,GACf,OAAOxQ,KAAK0f,YAAYlB,IAAIhO,kBAUhBoQ,EAAoBC,WAC5BC,EAA4C,GAC5CC,EAAa,SACjB1gB,EACA6G,GAEA,IAAM8Z,EAA0B,CAC9BzgB,MAAOF,EACP6G,SACAkY,SAAU,IAGZ,OADA0B,EAAazgB,EAAEoC,KAAK+N,IAAMwQ,EACnBA,GAGHC,EAAgC,OACtC,IAAuB,IAAAC,EAAAjhB,EAAA4gB,iCAAO,CAAzB,IAAM9B,UACDoC,EAAqBpC,SAAbG,EAAaH,WAC7B,GAAIoC,GAAUA,KAAUL,EAAxB,CACE,IAAMM,EAAaN,EAAaK,GAChC,GAAIC,EAAWla,OAAQ,CACrB,IAAM0V,EAAMwE,EAAWla,OAAOkY,SAASlU,QAAQkW,GAC/CA,EAAWla,OAAOkY,SAAStN,OACzB8K,EACA,EACAmE,EAAWhC,EAAUqC,EAAWla,aAE7B,CACC0V,EAAMqE,EAAe/V,QAAQkW,GACnCH,EAAenP,OAAO8K,EAAK,EAAGmE,EAAWhC,EAAU,aAIvD,GAAIG,KAAY4B,EAAhB,CACE,IAAMO,EAAeP,EAAa5B,GAClCmC,EAAajC,SAASte,KAAKigB,EAAWhC,EAAUsC,SAGlDJ,EAAengB,KAAKigB,EAAWhC,EAAU,yGAG3C,OAAOkC,WAGOK,EACdhC,EACAiC,GAEAA,EAAGjC,EAAK/e,OAMR,IAAK,IAAIhB,EAAI+f,EAAKF,SAAS1f,OAAS,EAAGH,GAAK,EAAGA,IAC7C+hB,EAAmBhC,EAAKF,SAAS7f,GAAIgiB,YAYzBC,EACd/e,GAEA,MAAI,SAAUA,IAEVA,EAAK8N,KAAKrM,OAASjF,EAASoN,SAAiC,WAAtB5J,EAAK8N,KAAKhE,kBAOvCkV,EACdhf,EACAif,WAEMC,sBAAelf,EAAKmf,oCAAeC,kCAAaF,aACtD,IAAKA,GAAgBA,IAAiBD,EACpC,MAAO,CACL7M,EAAG,EACHC,EAAG,EACHgN,cAAe,EACfC,cAAe,GAInB,IAAMC,EAAiBL,EAAajN,wBAC9BuN,EAAqBR,EAAiBE,EAAcD,GAEpDI,EAAgBE,EAAexU,OAASmU,EAAazM,aAC3D,MAAO,CACLL,EACEmN,EAAenN,EAAIoN,EAAmBH,cACtCG,EAAmBpN,EACrBC,EACEkN,EAAelN,EAAImN,EAAmBH,cACtCG,EAAmBnN,EACrBgN,gBACAC,cAAeE,EAAmBF,cAAgBD,YAItCI,EACd1iB,GAEA,OAAO2iB,QAAU3iB,MAAAA,SAAAA,EAA2B2P,YCvnB9C,ICEYiT,WAuCIC,EACd7e,EACAlB,GAEA,IAAMsB,EAAOJ,EAAMlB,EAAS,IAC5B,OAAwB,IAApBA,EAAS5C,OACJkE,EAEAye,EACHze,EAAyB0e,SAAShgB,EAAS,IAC1CggB,SACHhgB,EAAShB,MAAM,aAKLihB,GAAqBC,GACnC,IAAMnK,SAAgBmK,OAChBvX,EAAQoN,EAAUoK,MACxB,MAAO,CAAEpK,YAAWpN,kBAGNyX,GACdC,EACAC,GAEQ,IAAAC,EAAUD,QACbC,GAMLF,EAAYlb,SAAQ,SAAC7D,GACnB,GAAIA,EAAKM,OAASke,EAAcU,OAC9B,IACE,GAAIzhB,MAAMmG,QAAQ5D,EAAKqH,OAAQ,CACvB,IAAA3D,EAAuBib,GAAqB3e,EAAKqH,OAA/CoN,cAAWpN,UACAoX,EAAcQ,EAAMP,SAAUjK,GACtC0K,WAAWnf,EAAK4G,QAASS,QAEpC4X,EAAME,WAAWnf,EAAK4G,QAAS5G,EAAKqH,OAEtC,MAAOrK,SAMJ,GAAIgD,EAAKM,OAASke,EAAcY,OACrC,IACE,GAAI3hB,MAAMmG,QAAQ5D,EAAKqH,OAAQ,CACvB,IAAA+E,EAAuBuS,GAAqB3e,EAAKqH,OAA/CoN,cAAWpN,UACAoX,EAAcQ,EAAMP,SAAUjK,GACtC4K,WAAWhY,GAAS,QAE/B4X,EAAMI,WAAWrf,EAAKqH,OAExB,MAAOrK,SAMJ,GAAIgD,EAAKM,OAASke,EAAcc,UAkB3C,SACEC,EACAP,SAEA,IACE,IAAMQ,EAAgB/hB,MAAMH,gBAAK0hB,EAAUC,4BAAOP,WAAY,IAAI/d,KAChE,SAACX,GAAS,OAAAA,EAAK4G,WAEX6Y,EAAwBlkB,OAAOmkB,QAAQF,GAAeG,UACxDC,EAAYJ,EAAc1jB,OAC9B2jB,EAAsB5b,SAAQ,SAACH,SAAAmJ,EAAA/P,OAACuK,OAAOrH,OAC/BsH,EAAUiY,EAASjY,QAAQtH,GACjC,IAAiB,IAAbsH,GAAkBA,EAAUsY,EAC9B,cACEZ,EAAUC,sBAAOI,WAAWQ,OAAOxY,IACnC,MAAOrK,IAOX4iB,EAAYtY,KAEdiY,EAAS1b,SAAQ,SAAC+C,EAASS,aACzB,yBACM2X,EAAUC,4BAAOP,SAASrX,yBAAQT,WAAYA,cAChDoY,EAAUC,sBAAOE,WAAWvY,EAASS,IAEvC,MAAOrK,QAOX,MAAOA,KArDL8iB,CAAkC9f,EAAKuf,SAAUP,QAC5C,GAAIhf,EAAKM,OAASke,EAAcuB,YAAa,CAC9BtB,EAClBQ,EAAMP,SACN1e,EAAKqH,OAEIhF,MAAM2d,YAAYhgB,EAAKiB,SAAUjB,EAAKrD,MAAOqD,EAAKigB,eACxD,GAAIjgB,EAAKM,OAASke,EAAc0B,eAAgB,CACjCzB,EAClBQ,EAAMP,SACN1e,EAAKqH,OAEIhF,MAAM8d,eAAengB,EAAKiB,eApH3C,SAAYud,GACVA,uBACAA,uBACAA,2BACAA,iCACAA,uCALF,CAAYA,IAAAA,OCMZ,IAHA,IAAI4B,GAAQ,mEAERC,GAA+B,oBAAfC,WAA6B,GAAK,IAAIA,WAAW,KAC5D3kB,GAAI,EAAGA,GAAIykB,GAAMtkB,OAAQH,KAC9B0kB,GAAOD,GAAMG,WAAW5kB,KAAMA,GAkBlC,ICjBM6kB,GAGF,IAAIzY,aACQ0Y,GACdjX,EACAkX,GAEA,IAAIC,EAAaH,GAAYxZ,IAAIwC,GAQjC,OAPKmX,IACHA,EAAa,IAAI5Y,IACjByY,GAAY3Y,IAAI2B,EAAKmX,IAElBA,EAAW/F,IAAI8F,IAClBC,EAAW9Y,IAAI6Y,EAAM,IAEhBC,EAAW3Z,IAAI0Z,GAsBxB,IAAME,GAAiC,CACrC,kBACA,cACA,mBACA,eACA,oBACA,cACA,6BACA,eACA,uBACA,mCAgBcC,GACdC,EACAtX,GAEA,OAAO,SAACuX,GACN,GAAIA,GAAsB,iBAARA,GAAoB,YAAaA,EAAK,CACtD,GAAI,UAAWA,EAAK,CACV,IAAS5X,EAAgB4X,UAAV1Z,EAAU0Z,QACjC,OAAON,GAAgBjX,EAAKL,GAAM9B,GAC7B,GAAI,SAAU0Z,EAAK,CAChB,IAASvT,EAAeuT,UAATC,EAASD,OAC1BL,EAAO5F,OAAOtN,GAEpB,WAAWkT,aAAAA,eAAQM,EAAKrgB,IAAIkgB,GAAeC,EAAUtX,WAChD,GAAI,WAAYuX,EACrB,OD9DK,SAAUE,GACnB,IAA8DtlB,EAAUulB,EAAUC,EAAUC,EAAUC,EAAlGC,EAA+B,IAAhBL,EAAOnlB,OAAeylB,EAAMN,EAAOnlB,OAAWC,EAAI,EACnC,MAA9BklB,EAAOA,EAAOnlB,OAAS,KACvBwlB,IACkC,MAA9BL,EAAOA,EAAOnlB,OAAS,IACvBwlB,KAGR,IAAIE,EAAc,IAAIC,YAAYH,GAAeI,EAAQ,IAAIpB,WAAWkB,GACxE,IAAK7lB,EAAI,EAAGA,EAAI4lB,EAAK5lB,GAAK,EACtBulB,EAAWb,GAAOY,EAAOV,WAAW5kB,IACpCwlB,EAAWd,GAAOY,EAAOV,WAAW5kB,EAAI,IACxCylB,EAAWf,GAAOY,EAAOV,WAAW5kB,EAAI,IACxC0lB,EAAWhB,GAAOY,EAAOV,WAAW5kB,EAAI,IACxC+lB,EAAM3lB,KAAQmlB,GAAY,EAAMC,GAAY,EAC5CO,EAAM3lB,MAAoB,GAAXolB,IAAkB,EAAMC,GAAY,EACnDM,EAAM3lB,MAAoB,EAAXqlB,IAAiB,EAAiB,GAAXC,EAE1C,OAAOG,EC4CIG,CAAOZ,EAAIE,QACb,GAAI,QAASF,EAAK,CACvB,IAAMlX,EAAQiX,EAAS9Z,IAAI+Z,EAAIzX,KAC/B,GAAIO,EACF,OAAOA,EAEP,IAAMR,EAAQ,IAAIuY,MAGlB,OAFAvY,EAAMC,IAAMyX,EAAIzX,IAChBwX,EAASjZ,IAAIkZ,EAAIzX,IAAKD,GACfA,QAGN,GAAI5L,MAAMmG,QAAQmd,GACvB,OAAOA,EAAIpgB,IAAIkgB,GAAeC,EAAUtX,IAE1C,OAAOuX,YAIac,GAAcne,OACpCyX,aACApF,WACAzV,SACAwgB,aACAgB,iBAQA,IACE,IAAMtY,EA7FV,SACEuM,EACAzV,GAKA,IACE,OAAIA,IAASkO,EAAcuT,MAEvBhM,EAAOtM,WAAW,UAAasM,EAAOtM,WAAW,sBAG9CsM,EAAOtM,WAAW,UACzB,MAAOzM,GACP,OAAO,MA8EKyM,CAAWsM,EAAQzV,GAC/B,IAAKkJ,EAAK,OAMV,GAAI2R,EAAS6G,OAIX,YADCxY,EAAY2R,EAASla,UAAYka,EAAS6F,KAAK,IAGlD,IAAM9R,EAAW1F,EACf2R,EAASla,UAGL+f,EAAO7F,EAAS6F,KAAKrgB,IAAIkgB,GAAeC,EAAUtX,KA9E5D,SACEA,EACA7B,GAEA,GAAKA,MAAAA,SAAAA,EAAQsa,YAAb,CAEQ,IAAApgB,EAAS8F,EAAOsa,iBACxB,GAAKrB,GAA+BsB,SAASrgB,GAA7C,CAEA,IAAMsgB,EAAY1B,GAAgBjX,EAAK3H,GAClCsgB,EAAUD,SAASva,IAASwa,EAAUjlB,KAAKyK,KAsE9Cya,CAAkB5Y,EADH0F,EAAS/S,MAAMqN,EAAKwX,IA+BnC,MAAO7jB,GACP2kB,EAAa3G,EAAUhe,ICxG3B,IAKMyQ,GAAQyU,GAA6BC,EAErCC,GAAwB,aAExBC,GAAyB,CAC7BC,SAAU,IACVC,QAAS,QACTC,UAAW,EACXC,YAAa,OAGf,SAASC,GAAqB7lB,GAC5B,OACEA,EAAEsD,MAAQ+N,EAAUgG,sBACnBrX,EAAEsX,KAAKrV,QAAUqP,EAAkBwU,WACjC9lB,EAAEsX,KAAKrV,QAAUqP,EAAkByU,kBAClC/lB,EAAEsX,KAAKhU,MAAQiO,EAAkByU,8BA+CvC,WACEpK,EACApD,GAFF,WAIE,GAlCMpZ,eAAsC,KACtCA,mBAAiD,GAEjDA,aAAmBwR,KAKnBxR,gCAA6C,GAS7CA,WAAoB0L,IAEpB1L,cAA0D,IAAI2L,IAE9D3L,YL3FD,CACLuE,IAAK,GACL8Z,eAAM7e,GAEJ,OAAKA,GAAMA,EAAE+Q,KAGN/Q,EAAE+Q,KAAKC,IAFJ,GAIZ8N,iBAAQ9N,GACN,OAAOxQ,KAAKuE,IAAIiM,IAAO,MAGzB+N,kBAAA,SAAkB/e,GAAlB,WACQgR,EAAKhR,EAAE+Q,MAAQ/Q,EAAE+Q,KAAKC,UACrBxQ,KAAKuE,IAAIiM,GACZhR,EAAE8O,YACJ9O,EAAE8O,WAAW7G,SAAQ,SAAC2G,GACpB,OAAAqR,EAAKlB,kBAAmBnQ,OAI9BoQ,aAAIhO,GACF,OAAOxQ,KAAKuE,IAAI1E,eAAe2Q,IAEjCiO,iBACEze,KAAKuE,IAAM,KKmEPvE,uBAAiD,KAEjDA,sBAAwC,GAExCA,cAAgC,KAChCA,iBAA8B,OAM/BoZ,MAAAA,SAAAA,EAAQ1B,WAAY8E,EAAO9c,OAAS,EACvC,MAAM,IAAIwD,MAAM,oCAElB,IAAM2jB,EAA8B,CAClChQ,MAAO,EACPiQ,SAAU,IACVC,KAAMxgB,SAASuN,KACfkT,YAAa,EACbC,cAAc,EACdC,aAAa,EACbC,WAAW,EACXC,WAAY,WACZ1P,UAAU,EACV2P,iBAAkB,GAClBC,cAAc,EACdC,qBAAqB,EACrBC,gBAAgB,EAChBC,UAAWrB,IAEbpmB,KAAKoZ,OAASja,OAAOC,OAAO,GAAIynB,EAAezN,GAE/CpZ,KAAK0nB,aAAe1nB,KAAK0nB,aAAanU,KAAKvT,MAC3CA,KAAKsb,UAAYtb,KAAKsb,UAAU/H,KAAKvT,MACrCA,KAAKub,yBAA2Bvb,KAAKub,yBAAyBhI,KAAKvT,MACnEA,KAAKwb,QAAQ7J,GAAGW,EAAeqV,OAAQ3nB,KAAK0nB,cAE5C1nB,KAAK4nB,WAEL5nB,KAAK6nB,UAAY,IAAI/I,EACrB9e,KAAK8nB,kBAAoB,IAAInc,IAC7B3L,KAAK+nB,gBAAkB,IAAIpc,IAC3B3L,KAAKgoB,qBAAuB,IAAIrc,IAEhC3L,KAAKwb,QAAQ7J,GAAGW,EAAegL,OAAO,+BAC9B2K,EAAwCxI,EAAKoI,UAAUK,QAArDjI,cAAWC,aAAUS,iBAE7BlB,EAAKqI,kBAAkBrgB,SAAQ,SAACP,EAAQihB,GACtC,OAAA1I,EAAK2I,kBAAkBD,EAAMjhB,UAI/B,IAAgB,IAAAwZ,EAAAzgB,EAAA0gB,EAAatB,qCAAO,CAA/B,IAAM5M,UACTgN,EAAK4I,UAAU5V,EAAGkO,yGAGpB,IAAmB,IAAA2H,EAAAroB,EAAAwf,EAAKuI,qBAAqBzgB,sCAAQ,CAAhD,IAAM9E,UAETgd,EAAK8I,iBAAiB9lB,qGAExBgd,EAAKqI,kBAAkB5M,QACvBuE,EAAKsI,gBAAgB7M,QACrBuE,EAAKuI,qBAAqB9M,YAE1B,IAAgB,IAAAsN,EAAAvoB,EAAAggB,EAAU9a,wCAAU,CAAzBsN,UACTgN,EAAKgJ,YAAYhW,GAAG,yGAEtB,IAAgB,IAAAiW,EAAAzoB,EAAAigB,EAAS/a,wCAAU,CAAxBsN,UACTgN,EAAKkJ,WAAWlW,yGAGpBzS,KAAKwb,QAAQ7J,GAAGW,EAAe2K,UAAU,WACvCwC,EAAKmJ,kBAAoB,KACzBnJ,EAAKF,OAAOd,WAGd,IAAMhC,EAAQ,IAAI3F,EAAM,IAAIsC,MAAAA,SAAAA,EAAQvC,QAASgQ,EAAchQ,OAC3D7W,KAAK6oB,QAAUxN,EACb,CACEmB,OAAQA,EACLjY,KAAI,SAAC3D,GACJ,OAAIwY,GAAUA,EAAO0P,SACZ1P,EAAO0P,SAASloB,GAElBA,KAERuK,MAAK,SAAC4d,EAAIC,GAAO,OAAAD,EAAGxQ,UAAYyQ,EAAGzQ,aACtCkE,QACAxF,WAAY,EACZe,aAAc,EACdqE,gBAAiB,MAEnB,CACEf,UAAWtb,KAAKsb,UAChBC,yBAA0Bvb,KAAKub,yBAC/BC,QAASxb,KAAKwb,UAGlBxb,KAAK6oB,QAAQtmB,QACbvC,KAAK6oB,QAAQhO,WAAU,SAACM,GACtBsE,EAAKjE,QAAQzJ,KAAKO,EAAe2W,YAAa,CAC5CC,OAAQ/N,OAGZnb,KAAKmpB,aNiIA1N,EAjDcC,EACnB,CACElL,GAAI,QACJsF,QMnFqC,CACrCsT,aAAc,EACd3M,SNkFAvD,QAAS,SACTD,OAAQ,CACNoQ,OAAQ,CACN1X,GAAI,CACF2X,aAAc,CACZ3P,OAAQ,WACR/C,QAAS,CAAC,cAAe,aAE3B2S,UAAW,CACT5P,OAAQ,SACR/C,QAAS,CAAC,eAIhB4S,SAAU,CACR7X,GAAI,CACF8X,eAAgB,CACd9P,OAAQ,SACR/C,QAAS,CAAC,iBAEZ2S,UAAW,CACT5P,OAAQ,SACR/C,QAAS,CAAC,iBAMpB,CACEA,QAAS,CACP8S,SAAU,SAACtc,EAAK2K,GACV,YAAaA,GACf3K,EAAIqP,MAAMiN,SAAS3R,EAAMuE,QAAQzF,QAGrC8S,YAAavqB,EAAO,CAClBgqB,YAAa,SAAChc,GAAQ,OAAAA,EAAIqP,MAAM5F,SAElC+S,aAAc,SAACxc,GACbA,EAAIqP,MAAMiN,SAAStc,EAAIgc,kBMvH7BppB,KAAKmpB,aAAa5mB,QAClBvC,KAAKmpB,aAAatO,WAAU,SAACM,GAC3BsE,EAAKjE,QAAQzJ,KAAKO,EAAe2W,YAAa,CAC5CpS,MAAOsE,OAMX,IAAM0O,EAAY7pB,KAAK6oB,QAAQ1N,MAAMrF,QAAQ0G,OAAOsN,MAClD,SAAClpB,GAAM,OAAAA,EAAEsD,OAAS+N,EAAU6K,QAExBiN,EAAoB/pB,KAAK6oB,QAAQ1N,MAAMrF,QAAQ0G,OAAOsN,MAC1D,SAAClpB,GAAM,OAAAA,EAAEsD,OAAS+N,EAAU+X,gBAE9B,GAAIH,EAAW,CACP,IAAAviB,EAAoBuiB,EAAU3R,KAA5B+R,UAAOC,WACfC,YAAW,WACT1K,EAAKjE,QAAQzJ,KAAKO,EAAeqV,OAAQ,CACvCpa,QACAC,aAED,GAEDuc,GACFI,YAAW,WAEL1K,EAAKmJ,oBAITnJ,EAAKmJ,kBAAoBmB,EACzBtK,EAAK2K,oBACHL,GAEFtK,EAAK4K,OAAOC,cAAetX,SACxB+W,EAAwC7R,KAAKqS,kBAE/C,GAEDvqB,KAAK6oB,QAAQ1N,MAAMrF,QAAQ0G,OAAOsN,KAAKrD,KACzCzmB,KAAKwqB,MAAMC,UAAU3P,IAAI,gBA0pD/B,OA70DE3b,sBAAWurB,yBAAX,WACE,OAAO1qB,KAAK6oB,QAAQ1N,MAAMrF,QAAQ2G,uCAsL7BiO,eAAP,SAAU3S,EAAenG,GAEvB,OADA5R,KAAKwb,QAAQ7J,GAAGoG,EAAOnG,GAChB5R,MAGF0qB,gBAAP,SAAW3S,EAAenG,GAExB,OADA5R,KAAKwb,QAAQ3J,IAAIkG,EAAOnG,GACjB5R,MAGF0qB,sBAAP,SAAiBtR,GAAjB,WACEja,OAAOoI,KAAK6R,GAAQ3R,SAAQ,SAACuJ,GAE3ByO,EAAKrG,OAAOpI,GAAOoI,EAAOpI,MAEvBhR,KAAKoZ,OAAO6N,cACfjnB,KAAK2qB,oBAEqB,IAAjBvR,EAAOvC,OAChB7W,KAAKmpB,aAAavO,KAAK,CACrB1W,KAAM,YACNoY,QAAS,CACPzF,MAAOuC,EAAOvC,cAIY,IAArBuC,EAAOqO,aACS,IAArBrO,EAAOqO,UACLznB,KAAKynB,YACPznB,KAAKynB,UAAUxhB,MAAM2kB,QAAU,SAG5B5qB,KAAKynB,YACRznB,KAAKynB,UAAYlhB,SAASsG,cAAc,UACxC7M,KAAKynB,UAAUla,MAAQkW,OAAOoH,WAAW7qB,KAAKqqB,OAAO9c,OACrDvN,KAAKynB,UAAUja,OAASiW,OAAOoH,WAAW7qB,KAAKqqB,OAAO7c,QACtDxN,KAAKynB,UAAUgD,UAAU3P,IAAI,uBAC7B9a,KAAK8qB,QAAQC,aAAa/qB,KAAKynB,UAAWznB,KAAKqqB,SAEjDrqB,KAAKynB,UAAUxhB,MAAM2kB,QAAU,aAK9BF,wBAAP,WACE,IAAMM,EAAahrB,KAAK6oB,QAAQ1N,MAAMrF,QAAQ0G,OAAO,GAC/CyO,EAAYjrB,KAAK6oB,QAAQ1N,MAAMrF,QAAQ0G,OAC3Cxc,KAAK6oB,QAAQ1N,MAAMrF,QAAQ0G,OAAO9c,OAAS,GAE7C,MAAO,CACLyW,UAAW6U,EAAWzS,UACtB2S,QAASD,EAAU1S,UACnB4S,UAAWF,EAAU1S,UAAYyS,EAAWzS,YAIzCmS,2BAAP,WACE,OAAO1qB,KAAKyc,MAAMxF,WAAajX,KAAKorB,iBAG/BV,0BAAP,WACQ,IAAApjB,EAA2BtH,KAAK6oB,QAAQ1N,MAAMrF,QACpD,+BAA6B,GAAGyC,WAG3BmS,sBAAP,WACE,OAAO1qB,KAAKuf,QAYPmL,iBAAP,SAAYzT,sBAAAA,KACNjX,KAAK6oB,QAAQ1N,MAAMpC,QAAQ,WAG7B/Y,KAAK6oB,QAAQjO,KAAK,CAAE1W,KAAM,UAF1BlE,KAAK6oB,QAAQjO,KAAK,CAAE1W,KAAM,OAAQoY,QAAS,CAAErF,0BAK/CjX,KAAKqqB,OAAOgB,gCACRC,qBAAqB,QAAQ,GAC9Bb,UAAUc,OAAO,gBACpBvrB,KAAKwb,QAAQzJ,KAAKO,EAAekZ,QAG5Bd,kBAAP,SAAazT,cACQtD,IAAfsD,GAA4BjX,KAAK6oB,QAAQ1N,MAAMpC,QAAQ,YACzD/Y,KAAK6oB,QAAQjO,KAAK,CAAE1W,KAAM,UAEF,iBAAf+S,IACTjX,KAAK8N,KAAKmJ,GACVjX,KAAK6oB,QAAQjO,KAAK,CAAE1W,KAAM,qBAE5BlE,KAAKqqB,OAAOgB,gCACRC,qBAAqB,QAAQ,GAC9Bb,UAAU3P,IAAI,gBACjB9a,KAAKwb,QAAQzJ,KAAKO,EAAemZ,QAG5Bf,mBAAP,SAAczT,gBAAAA,KACZlJ,QAAQC,KACN,gGAEFhO,KAAK8N,KAAKmJ,GACVjX,KAAKwb,QAAQzJ,KAAKO,EAAeoZ,SAG5BhB,sBAAP,SAAiB1S,GACfhY,KAAK6oB,QAAQjO,KAAK,CAAE1W,KAAM,UAAWoY,QAAS,CAAEtE,mBAG3C0S,qBAAP,SAAgBiB,GAAhB,WACQ5T,EAAQ/X,KAAKoZ,OAAO0P,SACtB9oB,KAAKoZ,OAAO0P,SAAS6C,GACpBA,EACDlF,GAAqB1O,IACvB/X,KAAKwqB,MAAMC,UAAU3P,IAAI,gBAE3B8Q,QAAQC,UAAUC,MAAK,WACrB,OAAArM,EAAKoJ,QAAQjO,KAAK,CAAE1W,KAAM,YAAaoY,QAAS,CAAEvE,eAI/C2S,2BAAP,WACE1qB,KAAKqqB,OAAO1c,aAAa,YAAa,QACtC3N,KAAKqqB,OAAOpkB,MAAM8lB,cAAgB,QAG7BrB,4BAAP,WACE1qB,KAAKqqB,OAAO1c,aAAa,YAAa,MACtC3N,KAAKqqB,OAAOpkB,MAAM8lB,cAAgB,QAO7BrB,uBAAP,WACE1qB,KAAKyK,MAAQiB,KAGPgf,qBAAR,WACE1qB,KAAK8qB,QAAUvkB,SAASsG,cAAc,OACtC7M,KAAK8qB,QAAQL,UAAU3P,IAAI,oBAC3B9a,KAAKoZ,OAAO2N,KAAMtY,YAAYzO,KAAK8qB,SAEnC9qB,KAAKwqB,MAAQjkB,SAASsG,cAAc,OACpC7M,KAAKwqB,MAAMC,UAAU3P,IAAI,kBACzB9a,KAAK8qB,QAAQrc,YAAYzO,KAAKwqB,QAEA,IAA1BxqB,KAAKoZ,OAAOqO,YACdznB,KAAKynB,UAAYlhB,SAASsG,cAAc,UACxC7M,KAAKynB,UAAUgD,UAAU3P,IAAI,uBAC7B9a,KAAKynB,UAAUxhB,MAAM2kB,QAAU,UAC/B5qB,KAAK8qB,QAAQrc,YAAYzO,KAAKynB,YAGhCznB,KAAKqqB,OAAS9jB,SAASsG,cAAc,UACrC,IL7JqBmf,EK6Jfxf,EAAa,CAAC,qBAChBxM,KAAKoZ,OAAOmO,qBACd/a,EAAW1L,KAAK,iBAGlBd,KAAKqqB,OAAOpkB,MAAM2kB,QAAU,OAC5B5qB,KAAKqqB,OAAO1c,aAAa,UAAWnB,EAAWlB,KAAK,MACpDtL,KAAKisB,kBACLjsB,KAAK8qB,QAAQrc,YAAYzO,KAAKqqB,QAC1BrqB,KAAKqqB,OAAOC,eAAiBtqB,KAAKqqB,OAAOgB,kBAC3Ca,EACElsB,KAAKqqB,OAAOC,cACZtqB,KAAKqqB,OAAOgB,2BLzKKW,EK4KVhsB,KAAKqqB,OAAOC,iBL5KF0B,UACnB,aAAcA,IAAQA,EAAIG,SAASvsB,UAAU6H,UAC/CukB,EAAIG,SAASvsB,UAAU6H,QAAWpG,MAAMzB,UACrC6H,SAGD,iBAAkBukB,IAAQA,EAAII,aAAaxsB,UAAU6H,UACvDukB,EAAII,aAAaxsB,UAAU6H,QAAWpG,MAAMzB,UACzC6H,SAIA4kB,KAAKzsB,UAAU0sB,WAClBD,KAAKzsB,UAAU0sB,SAAW,SAAkB7pB,GAC1C,KAAM,KAAKhD,WACT,MAAM,IAAIgB,UAAU,0BAGtB,GACE,GAAIT,OAASyC,EACX,OAAO,QAGDA,EAAOA,GAAQA,EAAKkT,YAE9B,OAAO,MKuJH+U,yBAAR,SAAqB6B,WACnBvsB,KAAKqqB,OAAOpkB,MAAM2kB,QAAU,cAC5B,IAAiB,IAAA5a,EAAA/P,EAAA,CAACD,KAAKynB,UAAWznB,KAAKqqB,uCAAS,CAA3C,IAAMlZ,UACJA,IAGLA,EAAGxD,aAAa,QAAS6e,OAAOD,EAAUhf,QAC1C4D,EAAGxD,aAAa,SAAU6e,OAAOD,EAAU/e,8GAIvCkd,qCAAR,SAAiClO,eAC/B,IAAoB,IAAAE,EAAAzc,EAAAuc,iCAAQ,CAAvB,IAAMK,UACT,OAAQA,EAAM3Y,MACZ,KAAK+N,EAAUwa,iBACf,KAAKxa,EAAUya,KACf,KAAKza,EAAU0a,OACb,SACF,KAAK1a,EAAU+X,aACf,KAAK/X,EAAU6K,KACf,KAAK7K,EAAU2a,OACb,MACF,KAAK3a,EAAUgG,oBACb,OAAQ4E,EAAM3E,KAAKrV,QACjB,KAAKqP,EAAkB2a,iBACrB,UAQO7sB,KAAKsb,UAAUuB,GAAO,EACrCiQ,qGAEE9sB,KAAK+sB,UACP/sB,KAAKgtB,aACHhtB,KAAK+sB,SAASlY,EACd7U,KAAK+sB,SAASjY,EACd9U,KAAK+sB,SAASvc,IACd,EACAxQ,KAAK+sB,SAASE,WAGlBjtB,KAAK+sB,SAAW,MACS,IAArB/sB,KAAKktB,YACPltB,KAAKwqB,MAAMC,UAAU3P,IAAI,iBACK,IAArB9a,KAAKktB,aACdltB,KAAKwqB,MAAMC,UAAUc,OAAO,gBAE9BvrB,KAAKktB,YAAc,MAGbxC,sBAAR,SAAkB3S,EAAsBgG,GAAxC,IACM+O,SACJ,oBAFsC/O,MAE9BhG,EAAM7T,MACZ,KAAK+N,EAAUwa,iBACf,KAAKxa,EAAUya,KACb,MACF,KAAKza,EAAU0a,OACbG,EAAS,WAMPrN,EAAKjE,QAAQzJ,KAAKO,EAAe6a,YAAapV,IAEhD,MACF,KAAK9F,EAAU6K,KACbgQ,EAAS,WACP,OAAArN,EAAKjE,QAAQzJ,KAAKO,EAAeqV,OAAQ,CACvCpa,MAAOwK,EAAMG,KAAK3K,MAClBC,OAAQuK,EAAMG,KAAK1K,UAEvB,MACF,KAAKyE,EAAU+X,aACb8C,EAAS,WACP,GAAIrN,EAAKmJ,mBACP,GAAInJ,EAAKmJ,oBAAsB7Q,EAG7B,YADA0H,EAAKmJ,mBAAoB,QAK3BnJ,EAAKmJ,mBAAoB,EAE3BnJ,EAAK2K,oBAAoBrS,EAAOgG,GAChC0B,EAAK4K,OAAOC,cAAetX,SAAS+E,EAAMG,KAAKqS,gBAEjD,MACF,KAAKtY,EAAUgG,oBACb6U,EAAS,mBAEP,GADArN,EAAK2N,iBAAiBrV,EAAOgG,IACzBA,IAIAhG,IAAU0H,EAAK4N,2BACjB5N,EAAK4N,yBAA2B,KAChC5N,EAAKkL,gBAEHlL,EAAKrG,OAAO6N,eAAiBxH,EAAK4N,0BAA0B,KAC9D,IAAqB,IAAArd,EAAA/P,EAAAwf,EAAKoJ,QAAQ1N,MAAMrF,QAAQ0G,sCAAQ,CAAnD,IAAM8Q,UACT,KAAIA,EAAO/U,WAAcR,EAAMQ,YAG3BkH,EAAK8N,kBAAkBD,GAAS,CAEhCA,EAAO/V,MAASQ,EAAMR,MA5fZ,IA8fRkI,EAAK0J,aAAahO,MAAMrF,QAAQ2G,MAAM5F,QAExC4I,EAAK4N,yBAA2BC,GAElC,yGAGJ,GAAI7N,EAAK4N,yBAA0B,CACjC,IAAMG,EACJ/N,EAAK4N,yBAAyB9V,MAASQ,EAAMR,MACzC+E,EAAU,CACdzF,MAAOT,KAAKqX,IACVrX,KAAKsX,MAAMF,EAzgBF,KA0gBT/N,EAAKrG,OAAO0N,WAGhBrH,EAAK0J,aAAavO,KAAK,CAAE1W,KAAM,eAAgBoY,YAC/CmD,EAAKjE,QAAQzJ,KAAKO,EAAeqb,UAAWrR,MA8CtD,OAvCsB,mBAChBwQ,GACFA,QAGF,IAAqB,IAAA9c,EAAA/P,EAAAwf,EAAKrG,OAAOwU,SAAW,kCAAI,SACvChc,QAAQmG,EAAOgG,EAAQ,CAAE8P,SAAUpO,sGAG5CA,EAAKoJ,QAAQjO,KAAK,CAAE1W,KAAM,aAAcoY,QAAS,CAAEvE,WAGnD,IAAI+V,EAAarO,EAAKoJ,QAAQ1N,MAAMrF,QAAQ0G,OAAO9c,OAAS,EAC5D,GAAIqY,IAAU0H,EAAKoJ,QAAQ1N,MAAMrF,QAAQ0G,OAAOsR,GAAa,CAC3D,IAAMC,EAAS,WACTD,EAAarO,EAAKoJ,QAAQ1N,MAAMrF,QAAQ0G,OAAO9c,OAAS,IAI5D+f,EAAKkL,eACLlL,EAAKoJ,QAAQjO,KAAK,OAClB6E,EAAKjE,QAAQzJ,KAAKO,EAAe0b,UAGjCjW,EAAM7T,OAAS+N,EAAUgG,qBACzBF,EAAMG,KAAKrV,SAAWqP,EAAkBiG,WACxCJ,EAAMG,KAAKG,UAAU3Y,OAGrByqB,YAAW,WACT4D,MACC3X,KAAK6X,IAAI,EAAyC,GAArClW,EAAMG,KAAKG,UAAU,GAAGpB,aAExC8W,IAIJtO,EAAKjE,QAAQzJ,KAAKO,EAAe4b,UAAWnW,KAKxC2S,gCAAR,SACE3S,EACAgG,kBAEA,gBAFAA,OAEK/d,KAAKqqB,OAAOgB,gBACf,OAAOtd,QAAQC,KAAK,gDAElB7O,OAAOoI,KAAKvH,KAAKmuB,4BAA4BzuB,QAC/CqO,QAAQC,KACN,oCACAhO,KAAKmuB,4BAGTnuB,KAAKmuB,2BAA6B,GAClC,IAAMC,EAA8B,GACpCpuB,KAAKuf,OAAOhb,IAAMsM,EAAQkH,EAAMG,KAAKzV,KAAM,CACzC6D,IAAKtG,KAAKqqB,OAAOgB,gBACjBpb,YAAa,SAACoe,GACZ5O,EAAK6O,+BAA+BF,EAAWC,IAEjD5jB,MAAOzK,KAAKyK,QACX,kBACU8jB,EAAiBF,GAC5BG,EAAKC,uBAAuBF,EAAiBF,GAC7CG,EAAKE,iBAAmBF,EAAKE,iBAAiB1jB,QAC5C,SAAC3K,GAAM,OAAAA,IAAMkuB,iBAHjB,IAA6C,IAAAI,EAAA1uB,EAAAmuB,kCAAlC,IAAApe,6IAML,IAAAS,EAA4BzQ,KAAKqqB,OAAOgB,gBAAtC3Y,oBAAiBkc,SACzB5uB,KAAKqnB,iBAAiB3U,EAAiBkc,GAClC5uB,KAAK6oB,QAAQ1N,MAAMpC,QAAQ,YAC9B/Y,KAAKqqB,OAAOgB,gBACTC,qBAAqB,QAAQ,GAC7Bb,UAAU3P,IAAI,gBAEnB9a,KAAKwb,QAAQzJ,KAAKO,EAAeuc,sBAAuB9W,GACnDgG,GACH/d,KAAK8uB,wBAEH9uB,KAAKoZ,OAAOmO,qBACdvnB,KAAK+uB,oBAIDrE,6BAAR,SACEhY,EACAkc,GAEA,IAAMI,EAAUzoB,SAASsG,cAAc,SACvC6F,EAAiBqY,aAAaiE,EAASJ,GACvC,IJtrB6CxH,EIsrBvC6H,GJtrBuC7H,EIurB3CpnB,KAAKoZ,OAAOgO,WJvrBsD,CACtE,WAAIA,mCACJ,2CIsrBI7lB,OAAOvB,KAAKoZ,OAAOiO,kBACjBrnB,KAAKoZ,OAAOoO,gBACdyH,EAAkBnuB,KAChB,2HAGJ,IAAK,IAAI8b,EAAM,EAAGA,EAAMqS,EAAkBvvB,OAAQkd,IAC/CoS,EAAQnM,MAAyBE,WAAWkM,EAAkBrS,GAAMA,IAIjE8N,mCAAR,SACE3L,EACAmQ,kBAEMd,EAA8B,GAEpC,IAAKc,EAAS7D,gBAEZ,IADA,IAAI8D,EAASD,EAASvZ,WACfwZ,GAAQ,CAEb,GAAInvB,KAAK8nB,kBAAkBtJ,IAAK2Q,GAA8B,CAC5D,IAAMhH,EAAQgH,EACRC,EAAapvB,KAAK8nB,kBAAkBld,IAAIud,GAC9CnoB,KAAKooB,kBAAkBD,EAAMiH,GAC7B,MAEFD,EAASA,EAAOxZ,WAGpB7F,EAAgBiP,EAAStc,KAAM,CAC7B6D,IAAK4oB,EAAS7D,gBACd9mB,IAAKvE,KAAKuf,OAAOhb,IACjBsH,SAAS,EACTkE,WAAW,EACXE,YAAa,SAACoe,GAEZ,GADA5O,EAAK6O,+BAA+BF,EAAWC,GAE7CA,EAAU9d,KAAKrM,OAASjF,EAASoN,SACQ,SAAzCgiB,EAAU9d,KAAKhE,QAAQ8iB,cACvB,CACM,IAAA/nB,EAA4B4nB,EAAS7D,gBAAnC3Y,oBAAiBkc,SACzBnP,EAAK4H,iBAAiB3U,EAAiBkc,KAG3CnkB,MAAOzK,KAAKyK,uBAED8jB,EAAiBF,GAC5BiB,EAAKb,uBAAuBF,EAAiBF,GAC7CiB,EAAKZ,iBAAmBY,EAAKZ,iBAAiB1jB,QAC5C,SAAC3K,GAAM,OAAAA,IAAMkuB,iBAHjB,IAA6C,IAAAgB,EAAAtvB,EAAAmuB,kCAAlC,IAAApe,+IAQL0a,2CAAR,SACE0D,EACAC,GAEA,GAAI7M,EAAc6M,GAAY,CAC5B,IAAME,EAAkBvuB,KAAK0uB,iBAAiB5E,MAC5C,SAACzpB,GAAM,OAAAA,EAAE6e,WAAamP,EAAU9d,KAAKC,MAEnC+d,GACFH,EAAUttB,KAAK,CAAEytB,kBAAiBF,gBAQhC3D,kCAAR,WAAA,aACQkE,YAAO5uB,KAAKqqB,OAAOgB,sCAAiBuD,KAC1C,GAAIA,EAAM,CACR,IACIY,EADEC,EAAqC,IAAI/U,IAE3CgV,EAAkB1vB,KAAK6oB,QAAQ1N,MAC7BwU,EAAe,WACnBD,EAAkBjQ,EAAKoJ,QAAQ1N,OAEjCnb,KAAKwb,QAAQ7J,GAAGW,EAAekZ,MAAOmE,GACtC3vB,KAAKwb,QAAQ7J,GAAGW,EAAemZ,MAAOkE,GACtC,IAAMC,EAAc,WAClBnQ,EAAKjE,QAAQ3J,IAAIS,EAAekZ,MAAOmE,GACvClQ,EAAKjE,QAAQ3J,IAAIS,EAAemZ,MAAOkE,IAEzCf,EACGiB,iBAAiB,0BACjBpoB,SAAQ,SAAC5F,GACHA,EAAIghB,QACP4M,EAAa3U,IAAIjZ,GACjBA,EAAIiuB,iBAAiB,QAAQ,WAC3BL,EAAazU,OAAOnZ,GAEM,IAAtB4tB,EAAaM,OAAyB,IAAXP,IACzBE,EAAgB3W,QAAQ,YAC1B0G,EAAK3R,KAAK2R,EAAKuQ,kBAEjBvQ,EAAKjE,QAAQzJ,KAAKO,EAAe2d,mBAC7BT,GACFU,aAAaV,GAEfI,YAMNH,EAAaM,KAAO,IAEtB/vB,KAAK6oB,QAAQjO,KAAK,CAAE1W,KAAM,UAC1BlE,KAAKwb,QAAQzJ,KAAKO,EAAe6d,qBACjCX,EAAQrF,YAAW,WACbuF,EAAgB3W,QAAQ,YAC1B0G,EAAK3R,KAAK2R,EAAKuQ,kBAGjBR,GAAS,EACTI,MACC5vB,KAAKoZ,OAAO4N,gBAKb0D,wBAAR,SAAoB9F,eAClB,IAAkB,IAAAwL,EAAAnwB,EAAA2kB,iCAAM,CAAnB,IAAMD,UACT,GAAKA,GAAsB,iBAARA,EAEZ,GAAI,YAAaA,GAAO,SAAUA,GACvC,GAAI3kB,KAAKqwB,YAAY1L,EAAIC,MAAO,OAAO,MAClC,CAAA,GAAI,YAAaD,GAAuB,qBAAhBA,EAAI2L,QACjC,OAAO,EACF,GAAI3L,aAAetjB,OACpBrB,KAAKqwB,YAAY1L,GAAM,OAAO,0GAGtC,OAAO,GAGD+F,yBAAR,SAAqB9F,WACb2L,EAAmB,OACzB,IAAkB,IAAAC,EAAAvwB,EAAA2kB,iCAAM,CAAnB,IAAMD,UACJA,GAAsB,iBAARA,IAER,YAAaA,GAAO,SAAUA,EACvC4L,EAAOzvB,WAAPyvB,SAAevwB,KAAKywB,aAAa9L,EAAIC,YAC5B,YAAaD,GAAuB,qBAAhBA,EAAI2L,QACjCC,EAAOzvB,KAAK6jB,EAAIzX,KACPyX,aAAetjB,OACxBkvB,EAAOzvB,WAAPyvB,SAAevwB,KAAKywB,aAAa9L,4GAGrC,OAAO4L,GAMD7F,6BAAR,0BACwB1qB,KAAK6oB,QAAQ1N,MACnC,IAAMuV,EAAe,WACDjR,EAAKoJ,QAAQ1N,OAEjCnb,KAAKwb,QAAQ7J,GAAGW,EAAekZ,MAAOkF,GACtC1wB,KAAKwb,QAAQ7J,GAAGW,EAAemZ,MAAOiF,kBAC3BC,GAEPA,EAAMzsB,OAAS+N,EAAUgG,qBACzB0Y,EAAMzY,KAAKrV,SAAWqP,EAAkB0e,iBAEpC,aAAcD,EAAMzY,KACtByY,EAAMzY,KAAK2Y,SAASppB,SAAQ,SAAC1D,GAAM,OAAA0b,EAAKqR,cAAc/sB,EAAG4sB,MAEzDI,EAAKD,cAAcH,EAAMzY,KAAMyY,gBARrC,IAAoB,IAAA3gB,EAAA/P,EAAAD,KAAK6oB,QAAQ1N,MAAMrF,QAAQ0G,sJAazCkO,0BAAR,SAAsBxS,EAA6BH,GAAnD,WACE,GACoB,cAAlBG,EAAKrT,UACmB,iBAAjBqT,EAAK0M,KAAK,IAChB5kB,KAAK0kB,SAASlG,IAAIzG,GAQV/X,KAAKqwB,YAAYnY,EAAK0M,OAC/B5kB,KAAKywB,aAAavY,EAAK0M,MAAMnd,SAAQ,SAACupB,GACpC,IAAMvjB,EAAQ,IAAI+X,MAClB/X,EAAMP,IAAM8jB,EACZvR,EAAKiF,SAASjZ,IAAIulB,EAAKvjB,UAXzB,CACA,IAAMwjB,EAAS1qB,SAASsG,cAAc,UAChCO,EAAM6jB,EAAO5jB,WAAW,MACxB6jB,EAAO9jB,MAAAA,SAAAA,EAAK+jB,gBAAgBF,EAAO1jB,MAAO0jB,EAAOzjB,QAC/C0jB,MAAAA,GAAAA,EAAMhZ,KACVkZ,KAAKxvB,MAAMsW,EAAK0M,KAAK,IACzBxX,MAAAA,GAAAA,EAAKikB,aAAaH,EAAO,EAAG,KAUxBxG,6BAAR,SACE9pB,EACAmd,GAFF,eAIgBtL,EAAM7R,OACpB,OAAQ6R,EAAE5P,QACR,KAAKqP,EAAkBkO,SACjBrC,IACFtL,EAAE6N,KAAK7Y,SAAQ,SAACpH,GAAM,OAAAof,EAAKoI,UAAU/M,IAAIza,MACzCoS,EAAE4M,MAAM5X,SAAQ,SAACpH,GACf,IAAMsZ,EAAS8F,EAAKF,OAAOjB,QAAQje,EAAEmQ,IAC/BtJ,EAAUyS,MAAAA,SAAAA,EAAQhE,WAGpBzO,GAAUuY,EAAKuI,qBAAqBxJ,IAAItX,IAC1CuY,EAAKuI,qBAAqBhN,OAAO9T,GAEnCuY,EAAKoI,UAAUyJ,KAAKjxB,MAEtBoS,EAAEjG,WAAW/E,SAAQ,SAACpH,GAAM,OAAAof,EAAKoI,UAAU0J,UAAUlxB,MACrDoS,EAAE4N,QAAQ5Y,SAAQ,SAACpH,GAAM,OAAAof,EAAKoI,UAAU0D,OAAOlrB,EAAGof,EAAKF,YAEzD,IACEvf,KAAKwxB,cAAc/e,EAAGsL,GACtB,MAAOhd,GACPf,KAAKgO,KAAK,gCAAyBjN,EAAM0wB,SAAW1wB,GAAS0R,GAE/D,MAEF,KAAKP,EAAkBwf,KACvB,KAAKxf,EAAkBwU,UACvB,KAAKxU,EAAkBiG,UACrB,GAAI4F,EAAQ,CACV,IAAM4T,EAAelf,EAAE4F,UAAU5F,EAAE4F,UAAU3Y,OAAS,GACtDM,KAAK+sB,SAAW,CACdlY,EAAG8c,EAAa9c,EAChBC,EAAG6c,EAAa7c,EAChBtE,GAAImhB,EAAanhB,GACjByc,UAAWxa,QAGbA,EAAE4F,UAAU5Q,SAAQ,SAAC9H,GACnB,IAAMoX,EAAS,CACbU,SAAU,WACRgI,EAAKuN,aAAartB,EAAEkV,EAAGlV,EAAEmV,EAAGnV,EAAE6Q,GAAIuN,EAAQtL,IAE5C8E,MACE5X,EAAEsX,WACFrW,EAAE2X,UACFkH,EAAKoJ,QAAQ1N,MAAMrF,QAAQkC,cAE/ByH,EAAKhD,MAAMyB,UAAUnH,MAGvB/W,KAAKyc,MAAMyB,UAAU,CACnBzG,sBACAF,MAAO3W,EAAE2W,iBAAS9E,EAAE4F,UAAU,yBAAIpB,cAGtC,MACF,KAAK/E,EAAkByU,iBAIrB,IAAc,IAAVlU,EAAEjC,GACJ,MAEF,IAAM2M,EAAQ,IAAIyU,MAAMzf,EAAkBM,EAAEvO,MAAM2tB,eAElD,KADMlY,EAAS3Z,KAAKuf,OAAOjB,QAAQ7L,EAAEjC,KAEnC,OAAOxQ,KAAK8xB,kBAAkBrf,EAAGA,EAAEjC,IAErCxQ,KAAKwb,QAAQzJ,KAAKO,EAAeqU,iBAAkB,CACjDziB,KAAMuO,EAAEvO,KACRyV,WAEM,IAAA2N,EAAiBtnB,KAAKoZ,oBAC9B,OAAQ3G,EAAEvO,MACR,KAAKiO,EAAkB4f,KACjB,SAAYpY,GACZA,EAAgCqY,OAEpC,MACF,KAAK7f,EAAkB8f,MACjB3K,GAAkB3N,EAAgCuY,OAClDvY,EAAgCuY,MAAM,CACtCC,eAAe,IAGnB,MACF,KAAKhgB,EAAkBigB,MACvB,KAAKjgB,EAAkByU,WACvB,KAAKzU,EAAkBkgB,SACjBtU,GACEtL,EAAEvO,OAASiO,EAAkByU,WAC/B5mB,KAAKktB,aAAc,EACVza,EAAEvO,OAASiO,EAAkBkgB,WACtCryB,KAAKktB,aAAc,GAErBltB,KAAK+sB,SAAW,CACdlY,EAAGpC,EAAEoC,EACLC,EAAGrC,EAAEqC,EACLtE,GAAIiC,EAAEjC,GACNyc,UAAWxa,KAGTA,EAAEvO,OAASiO,EAAkByU,aAE/B5mB,KAAKsyB,cAAc5yB,OAAS,GAE9BM,KAAKgtB,aAAava,EAAEoC,EAAGpC,EAAEqC,EAAGrC,EAAEjC,GAAIuN,EAAQtL,GACtCA,EAAEvO,OAASiO,EAAkBigB,OAS/BpyB,KAAKwqB,MAAMC,UAAUc,OAAO,UAEvBvrB,KAAKwqB,MAAM+H,YAChBvyB,KAAKwqB,MAAMC,UAAU3P,IAAI,WAChBrI,EAAEvO,OAASiO,EAAkByU,YACjC5mB,KAAKwqB,MAAM+H,YAChBvyB,KAAKwqB,MAAMC,UAAU3P,IAAI,iBAChBrI,EAAEvO,OAASiO,EAAkBkgB,UACtCryB,KAAKwqB,MAAMC,UAAUc,OAAO,iBAGhC,MACF,KAAKpZ,EAAkBqgB,YACjBzU,EACF/d,KAAKktB,aAAc,EAEnBltB,KAAKwqB,MAAMC,UAAUc,OAAO,gBAE9B,MACF,QACE5R,EAAO8Y,cAActV,GAEzB,MAEF,KAAKjL,EAAkBwgB,OAIrB,IAAc,IAAVjgB,EAAEjC,GACJ,MAEF,GAAIuN,EAAQ,CACV/d,KAAK6nB,UAAU9U,OAAON,GACtB,MAEFzS,KAAKyoB,YAAYhW,GAAG,GACpB,MAEF,KAAKP,EAAkBygB,eACrB3yB,KAAKwb,QAAQzJ,KAAKO,EAAeqV,OAAQ,CACvCpa,MAAOkF,EAAElF,MACTC,OAAQiF,EAAEjF,SAEZ,MACF,KAAK0E,EAAkB0gB,MAOrB,IAAc,IAAVngB,EAAEjC,GACJ,MAEF,GAAIuN,EAAQ,CACV/d,KAAK6nB,UAAUgL,MAAMpgB,GACrB,MAEFzS,KAAK2oB,WAAWlW,GAChB,MAEF,KAAKP,EAAkB2a,iBAErB,KADMlT,EAAS3Z,KAAKuf,OAAOjB,QAAQ7L,EAAEjC,KAEnC,OAAOxQ,KAAK8xB,kBAAkBrf,EAAGA,EAAEjC,IAErC,IAAMsiB,EAAWnZ,EACjB,IACMlH,EAAE7E,cACJklB,EAAQllB,YAAc6E,EAAE7E,aAEtB6E,EAAEsgB,SACJD,EAAQC,OAAStgB,EAAEsgB,QAEjBtgB,EAAEugB,QACJF,EAAQE,MAAQvgB,EAAEugB,WAEhBvgB,EAAEvO,MACJ4uB,EAAQ7kB,YAENwE,EAAEvO,MAKJ4uB,EAAQhlB,OAEV,MAAO/M,GACHf,KAAKoZ,OAAO8N,aACdnZ,QAAQC,KACN,+CAAwCjN,EAAM0wB,SAAW1wB,IAI/D,MAEF,KAAKmR,EAAkB+gB,eAErB,KADMtZ,EAAS3Z,KAAKuf,OAAOjB,QAAQ7L,EAAEjC,KAEnC,OAAOxQ,KAAK8xB,kBAAkBrf,EAAGA,EAAEjC,IAGrC,IAUI0iB,EAVElE,EAAWrV,EACXwZ,EAAUxZ,EAAOhE,WACjByd,EAAqBpzB,KAAK8nB,kBAAkBtJ,IAAI2U,GAOhDE,EAAaD,EAAqB,KAAOpE,EAAQnM,MAGlDwQ,IAOCrzB,KAAKgoB,qBAAqBxJ,IAAI7E,GAChCuZ,EAAQlzB,KAAKgoB,qBAAqBpd,IAAI+O,IAEtCuZ,EAAQ,GACRlzB,KAAKgoB,qBAAqBvc,IAAIkO,EAAQuZ,KAItCzgB,EAAE6N,MACJ7N,EAAE6N,KAAK7Y,SAAQ,SAACH,OAAE1D,SAAa4e,UAC7B,GAAI6Q,EACF,IACE,GAAIhyB,MAAMmG,QAAQgb,GAAc,CACxB,IAAAxS,EAAuBuS,GAC3BC,GADMnK,cAAWpN,UAGAoX,EACjBgR,EAAW/Q,SACXjK,GAES0K,WAAWnf,EAAMqH,OACvB,CACCA,OACY0I,IAAhB6O,OACI7O,EACAyC,KAAKqX,IAAIjL,EAAa6Q,EAAW/Q,SAAS5iB,QAChD2zB,EAAWtQ,WAAWnf,EAAMqH,IAE9B,MAAOrK,SAWTsyB,MAAAA,GAAAA,EAAOpyB,KAAK,CACV0J,QAAS5G,EACTqH,MAAOuX,EACPte,KAAMke,EAAcU,YAMxBrQ,EAAE4N,SACJ5N,EAAE4N,QAAQ5Y,SAAQ,SAACH,OAASkb,UAC1B,GAAI4Q,EACFF,MAAAA,GAAAA,EAAOpyB,KAAK,CAAEmK,MAAOuX,EAAate,KAAMke,EAAcY,cAEtD,IACE,GAAI3hB,MAAMmG,QAAQgb,GAAc,CACxB,IAAAxS,EAAuBuS,GAC3BC,GADMnK,cAAWpN,UAGAoX,EACjBgR,EAAY/Q,SACZjK,GAES4K,WAAWhY,GAAS,QAE/BooB,MAAAA,GAAAA,EAAYpQ,WAAWT,GAEzB,MAAO5hB,QAQf,MAEF,KAAKsR,EAAkBohB,iBAGrB,KADM3Z,EAAS3Z,KAAKuf,OAAOjB,QAAQ7L,EAAEjC,KAEnC,OAAOxQ,KAAK8xB,kBAAkBrf,EAAGA,EAAEjC,IAG/Bwe,EAAWrV,EAAjB,IACM4Z,EAAU5Z,EAAOhE,WAGjB6d,EAFqBxzB,KAAK8nB,kBAAkBtJ,IAAI+U,GAEd,KAAOvE,EAAQnM,MACnDrf,EAA2B,GAW/B,GATKgwB,IACCxzB,KAAKgoB,qBAAqBxJ,IAAI7E,GAChCnW,EAAQxD,KAAKgoB,qBAAqBpd,IAAI+O,IAEtCnW,EAAQ,GACRxD,KAAKgoB,qBAAqBvc,IAAIkO,EAAQnW,KAItCiP,EAAEhH,IACJ,GAAI+nB,EACYnR,EACZmR,EAAWhwB,MACXiP,EAAExH,OAEChF,MAAM2d,YAAYnR,EAAEhH,IAAI5G,SAAU4N,EAAEhH,IAAIlL,MAAOkS,EAAEhH,IAAIoY,eAE1DrgB,EAAM1C,QACJoD,KAAMke,EAAcuB,YACpB1Y,MAAOwH,EAAExH,OACNwH,EAAEhH,MAKX,GAAIgH,EAAE8Y,OACJ,GAAIiI,EACYnR,EACZmR,EAAWhwB,MACXiP,EAAExH,OAEChF,MAAM8d,eAAetR,EAAE8Y,OAAO1mB,eAEnCrB,EAAM1C,QACJoD,KAAMke,EAAc0B,eACpB7Y,MAAOwH,EAAExH,OACNwH,EAAE8Y,SAIX,MAEF,KAAKrZ,EAAkB0e,eACrB,IAAK5wB,KAAKoZ,OAAOmO,oBACf,OAEF,IAAM5N,EACN,KADMA,EAAS3Z,KAAKuf,OAAOjB,QAAQ7L,EAAEjC,KAEnC,OAAOxQ,KAAK8xB,kBAAkBrf,EAAGA,EAAEjC,cClvCNlJ,OACrCyQ,UACAgH,aACApF,WACA+K,aACAgB,iBAQA,IACE,IAAM+N,EACJ,aAAc1U,EAAWA,EAAS8R,SAAW,CAAC9R,GAE5C,CAAC3M,EAAcuT,MAAOvT,EAAcshB,QAAQ5N,SAAS/G,EAAS7a,MACzDuvB,EAAUhsB,SAAQ,SAACksB,GACxBlO,GAAc,CACZ1G,SAAU4U,EACVzvB,KAAM6a,EAAS7a,KACfyV,SACA+K,WACAgB,oBAKC+N,EAAUhsB,SAAQ,SAACksB,aCnCSrsB,OACrCyQ,UACAgH,aACApF,WACA+K,aACAgB,iBAQA,IACE,IAAMtY,EAAQuM,EAAyCtM,WAAW,MAElE,GAAI0R,EAAS6G,OAIX,YADCxY,EAAY2R,EAASla,UAAYka,EAAS6F,KAAK,IAGlD,IAAM9R,EAAW1F,EACf2R,EAASla,UAQX,GACwB,cAAtBka,EAASla,UACmB,iBAArBka,EAAS6F,KAAK,GACrB,CACA,IAAMnX,EAAQiX,EAAS9Z,IAAImN,GAC3BgH,EAAS6F,KAAK,GAAKnX,EACnBqF,EAAS/S,MAAMqN,EAAK2R,EAAS6F,WAE7B9R,EAAS/S,MAAMqN,EAAK2R,EAAS6F,MAE/B,MAAO7jB,GACP2kB,EAAa3G,EAAUhe,IDNrB6yB,CAAiB,CACf7b,QACAgH,SAAU4U,EACVha,SACA+K,WACAgB,oBAGJ,MAAO3kB,GACP2kB,EAAa3G,EAAUhe,ID8sCnB8yB,CAAe,CACb9b,MAAOnX,EACPme,SAAUtM,EACVkH,OAASA,EACT+K,SAAU1kB,KAAK0kB,SACfgB,aAAc1lB,KAAK8zB,yBAAyBvgB,KAAKvT,QAGnD,MAEF,KAAKkS,EAAkB6hB,KACrB,IACE,IAAMC,EAAW,IAAIC,SACnBxhB,EAAEyhB,OACFzhB,EAAE0hB,OAAS,IAAIjQ,WAAWkN,KAAKxvB,MAAM6Q,EAAE2hB,aAAe3hB,EAAE2hB,WACxD3hB,EAAE4hB,uBAEJr0B,KAAKqqB,OAAOgB,gCAAiBiJ,MAAMxZ,IAAIkZ,GACvC,MAAOjzB,GACHf,KAAKoZ,OAAO8N,aACdnZ,QAAQC,KAAKjN,MASf2pB,0BAAR,SAAsBjY,EAAiB8hB,kBACrC9hB,EAAE4N,QAAQ5Y,SAAQ,SAACsX,GACjB,IAAIpF,EAAS8F,EAAKF,OAAOjB,QAAQS,EAASvO,IAC1C,IAAKmJ,EAAQ,CACX,GAAIlH,EAAE4N,QAAQyJ,MAAK,SAACnpB,GAAM,OAAAA,EAAE6P,KAAOuO,EAASG,YAE1C,OAEF,OAAOO,EAAK+U,iBAAiB/hB,EAAGsM,EAASvO,IAEvCiP,EAAKuI,qBAAqBxJ,IAAI7E,IAChC8F,EAAKuI,qBAAqBhN,OAAOrB,GAEnC,IAAIzS,EAAoCuY,EAAKF,OAAOjB,QAClDS,EAASG,UAEX,IAAKhY,EACH,OAAOuY,EAAK+U,iBAAiB/hB,EAAGsM,EAASG,UAO3C,GALIH,EAASnO,UAAYsR,EAAchb,KACrCA,EAASA,EAAOiI,YAGlBsQ,EAAKF,OAAOhB,kBAAkB5E,GAC1BzS,EAAQ,CACV,IAAIutB,EAAa,KACXrF,EACJ,SAAUloB,EAASuY,EAAKqI,kBAAkBld,IAAI1D,QAAUyM,EACtDyb,GAAcA,EAAW9C,SAAS3S,GACpCzS,EAASkoB,EACA3P,EAAKqI,kBAAkBtJ,IAAI7E,KAKpC8a,EAAahV,EAAKqI,kBAAkBld,IAAI+O,GACxC8F,EAAKqI,kBAAkB9M,OAAOrB,GAC9BA,EAAS8a,GAEX,IACEvtB,EAAOsH,YAAYmL,GACnB,MAAO5Y,GACP,KAAIA,aAAiB2zB,cAUnB,MAAM3zB,EATN0e,EAAKzR,KACH,4CACA9G,EACAkoB,EACAzV,EACA8a,EACAhiB,QAUV,IAAMkiB,OACD30B,KAAKmuB,4BAEJtN,EAA6B,GAoB7B+T,EAAa,SAAC7V,eAClB,IAAKU,EAAK4K,OAAOgB,gBACf,OAAOtd,QAAQC,KAAK,gDAEtB,IAAI9G,EAAoCuY,EAAKF,OAAOjB,QAClDS,EAASG,UAEX,IAAKhY,EACH,OAAI6X,EAAStc,KAAKyB,OAASjF,EAAS6M,SAE3B2T,EAAKiP,iBAAiB5tB,KAAKie,GAE7B8B,EAAM/f,KAAKie,GAGpB,IAAI8V,EAAmB,KACnBpV,EAAK4K,OAAOgB,gBAAgBiB,SAC9BuI,EAAmBpV,EAAK4K,OAAOgB,gBAAgBiB,SAASplB,GAC/CuY,EAAK4K,OAAOgB,gBAAgBvX,KAAKwY,WAG1CuI,EAAmBpV,EAAK4K,OAAOgB,gBAAgBvX,KAAKwY,SAASplB,IAG/D,IAAM4tB,gBACF5tB,GAAmCokB,kDAAuB,UACzD5rB,QAAS,EAKd,GACE60B,GACAM,IACCrT,EAActa,KACd4tB,EACD,CACA,IAAMC,EAAiBxuB,SAASyuB,yBAOhC,IANAvV,EAAKF,OAAOhb,IAAIwa,EAASG,UAAY6V,EACrCtV,EAAKqI,kBAAkBrc,IAAIspB,EAAe7tB,GAG1CuY,EAAKwV,WAAW/tB,GAETA,EAAOkI,YACZ2lB,EAActmB,YAAYvH,EAAOkI,YAEnClI,EAAS6tB,EAGPhW,EAAStc,KAAKmO,WAEXsR,EAAchb,IACfA,EAAgCmI,aAAa,CAAEC,KAAM,SAElDpI,EAASA,EAAOiI,YAGzB,IAAI+lB,EAAwB,KACxB50B,EAAoB,KAOxB,GANIye,EAASoW,aACXD,EAAWzV,EAAKF,OAAOjB,QAAQS,EAASoW,aAEtCpW,EAASoC,SACX7gB,EAAOmf,EAAKF,OAAOjB,QAAQS,EAASoC,SAjFnB,SAACpC,GACpB,IAAIze,EAAoB,KAKxB,OAJIye,EAASoC,SACX7gB,EAAOmf,EAAKF,OAAOjB,QAAQS,EAASoC,SAIhB,OAApBpC,EAASoC,aACWxN,IAApBoL,EAASoC,SACY,IAArBpC,EAASoC,SACR7gB,EAyEC80B,CAAarW,GACf,OAAO8B,EAAM/f,KAAKie,GAGpB,IAAIA,EAAStc,KAAKyN,QAAWuP,EAAKF,OAAOjB,QAAQS,EAAStc,KAAKyN,QAA/D,CAIA,IAAMmlB,EAAYtW,EAAStc,KAAKyN,OAC5BuP,EAAKF,OAAOjB,QAAQS,EAAStc,KAAKyN,QAClCuP,EAAK4K,OAAOgB,gBAChB,GAAI7J,EAActa,GAChBuY,EAAKgP,uBAAuB1P,EAAU7X,OADxC,CAIA,IAAMyS,EAAS7J,EAAgBiP,EAAStc,KAAM,CAC5C6D,IAAK+uB,EACL9wB,IAAKkb,EAAKF,OAAOhb,IACjBwL,WAAW,EACXlE,SAAS,EACTpB,MAAOgV,EAAKhV,QAId,IAA6B,IAAzBsU,EAASoW,aAA0C,IAArBpW,EAASoC,OAA3C,CAQA,GACE,SAAUja,GACVA,EAAOqJ,KAAKrM,OAASjF,EAASoN,SACN,aAAxBnF,EAAOqJ,KAAKhE,SACZwS,EAAStc,KAAKyB,OAASjF,EAASsQ,SAIhC,IAAgB,IAAAkR,EAAAxgB,EAAAoB,MAAMH,KAAKgG,EAAOoH,2CAAa,CAA1C,IAAMvK,UACLA,EAAEtC,WAAayF,EAAOqH,WACxBrH,EAAOsH,YAAYzK,qGAKzB,GAAImxB,GAAYA,EAASI,aAAeJ,EAASI,YAAY3f,WAC3DzO,EAAO6jB,aAAapR,EAAQub,EAASI,kBAChC,GAAIh1B,GAAQA,EAAKqV,WAGtBzO,EAAOolB,SAAShsB,GACZ4G,EAAO6jB,aAAapR,EAAQrZ,GAC5B4G,EAAO6jB,aAAapR,EAAQ,UAC3B,CAIL,GAAIzS,IAAWmuB,EACb,KAAOA,EAAUjmB,YACfimB,EAAU7mB,YAAY6mB,EAAUjmB,YAIpClI,EAAOuH,YAAYkL,GAGrB,GAAI6H,EAAc7H,GAAS,CACzB,IAAM4b,EAAkB9V,EAAKiP,iBAAiB5E,MAC5C,SAACzpB,GAAM,OAAAA,EAAE6e,WAAavF,EAAOpJ,KAAKC,MAEhC+kB,IACF9V,EAAKgP,uBAAuB8G,EAAiB5b,GAC7C8F,EAAKiP,iBAAmBjP,EAAKiP,iBAAiB1jB,QAC5C,SAAC3K,GAAM,OAAAA,IAAMk1B,OAKfxW,EAASoW,YAAcpW,EAASoC,SAClC1B,EAAK+V,0BACHb,EACAztB,EACAyS,EACAoF,QA5DF4V,EAAsB5V,EAAStc,KAAK+N,IAAM,CACxC/N,KAAMkX,EACNoF,eA+DNtM,EAAE6N,KAAK7Y,SAAQ,SAACsX,GACd6V,EAAW7V,MAIb,IADA,IAAI5I,EAAY3C,KAAKH,MACdwN,EAAMnhB,QAAQ,CAEnB,IAAM+1B,EAAe7U,EAAoBC,GAEzC,GADAA,EAAMnhB,OAAS,EACX8T,KAAKH,MAAQ8C,EAAY,IAAK,CAChCnW,KAAKgO,KACH,2DACAynB,GAEF,UAEF,IAAmB,IAAAC,YAAAz1B,EAAAw1B,kCAAc,CAA5B,IAAMnW,UACItf,KAAKuf,OAAOjB,QAAQgB,EAAK/e,MAAM2e,UAO1CoC,EAAmBhC,GAAM,SAACP,GACxB6V,EAAW7V,MANb/e,KAAK21B,MACH,gEACArW,sGAUJngB,OAAOoI,KAAKotB,GAAuBj1B,QACrCP,OAAOC,OAAOY,KAAKmuB,2BAA4BwG,GAGjDliB,EAAE4M,MAAM5X,SAAQ,SAACsX,GACf,IAAIpF,EAAS8F,EAAKF,OAAOjB,QAAQS,EAASvO,IAC1C,IAAKmJ,EAAQ,CACX,GAAIlH,EAAE4N,QAAQyJ,MAAK,SAACnpB,GAAM,OAAAA,EAAE6P,KAAOuO,EAASvO,MAE1C,OAEF,OAAOiP,EAAK+U,iBAAiB/hB,EAAGsM,EAASvO,IAKvCiP,EAAKqI,kBAAkBtJ,IAAI7E,KAC7BA,EAAS8F,EAAKqI,kBAAkBld,IAAI+O,IAEtCA,EAAOlK,YAAcsP,EAASxe,SAEhCkS,EAAEjG,WAAW/E,SAAQ,SAACsX,GACpB,IAAIpF,EAAS8F,EAAKF,OAAOjB,QAAQS,EAASvO,IAC1C,IAAKmJ,EAAQ,CACX,GAAIlH,EAAE4N,QAAQyJ,MAAK,SAACnpB,GAAM,OAAAA,EAAE6P,KAAOuO,EAASvO,MAE1C,OAEF,OAAOiP,EAAK+U,iBAAiB/hB,EAAGsM,EAASvO,IAK3C,IAAK,IAAMolB,KAHPnW,EAAKqI,kBAAkBtJ,IAAI7E,KAC7BA,EAAS8F,EAAKqI,kBAAkBld,IAAI+O,IAEVoF,EAASvS,WACnC,GAA6B,iBAAlBopB,EAA4B,CACrC,IAAMr1B,EAAQwe,EAASvS,WAAWopB,GAClC,GAAc,OAAVr1B,EACAoZ,EAA4Bkc,gBAAgBD,QACzC,GAAqB,iBAAVr1B,EAChB,IACIoZ,EAA4BhM,aAAaioB,EAAer1B,GAC1D,MAAOQ,GACH0e,EAAKrG,OAAO8N,aACdnZ,QAAQC,KACN,qDACAjN,QAID,GAAsB,UAAlB60B,EAA2B,CACpC,IAAIE,EAAcv1B,EACZw1B,EAAYpc,EAClB,IAAK,IAAIra,KAAKw2B,EACZ,IAAuB,IAAnBA,EAAYx2B,GACdy2B,EAAS9vB,MAAM8d,eAAezkB,QACzB,GAAIw2B,EAAYx2B,aAAc+B,MAAO,CAC1C,IAAM20B,EAAMF,EAAYx2B,GACxBy2B,EAAS9vB,MAAM2d,YAAYtkB,EAAG02B,EAAI,GAAIA,EAAI,QACrC,CACL,IAAMC,EAAMH,EAAYx2B,GACxBy2B,EAAS9vB,MAAM2d,YAAYtkB,EAAG22B,UAepCvL,wBAAR,SAAoBjY,EAAesL,GACjC,IAAMpE,EAAS3Z,KAAKuf,OAAOjB,QAAQ7L,EAAEjC,IACrC,IAAKmJ,EACH,OAAO3Z,KAAK8xB,kBAAkBrf,EAAGA,EAAEjC,IAErC,GAAKmJ,IAAoB3Z,KAAKqqB,OAAOgB,gBACnCrrB,KAAKqqB,OAAOC,cAAetX,SAAS,CAClCkB,IAAKzB,EAAEqC,EACPf,KAAMtB,EAAEoC,EACRP,SAAUyJ,EAAS,OAAS,gBAEzB,GAAIpE,EAAOpJ,KAAKrM,OAASjF,EAAS6M,SAErC6N,EAAgCkI,YAAa7O,SAAS,CACtDkB,IAAKzB,EAAEqC,EACPf,KAAMtB,EAAEoC,EACRP,SAAUyJ,EAAS,OAAS,gBAG9B,IACIpE,EAA4BrI,UAAYmB,EAAEqC,EAC1C6E,EAA4BtI,WAAaoB,EAAEoC,EAC7C,MAAO9T,MASL2pB,uBAAR,SAAmBjY,GACjB,IAAMkH,EAAS3Z,KAAKuf,OAAOjB,QAAQ7L,EAAEjC,IACrC,IAAKmJ,EACH,OAAO3Z,KAAK8xB,kBAAkBrf,EAAGA,EAAEjC,IAErC,IACImJ,EAAqCuc,QAAUzjB,EAAE0jB,UACjDxc,EAAqCpZ,MAAQkS,EAAE6e,KACjD,MAAOvwB,MAKH2pB,sBAAR,SAAkBjY,EAAiBsM,GACjC,IAAMpF,EAAS3Z,KAAKuf,OAAOjB,QAAQ7L,EAAEjC,IACrC,IAAKmJ,EACH,OAAO3Z,KAAK8xB,kBAAkB/S,EAAUtM,EAAEjC,IAE5C,IACImJ,EAAgClK,YAAcgD,EAAElS,MAClD,MAAOQ,MAKH2pB,sCAAR,SACEnmB,EACA2C,EACAyS,EACAyc,GAEQ,IAAAjB,EAAuBiB,aAAXjV,EAAWiV,SACzBC,EAAgBlB,GAAc5wB,EAAI4wB,GAClCmB,EAAYnV,GAAU5c,EAAI4c,GAChC,GAAIkV,EAAe,CACX,IAAA/uB,EAAqB+uB,EAAnB5zB,SAAMsc,aACd7X,EAAO6jB,aAAatoB,EAAMkX,UACnBpV,EAAIwa,EAAStc,KAAK+N,WAClBxQ,KAAKmuB,2BAA2BpP,EAAStc,KAAK+N,KACjDuO,EAASoW,YAAcpW,EAASoC,SAClCnhB,KAAKw1B,0BAA0BjxB,EAAK2C,EAAQzE,EAAcsc,GAG9D,GAAIuX,EAAW,CACP,IAAAtmB,EAAqBsmB,EAAnB7zB,SAAMsc,aACd7X,EAAO6jB,aAAatoB,EAAMkX,EAAO2b,oBAC1B/wB,EAAIwa,EAAStc,KAAK+N,WAClBxQ,KAAKmuB,2BAA2BpP,EAAStc,KAAK+N,KACjDuO,EAASoW,YAAcpW,EAASoC,SAClCnhB,KAAKw1B,0BAA0BjxB,EAAK2C,EAAQzE,EAAcsc,KAKxD2L,yBAAR,SACE7V,EACAC,EACAtE,EACAuN,EACAkP,GAEA,IAAMtT,EAAS3Z,KAAKuf,OAAOjB,QAAQ9N,GACnC,IAAKmJ,EACH,OAAO3Z,KAAK8xB,kBAAkB7E,EAAWzc,GAG3C,IAAM+lB,EAAO9U,EAAiB9H,EAAQ3Z,KAAKqqB,QACrCmM,EAAK3hB,EAAI0hB,EAAKxU,cAAgBwU,EAAK1hB,EACnC4hB,EAAK3hB,EAAIyhB,EAAKxU,cAAgBwU,EAAKzhB,EAEzC9U,KAAKwqB,MAAMvkB,MAAM8N,KAAO,UAAGyiB,QAC3Bx2B,KAAKwqB,MAAMvkB,MAAMiO,IAAM,UAAGuiB,QACrB1Y,GACH/d,KAAK02B,cAAc,CAAE7hB,EAAG2hB,EAAI1hB,EAAG2hB,IAEjCz2B,KAAK22B,cAAehd,IAGd+Q,0BAAR,SAAsBpoB,GAAtB,WACE,GAAKtC,KAAKynB,UAAV,CAIM,IAAAngB,GACsB,IAA1BtH,KAAKoZ,OAAOqO,UACRrB,GACAjnB,OAAOC,OAAO,GAAIgnB,GAAwBpmB,KAAKoZ,OAAOqO,WAHpDnB,YAASC,cAAWC,gBAAaH,aAKnCuQ,EAAO,WACX,GAAKnX,EAAKgI,UAAV,CAGA,IAAMra,EAAMqS,EAAKgI,UAAUpa,WAAW,MACjCD,GAAQqS,EAAK6S,cAAc5yB,SAGhC0N,EAAIypB,UAAU,EAAG,EAAGpX,EAAKgI,UAAUla,MAAOkS,EAAKgI,UAAUja,QACzDJ,EAAI0pB,YACJ1pB,EAAImZ,UAAYA,EAChBnZ,EAAIkZ,QAAUA,EACdlZ,EAAIoZ,YAAcA,EAClBpZ,EAAI2pB,OAAOtX,EAAK6S,cAAc,GAAGzd,EAAG4K,EAAK6S,cAAc,GAAGxd,GAC1D2K,EAAK6S,cAAc7qB,SAAQ,SAAC9H,GAAM,OAAAyN,EAAI4pB,OAAOr3B,EAAEkV,EAAGlV,EAAEmV,MACpD1H,EAAI6pB,YAGNj3B,KAAKsyB,cAAcxxB,KAAKwB,GACxBs0B,IACAzM,YAAW,WACT1K,EAAK6S,cAAgB7S,EAAK6S,cAActnB,QAAO,SAACrL,GAAM,OAAAA,IAAM2C,KAC5Ds0B,MACCvQ,EAAWrmB,KAAKmpB,aAAahO,MAAMrF,QAAQ2G,MAAM5F,SAG9C6T,0BAAR,SAAsBvZ,mBACpBnR,KAAKqqB,OAAOgB,gCACRwE,iBAAiB,aAClBpoB,SAAQ,SAACyvB,GACRA,EAAUzM,UAAUc,OAAO,aAG/B,IADA,IAAI4L,EAA4BhmB,EACzBgmB,GACDA,EAAU1M,WACZ0M,EAAU1M,UAAU3P,IAAI,UAE1Bqc,EAAYA,EAAUC,eAIlB1M,8BAAR,SAA0B3S,GACxB,OAAIA,EAAM7T,OAAS+N,EAAUgG,sBAI3BF,EAAMG,KAAKrV,OAASqP,EAAkBkO,UACtCrI,EAAMG,KAAKrV,QAAUqP,EAAkB0gB,QAInClI,yBAAR,WACE1qB,KAAKqtB,yBAA2B,KAC5BrtB,KAAKmpB,aAAahO,MAAMpC,QAAQ,YAGpC/Y,KAAKmpB,aAAavO,KAAK,CAAE1W,KAAM,mBAC/BlE,KAAKwb,QAAQzJ,KAAKO,EAAe+kB,QAAS,CACxCxgB,MAAO7W,KAAKmpB,aAAahO,MAAMrF,QAAQsT,gBASnCsB,8BAAR,SAA0BvC,EAAajhB,GACrClH,KAAKuf,OAAOhb,IAAI2C,EAAOqJ,KAAKC,IAAMtJ,EAMhCA,EAAOqJ,KAAKrM,OAASjF,EAASoN,SACN,aAAxBnF,EAAOqJ,KAAKhE,SACZ4b,EAAK1Y,cAEHvI,EAA2C3G,MAAQ4nB,EAAK1Y,aAE5DvI,EAAOuH,YAAY0Z,GAEnBnoB,KAAKs3B,aAAapwB,IAQZwjB,uBAAR,SAAmBxjB,WACjB,GAAIA,GACEA,EAAOzF,WAAayF,EAAOxF,aAAc,CAC3C,IAAM01B,EAAiBlwB,GACnBkwB,EAAc/lB,YAAc+lB,EAAc9lB,YAE5CtR,KAAK+nB,gBAAgBtc,IAAIvE,EAAQ,CAC/B6L,OAAQ,CAACqkB,EAAc/lB,WAAY+lB,EAAc9lB,aAGvB,UAA1B8lB,EAAc7qB,kBHtqDxB6qB,EACApP,SAEA,IACE,IAAM7E,EAAW9hB,MAAMH,gBACpBk2B,EAAmCvU,4BAAOP,WAAY,IACvD/d,KAAI,SAACX,GAAS,OAAAA,EAAK4G,WACrBwd,EAAqBvc,IAAK2rB,EAAoC,CAC5D,CACElzB,KAAMke,EAAcc,SACpBC,cAGJ,MAAOviB,KG0pDD22B,CACEH,EACAp3B,KAAKgoB,sBAET,IAAM5I,EAAWgY,EAAchY,aAC/B,IAAoB,IAAApP,EAAA/P,EAAAoB,MAAMH,KAAKke,kCAAW,CAArC,IAAMhR,UACTpO,KAAKi1B,WAAY7mB,wGAUjBsc,yBAAR,SAAqBxjB,WACnB,GAAIA,EAAOzF,WAAayF,EAAOxF,aAAc,CAC3C,IAAM01B,EAAiBlwB,EACvB,GAAIlH,KAAK+nB,gBAAgBvJ,IAAItX,GAAS,CACpC,IAAMswB,EAAcx3B,KAAK+nB,gBAAgBnd,IAAI1D,GAEzCswB,EAAYzkB,SACdqkB,EAAc/lB,WAAammB,EAAYzkB,OAAO,GAC9CqkB,EAAc9lB,UAAYkmB,EAAYzkB,OAAO,IAE/C/S,KAAK+nB,gBAAgB/M,OAAO9T,GAE9B,IAAMkY,EAAWgY,EAAchY,aAC/B,IAAoB,IAAApP,EAAA/P,EAAAoB,MAAMH,KAAKke,kCAAW,CAArC,IAAMhR,UACTpO,KAAKs3B,aAAclpB,wGAKjBsc,6BAAR,SAAyBjoB,GACvB,IAAMkgB,EAAc3iB,KAAKgoB,qBAAqBpd,IAAInI,GAC5B,UAAlBA,EAAKg1B,WAIJ9U,GAMLD,GAA6BC,EAFVlgB,KAKbioB,6BAAR,SAAyBjY,EAAoBjC,GACvCxQ,KAAK6nB,UAAU6P,UAAUlnB,GAC3BxQ,KAAKgO,KAAK,wBAAiBwC,gCAAgCiC,GAE3DzS,KAAKgO,KAAK,wBAAiBwC,mBAAmBiC,IAI1CiY,qCAAR,SACEjY,EACA1R,GAEAf,KAAKgO,KAAK,6BAA8BjN,EAAO,mBAAoB0R,IAG7DiY,8BAAR,SAA0BjY,EAAoBjC,GAOxCxQ,KAAK6nB,UAAU6P,UAAUlnB,GAC3BxQ,KAAK21B,MACHxP,GACA,wBAAiB3V,gCACjBiC,GAGFzS,KAAK21B,MAAMxP,GAAuB,wBAAiB3V,mBAAmBiC,IAIlEiY,iBAAR,eAAa,aAAArjB,mBAAAA,IAAAud,kBACN5kB,KAAKoZ,OAAO8N,aAGjBnZ,QAAQC,WAARD,WAAaoY,MAA0BvB,SAGjC8F,kBAAR,eAAc,aAAArjB,mBAAAA,IAAAud,kBACP5kB,KAAKoZ,OAAO+N,WAIjBpZ,QAAQ4pB,UAAR5pB,WAAYoY,MAA0BvB"} +\ No newline at end of file ++{"version":3,"file":"rrweb-replay.min.js","sources":["../../node_modules/tslib/tslib.es6.js","../../../rrweb-snapshot/es/rrweb-snapshot.js","../../../../node_modules/mitt/dist/mitt.es.js","../../../src/types.ts","../../../src/replay/smoothscroll.ts","../../../src/replay/timer.ts","../../../../node_modules/@xstate/fsm/es/index.js","../../../src/replay/machine.ts","../../../src/utils.ts","../../../src/replay/styles/inject-style.ts","../../../src/replay/virtual-styles.ts","../../../../node_modules/base64-arraybuffer/dist/base64-arraybuffer.es5.js","../../../src/replay/canvas/webgl.ts","../../../src/replay/index.ts","../../../src/replay/canvas/index.ts","../../../src/replay/canvas/2d.ts"],"sourcesContent":["/*! *****************************************************************************\r\nCopyright (c) Microsoft Corporation.\r\n\r\nPermission to use, copy, modify, and/or distribute this software for any\r\npurpose with or without fee is hereby granted.\r\n\r\nTHE SOFTWARE IS PROVIDED \"AS IS\" AND THE AUTHOR DISCLAIMS ALL WARRANTIES WITH\r\nREGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF MERCHANTABILITY\r\nAND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR ANY SPECIAL, DIRECT,\r\nINDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES WHATSOEVER RESULTING FROM\r\nLOSS OF USE, DATA OR PROFITS, WHETHER IN AN ACTION OF CONTRACT, NEGLIGENCE OR\r\nOTHER TORTIOUS ACTION, ARISING OUT OF OR IN CONNECTION WITH THE USE OR\r\nPERFORMANCE OF THIS SOFTWARE.\r\n***************************************************************************** */\r\n/* global Reflect, Promise */\r\n\r\nvar extendStatics = function(d, b) {\r\n extendStatics = Object.setPrototypeOf ||\r\n ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) ||\r\n function (d, b) { for (var p in b) if (Object.prototype.hasOwnProperty.call(b, p)) d[p] = b[p]; };\r\n return extendStatics(d, b);\r\n};\r\n\r\nexport function __extends(d, b) {\r\n if (typeof b !== \"function\" && b !== null)\r\n throw new TypeError(\"Class extends value \" + String(b) + \" is not a constructor or null\");\r\n extendStatics(d, b);\r\n function __() { this.constructor = d; }\r\n d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __());\r\n}\r\n\r\nexport var __assign = function() {\r\n __assign = Object.assign || function __assign(t) {\r\n for (var s, i = 1, n = arguments.length; i < n; i++) {\r\n s = arguments[i];\r\n for (var p in s) if (Object.prototype.hasOwnProperty.call(s, p)) t[p] = s[p];\r\n }\r\n return t;\r\n }\r\n return __assign.apply(this, arguments);\r\n}\r\n\r\nexport function __rest(s, e) {\r\n var t = {};\r\n for (var p in s) if (Object.prototype.hasOwnProperty.call(s, p) && e.indexOf(p) < 0)\r\n t[p] = s[p];\r\n if (s != null && typeof Object.getOwnPropertySymbols === \"function\")\r\n for (var i = 0, p = Object.getOwnPropertySymbols(s); i < p.length; i++) {\r\n if (e.indexOf(p[i]) < 0 && Object.prototype.propertyIsEnumerable.call(s, p[i]))\r\n t[p[i]] = s[p[i]];\r\n }\r\n return t;\r\n}\r\n\r\nexport function __decorate(decorators, target, key, desc) {\r\n var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d;\r\n if (typeof Reflect === \"object\" && typeof Reflect.decorate === \"function\") r = Reflect.decorate(decorators, target, key, desc);\r\n else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r;\r\n return c > 3 && r && Object.defineProperty(target, key, r), r;\r\n}\r\n\r\nexport function __param(paramIndex, decorator) {\r\n return function (target, key) { decorator(target, key, paramIndex); }\r\n}\r\n\r\nexport function __metadata(metadataKey, metadataValue) {\r\n if (typeof Reflect === \"object\" && typeof Reflect.metadata === \"function\") return Reflect.metadata(metadataKey, metadataValue);\r\n}\r\n\r\nexport function __awaiter(thisArg, _arguments, P, generator) {\r\n function adopt(value) { return value instanceof P ? value : new P(function (resolve) { resolve(value); }); }\r\n return new (P || (P = Promise))(function (resolve, reject) {\r\n function fulfilled(value) { try { step(generator.next(value)); } catch (e) { reject(e); } }\r\n function rejected(value) { try { step(generator[\"throw\"](value)); } catch (e) { reject(e); } }\r\n function step(result) { result.done ? resolve(result.value) : adopt(result.value).then(fulfilled, rejected); }\r\n step((generator = generator.apply(thisArg, _arguments || [])).next());\r\n });\r\n}\r\n\r\nexport function __generator(thisArg, body) {\r\n var _ = { label: 0, sent: function() { if (t[0] & 1) throw t[1]; return t[1]; }, trys: [], ops: [] }, f, y, t, g;\r\n return g = { next: verb(0), \"throw\": verb(1), \"return\": verb(2) }, typeof Symbol === \"function\" && (g[Symbol.iterator] = function() { return this; }), g;\r\n function verb(n) { return function (v) { return step([n, v]); }; }\r\n function step(op) {\r\n if (f) throw new TypeError(\"Generator is already executing.\");\r\n while (_) try {\r\n if (f = 1, y && (t = op[0] & 2 ? y[\"return\"] : op[0] ? y[\"throw\"] || ((t = y[\"return\"]) && t.call(y), 0) : y.next) && !(t = t.call(y, op[1])).done) return t;\r\n if (y = 0, t) op = [op[0] & 2, t.value];\r\n switch (op[0]) {\r\n case 0: case 1: t = op; break;\r\n case 4: _.label++; return { value: op[1], done: false };\r\n case 5: _.label++; y = op[1]; op = [0]; continue;\r\n case 7: op = _.ops.pop(); _.trys.pop(); continue;\r\n default:\r\n if (!(t = _.trys, t = t.length > 0 && t[t.length - 1]) && (op[0] === 6 || op[0] === 2)) { _ = 0; continue; }\r\n if (op[0] === 3 && (!t || (op[1] > t[0] && op[1] < t[3]))) { _.label = op[1]; break; }\r\n if (op[0] === 6 && _.label < t[1]) { _.label = t[1]; t = op; break; }\r\n if (t && _.label < t[2]) { _.label = t[2]; _.ops.push(op); break; }\r\n if (t[2]) _.ops.pop();\r\n _.trys.pop(); continue;\r\n }\r\n op = body.call(thisArg, _);\r\n } catch (e) { op = [6, e]; y = 0; } finally { f = t = 0; }\r\n if (op[0] & 5) throw op[1]; return { value: op[0] ? op[1] : void 0, done: true };\r\n }\r\n}\r\n\r\nexport var __createBinding = Object.create ? (function(o, m, k, k2) {\r\n if (k2 === undefined) k2 = k;\r\n Object.defineProperty(o, k2, { enumerable: true, get: function() { return m[k]; } });\r\n}) : (function(o, m, k, k2) {\r\n if (k2 === undefined) k2 = k;\r\n o[k2] = m[k];\r\n});\r\n\r\nexport function __exportStar(m, o) {\r\n for (var p in m) if (p !== \"default\" && !Object.prototype.hasOwnProperty.call(o, p)) __createBinding(o, m, p);\r\n}\r\n\r\nexport function __values(o) {\r\n var s = typeof Symbol === \"function\" && Symbol.iterator, m = s && o[s], i = 0;\r\n if (m) return m.call(o);\r\n if (o && typeof o.length === \"number\") return {\r\n next: function () {\r\n if (o && i >= o.length) o = void 0;\r\n return { value: o && o[i++], done: !o };\r\n }\r\n };\r\n throw new TypeError(s ? \"Object is not iterable.\" : \"Symbol.iterator is not defined.\");\r\n}\r\n\r\nexport function __read(o, n) {\r\n var m = typeof Symbol === \"function\" && o[Symbol.iterator];\r\n if (!m) return o;\r\n var i = m.call(o), r, ar = [], e;\r\n try {\r\n while ((n === void 0 || n-- > 0) && !(r = i.next()).done) ar.push(r.value);\r\n }\r\n catch (error) { e = { error: error }; }\r\n finally {\r\n try {\r\n if (r && !r.done && (m = i[\"return\"])) m.call(i);\r\n }\r\n finally { if (e) throw e.error; }\r\n }\r\n return ar;\r\n}\r\n\r\n/** @deprecated */\r\nexport function __spread() {\r\n for (var ar = [], i = 0; i < arguments.length; i++)\r\n ar = ar.concat(__read(arguments[i]));\r\n return ar;\r\n}\r\n\r\n/** @deprecated */\r\nexport function __spreadArrays() {\r\n for (var s = 0, i = 0, il = arguments.length; i < il; i++) s += arguments[i].length;\r\n for (var r = Array(s), k = 0, i = 0; i < il; i++)\r\n for (var a = arguments[i], j = 0, jl = a.length; j < jl; j++, k++)\r\n r[k] = a[j];\r\n return r;\r\n}\r\n\r\nexport function __spreadArray(to, from, pack) {\r\n if (pack || arguments.length === 2) for (var i = 0, l = from.length, ar; i < l; i++) {\r\n if (ar || !(i in from)) {\r\n if (!ar) ar = Array.prototype.slice.call(from, 0, i);\r\n ar[i] = from[i];\r\n }\r\n }\r\n return to.concat(ar || Array.prototype.slice.call(from));\r\n}\r\n\r\nexport function __await(v) {\r\n return this instanceof __await ? (this.v = v, this) : new __await(v);\r\n}\r\n\r\nexport function __asyncGenerator(thisArg, _arguments, generator) {\r\n if (!Symbol.asyncIterator) throw new TypeError(\"Symbol.asyncIterator is not defined.\");\r\n var g = generator.apply(thisArg, _arguments || []), i, q = [];\r\n return i = {}, verb(\"next\"), verb(\"throw\"), verb(\"return\"), i[Symbol.asyncIterator] = function () { return this; }, i;\r\n function verb(n) { if (g[n]) i[n] = function (v) { return new Promise(function (a, b) { q.push([n, v, a, b]) > 1 || resume(n, v); }); }; }\r\n function resume(n, v) { try { step(g[n](v)); } catch (e) { settle(q[0][3], e); } }\r\n function step(r) { r.value instanceof __await ? Promise.resolve(r.value.v).then(fulfill, reject) : settle(q[0][2], r); }\r\n function fulfill(value) { resume(\"next\", value); }\r\n function reject(value) { resume(\"throw\", value); }\r\n function settle(f, v) { if (f(v), q.shift(), q.length) resume(q[0][0], q[0][1]); }\r\n}\r\n\r\nexport function __asyncDelegator(o) {\r\n var i, p;\r\n return i = {}, verb(\"next\"), verb(\"throw\", function (e) { throw e; }), verb(\"return\"), i[Symbol.iterator] = function () { return this; }, i;\r\n function verb(n, f) { i[n] = o[n] ? function (v) { return (p = !p) ? { value: __await(o[n](v)), done: n === \"return\" } : f ? f(v) : v; } : f; }\r\n}\r\n\r\nexport function __asyncValues(o) {\r\n if (!Symbol.asyncIterator) throw new TypeError(\"Symbol.asyncIterator is not defined.\");\r\n var m = o[Symbol.asyncIterator], i;\r\n return m ? m.call(o) : (o = typeof __values === \"function\" ? __values(o) : o[Symbol.iterator](), i = {}, verb(\"next\"), verb(\"throw\"), verb(\"return\"), i[Symbol.asyncIterator] = function () { return this; }, i);\r\n function verb(n) { i[n] = o[n] && function (v) { return new Promise(function (resolve, reject) { v = o[n](v), settle(resolve, reject, v.done, v.value); }); }; }\r\n function settle(resolve, reject, d, v) { Promise.resolve(v).then(function(v) { resolve({ value: v, done: d }); }, reject); }\r\n}\r\n\r\nexport function __makeTemplateObject(cooked, raw) {\r\n if (Object.defineProperty) { Object.defineProperty(cooked, \"raw\", { value: raw }); } else { cooked.raw = raw; }\r\n return cooked;\r\n};\r\n\r\nvar __setModuleDefault = Object.create ? (function(o, v) {\r\n Object.defineProperty(o, \"default\", { enumerable: true, value: v });\r\n}) : function(o, v) {\r\n o[\"default\"] = v;\r\n};\r\n\r\nexport function __importStar(mod) {\r\n if (mod && mod.__esModule) return mod;\r\n var result = {};\r\n if (mod != null) for (var k in mod) if (k !== \"default\" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding(result, mod, k);\r\n __setModuleDefault(result, mod);\r\n return result;\r\n}\r\n\r\nexport function __importDefault(mod) {\r\n return (mod && mod.__esModule) ? mod : { default: mod };\r\n}\r\n\r\nexport function __classPrivateFieldGet(receiver, state, kind, f) {\r\n if (kind === \"a\" && !f) throw new TypeError(\"Private accessor was defined without a getter\");\r\n if (typeof state === \"function\" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError(\"Cannot read private member from an object whose class did not declare it\");\r\n return kind === \"m\" ? f : kind === \"a\" ? f.call(receiver) : f ? f.value : state.get(receiver);\r\n}\r\n\r\nexport function __classPrivateFieldSet(receiver, state, value, kind, f) {\r\n if (kind === \"m\") throw new TypeError(\"Private method is not writable\");\r\n if (kind === \"a\" && !f) throw new TypeError(\"Private accessor was defined without a setter\");\r\n if (typeof state === \"function\" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError(\"Cannot write private member to an object whose class did not declare it\");\r\n return (kind === \"a\" ? f.call(receiver, value) : f ? f.value = value : state.set(receiver, value)), value;\r\n}\r\n","var NodeType;\n(function (NodeType) {\n NodeType[NodeType[\"Document\"] = 0] = \"Document\";\n NodeType[NodeType[\"DocumentType\"] = 1] = \"DocumentType\";\n NodeType[NodeType[\"Element\"] = 2] = \"Element\";\n NodeType[NodeType[\"Text\"] = 3] = \"Text\";\n NodeType[NodeType[\"CDATA\"] = 4] = \"CDATA\";\n NodeType[NodeType[\"Comment\"] = 5] = \"Comment\";\n})(NodeType || (NodeType = {}));\n\nfunction isElement(n) {\n return n.nodeType === n.ELEMENT_NODE;\n}\nfunction isShadowRoot(n) {\n var _a;\n var host = (_a = n) === null || _a === void 0 ? void 0 : _a.host;\n return Boolean(host && host.shadowRoot && host.shadowRoot === n);\n}\nfunction maskInputValue(_a) {\n var input = _a.input, maskInputSelector = _a.maskInputSelector, unmaskInputSelector = _a.unmaskInputSelector, maskInputOptions = _a.maskInputOptions, tagName = _a.tagName, type = _a.type, value = _a.value, maskInputFn = _a.maskInputFn;\n var text = value || '';\n if (unmaskInputSelector && input.matches(unmaskInputSelector)) {\n return text;\n }\n if (maskInputOptions[tagName.toLowerCase()] ||\n maskInputOptions[type] ||\n (maskInputSelector && input.matches(maskInputSelector))) {\n if (maskInputFn) {\n text = maskInputFn(text);\n }\n else {\n text = '*'.repeat(text.length);\n }\n }\n return text;\n}\nvar ORIGINAL_ATTRIBUTE_NAME = '__rrweb_original__';\nfunction is2DCanvasBlank(canvas) {\n var ctx = canvas.getContext('2d');\n if (!ctx)\n return true;\n var chunkSize = 50;\n for (var x = 0; x < canvas.width; x += chunkSize) {\n for (var y = 0; y < canvas.height; y += chunkSize) {\n var getImageData = ctx.getImageData;\n var originalGetImageData = ORIGINAL_ATTRIBUTE_NAME in getImageData\n ? getImageData[ORIGINAL_ATTRIBUTE_NAME]\n : getImageData;\n var pixelBuffer = new Uint32Array(originalGetImageData.call(ctx, x, y, Math.min(chunkSize, canvas.width - x), Math.min(chunkSize, canvas.height - y)).data.buffer);\n if (pixelBuffer.some(function (pixel) { return pixel !== 0; }))\n return false;\n }\n }\n return true;\n}\n\nvar _id = 1;\nvar tagNameRegex = new RegExp('[^a-z0-9-_:]');\nvar IGNORED_NODE = -2;\nfunction genId() {\n return _id++;\n}\nfunction getValidTagName(element) {\n if (element instanceof HTMLFormElement) {\n return 'form';\n }\n var processedTagName = element.tagName.toLowerCase().trim();\n if (tagNameRegex.test(processedTagName)) {\n return 'div';\n }\n return processedTagName;\n}\nfunction getCssRulesString(s) {\n try {\n var rules = s.rules || s.cssRules;\n return rules ? Array.from(rules).map(getCssRuleString).join('') : null;\n }\n catch (error) {\n return null;\n }\n}\nfunction getCssRuleString(rule) {\n var cssStringified = rule.cssText;\n if (isCSSImportRule(rule)) {\n try {\n cssStringified = getCssRulesString(rule.styleSheet) || cssStringified;\n }\n catch (_a) {\n }\n }\n return cssStringified;\n}\nfunction isCSSImportRule(rule) {\n return 'styleSheet' in rule;\n}\nfunction stringifyStyleSheet(sheet) {\n return sheet.cssRules\n ? Array.from(sheet.cssRules)\n .map(function (rule) { return rule.cssText || ''; })\n .join('')\n : '';\n}\nfunction extractOrigin(url) {\n var origin = '';\n if (url.indexOf('//') > -1) {\n origin = url.split('/').slice(0, 3).join('/');\n }\n else {\n origin = url.split('/')[0];\n }\n origin = origin.split('?')[0];\n return origin;\n}\nvar canvasService;\nvar canvasCtx;\nvar URL_IN_CSS_REF = /url\\((?:(')([^']*)'|(\")(.*?)\"|([^)]*))\\)/gm;\nvar RELATIVE_PATH = /^(?!www\\.|(?:http|ftp)s?:\\/\\/|[A-Za-z]:\\\\|\\/\\/|#).*/;\nvar DATA_URI = /^(data:)([^,]*),(.*)/i;\nfunction absoluteToStylesheet(cssText, href) {\n return (cssText || '').replace(URL_IN_CSS_REF, function (origin, quote1, path1, quote2, path2, path3) {\n var filePath = path1 || path2 || path3;\n var maybeQuote = quote1 || quote2 || '';\n if (!filePath) {\n return origin;\n }\n if (!RELATIVE_PATH.test(filePath)) {\n return \"url(\" + maybeQuote + filePath + maybeQuote + \")\";\n }\n if (DATA_URI.test(filePath)) {\n return \"url(\" + maybeQuote + filePath + maybeQuote + \")\";\n }\n if (filePath[0] === '/') {\n return \"url(\" + maybeQuote + (extractOrigin(href) + filePath) + maybeQuote + \")\";\n }\n var stack = href.split('/');\n var parts = filePath.split('/');\n stack.pop();\n for (var _i = 0, parts_1 = parts; _i < parts_1.length; _i++) {\n var part = parts_1[_i];\n if (part === '.') {\n continue;\n }\n else if (part === '..') {\n stack.pop();\n }\n else {\n stack.push(part);\n }\n }\n return \"url(\" + maybeQuote + stack.join('/') + maybeQuote + \")\";\n });\n}\nvar SRCSET_NOT_SPACES = /^[^ \\t\\n\\r\\u000c]+/;\nvar SRCSET_COMMAS_OR_SPACES = /^[, \\t\\n\\r\\u000c]+/;\nfunction getAbsoluteSrcsetString(doc, attributeValue) {\n if (attributeValue.trim() === '') {\n return attributeValue;\n }\n var pos = 0;\n function collectCharacters(regEx) {\n var chars;\n var match = regEx.exec(attributeValue.substring(pos));\n if (match) {\n chars = match[0];\n pos += chars.length;\n return chars;\n }\n return '';\n }\n var output = [];\n while (true) {\n collectCharacters(SRCSET_COMMAS_OR_SPACES);\n if (pos >= attributeValue.length) {\n break;\n }\n var url = collectCharacters(SRCSET_NOT_SPACES);\n if (url.slice(-1) === ',') {\n url = absoluteToDoc(doc, url.substring(0, url.length - 1));\n output.push(url);\n }\n else {\n var descriptorsStr = '';\n url = absoluteToDoc(doc, url);\n var inParens = false;\n while (true) {\n var c = attributeValue.charAt(pos);\n if (c === '') {\n output.push((url + descriptorsStr).trim());\n break;\n }\n else if (!inParens) {\n if (c === ',') {\n pos += 1;\n output.push((url + descriptorsStr).trim());\n break;\n }\n else if (c === '(') {\n inParens = true;\n }\n }\n else {\n if (c === ')') {\n inParens = false;\n }\n }\n descriptorsStr += c;\n pos += 1;\n }\n }\n }\n return output.join(', ');\n}\nfunction absoluteToDoc(doc, attributeValue) {\n if (!attributeValue || attributeValue.trim() === '') {\n return attributeValue;\n }\n var a = doc.createElement('a');\n a.href = attributeValue;\n return a.href;\n}\nfunction isSVGElement(el) {\n return Boolean(el.tagName === 'svg' || el.ownerSVGElement);\n}\nfunction getHref() {\n var a = document.createElement('a');\n a.href = '';\n return a.href;\n}\nfunction transformAttribute(doc, tagName, name, value) {\n if (name === 'src' || (name === 'href' && value)) {\n return absoluteToDoc(doc, value);\n }\n else if (name === 'xlink:href' && value && value[0] !== '#') {\n return absoluteToDoc(doc, value);\n }\n else if (name === 'background' &&\n value &&\n (tagName === 'table' || tagName === 'td' || tagName === 'th')) {\n return absoluteToDoc(doc, value);\n }\n else if (name === 'srcset' && value) {\n return getAbsoluteSrcsetString(doc, value);\n }\n else if (name === 'style' && value) {\n return absoluteToStylesheet(value, getHref());\n }\n else if (tagName === 'object' && name === 'data' && value) {\n return absoluteToDoc(doc, value);\n }\n else {\n return value;\n }\n}\nfunction _isBlockedElement(element, blockClass, blockSelector, unblockSelector) {\n if (unblockSelector && element.matches(unblockSelector)) {\n return false;\n }\n if (typeof blockClass === 'string') {\n if (element.classList.contains(blockClass)) {\n return true;\n }\n }\n else {\n for (var eIndex = 0; eIndex < element.classList.length; eIndex++) {\n var className = element.classList[eIndex];\n if (blockClass.test(className)) {\n return true;\n }\n }\n }\n if (blockSelector) {\n return element.matches(blockSelector);\n }\n return false;\n}\nfunction needMaskingText(node, maskTextClass, maskTextSelector, unmaskTextSelector) {\n if (!node) {\n return false;\n }\n if (node.nodeType === node.ELEMENT_NODE) {\n if (unmaskTextSelector) {\n if (node.matches(unmaskTextSelector) || node.closest(unmaskTextSelector)) {\n return false;\n }\n }\n if (typeof maskTextClass === 'string') {\n if (node.classList.contains(maskTextClass)) {\n return true;\n }\n }\n else {\n for (var eIndex = 0; eIndex < node.classList.length; eIndex++) {\n var className = node.classList[eIndex];\n if (maskTextClass.test(className)) {\n return true;\n }\n }\n }\n if (maskTextSelector) {\n if (node.matches(maskTextSelector)) {\n return true;\n }\n }\n return needMaskingText(node.parentNode, maskTextClass, maskTextSelector, unmaskTextSelector);\n }\n if (node.nodeType === node.TEXT_NODE) {\n return needMaskingText(node.parentNode, maskTextClass, maskTextSelector, unmaskTextSelector);\n }\n return needMaskingText(node.parentNode, maskTextClass, maskTextSelector, unmaskTextSelector);\n}\nfunction onceIframeLoaded(iframeEl, listener, iframeLoadTimeout) {\n var win = iframeEl.contentWindow;\n if (!win) {\n return;\n }\n var fired = false;\n var readyState;\n try {\n readyState = win.document.readyState;\n }\n catch (error) {\n return;\n }\n if (readyState !== 'complete') {\n var timer_1 = setTimeout(function () {\n if (!fired) {\n listener();\n fired = true;\n }\n }, iframeLoadTimeout);\n iframeEl.addEventListener('load', function () {\n clearTimeout(timer_1);\n fired = true;\n listener();\n });\n return;\n }\n var blankUrl = 'about:blank';\n if (win.location.href !== blankUrl ||\n iframeEl.src === blankUrl ||\n iframeEl.src === '') {\n setTimeout(listener, 0);\n return;\n }\n iframeEl.addEventListener('load', listener);\n}\nfunction serializeNode(n, options) {\n var _a;\n var doc = options.doc, blockClass = options.blockClass, blockSelector = options.blockSelector, unblockSelector = options.unblockSelector, maskTextClass = options.maskTextClass, maskTextSelector = options.maskTextSelector, unmaskTextSelector = options.unmaskTextSelector, inlineStylesheet = options.inlineStylesheet, maskInputSelector = options.maskInputSelector, unmaskInputSelector = options.unmaskInputSelector, _b = options.maskInputOptions, maskInputOptions = _b === void 0 ? {} : _b, maskTextFn = options.maskTextFn, maskInputFn = options.maskInputFn, _c = options.dataURLOptions, dataURLOptions = _c === void 0 ? {} : _c, inlineImages = options.inlineImages, recordCanvas = options.recordCanvas, keepIframeSrcFn = options.keepIframeSrcFn;\n var rootId;\n if (doc.__sn) {\n var docId = doc.__sn.id;\n rootId = docId === 1 ? undefined : docId;\n }\n switch (n.nodeType) {\n case n.DOCUMENT_NODE:\n if (n.compatMode !== 'CSS1Compat') {\n return {\n type: NodeType.Document,\n childNodes: [],\n compatMode: n.compatMode,\n rootId: rootId\n };\n }\n else {\n return {\n type: NodeType.Document,\n childNodes: [],\n rootId: rootId\n };\n }\n case n.DOCUMENT_TYPE_NODE:\n return {\n type: NodeType.DocumentType,\n name: n.name,\n publicId: n.publicId,\n systemId: n.systemId,\n rootId: rootId\n };\n case n.ELEMENT_NODE:\n var needBlock = _isBlockedElement(n, blockClass, blockSelector, unblockSelector);\n var tagName = getValidTagName(n);\n var attributes_1 = {};\n for (var _i = 0, _d = Array.from(n.attributes); _i < _d.length; _i++) {\n var _e = _d[_i], name_1 = _e.name, value = _e.value;\n attributes_1[name_1] = transformAttribute(doc, tagName, name_1, value);\n }\n if (tagName === 'link' && inlineStylesheet) {\n var stylesheet = Array.from(doc.styleSheets).find(function (s) {\n return s.href === n.href;\n });\n var cssText = null;\n if (stylesheet) {\n cssText = getCssRulesString(stylesheet);\n }\n if (cssText) {\n delete attributes_1.rel;\n delete attributes_1.href;\n attributes_1._cssText = absoluteToStylesheet(cssText, stylesheet.href);\n }\n }\n if (tagName === 'style' &&\n n.sheet &&\n !(n.innerText ||\n n.textContent ||\n '').trim().length) {\n var cssText = getCssRulesString(n.sheet);\n if (cssText) {\n attributes_1._cssText = absoluteToStylesheet(cssText, getHref());\n }\n }\n if (tagName === 'input' ||\n tagName === 'textarea' ||\n tagName === 'select') {\n var value = n.value;\n if (attributes_1.type !== 'radio' &&\n attributes_1.type !== 'checkbox' &&\n attributes_1.type !== 'submit' &&\n attributes_1.type !== 'button' &&\n value) {\n attributes_1.value = maskInputValue({\n input: n,\n type: attributes_1.type,\n tagName: tagName,\n value: value,\n maskInputSelector: maskInputSelector,\n unmaskInputSelector: unmaskInputSelector,\n maskInputOptions: maskInputOptions,\n maskInputFn: maskInputFn\n });\n }\n else if (n.checked) {\n attributes_1.checked = n.checked;\n }\n }\n if (tagName === 'option') {\n if (n.selected && !maskInputOptions['select']) {\n attributes_1.selected = true;\n }\n else {\n delete attributes_1.selected;\n }\n }\n if (tagName === 'canvas' && recordCanvas) {\n if (n.__context === '2d') {\n if (!is2DCanvasBlank(n)) {\n attributes_1.rr_dataURL = n.toDataURL(dataURLOptions.type, dataURLOptions.quality);\n }\n }\n else if (!('__context' in n)) {\n var canvasDataURL = n.toDataURL(dataURLOptions.type, dataURLOptions.quality);\n var blankCanvas = document.createElement('canvas');\n blankCanvas.width = n.width;\n blankCanvas.height = n.height;\n var blankCanvasDataURL = blankCanvas.toDataURL(dataURLOptions.type, dataURLOptions.quality);\n if (canvasDataURL !== blankCanvasDataURL) {\n attributes_1.rr_dataURL = canvasDataURL;\n }\n }\n }\n if (tagName === 'img' && inlineImages) {\n if (!canvasService) {\n canvasService = doc.createElement('canvas');\n canvasCtx = canvasService.getContext('2d');\n }\n var image_1 = n;\n var oldValue_1 = image_1.crossOrigin;\n image_1.crossOrigin = 'anonymous';\n var recordInlineImage = function () {\n try {\n canvasService.width = image_1.naturalWidth;\n canvasService.height = image_1.naturalHeight;\n canvasCtx.drawImage(image_1, 0, 0);\n attributes_1.rr_dataURL = canvasService.toDataURL(dataURLOptions.type, dataURLOptions.quality);\n }\n catch (err) {\n console.warn(\"Cannot inline img src=\" + image_1.currentSrc + \"! Error: \" + err);\n }\n oldValue_1\n ? (attributes_1.crossOrigin = oldValue_1)\n : delete attributes_1.crossOrigin;\n };\n if (image_1.complete && image_1.naturalWidth !== 0)\n recordInlineImage();\n else\n image_1.onload = recordInlineImage;\n }\n if (tagName === 'audio' || tagName === 'video') {\n attributes_1.rr_mediaState = n.paused\n ? 'paused'\n : 'played';\n attributes_1.rr_mediaCurrentTime = n.currentTime;\n }\n if (n.scrollLeft) {\n attributes_1.rr_scrollLeft = n.scrollLeft;\n }\n if (n.scrollTop) {\n attributes_1.rr_scrollTop = n.scrollTop;\n }\n if (needBlock) {\n var _f = n.getBoundingClientRect(), width = _f.width, height = _f.height;\n attributes_1 = {\n \"class\": attributes_1[\"class\"],\n rr_width: width + \"px\",\n rr_height: height + \"px\"\n };\n }\n if (tagName === 'iframe' && !keepIframeSrcFn(attributes_1.src)) {\n if (!n.contentDocument) {\n attributes_1.rr_src = attributes_1.src;\n }\n delete attributes_1.src;\n }\n return {\n type: NodeType.Element,\n tagName: tagName,\n attributes: attributes_1,\n childNodes: [],\n isSVG: isSVGElement(n) || undefined,\n needBlock: needBlock,\n rootId: rootId\n };\n case n.TEXT_NODE:\n var parentTagName = n.parentNode && n.parentNode.tagName;\n var textContent = n.textContent;\n var isStyle = parentTagName === 'STYLE' ? true : undefined;\n var isScript = parentTagName === 'SCRIPT' ? true : undefined;\n if (isStyle && textContent) {\n try {\n if (n.nextSibling || n.previousSibling) {\n }\n else if ((_a = n.parentNode.sheet) === null || _a === void 0 ? void 0 : _a.cssRules) {\n textContent = stringifyStyleSheet(n.parentNode.sheet);\n }\n }\n catch (err) {\n console.warn(\"Cannot get CSS styles from text's parentNode. Error: \" + err, n);\n }\n textContent = absoluteToStylesheet(textContent, getHref());\n }\n if (isScript) {\n textContent = 'SCRIPT_PLACEHOLDER';\n }\n if (!isStyle &&\n !isScript &&\n needMaskingText(n, maskTextClass, maskTextSelector, unmaskTextSelector) &&\n textContent) {\n textContent = maskTextFn\n ? maskTextFn(textContent)\n : textContent.replace(/[\\S]/g, '*');\n }\n return {\n type: NodeType.Text,\n textContent: textContent || '',\n isStyle: isStyle,\n rootId: rootId\n };\n case n.CDATA_SECTION_NODE:\n return {\n type: NodeType.CDATA,\n textContent: '',\n rootId: rootId\n };\n case n.COMMENT_NODE:\n return {\n type: NodeType.Comment,\n textContent: n.textContent || '',\n rootId: rootId\n };\n default:\n return false;\n }\n}\nfunction lowerIfExists(maybeAttr) {\n if (maybeAttr === undefined) {\n return '';\n }\n else {\n return maybeAttr.toLowerCase();\n }\n}\nfunction slimDOMExcluded(sn, slimDOMOptions) {\n if (slimDOMOptions.comment && sn.type === NodeType.Comment) {\n return true;\n }\n else if (sn.type === NodeType.Element) {\n if (slimDOMOptions.script &&\n (sn.tagName === 'script' ||\n (sn.tagName === 'link' &&\n sn.attributes.rel === 'preload' &&\n sn.attributes.as === 'script') ||\n (sn.tagName === 'link' &&\n sn.attributes.rel === 'prefetch' &&\n typeof sn.attributes.href === 'string' &&\n sn.attributes.href.endsWith('.js')))) {\n return true;\n }\n else if (slimDOMOptions.headFavicon &&\n ((sn.tagName === 'link' && sn.attributes.rel === 'shortcut icon') ||\n (sn.tagName === 'meta' &&\n (lowerIfExists(sn.attributes.name).match(/^msapplication-tile(image|color)$/) ||\n lowerIfExists(sn.attributes.name) === 'application-name' ||\n lowerIfExists(sn.attributes.rel) === 'icon' ||\n lowerIfExists(sn.attributes.rel) === 'apple-touch-icon' ||\n lowerIfExists(sn.attributes.rel) === 'shortcut icon')))) {\n return true;\n }\n else if (sn.tagName === 'meta') {\n if (slimDOMOptions.headMetaDescKeywords &&\n lowerIfExists(sn.attributes.name).match(/^description|keywords$/)) {\n return true;\n }\n else if (slimDOMOptions.headMetaSocial &&\n (lowerIfExists(sn.attributes.property).match(/^(og|twitter|fb):/) ||\n lowerIfExists(sn.attributes.name).match(/^(og|twitter):/) ||\n lowerIfExists(sn.attributes.name) === 'pinterest')) {\n return true;\n }\n else if (slimDOMOptions.headMetaRobots &&\n (lowerIfExists(sn.attributes.name) === 'robots' ||\n lowerIfExists(sn.attributes.name) === 'googlebot' ||\n lowerIfExists(sn.attributes.name) === 'bingbot')) {\n return true;\n }\n else if (slimDOMOptions.headMetaHttpEquiv &&\n sn.attributes['http-equiv'] !== undefined) {\n return true;\n }\n else if (slimDOMOptions.headMetaAuthorship &&\n (lowerIfExists(sn.attributes.name) === 'author' ||\n lowerIfExists(sn.attributes.name) === 'generator' ||\n lowerIfExists(sn.attributes.name) === 'framework' ||\n lowerIfExists(sn.attributes.name) === 'publisher' ||\n lowerIfExists(sn.attributes.name) === 'progid' ||\n lowerIfExists(sn.attributes.property).match(/^article:/) ||\n lowerIfExists(sn.attributes.property).match(/^product:/))) {\n return true;\n }\n else if (slimDOMOptions.headMetaVerification &&\n (lowerIfExists(sn.attributes.name) === 'google-site-verification' ||\n lowerIfExists(sn.attributes.name) === 'yandex-verification' ||\n lowerIfExists(sn.attributes.name) === 'csrf-token' ||\n lowerIfExists(sn.attributes.name) === 'p:domain_verify' ||\n lowerIfExists(sn.attributes.name) === 'verify-v1' ||\n lowerIfExists(sn.attributes.name) === 'verification' ||\n lowerIfExists(sn.attributes.name) === 'shopify-checkout-api-token')) {\n return true;\n }\n }\n }\n return false;\n}\nfunction serializeNodeWithId(n, options) {\n var doc = options.doc, map = options.map, blockClass = options.blockClass, blockSelector = options.blockSelector, unblockSelector = options.unblockSelector, maskTextClass = options.maskTextClass, maskTextSelector = options.maskTextSelector, unmaskTextSelector = options.unmaskTextSelector, _a = options.skipChild, skipChild = _a === void 0 ? false : _a, _b = options.inlineStylesheet, inlineStylesheet = _b === void 0 ? true : _b, maskInputSelector = options.maskInputSelector, unmaskInputSelector = options.unmaskInputSelector, _c = options.maskInputOptions, maskInputOptions = _c === void 0 ? {} : _c, maskTextFn = options.maskTextFn, maskInputFn = options.maskInputFn, slimDOMOptions = options.slimDOMOptions, _d = options.dataURLOptions, dataURLOptions = _d === void 0 ? {} : _d, _e = options.inlineImages, inlineImages = _e === void 0 ? false : _e, _f = options.recordCanvas, recordCanvas = _f === void 0 ? false : _f, onSerialize = options.onSerialize, onIframeLoad = options.onIframeLoad, _g = options.iframeLoadTimeout, iframeLoadTimeout = _g === void 0 ? 5000 : _g, _h = options.keepIframeSrcFn, keepIframeSrcFn = _h === void 0 ? function () { return false; } : _h;\n var _j = options.preserveWhiteSpace, preserveWhiteSpace = _j === void 0 ? true : _j;\n var _serializedNode = serializeNode(n, {\n doc: doc,\n blockClass: blockClass,\n blockSelector: blockSelector,\n unblockSelector: unblockSelector,\n maskTextClass: maskTextClass,\n maskTextSelector: maskTextSelector,\n unmaskTextSelector: unmaskTextSelector,\n inlineStylesheet: inlineStylesheet,\n maskInputSelector: maskInputSelector,\n unmaskInputSelector: unmaskInputSelector,\n maskInputOptions: maskInputOptions,\n maskTextFn: maskTextFn,\n maskInputFn: maskInputFn,\n dataURLOptions: dataURLOptions,\n inlineImages: inlineImages,\n recordCanvas: recordCanvas,\n keepIframeSrcFn: keepIframeSrcFn\n });\n if (!_serializedNode) {\n console.warn(n, 'not serialized');\n return null;\n }\n var id;\n if ('__sn' in n) {\n id = n.__sn.id;\n }\n else if (slimDOMExcluded(_serializedNode, slimDOMOptions) ||\n (!preserveWhiteSpace &&\n _serializedNode.type === NodeType.Text &&\n !_serializedNode.isStyle &&\n !_serializedNode.textContent.replace(/^\\s+|\\s+$/gm, '').length)) {\n id = IGNORED_NODE;\n }\n else {\n id = genId();\n }\n var serializedNode = Object.assign(_serializedNode, { id: id });\n n.__sn = serializedNode;\n if (id === IGNORED_NODE) {\n return null;\n }\n map[id] = n;\n if (onSerialize) {\n onSerialize(n);\n }\n var recordChild = !skipChild;\n if (serializedNode.type === NodeType.Element) {\n recordChild = recordChild && !serializedNode.needBlock;\n delete serializedNode.needBlock;\n if (n.shadowRoot)\n serializedNode.isShadowHost = true;\n }\n if ((serializedNode.type === NodeType.Document ||\n serializedNode.type === NodeType.Element) &&\n recordChild) {\n if (slimDOMOptions.headWhitespace &&\n _serializedNode.type === NodeType.Element &&\n _serializedNode.tagName === 'head') {\n preserveWhiteSpace = false;\n }\n var bypassOptions = {\n doc: doc,\n map: map,\n blockClass: blockClass,\n blockSelector: blockSelector,\n unblockSelector: unblockSelector,\n maskTextClass: maskTextClass,\n maskTextSelector: maskTextSelector,\n unmaskTextSelector: unmaskTextSelector,\n skipChild: skipChild,\n inlineStylesheet: inlineStylesheet,\n maskInputSelector: maskInputSelector,\n unmaskInputSelector: unmaskInputSelector,\n maskInputOptions: maskInputOptions,\n maskTextFn: maskTextFn,\n maskInputFn: maskInputFn,\n slimDOMOptions: slimDOMOptions,\n dataURLOptions: dataURLOptions,\n inlineImages: inlineImages,\n recordCanvas: recordCanvas,\n preserveWhiteSpace: preserveWhiteSpace,\n onSerialize: onSerialize,\n onIframeLoad: onIframeLoad,\n iframeLoadTimeout: iframeLoadTimeout,\n keepIframeSrcFn: keepIframeSrcFn\n };\n for (var _i = 0, _k = Array.from(n.childNodes); _i < _k.length; _i++) {\n var childN = _k[_i];\n var serializedChildNode = serializeNodeWithId(childN, bypassOptions);\n if (serializedChildNode) {\n serializedNode.childNodes.push(serializedChildNode);\n }\n }\n if (isElement(n) && n.shadowRoot) {\n for (var _l = 0, _m = Array.from(n.shadowRoot.childNodes); _l < _m.length; _l++) {\n var childN = _m[_l];\n var serializedChildNode = serializeNodeWithId(childN, bypassOptions);\n if (serializedChildNode) {\n serializedChildNode.isShadow = true;\n serializedNode.childNodes.push(serializedChildNode);\n }\n }\n }\n }\n if (n.parentNode && isShadowRoot(n.parentNode)) {\n serializedNode.isShadow = true;\n }\n if (serializedNode.type === NodeType.Element &&\n serializedNode.tagName === 'iframe') {\n onceIframeLoaded(n, function () {\n var iframeDoc = n.contentDocument;\n if (iframeDoc && onIframeLoad) {\n var serializedIframeNode = serializeNodeWithId(iframeDoc, {\n doc: iframeDoc,\n map: map,\n blockClass: blockClass,\n blockSelector: blockSelector,\n unblockSelector: unblockSelector,\n maskTextClass: maskTextClass,\n maskTextSelector: maskTextSelector,\n unmaskTextSelector: unmaskTextSelector,\n skipChild: false,\n inlineStylesheet: inlineStylesheet,\n maskInputSelector: maskInputSelector,\n unmaskInputSelector: unmaskInputSelector,\n maskInputOptions: maskInputOptions,\n maskTextFn: maskTextFn,\n maskInputFn: maskInputFn,\n slimDOMOptions: slimDOMOptions,\n dataURLOptions: dataURLOptions,\n inlineImages: inlineImages,\n recordCanvas: recordCanvas,\n preserveWhiteSpace: preserveWhiteSpace,\n onSerialize: onSerialize,\n onIframeLoad: onIframeLoad,\n iframeLoadTimeout: iframeLoadTimeout,\n keepIframeSrcFn: keepIframeSrcFn\n });\n if (serializedIframeNode) {\n onIframeLoad(n, serializedIframeNode);\n }\n }\n }, iframeLoadTimeout);\n }\n return serializedNode;\n}\nfunction snapshot(n, options) {\n var _a = options || {}, _b = _a.blockClass, blockClass = _b === void 0 ? 'rr-block' : _b, _c = _a.blockSelector, blockSelector = _c === void 0 ? null : _c, _d = _a.unblockSelector, unblockSelector = _d === void 0 ? null : _d, _e = _a.maskTextClass, maskTextClass = _e === void 0 ? 'rr-mask' : _e, _f = _a.maskTextSelector, maskTextSelector = _f === void 0 ? null : _f, _g = _a.unmaskTextSelector, unmaskTextSelector = _g === void 0 ? null : _g, _h = _a.inlineStylesheet, inlineStylesheet = _h === void 0 ? true : _h, _j = _a.inlineImages, inlineImages = _j === void 0 ? false : _j, _k = _a.recordCanvas, recordCanvas = _k === void 0 ? false : _k, _l = _a.maskInputSelector, maskInputSelector = _l === void 0 ? null : _l, _m = _a.unmaskInputSelector, unmaskInputSelector = _m === void 0 ? null : _m, _o = _a.maskAllInputs, maskAllInputs = _o === void 0 ? false : _o, maskTextFn = _a.maskTextFn, maskInputFn = _a.maskInputFn, _p = _a.slimDOM, slimDOM = _p === void 0 ? false : _p, dataURLOptions = _a.dataURLOptions, preserveWhiteSpace = _a.preserveWhiteSpace, onSerialize = _a.onSerialize, onIframeLoad = _a.onIframeLoad, iframeLoadTimeout = _a.iframeLoadTimeout, _q = _a.keepIframeSrcFn, keepIframeSrcFn = _q === void 0 ? function () { return false; } : _q;\n var idNodeMap = {};\n var maskInputOptions = maskAllInputs === true\n ? {\n color: true,\n date: true,\n 'datetime-local': true,\n email: true,\n month: true,\n number: true,\n range: true,\n search: true,\n tel: true,\n text: true,\n time: true,\n url: true,\n week: true,\n textarea: true,\n select: true,\n password: true\n }\n : maskAllInputs === false\n ? {\n password: true\n }\n : maskAllInputs;\n var slimDOMOptions = slimDOM === true || slimDOM === 'all'\n ?\n {\n script: true,\n comment: true,\n headFavicon: true,\n headWhitespace: true,\n headMetaDescKeywords: slimDOM === 'all',\n headMetaSocial: true,\n headMetaRobots: true,\n headMetaHttpEquiv: true,\n headMetaAuthorship: true,\n headMetaVerification: true\n }\n : slimDOM === false\n ? {}\n : slimDOM;\n return [\n serializeNodeWithId(n, {\n doc: n,\n map: idNodeMap,\n blockClass: blockClass,\n blockSelector: blockSelector,\n unblockSelector: unblockSelector,\n maskTextClass: maskTextClass,\n maskTextSelector: maskTextSelector,\n unmaskTextSelector: unmaskTextSelector,\n skipChild: false,\n inlineStylesheet: inlineStylesheet,\n maskInputSelector: maskInputSelector,\n unmaskInputSelector: unmaskInputSelector,\n maskInputOptions: maskInputOptions,\n maskTextFn: maskTextFn,\n maskInputFn: maskInputFn,\n slimDOMOptions: slimDOMOptions,\n dataURLOptions: dataURLOptions,\n inlineImages: inlineImages,\n recordCanvas: recordCanvas,\n preserveWhiteSpace: preserveWhiteSpace,\n onSerialize: onSerialize,\n onIframeLoad: onIframeLoad,\n iframeLoadTimeout: iframeLoadTimeout,\n keepIframeSrcFn: keepIframeSrcFn\n }),\n idNodeMap,\n ];\n}\nfunction visitSnapshot(node, onVisit) {\n function walk(current) {\n onVisit(current);\n if (current.type === NodeType.Document ||\n current.type === NodeType.Element) {\n current.childNodes.forEach(walk);\n }\n }\n walk(node);\n}\nfunction cleanupSnapshot() {\n _id = 1;\n}\n\nvar commentre = /\\/\\*[^*]*\\*+([^/*][^*]*\\*+)*\\//g;\nfunction parse(css, options) {\n if (options === void 0) { options = {}; }\n var lineno = 1;\n var column = 1;\n function updatePosition(str) {\n var lines = str.match(/\\n/g);\n if (lines) {\n lineno += lines.length;\n }\n var i = str.lastIndexOf('\\n');\n column = i === -1 ? column + str.length : str.length - i;\n }\n function position() {\n var start = { line: lineno, column: column };\n return function (node) {\n node.position = new Position(start);\n whitespace();\n return node;\n };\n }\n var Position = (function () {\n function Position(start) {\n this.start = start;\n this.end = { line: lineno, column: column };\n this.source = options.source;\n }\n return Position;\n }());\n Position.prototype.content = css;\n var errorsList = [];\n function error(msg) {\n var err = new Error(options.source + ':' + lineno + ':' + column + ': ' + msg);\n err.reason = msg;\n err.filename = options.source;\n err.line = lineno;\n err.column = column;\n err.source = css;\n if (options.silent) {\n errorsList.push(err);\n }\n else {\n throw err;\n }\n }\n function stylesheet() {\n var rulesList = rules();\n return {\n type: 'stylesheet',\n stylesheet: {\n source: options.source,\n rules: rulesList,\n parsingErrors: errorsList\n }\n };\n }\n function open() {\n return match(/^{\\s*/);\n }\n function close() {\n return match(/^}/);\n }\n function rules() {\n var node;\n var rules = [];\n whitespace();\n comments(rules);\n while (css.length && css.charAt(0) !== '}' && (node = atrule() || rule())) {\n if (node !== false) {\n rules.push(node);\n comments(rules);\n }\n }\n return rules;\n }\n function match(re) {\n var m = re.exec(css);\n if (!m) {\n return;\n }\n var str = m[0];\n updatePosition(str);\n css = css.slice(str.length);\n return m;\n }\n function whitespace() {\n match(/^\\s*/);\n }\n function comments(rules) {\n if (rules === void 0) { rules = []; }\n var c;\n while ((c = comment())) {\n if (c !== false) {\n rules.push(c);\n }\n c = comment();\n }\n return rules;\n }\n function comment() {\n var pos = position();\n if ('/' !== css.charAt(0) || '*' !== css.charAt(1)) {\n return;\n }\n var i = 2;\n while ('' !== css.charAt(i) &&\n ('*' !== css.charAt(i) || '/' !== css.charAt(i + 1))) {\n ++i;\n }\n i += 2;\n if ('' === css.charAt(i - 1)) {\n return error('End of comment missing');\n }\n var str = css.slice(2, i - 2);\n column += 2;\n updatePosition(str);\n css = css.slice(i);\n column += 2;\n return pos({\n type: 'comment',\n comment: str\n });\n }\n function selector() {\n var m = match(/^([^{]+)/);\n if (!m) {\n return;\n }\n return trim(m[0])\n .replace(/\\/\\*([^*]|[\\r\\n]|(\\*+([^*/]|[\\r\\n])))*\\*\\/+/g, '')\n .replace(/\"(?:\\\\\"|[^\"])*\"|'(?:\\\\'|[^'])*'/g, function (m) {\n return m.replace(/,/g, '\\u200C');\n })\n .split(/\\s*(?![^(]*\\)),\\s*/)\n .map(function (s) {\n return s.replace(/\\u200C/g, ',');\n });\n }\n function declaration() {\n var pos = position();\n var propMatch = match(/^(\\*?[-#\\/\\*\\\\\\w]+(\\[[0-9a-z_-]+\\])?)\\s*/);\n if (!propMatch) {\n return;\n }\n var prop = trim(propMatch[0]);\n if (!match(/^:\\s*/)) {\n return error(\"property missing ':'\");\n }\n var val = match(/^((?:'(?:\\\\'|.)*?'|\"(?:\\\\\"|.)*?\"|\\([^\\)]*?\\)|[^};])+)/);\n var ret = pos({\n type: 'declaration',\n property: prop.replace(commentre, ''),\n value: val ? trim(val[0]).replace(commentre, '') : ''\n });\n match(/^[;\\s]*/);\n return ret;\n }\n function declarations() {\n var decls = [];\n if (!open()) {\n return error(\"missing '{'\");\n }\n comments(decls);\n var decl;\n while ((decl = declaration())) {\n if (decl !== false) {\n decls.push(decl);\n comments(decls);\n }\n decl = declaration();\n }\n if (!close()) {\n return error(\"missing '}'\");\n }\n return decls;\n }\n function keyframe() {\n var m;\n var vals = [];\n var pos = position();\n while ((m = match(/^((\\d+\\.\\d+|\\.\\d+|\\d+)%?|[a-z]+)\\s*/))) {\n vals.push(m[1]);\n match(/^,\\s*/);\n }\n if (!vals.length) {\n return;\n }\n return pos({\n type: 'keyframe',\n values: vals,\n declarations: declarations()\n });\n }\n function atkeyframes() {\n var pos = position();\n var m = match(/^@([-\\w]+)?keyframes\\s*/);\n if (!m) {\n return;\n }\n var vendor = m[1];\n m = match(/^([-\\w]+)\\s*/);\n if (!m) {\n return error('@keyframes missing name');\n }\n var name = m[1];\n if (!open()) {\n return error(\"@keyframes missing '{'\");\n }\n var frame;\n var frames = comments();\n while ((frame = keyframe())) {\n frames.push(frame);\n frames = frames.concat(comments());\n }\n if (!close()) {\n return error(\"@keyframes missing '}'\");\n }\n return pos({\n type: 'keyframes',\n name: name,\n vendor: vendor,\n keyframes: frames\n });\n }\n function atsupports() {\n var pos = position();\n var m = match(/^@supports *([^{]+)/);\n if (!m) {\n return;\n }\n var supports = trim(m[1]);\n if (!open()) {\n return error(\"@supports missing '{'\");\n }\n var style = comments().concat(rules());\n if (!close()) {\n return error(\"@supports missing '}'\");\n }\n return pos({\n type: 'supports',\n supports: supports,\n rules: style\n });\n }\n function athost() {\n var pos = position();\n var m = match(/^@host\\s*/);\n if (!m) {\n return;\n }\n if (!open()) {\n return error(\"@host missing '{'\");\n }\n var style = comments().concat(rules());\n if (!close()) {\n return error(\"@host missing '}'\");\n }\n return pos({\n type: 'host',\n rules: style\n });\n }\n function atmedia() {\n var pos = position();\n var m = match(/^@media *([^{]+)/);\n if (!m) {\n return;\n }\n var media = trim(m[1]);\n if (!open()) {\n return error(\"@media missing '{'\");\n }\n var style = comments().concat(rules());\n if (!close()) {\n return error(\"@media missing '}'\");\n }\n return pos({\n type: 'media',\n media: media,\n rules: style\n });\n }\n function atcustommedia() {\n var pos = position();\n var m = match(/^@custom-media\\s+(--[^\\s]+)\\s*([^{;]+);/);\n if (!m) {\n return;\n }\n return pos({\n type: 'custom-media',\n name: trim(m[1]),\n media: trim(m[2])\n });\n }\n function atpage() {\n var pos = position();\n var m = match(/^@page */);\n if (!m) {\n return;\n }\n var sel = selector() || [];\n if (!open()) {\n return error(\"@page missing '{'\");\n }\n var decls = comments();\n var decl;\n while ((decl = declaration())) {\n decls.push(decl);\n decls = decls.concat(comments());\n }\n if (!close()) {\n return error(\"@page missing '}'\");\n }\n return pos({\n type: 'page',\n selectors: sel,\n declarations: decls\n });\n }\n function atdocument() {\n var pos = position();\n var m = match(/^@([-\\w]+)?document *([^{]+)/);\n if (!m) {\n return;\n }\n var vendor = trim(m[1]);\n var doc = trim(m[2]);\n if (!open()) {\n return error(\"@document missing '{'\");\n }\n var style = comments().concat(rules());\n if (!close()) {\n return error(\"@document missing '}'\");\n }\n return pos({\n type: 'document',\n document: doc,\n vendor: vendor,\n rules: style\n });\n }\n function atfontface() {\n var pos = position();\n var m = match(/^@font-face\\s*/);\n if (!m) {\n return;\n }\n if (!open()) {\n return error(\"@font-face missing '{'\");\n }\n var decls = comments();\n var decl;\n while ((decl = declaration())) {\n decls.push(decl);\n decls = decls.concat(comments());\n }\n if (!close()) {\n return error(\"@font-face missing '}'\");\n }\n return pos({\n type: 'font-face',\n declarations: decls\n });\n }\n var atimport = _compileAtrule('import');\n var atcharset = _compileAtrule('charset');\n var atnamespace = _compileAtrule('namespace');\n function _compileAtrule(name) {\n var re = new RegExp('^@' + name + '\\\\s*([^;]+);');\n return function () {\n var pos = position();\n var m = match(re);\n if (!m) {\n return;\n }\n var ret = { type: name };\n ret[name] = m[1].trim();\n return pos(ret);\n };\n }\n function atrule() {\n if (css[0] !== '@') {\n return;\n }\n return (atkeyframes() ||\n atmedia() ||\n atcustommedia() ||\n atsupports() ||\n atimport() ||\n atcharset() ||\n atnamespace() ||\n atdocument() ||\n atpage() ||\n athost() ||\n atfontface());\n }\n function rule() {\n var pos = position();\n var sel = selector();\n if (!sel) {\n return error('selector missing');\n }\n comments();\n return pos({\n type: 'rule',\n selectors: sel,\n declarations: declarations()\n });\n }\n return addParent(stylesheet());\n}\nfunction trim(str) {\n return str ? str.replace(/^\\s+|\\s+$/g, '') : '';\n}\nfunction addParent(obj, parent) {\n var isNode = obj && typeof obj.type === 'string';\n var childParent = isNode ? obj : parent;\n for (var _i = 0, _a = Object.keys(obj); _i < _a.length; _i++) {\n var k = _a[_i];\n var value = obj[k];\n if (Array.isArray(value)) {\n value.forEach(function (v) {\n addParent(v, childParent);\n });\n }\n else if (value && typeof value === 'object') {\n addParent(value, childParent);\n }\n }\n if (isNode) {\n Object.defineProperty(obj, 'parent', {\n configurable: true,\n writable: true,\n enumerable: false,\n value: parent || null\n });\n }\n return obj;\n}\n\nvar tagMap = {\n script: 'noscript',\n altglyph: 'altGlyph',\n altglyphdef: 'altGlyphDef',\n altglyphitem: 'altGlyphItem',\n animatecolor: 'animateColor',\n animatemotion: 'animateMotion',\n animatetransform: 'animateTransform',\n clippath: 'clipPath',\n feblend: 'feBlend',\n fecolormatrix: 'feColorMatrix',\n fecomponenttransfer: 'feComponentTransfer',\n fecomposite: 'feComposite',\n feconvolvematrix: 'feConvolveMatrix',\n fediffuselighting: 'feDiffuseLighting',\n fedisplacementmap: 'feDisplacementMap',\n fedistantlight: 'feDistantLight',\n fedropshadow: 'feDropShadow',\n feflood: 'feFlood',\n fefunca: 'feFuncA',\n fefuncb: 'feFuncB',\n fefuncg: 'feFuncG',\n fefuncr: 'feFuncR',\n fegaussianblur: 'feGaussianBlur',\n feimage: 'feImage',\n femerge: 'feMerge',\n femergenode: 'feMergeNode',\n femorphology: 'feMorphology',\n feoffset: 'feOffset',\n fepointlight: 'fePointLight',\n fespecularlighting: 'feSpecularLighting',\n fespotlight: 'feSpotLight',\n fetile: 'feTile',\n feturbulence: 'feTurbulence',\n foreignobject: 'foreignObject',\n glyphref: 'glyphRef',\n lineargradient: 'linearGradient',\n radialgradient: 'radialGradient'\n};\nfunction getTagName(n) {\n var tagName = tagMap[n.tagName] ? tagMap[n.tagName] : n.tagName;\n if (tagName === 'link' && n.attributes._cssText) {\n tagName = 'style';\n }\n return tagName;\n}\nfunction escapeRegExp(str) {\n return str.replace(/[.*+?^${}()|[\\]\\\\]/g, '\\\\$&');\n}\nvar HOVER_SELECTOR = /([^\\\\]):hover/;\nvar HOVER_SELECTOR_GLOBAL = new RegExp(HOVER_SELECTOR.source, 'g');\nfunction addHoverClass(cssText, cache) {\n var cachedStyle = cache === null || cache === void 0 ? void 0 : cache.stylesWithHoverClass.get(cssText);\n if (cachedStyle)\n return cachedStyle;\n var ast = parse(cssText, {\n silent: true\n });\n if (!ast.stylesheet) {\n return cssText;\n }\n var selectors = [];\n ast.stylesheet.rules.forEach(function (rule) {\n if ('selectors' in rule) {\n (rule.selectors || []).forEach(function (selector) {\n if (HOVER_SELECTOR.test(selector)) {\n selectors.push(selector);\n }\n });\n }\n });\n if (selectors.length === 0) {\n return cssText;\n }\n var selectorMatcher = new RegExp(selectors\n .filter(function (selector, index) { return selectors.indexOf(selector) === index; })\n .sort(function (a, b) { return b.length - a.length; })\n .map(function (selector) {\n return escapeRegExp(selector);\n })\n .join('|'), 'g');\n var result = cssText.replace(selectorMatcher, function (selector) {\n var newSelector = selector.replace(HOVER_SELECTOR_GLOBAL, '$1.\\\\:hover');\n return selector + \", \" + newSelector;\n });\n cache === null || cache === void 0 ? void 0 : cache.stylesWithHoverClass.set(cssText, result);\n return result;\n}\nfunction createCache() {\n var stylesWithHoverClass = new Map();\n return {\n stylesWithHoverClass: stylesWithHoverClass\n };\n}\nfunction buildNode(n, options) {\n var doc = options.doc, hackCss = options.hackCss, cache = options.cache;\n switch (n.type) {\n case NodeType.Document:\n return doc.implementation.createDocument(null, '', null);\n case NodeType.DocumentType:\n return doc.implementation.createDocumentType(n.name || 'html', n.publicId, n.systemId);\n case NodeType.Element:\n var tagName = getTagName(n);\n var node_1;\n if (n.isSVG) {\n node_1 = doc.createElementNS('http://www.w3.org/2000/svg', tagName);\n }\n else {\n node_1 = doc.createElement(tagName);\n }\n var _loop_1 = function (name_1) {\n if (!n.attributes.hasOwnProperty(name_1)) {\n return \"continue\";\n }\n var value = n.attributes[name_1];\n if (tagName === 'option' && name_1 === 'selected' && value === false) {\n return \"continue\";\n }\n value =\n typeof value === 'boolean' || typeof value === 'number' ? '' : value;\n if (!name_1.startsWith('rr_')) {\n var isTextarea = tagName === 'textarea' && name_1 === 'value';\n var isRemoteOrDynamicCss = tagName === 'style' && name_1 === '_cssText';\n if (isRemoteOrDynamicCss && hackCss) {\n value = addHoverClass(value, cache);\n }\n if (isTextarea || isRemoteOrDynamicCss) {\n var child = doc.createTextNode(value);\n for (var _i = 0, _a = Array.from(node_1.childNodes); _i < _a.length; _i++) {\n var c = _a[_i];\n if (c.nodeType === node_1.TEXT_NODE) {\n node_1.removeChild(c);\n }\n }\n node_1.appendChild(child);\n return \"continue\";\n }\n try {\n if (n.isSVG && name_1 === 'xlink:href') {\n node_1.setAttributeNS('http://www.w3.org/1999/xlink', name_1, value);\n }\n else if (name_1 === 'onload' ||\n name_1 === 'onclick' ||\n name_1.substring(0, 7) === 'onmouse') {\n node_1.setAttribute('_' + name_1, value);\n }\n else if (tagName === 'meta' &&\n n.attributes['http-equiv'] === 'Content-Security-Policy' &&\n name_1 === 'content') {\n node_1.setAttribute('csp-content', value);\n return \"continue\";\n }\n else if (tagName === 'link' &&\n n.attributes.rel === 'preload' &&\n n.attributes.as === 'script') {\n }\n else if (tagName === 'link' &&\n n.attributes.rel === 'prefetch' &&\n typeof n.attributes.href === 'string' &&\n n.attributes.href.endsWith('.js')) {\n }\n else if (tagName === 'img' &&\n n.attributes.srcset &&\n n.attributes.rr_dataURL) {\n node_1.setAttribute('rrweb-original-srcset', n.attributes.srcset);\n }\n else {\n node_1.setAttribute(name_1, value);\n }\n }\n catch (error) {\n }\n }\n else {\n if (tagName === 'canvas' && name_1 === 'rr_dataURL') {\n var image_1 = document.createElement('img');\n image_1.src = value;\n image_1.onload = function () {\n var ctx = node_1.getContext('2d');\n if (ctx) {\n ctx.drawImage(image_1, 0, 0, image_1.width, image_1.height);\n }\n };\n }\n else if (tagName === 'img' && name_1 === 'rr_dataURL') {\n var image = node_1;\n if (!image.currentSrc.startsWith('data:')) {\n image.setAttribute('rrweb-original-src', n.attributes.src);\n image.src = value;\n }\n }\n if (name_1 === 'rr_width') {\n node_1.style.width = value;\n }\n else if (name_1 === 'rr_height') {\n node_1.style.height = value;\n }\n else if (name_1 === 'rr_mediaCurrentTime') {\n node_1.currentTime = n.attributes\n .rr_mediaCurrentTime;\n }\n else if (name_1 === 'rr_mediaState') {\n switch (value) {\n case 'played':\n node_1\n .play()[\"catch\"](function (e) { return console.warn('media playback error', e); });\n break;\n case 'paused':\n node_1.pause();\n break;\n }\n }\n }\n };\n for (var name_1 in n.attributes) {\n _loop_1(name_1);\n }\n if (n.isShadowHost) {\n if (!node_1.shadowRoot) {\n node_1.attachShadow({ mode: 'open' });\n }\n else {\n while (node_1.shadowRoot.firstChild) {\n node_1.shadowRoot.removeChild(node_1.shadowRoot.firstChild);\n }\n }\n }\n return node_1;\n case NodeType.Text:\n return doc.createTextNode(n.isStyle && hackCss\n ? addHoverClass(n.textContent, cache)\n : n.textContent);\n case NodeType.CDATA:\n return doc.createCDATASection(n.textContent);\n case NodeType.Comment:\n return doc.createComment(n.textContent);\n default:\n return null;\n }\n}\nfunction buildNodeWithSN(n, options) {\n var doc = options.doc, map = options.map, _a = options.skipChild, skipChild = _a === void 0 ? false : _a, _b = options.hackCss, hackCss = _b === void 0 ? true : _b, afterAppend = options.afterAppend, cache = options.cache;\n var node = buildNode(n, { doc: doc, hackCss: hackCss, cache: cache });\n if (!node) {\n return null;\n }\n if (n.rootId) {\n console.assert(map[n.rootId] === doc, 'Target document should has the same root id.');\n }\n if (n.type === NodeType.Document) {\n doc.close();\n doc.open();\n if (n.compatMode === 'BackCompat' &&\n n.childNodes &&\n n.childNodes[0].type !== NodeType.DocumentType) {\n if (n.childNodes[0].type === NodeType.Element &&\n 'xmlns' in n.childNodes[0].attributes &&\n n.childNodes[0].attributes.xmlns === 'http://www.w3.org/1999/xhtml') {\n doc.write('');\n }\n else {\n doc.write('');\n }\n }\n node = doc;\n }\n node.__sn = n;\n map[n.id] = node;\n if ((n.type === NodeType.Document || n.type === NodeType.Element) &&\n !skipChild) {\n for (var _i = 0, _c = n.childNodes; _i < _c.length; _i++) {\n var childN = _c[_i];\n var childNode = buildNodeWithSN(childN, {\n doc: doc,\n map: map,\n skipChild: false,\n hackCss: hackCss,\n afterAppend: afterAppend,\n cache: cache\n });\n if (!childNode) {\n console.warn('Failed to rebuild', childN);\n continue;\n }\n if (childN.isShadow && isElement(node) && node.shadowRoot) {\n node.shadowRoot.appendChild(childNode);\n }\n else {\n node.appendChild(childNode);\n }\n if (afterAppend) {\n afterAppend(childNode);\n }\n }\n }\n return node;\n}\nfunction visit(idNodeMap, onVisit) {\n function walk(node) {\n onVisit(node);\n }\n for (var key in idNodeMap) {\n if (idNodeMap[key]) {\n walk(idNodeMap[key]);\n }\n }\n}\nfunction handleScroll(node) {\n var n = node.__sn;\n if (n.type !== NodeType.Element) {\n return;\n }\n var el = node;\n for (var name_2 in n.attributes) {\n if (!(n.attributes.hasOwnProperty(name_2) && name_2.startsWith('rr_'))) {\n continue;\n }\n var value = n.attributes[name_2];\n if (name_2 === 'rr_scrollLeft') {\n el.scrollLeft = value;\n }\n if (name_2 === 'rr_scrollTop') {\n el.scrollTop = value;\n }\n }\n}\nfunction rebuild(n, options) {\n var doc = options.doc, onVisit = options.onVisit, _a = options.hackCss, hackCss = _a === void 0 ? true : _a, afterAppend = options.afterAppend, cache = options.cache;\n var idNodeMap = {};\n var node = buildNodeWithSN(n, {\n doc: doc,\n map: idNodeMap,\n skipChild: false,\n hackCss: hackCss,\n afterAppend: afterAppend,\n cache: cache\n });\n visit(idNodeMap, function (visitedNode) {\n if (onVisit) {\n onVisit(visitedNode);\n }\n handleScroll(visitedNode);\n });\n return [node, idNodeMap];\n}\n\nexport { IGNORED_NODE, NodeType, addHoverClass, buildNodeWithSN, cleanupSnapshot, createCache, is2DCanvasBlank, isElement, isShadowRoot, maskInputValue, needMaskingText, rebuild, serializeNodeWithId, snapshot, transformAttribute, visitSnapshot };\n","// \n// An event handler can take an optional event argument\n// and should not return a value\n \n \n\n// An array of all currently registered event handlers for a type\n \n \n// A map of event types and their corresponding event handlers.\n \n \n \n \n\n/** Mitt: Tiny (~200b) functional event emitter / pubsub.\n * @name mitt\n * @returns {Mitt}\n */\nfunction mitt(all ) {\n\tall = all || Object.create(null);\n\n\treturn {\n\t\t/**\n\t\t * Register an event handler for the given type.\n\t\t *\n\t\t * @param {String} type\tType of event to listen for, or `\"*\"` for all events\n\t\t * @param {Function} handler Function to call in response to given event\n\t\t * @memberOf mitt\n\t\t */\n\t\ton: function on(type , handler ) {\n\t\t\t(all[type] || (all[type] = [])).push(handler);\n\t\t},\n\n\t\t/**\n\t\t * Remove an event handler for the given type.\n\t\t *\n\t\t * @param {String} type\tType of event to unregister `handler` from, or `\"*\"`\n\t\t * @param {Function} handler Handler function to remove\n\t\t * @memberOf mitt\n\t\t */\n\t\toff: function off(type , handler ) {\n\t\t\tif (all[type]) {\n\t\t\t\tall[type].splice(all[type].indexOf(handler) >>> 0, 1);\n\t\t\t}\n\t\t},\n\n\t\t/**\n\t\t * Invoke all handlers for the given type.\n\t\t * If present, `\"*\"` handlers are invoked after type-matched handlers.\n\t\t *\n\t\t * @param {String} type The event type to invoke\n\t\t * @param {Any} [evt] Any value (object is recommended and powerful), passed to each handler\n\t\t * @memberOf mitt\n\t\t */\n\t\temit: function emit(type , evt ) {\n\t\t\t(all[type] || []).slice().map(function (handler) { handler(evt); });\n\t\t\t(all['*'] || []).slice().map(function (handler) { handler(type, evt); });\n\t\t}\n\t};\n}\n\nexport default mitt;\n//# sourceMappingURL=mitt.es.js.map\n","import {\n serializedNodeWithId,\n idNodeMap,\n INode,\n MaskInputOptions,\n SlimDOMOptions,\n MaskInputFn,\n MaskTextFn,\n} from 'rrweb-snapshot';\nimport { PackFn, UnpackFn } from './packer/base';\nimport { IframeManager } from './record/iframe-manager';\nimport { ShadowDomManager } from './record/shadow-dom-manager';\nimport type { Replayer } from './replay';\nimport { CanvasManager } from './record/observers/canvas/canvas-manager';\n\nexport enum EventType {\n DomContentLoaded,\n Load,\n FullSnapshot,\n IncrementalSnapshot,\n Meta,\n Custom,\n Plugin,\n}\n\nexport type domContentLoadedEvent = {\n type: EventType.DomContentLoaded;\n data: {};\n};\n\nexport type loadedEvent = {\n type: EventType.Load;\n data: {};\n};\n\nexport type fullSnapshotEvent = {\n type: EventType.FullSnapshot;\n data: {\n node: serializedNodeWithId;\n initialOffset: {\n top: number;\n left: number;\n };\n };\n};\n\nexport type incrementalSnapshotEvent = {\n type: EventType.IncrementalSnapshot;\n data: incrementalData;\n};\n\nexport type metaEvent = {\n type: EventType.Meta;\n data: {\n href: string;\n width: number;\n height: number;\n };\n};\n\nexport type customEvent = {\n type: EventType.Custom;\n data: {\n tag: string;\n payload: T;\n };\n};\n\nexport type pluginEvent = {\n type: EventType.Plugin;\n data: {\n plugin: string;\n payload: T;\n };\n};\n\nexport type styleSheetEvent = {};\n\nexport enum IncrementalSource {\n Mutation,\n MouseMove,\n MouseInteraction,\n Scroll,\n ViewportResize,\n Input,\n TouchMove,\n MediaInteraction,\n StyleSheetRule,\n CanvasMutation,\n Font,\n Log,\n Drag,\n StyleDeclaration,\n}\n\nexport type mutationData = {\n source: IncrementalSource.Mutation;\n} & mutationCallbackParam;\n\nexport type mousemoveData = {\n source:\n | IncrementalSource.MouseMove\n | IncrementalSource.TouchMove\n | IncrementalSource.Drag;\n positions: mousePosition[];\n};\n\nexport type mouseInteractionData = {\n source: IncrementalSource.MouseInteraction;\n} & mouseInteractionParam;\n\nexport type scrollData = {\n source: IncrementalSource.Scroll;\n} & scrollPosition;\n\nexport type viewportResizeData = {\n source: IncrementalSource.ViewportResize;\n} & viewportResizeDimension;\n\nexport type inputData = {\n source: IncrementalSource.Input;\n id: number;\n} & inputValue;\n\nexport type mediaInteractionData = {\n source: IncrementalSource.MediaInteraction;\n} & mediaInteractionParam;\n\nexport type styleSheetRuleData = {\n source: IncrementalSource.StyleSheetRule;\n} & styleSheetRuleParam;\n\nexport type styleDeclarationData = {\n source: IncrementalSource.StyleDeclaration;\n} & styleDeclarationParam;\n\nexport type canvasMutationData = {\n source: IncrementalSource.CanvasMutation;\n} & canvasMutationParam;\n\nexport type fontData = {\n source: IncrementalSource.Font;\n} & fontParam;\n\nexport type incrementalData =\n | mutationData\n | mousemoveData\n | mouseInteractionData\n | scrollData\n | viewportResizeData\n | inputData\n | mediaInteractionData\n | styleSheetRuleData\n | canvasMutationData\n | fontData\n | styleDeclarationData;\n\nexport type event =\n | domContentLoadedEvent\n | loadedEvent\n | fullSnapshotEvent\n | incrementalSnapshotEvent\n | metaEvent\n | customEvent\n | pluginEvent;\n\nexport type eventWithTime = event & {\n timestamp: number;\n delay?: number;\n};\n\nexport type blockClass = string | RegExp;\n\nexport type maskTextClass = string | RegExp;\n\nexport type SamplingStrategy = Partial<{\n /**\n * false means not to record mouse/touch move events\n * number is the throttle threshold of recording mouse/touch move\n */\n mousemove: boolean | number;\n /**\n * number is the throttle threshold of mouse/touch move callback\n */\n mousemoveCallback: number;\n /**\n * false means not to record mouse interaction events\n * can also specify record some kinds of mouse interactions\n */\n mouseInteraction: boolean | Record;\n /**\n * number is the throttle threshold of recording scroll\n */\n scroll: number;\n /**\n * number is the throttle threshold of recording media interactions\n */\n media: number;\n /**\n * 'all' will record all the input events\n * 'last' will only record the last input value while input a sequence of chars\n */\n input: 'all' | 'last';\n}>;\n\nexport type RecordPlugin = {\n name: string;\n observer?: (cb: Function, win: IWindow, options: TOptions) => listenerHandler;\n eventProcessor?: (event: eventWithTime) => eventWithTime & TExtend;\n options: TOptions;\n};\n\nexport type recordOptions = {\n emit?: (e: T, isCheckout?: boolean) => void;\n checkoutEveryNth?: number;\n checkoutEveryNms?: number;\n blockClass?: blockClass;\n blockSelector?: string;\n unblockSelector?: string;\n ignoreClass?: string;\n ignoreSelector?: string;\n maskTextClass?: maskTextClass;\n maskTextSelector?: string;\n maskAllInputs?: boolean;\n maskInputSelector?: string;\n maskInputOptions?: MaskInputOptions;\n maskInputFn?: MaskInputFn;\n maskTextFn?: MaskTextFn;\n unmaskTextSelector?: string;\n unmaskInputSelector?: string;\n slimDOMOptions?: SlimDOMOptions | 'all' | true;\n inlineStylesheet?: boolean;\n hooks?: hooksParam;\n packFn?: PackFn;\n sampling?: SamplingStrategy;\n recordCanvas?: boolean;\n userTriggeredOnInput?: boolean;\n collectFonts?: boolean;\n inlineImages?: boolean;\n plugins?: RecordPlugin[];\n // departed, please use sampling options\n mousemoveWait?: number;\n keepIframeSrcFn?: KeepIframeSrcFn;\n};\n\nexport type observerParam = {\n mutationCb: mutationCallBack;\n mousemoveCb: mousemoveCallBack;\n mouseInteractionCb: mouseInteractionCallBack;\n scrollCb: scrollCallback;\n viewportResizeCb: viewportResizeCallback;\n inputCb: inputCallback;\n mediaInteractionCb: mediaInteractionCallback;\n blockClass: blockClass;\n blockSelector: string | null;\n unblockSelector: string | null;\n ignoreClass: string;\n ignoreSelector: string | null;\n maskTextClass: maskTextClass;\n maskTextSelector: string | null;\n unmaskTextSelector: string | null;\n maskInputSelector: string | null;\n unmaskInputSelector: string | null;\n maskInputOptions: MaskInputOptions;\n maskInputFn?: MaskInputFn;\n maskTextFn?: MaskTextFn;\n inlineStylesheet: boolean;\n styleSheetRuleCb: styleSheetRuleCallback;\n styleDeclarationCb: styleDeclarationCallback;\n canvasMutationCb: canvasMutationCallback;\n fontCb: fontCallback;\n sampling: SamplingStrategy;\n recordCanvas: boolean;\n inlineImages: boolean;\n userTriggeredOnInput: boolean;\n collectFonts: boolean;\n slimDOMOptions: SlimDOMOptions;\n doc: Document;\n mirror: Mirror;\n iframeManager: IframeManager;\n shadowDomManager: ShadowDomManager;\n canvasManager: CanvasManager;\n plugins: Array<{\n observer: Function;\n callback: Function;\n options: unknown;\n }>;\n};\n\nexport type MutationBufferParam = Pick<\n observerParam,\n | 'mutationCb'\n | 'blockClass'\n | 'blockSelector'\n | 'unblockSelector'\n | 'maskTextClass'\n | 'maskTextSelector'\n | 'unmaskTextSelector'\n | 'inlineStylesheet'\n | 'maskInputSelector'\n | 'unmaskInputSelector'\n | 'maskInputOptions'\n | 'maskTextFn'\n | 'maskInputFn'\n | 'recordCanvas'\n | 'inlineImages'\n | 'slimDOMOptions'\n | 'doc'\n | 'mirror'\n | 'iframeManager'\n | 'shadowDomManager'\n | 'canvasManager'\n>;\n\nexport type hooksParam = {\n mutation?: mutationCallBack;\n mousemove?: mousemoveCallBack;\n mouseInteraction?: mouseInteractionCallBack;\n scroll?: scrollCallback;\n viewportResize?: viewportResizeCallback;\n input?: inputCallback;\n mediaInteaction?: mediaInteractionCallback;\n styleSheetRule?: styleSheetRuleCallback;\n styleDeclaration?: styleDeclarationCallback;\n canvasMutation?: canvasMutationCallback;\n font?: fontCallback;\n};\n\n// https://dom.spec.whatwg.org/#interface-mutationrecord\nexport type mutationRecord = {\n type: string;\n target: Node;\n oldValue: string | null;\n addedNodes: NodeList;\n removedNodes: NodeList;\n attributeName: string | null;\n};\n\nexport type textCursor = {\n node: Node;\n value: string | null;\n};\nexport type textMutation = {\n id: number;\n value: string | null;\n};\n\nexport type styleAttributeValue = {\n [key: string]: styleValueWithPriority | string | false;\n};\n\nexport type styleValueWithPriority = [string, string];\n\nexport type attributeCursor = {\n node: Node;\n attributes: {\n [key: string]: string | styleAttributeValue | null;\n };\n};\nexport type attributeMutation = {\n id: number;\n attributes: {\n [key: string]: string | styleAttributeValue | null;\n };\n};\n\nexport type removedNodeMutation = {\n parentId: number;\n id: number;\n isShadow?: boolean;\n};\n\nexport type addedNodeMutation = {\n parentId: number;\n // Newly recorded mutations will not have previousId any more, just for compatibility\n previousId?: number | null;\n nextId: number | null;\n node: serializedNodeWithId;\n};\n\nexport type mutationCallbackParam = {\n texts: textMutation[];\n attributes: attributeMutation[];\n removes: removedNodeMutation[];\n adds: addedNodeMutation[];\n isAttachIframe?: true;\n};\n\nexport type mutationCallBack = (m: mutationCallbackParam) => void;\n\nexport type mousemoveCallBack = (\n p: mousePosition[],\n source:\n | IncrementalSource.MouseMove\n | IncrementalSource.TouchMove\n | IncrementalSource.Drag,\n) => void;\n\nexport type mousePosition = {\n x: number;\n y: number;\n id: number;\n timeOffset: number;\n};\n\nexport type mouseMovePos = {\n x: number;\n y: number;\n id: number;\n debugData: incrementalData;\n};\n\nexport enum MouseInteractions {\n MouseUp,\n MouseDown,\n Click,\n ContextMenu,\n DblClick,\n Focus,\n Blur,\n TouchStart,\n TouchMove_Departed, // we will start a separate observer for touch move event\n TouchEnd,\n TouchCancel,\n}\n\nexport enum CanvasContext {\n '2D',\n WebGL,\n WebGL2,\n}\n\nexport type SerializedWebGlArg =\n | {\n rr_type: 'ArrayBuffer';\n base64: string; // base64\n }\n | {\n rr_type: string;\n src: string; // url of image\n }\n | {\n rr_type: string;\n args: SerializedWebGlArg[];\n }\n | {\n rr_type: string;\n index: number;\n }\n | string\n | number\n | boolean\n | null\n | SerializedWebGlArg[];\n\ntype mouseInteractionParam = {\n type: MouseInteractions;\n id: number;\n x: number;\n y: number;\n};\n\nexport type mouseInteractionCallBack = (d: mouseInteractionParam) => void;\n\nexport type scrollPosition = {\n id: number;\n x: number;\n y: number;\n};\n\nexport type scrollCallback = (p: scrollPosition) => void;\n\nexport type styleSheetAddRule = {\n rule: string;\n index?: number | number[];\n};\n\nexport type styleSheetDeleteRule = {\n index: number | number[];\n};\n\nexport type styleSheetRuleParam = {\n id: number;\n removes?: styleSheetDeleteRule[];\n adds?: styleSheetAddRule[];\n};\n\nexport type styleSheetRuleCallback = (s: styleSheetRuleParam) => void;\n\nexport type styleDeclarationParam = {\n id: number;\n index: number[];\n set?: {\n property: string;\n value: string | null;\n priority: string | undefined;\n };\n remove?: {\n property: string;\n };\n};\n\nexport type styleDeclarationCallback = (s: styleDeclarationParam) => void;\n\nexport type canvasMutationCommand = {\n property: string;\n args: Array;\n setter?: true;\n};\n\nexport type canvasMutationParam =\n | {\n id: number;\n type: CanvasContext;\n commands: canvasMutationCommand[];\n }\n | ({\n id: number;\n type: CanvasContext;\n } & canvasMutationCommand);\n\nexport type canvasMutationWithType = {\n type: CanvasContext;\n} & canvasMutationCommand;\n\nexport type canvasMutationCallback = (p: canvasMutationParam) => void;\n\nexport type canvasManagerMutationCallback = (\n target: HTMLCanvasElement,\n p: canvasMutationWithType,\n) => void;\n\nexport type fontParam = {\n family: string;\n fontSource: string;\n buffer: boolean;\n descriptors?: FontFaceDescriptors;\n};\n\nexport type fontCallback = (p: fontParam) => void;\n\nexport type viewportResizeDimension = {\n width: number;\n height: number;\n};\n\nexport type viewportResizeCallback = (d: viewportResizeDimension) => void;\n\nexport type inputValue = {\n text: string;\n isChecked: boolean;\n\n // `userTriggered` indicates if this event was triggered directly by user (userTriggered: true)\n // or was triggered indirectly (userTriggered: false)\n // Example of `userTriggered` in action:\n // User clicks on radio element (userTriggered: true) which triggers the other radio element to change (userTriggered: false)\n userTriggered?: boolean;\n};\n\nexport type inputCallback = (v: inputValue & { id: number }) => void;\n\nexport const enum MediaInteractions {\n Play,\n Pause,\n Seeked,\n VolumeChange,\n}\n\nexport type mediaInteractionParam = {\n type: MediaInteractions;\n id: number;\n currentTime?: number;\n volume?: number;\n muted?: boolean;\n};\n\nexport type mediaInteractionCallback = (p: mediaInteractionParam) => void;\n\nexport type DocumentDimension = {\n x: number;\n y: number;\n // scale value relative to its parent iframe\n relativeScale: number;\n // scale value relative to the root iframe\n absoluteScale: number;\n};\n\nexport type Mirror = {\n map: idNodeMap;\n getId: (n: INode) => number;\n getNode: (id: number) => INode | null;\n removeNodeFromMap: (n: INode) => void;\n has: (id: number) => boolean;\n reset: () => void;\n};\n\nexport type throttleOptions = {\n leading?: boolean;\n trailing?: boolean;\n};\n\nexport type listenerHandler = () => void;\nexport type hookResetter = () => void;\n\nexport type ReplayPlugin = {\n handler: (\n event: eventWithTime,\n isSync: boolean,\n context: { replayer: Replayer },\n ) => void;\n};\nexport type playerConfig = {\n speed: number;\n maxSpeed: number;\n root: Element;\n loadTimeout: number;\n skipInactive: boolean;\n showWarning: boolean;\n showDebug: boolean;\n blockClass: string;\n liveMode: boolean;\n insertStyleRules: string[];\n triggerFocus: boolean;\n UNSAFE_replayCanvas: boolean;\n pauseAnimation?: boolean;\n mouseTail:\n | boolean\n | {\n duration?: number;\n lineCap?: string;\n lineWidth?: number;\n strokeStyle?: string;\n };\n unpackFn?: UnpackFn;\n plugins?: ReplayPlugin[];\n};\n\nexport type playerMetaData = {\n startTime: number;\n endTime: number;\n totalTime: number;\n};\n\nexport type missingNode = {\n node: Node;\n mutation: addedNodeMutation;\n};\nexport type missingNodeMap = {\n [id: number]: missingNode;\n};\n\nexport type actionWithDelay = {\n doAction: () => void;\n delay: number;\n};\n\nexport type Handler = (event?: unknown) => void;\n\nexport type Emitter = {\n on(type: string, handler: Handler): void;\n emit(type: string, event?: unknown): void;\n off(type: string, handler: Handler): void;\n};\n\nexport type Arguments = T extends (...payload: infer U) => unknown\n ? U\n : unknown;\n\nexport enum ReplayerEvents {\n Start = 'start',\n Pause = 'pause',\n Resume = 'resume',\n Resize = 'resize',\n Finish = 'finish',\n FullsnapshotRebuilded = 'fullsnapshot-rebuilded',\n LoadStylesheetStart = 'load-stylesheet-start',\n LoadStylesheetEnd = 'load-stylesheet-end',\n SkipStart = 'skip-start',\n SkipEnd = 'skip-end',\n MouseInteraction = 'mouse-interaction',\n EventCast = 'event-cast',\n CustomEvent = 'custom-event',\n Flush = 'flush',\n StateChange = 'state-change',\n PlayBack = 'play-back',\n}\n\n// store the state that would be changed during the process(unmount from dom and mount again)\nexport type ElementState = {\n // [scrollLeft,scrollTop]\n scroll?: [number, number];\n};\n\nexport type KeepIframeSrcFn = (src: string) => boolean;\n\ndeclare global {\n interface Window {\n FontFace: typeof FontFace;\n }\n}\n\nexport type IWindow = Window & typeof globalThis;\n\nexport type Optional = Pick, K> & Omit;\n","/**\n * A fork version of https://github.com/iamdustan/smoothscroll\n * Add support of customize target window and document\n */\n\n// @ts-nocheck\n// tslint:disable\nexport function polyfill(w: Window = window, d = document) {\n // return if scroll behavior is supported and polyfill is not forced\n if (\n 'scrollBehavior' in d.documentElement.style &&\n w.__forceSmoothScrollPolyfill__ !== true\n ) {\n return;\n }\n\n // globals\n var Element = w.HTMLElement || w.Element;\n var SCROLL_TIME = 468;\n\n // object gathering original scroll methods\n var original = {\n scroll: w.scroll || w.scrollTo,\n scrollBy: w.scrollBy,\n elementScroll: Element.prototype.scroll || scrollElement,\n scrollIntoView: Element.prototype.scrollIntoView,\n };\n\n // define timing method\n var now =\n w.performance && w.performance.now\n ? w.performance.now.bind(w.performance)\n : Date.now;\n\n /**\n * indicates if a the current browser is made by Microsoft\n * @method isMicrosoftBrowser\n * @param {String} userAgent\n * @returns {Boolean}\n */\n function isMicrosoftBrowser(userAgent) {\n var userAgentPatterns = ['MSIE ', 'Trident/', 'Edge/'];\n\n return new RegExp(userAgentPatterns.join('|')).test(userAgent);\n }\n\n /*\n * IE has rounding bug rounding down clientHeight and clientWidth and\n * rounding up scrollHeight and scrollWidth causing false positives\n * on hasScrollableSpace\n */\n var ROUNDING_TOLERANCE = isMicrosoftBrowser(w.navigator.userAgent) ? 1 : 0;\n\n /**\n * changes scroll position inside an element\n * @method scrollElement\n * @param {Number} x\n * @param {Number} y\n * @returns {undefined}\n */\n function scrollElement(x, y) {\n this.scrollLeft = x;\n this.scrollTop = y;\n }\n\n /**\n * returns result of applying ease math function to a number\n * @method ease\n * @param {Number} k\n * @returns {Number}\n */\n function ease(k) {\n return 0.5 * (1 - Math.cos(Math.PI * k));\n }\n\n /**\n * indicates if a smooth behavior should be applied\n * @method shouldBailOut\n * @param {Number|Object} firstArg\n * @returns {Boolean}\n */\n function shouldBailOut(firstArg) {\n if (\n firstArg === null ||\n typeof firstArg !== 'object' ||\n firstArg.behavior === undefined ||\n firstArg.behavior === 'auto' ||\n firstArg.behavior === 'instant'\n ) {\n // first argument is not an object/null\n // or behavior is auto, instant or undefined\n return true;\n }\n\n if (typeof firstArg === 'object' && firstArg.behavior === 'smooth') {\n // first argument is an object and behavior is smooth\n return false;\n }\n\n // throw error when behavior is not supported\n throw new TypeError(\n 'behavior member of ScrollOptions ' +\n firstArg.behavior +\n ' is not a valid value for enumeration ScrollBehavior.',\n );\n }\n\n /**\n * indicates if an element has scrollable space in the provided axis\n * @method hasScrollableSpace\n * @param {Node} el\n * @param {String} axis\n * @returns {Boolean}\n */\n function hasScrollableSpace(el, axis) {\n if (axis === 'Y') {\n return el.clientHeight + ROUNDING_TOLERANCE < el.scrollHeight;\n }\n\n if (axis === 'X') {\n return el.clientWidth + ROUNDING_TOLERANCE < el.scrollWidth;\n }\n }\n\n /**\n * indicates if an element has a scrollable overflow property in the axis\n * @method canOverflow\n * @param {Node} el\n * @param {String} axis\n * @returns {Boolean}\n */\n function canOverflow(el, axis) {\n var overflowValue = w.getComputedStyle(el, null)['overflow' + axis];\n\n return overflowValue === 'auto' || overflowValue === 'scroll';\n }\n\n /**\n * indicates if an element can be scrolled in either axis\n * @method isScrollable\n * @param {Node} el\n * @param {String} axis\n * @returns {Boolean}\n */\n function isScrollable(el) {\n var isScrollableY = hasScrollableSpace(el, 'Y') && canOverflow(el, 'Y');\n var isScrollableX = hasScrollableSpace(el, 'X') && canOverflow(el, 'X');\n\n return isScrollableY || isScrollableX;\n }\n\n /**\n * finds scrollable parent of an element\n * @method findScrollableParent\n * @param {Node} el\n * @returns {Node} el\n */\n function findScrollableParent(el) {\n while (el !== d.body && isScrollable(el) === false) {\n el = el.parentNode || el.host;\n }\n\n return el;\n }\n\n /**\n * self invoked function that, given a context, steps through scrolling\n * @method step\n * @param {Object} context\n * @returns {undefined}\n */\n function step(context) {\n var time = now();\n var value;\n var currentX;\n var currentY;\n var elapsed = (time - context.startTime) / SCROLL_TIME;\n\n // avoid elapsed times higher than one\n elapsed = elapsed > 1 ? 1 : elapsed;\n\n // apply easing to elapsed time\n value = ease(elapsed);\n\n currentX = context.startX + (context.x - context.startX) * value;\n currentY = context.startY + (context.y - context.startY) * value;\n\n context.method.call(context.scrollable, currentX, currentY);\n\n // scroll more if we have not reached our destination\n if (currentX !== context.x || currentY !== context.y) {\n w.requestAnimationFrame(step.bind(w, context));\n }\n }\n\n /**\n * scrolls window or element with a smooth behavior\n * @method smoothScroll\n * @param {Object|Node} el\n * @param {Number} x\n * @param {Number} y\n * @returns {undefined}\n */\n function smoothScroll(el, x, y) {\n var scrollable;\n var startX;\n var startY;\n var method;\n var startTime = now();\n\n // define scroll context\n if (el === d.body) {\n scrollable = w;\n startX = w.scrollX || w.pageXOffset;\n startY = w.scrollY || w.pageYOffset;\n method = original.scroll;\n } else {\n scrollable = el;\n startX = el.scrollLeft;\n startY = el.scrollTop;\n method = scrollElement;\n }\n\n // scroll looping over a frame\n step({\n scrollable: scrollable,\n method: method,\n startTime: startTime,\n startX: startX,\n startY: startY,\n x: x,\n y: y,\n });\n }\n\n // ORIGINAL METHODS OVERRIDES\n // w.scroll and w.scrollTo\n w.scroll = w.scrollTo = function () {\n // avoid action when no arguments are passed\n if (arguments[0] === undefined) {\n return;\n }\n\n // avoid smooth behavior if not required\n if (shouldBailOut(arguments[0]) === true) {\n original.scroll.call(\n w,\n arguments[0].left !== undefined\n ? arguments[0].left\n : typeof arguments[0] !== 'object'\n ? arguments[0]\n : w.scrollX || w.pageXOffset,\n // use top prop, second argument if present or fallback to scrollY\n arguments[0].top !== undefined\n ? arguments[0].top\n : arguments[1] !== undefined\n ? arguments[1]\n : w.scrollY || w.pageYOffset,\n );\n\n return;\n }\n\n // LET THE SMOOTHNESS BEGIN!\n smoothScroll.call(\n w,\n d.body,\n arguments[0].left !== undefined\n ? ~~arguments[0].left\n : w.scrollX || w.pageXOffset,\n arguments[0].top !== undefined\n ? ~~arguments[0].top\n : w.scrollY || w.pageYOffset,\n );\n };\n\n // w.scrollBy\n w.scrollBy = function () {\n // avoid action when no arguments are passed\n if (arguments[0] === undefined) {\n return;\n }\n\n // avoid smooth behavior if not required\n if (shouldBailOut(arguments[0])) {\n original.scrollBy.call(\n w,\n arguments[0].left !== undefined\n ? arguments[0].left\n : typeof arguments[0] !== 'object'\n ? arguments[0]\n : 0,\n arguments[0].top !== undefined\n ? arguments[0].top\n : arguments[1] !== undefined\n ? arguments[1]\n : 0,\n );\n\n return;\n }\n\n // LET THE SMOOTHNESS BEGIN!\n smoothScroll.call(\n w,\n d.body,\n ~~arguments[0].left + (w.scrollX || w.pageXOffset),\n ~~arguments[0].top + (w.scrollY || w.pageYOffset),\n );\n };\n\n // Element.prototype.scroll and Element.prototype.scrollTo\n Element.prototype.scroll = Element.prototype.scrollTo = function () {\n // avoid action when no arguments are passed\n if (arguments[0] === undefined) {\n return;\n }\n\n // avoid smooth behavior if not required\n if (shouldBailOut(arguments[0]) === true) {\n // if one number is passed, throw error to match Firefox implementation\n if (typeof arguments[0] === 'number' && arguments[1] === undefined) {\n throw new SyntaxError('Value could not be converted');\n }\n\n original.elementScroll.call(\n this,\n // use left prop, first number argument or fallback to scrollLeft\n arguments[0].left !== undefined\n ? ~~arguments[0].left\n : typeof arguments[0] !== 'object'\n ? ~~arguments[0]\n : this.scrollLeft,\n // use top prop, second argument or fallback to scrollTop\n arguments[0].top !== undefined\n ? ~~arguments[0].top\n : arguments[1] !== undefined\n ? ~~arguments[1]\n : this.scrollTop,\n );\n\n return;\n }\n\n var left = arguments[0].left;\n var top = arguments[0].top;\n\n // LET THE SMOOTHNESS BEGIN!\n smoothScroll.call(\n this,\n this,\n typeof left === 'undefined' ? this.scrollLeft : ~~left,\n typeof top === 'undefined' ? this.scrollTop : ~~top,\n );\n };\n\n // Element.prototype.scrollBy\n Element.prototype.scrollBy = function () {\n // avoid action when no arguments are passed\n if (arguments[0] === undefined) {\n return;\n }\n\n // avoid smooth behavior if not required\n if (shouldBailOut(arguments[0]) === true) {\n original.elementScroll.call(\n this,\n arguments[0].left !== undefined\n ? ~~arguments[0].left + this.scrollLeft\n : ~~arguments[0] + this.scrollLeft,\n arguments[0].top !== undefined\n ? ~~arguments[0].top + this.scrollTop\n : ~~arguments[1] + this.scrollTop,\n );\n\n return;\n }\n\n this.scroll({\n left: ~~arguments[0].left + this.scrollLeft,\n top: ~~arguments[0].top + this.scrollTop,\n behavior: arguments[0].behavior,\n });\n };\n\n // Element.prototype.scrollIntoView\n Element.prototype.scrollIntoView = function () {\n // avoid smooth behavior if not required\n if (shouldBailOut(arguments[0]) === true) {\n original.scrollIntoView.call(\n this,\n arguments[0] === undefined ? true : arguments[0],\n );\n\n return;\n }\n\n // LET THE SMOOTHNESS BEGIN!\n var scrollableParent = findScrollableParent(this);\n var parentRects = scrollableParent.getBoundingClientRect();\n var clientRects = this.getBoundingClientRect();\n\n if (scrollableParent !== d.body) {\n // reveal element inside parent\n smoothScroll.call(\n this,\n scrollableParent,\n scrollableParent.scrollLeft + clientRects.left - parentRects.left,\n scrollableParent.scrollTop + clientRects.top - parentRects.top,\n );\n\n // reveal parent in viewport unless is fixed\n if (w.getComputedStyle(scrollableParent).position !== 'fixed') {\n w.scrollBy({\n left: parentRects.left,\n top: parentRects.top,\n behavior: 'smooth',\n });\n }\n } else {\n // reveal element in viewport\n w.scrollBy({\n left: clientRects.left,\n top: clientRects.top,\n behavior: 'smooth',\n });\n }\n };\n}\n","import {\n actionWithDelay,\n eventWithTime,\n EventType,\n IncrementalSource,\n} from '../types';\n\nexport class Timer {\n public timeOffset: number = 0;\n public speed: number;\n\n private actions: actionWithDelay[];\n private raf: number | null = null;\n private liveMode: boolean;\n\n constructor(actions: actionWithDelay[] = [], speed: number) {\n this.actions = actions;\n this.speed = speed;\n }\n /**\n * Add an action after the timer starts.\n * @param action\n */\n public addAction(action: actionWithDelay) {\n const index = this.findActionIndex(action);\n this.actions.splice(index, 0, action);\n }\n /**\n * Add all actions before the timer starts\n * @param actions\n */\n public addActions(actions: actionWithDelay[]) {\n this.actions = this.actions.concat(actions);\n }\n\n public start() {\n this.timeOffset = 0;\n let lastTimestamp = performance.now();\n const { actions } = this;\n const self = this;\n function check() {\n const time = performance.now();\n self.timeOffset += (time - lastTimestamp) * self.speed;\n lastTimestamp = time;\n while (actions.length) {\n const action = actions[0];\n\n if (self.timeOffset >= action.delay) {\n actions.shift();\n action.doAction();\n } else {\n break;\n }\n }\n if (actions.length > 0 || self.liveMode) {\n self.raf = requestAnimationFrame(check);\n }\n }\n this.raf = requestAnimationFrame(check);\n }\n\n public clear() {\n if (this.raf) {\n cancelAnimationFrame(this.raf);\n this.raf = null;\n }\n this.actions.length = 0;\n }\n\n public setSpeed(speed: number) {\n this.speed = speed;\n }\n\n public toggleLiveMode(mode: boolean) {\n this.liveMode = mode;\n }\n\n public isActive() {\n return this.raf !== null;\n }\n\n private findActionIndex(action: actionWithDelay): number {\n let start = 0;\n let end = this.actions.length - 1;\n while (start <= end) {\n let mid = Math.floor((start + end) / 2);\n if (this.actions[mid].delay < action.delay) {\n start = mid + 1;\n } else if (this.actions[mid].delay > action.delay) {\n end = mid - 1;\n } else {\n // already an action with same delay (timestamp)\n // the plus one will splice the new one after the existing one\n return mid + 1;\n }\n }\n return start;\n }\n}\n\n// TODO: add speed to mouse move timestamp calculation\nexport function addDelay(event: eventWithTime, baselineTime: number): number {\n // Mouse move events was recorded in a throttle function,\n // so we need to find the real timestamp by traverse the time offsets.\n if (\n event.type === EventType.IncrementalSnapshot &&\n event.data.source === IncrementalSource.MouseMove\n ) {\n const firstOffset = event.data.positions[0].timeOffset;\n // timeOffset is a negative offset to event.timestamp\n const firstTimestamp = event.timestamp + firstOffset;\n event.delay = firstTimestamp - baselineTime;\n return firstTimestamp - baselineTime;\n }\n\n event.delay = event.timestamp - baselineTime;\n return event.delay;\n}\n","/*! *****************************************************************************\nCopyright (c) Microsoft Corporation.\n\nPermission to use, copy, modify, and/or distribute this software for any\npurpose with or without fee is hereby granted.\n\nTHE SOFTWARE IS PROVIDED \"AS IS\" AND THE AUTHOR DISCLAIMS ALL WARRANTIES WITH\nREGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF MERCHANTABILITY\nAND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR ANY SPECIAL, DIRECT,\nINDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES WHATSOEVER RESULTING FROM\nLOSS OF USE, DATA OR PROFITS, WHETHER IN AN ACTION OF CONTRACT, NEGLIGENCE OR\nOTHER TORTIOUS ACTION, ARISING OUT OF OR IN CONNECTION WITH THE USE OR\nPERFORMANCE OF THIS SOFTWARE.\n***************************************************************************** */\nfunction t(t,n){var e=\"function\"==typeof Symbol&&t[Symbol.iterator];if(!e)return t;var r,o,i=e.call(t),a=[];try{for(;(void 0===n||n-- >0)&&!(r=i.next()).done;)a.push(r.value)}catch(t){o={error:t}}finally{try{r&&!r.done&&(e=i.return)&&e.call(i)}finally{if(o)throw o.error}}return a}var n;!function(t){t[t.NotStarted=0]=\"NotStarted\",t[t.Running=1]=\"Running\",t[t.Stopped=2]=\"Stopped\"}(n||(n={}));var e={type:\"xstate.init\"};function r(t){return void 0===t?[]:[].concat(t)}function o(t){return{type:\"xstate.assign\",assignment:t}}function i(t,n){return\"string\"==typeof(t=\"string\"==typeof t&&n&&n[t]?n[t]:t)?{type:t}:\"function\"==typeof t?{type:t.name,exec:t}:t}function a(t){return function(n){return t===n}}function u(t){return\"string\"==typeof t?{type:t}:t}function c(t,n){return{value:t,context:n,actions:[],changed:!1,matches:a(t)}}function f(t,n,e){var r=n,o=!1;return[t.filter((function(t){if(\"xstate.assign\"===t.type){o=!0;var n=Object.assign({},r);return\"function\"==typeof t.assignment?n=t.assignment(r,e):Object.keys(t.assignment).forEach((function(o){n[o]=\"function\"==typeof t.assignment[o]?t.assignment[o](r,e):t.assignment[o]})),r=n,!1}return!0})),r,o]}function s(n,o){void 0===o&&(o={});var s=t(f(r(n.states[n.initial].entry).map((function(t){return i(t,o.actions)})),n.context,e),2),l=s[0],v=s[1],y={config:n,_options:o,initialState:{value:n.initial,actions:l,context:v,matches:a(n.initial)},transition:function(e,o){var s,l,v=\"string\"==typeof e?{value:e,context:n.context}:e,p=v.value,g=v.context,d=u(o),x=n.states[p];if(x.on){var m=r(x.on[d.type]);try{for(var h=function(t){var n=\"function\"==typeof Symbol&&Symbol.iterator,e=n&&t[n],r=0;if(e)return e.call(t);if(t&&\"number\"==typeof t.length)return{next:function(){return t&&r>=t.length&&(t=void 0),{value:t&&t[r++],done:!t}}};throw new TypeError(n?\"Object is not iterable.\":\"Symbol.iterator is not defined.\")}(m),b=h.next();!b.done;b=h.next()){var S=b.value;if(void 0===S)return c(p,g);var w=\"string\"==typeof S?{target:S}:S,j=w.target,E=w.actions,R=void 0===E?[]:E,N=w.cond,O=void 0===N?function(){return!0}:N,_=void 0===j,k=null!=j?j:p,T=n.states[k];if(O(g,d)){var q=t(f((_?r(R):[].concat(x.exit,R,T.entry).filter((function(t){return t}))).map((function(t){return i(t,y._options.actions)})),g,d),3),z=q[0],A=q[1],B=q[2],C=null!=j?j:p;return{value:C,context:A,actions:z,changed:j!==p||z.length>0||B,matches:a(C)}}}}catch(t){s={error:t}}finally{try{b&&!b.done&&(l=h.return)&&l.call(h)}finally{if(s)throw s.error}}}return c(p,g)}};return y}var l=function(t,n){return t.actions.forEach((function(e){var r=e.exec;return r&&r(t.context,n)}))};function v(t){var r=t.initialState,o=n.NotStarted,i=new Set,c={_machine:t,send:function(e){o===n.Running&&(r=t.transition(r,e),l(r,u(e)),i.forEach((function(t){return t(r)})))},subscribe:function(t){return i.add(t),t(r),{unsubscribe:function(){return i.delete(t)}}},start:function(i){if(i){var u=\"object\"==typeof i?i:{context:t.config.context,value:i};r={value:u.value,actions:[],context:u.context,matches:a(u.value)}}return o=n.Running,l(r,e),c},stop:function(){return o=n.Stopped,i.clear(),c},get state(){return r},get status(){return o}};return c}export{n as InterpreterStatus,o as assign,s as createMachine,v as interpret};\n","import { createMachine, interpret, assign, StateMachine } from '@xstate/fsm';\nimport {\n playerConfig,\n eventWithTime,\n actionWithDelay,\n ReplayerEvents,\n EventType,\n Emitter,\n IncrementalSource,\n} from '../types';\nimport { Timer, addDelay } from './timer';\n\nexport type PlayerContext = {\n events: eventWithTime[];\n timer: Timer;\n timeOffset: number;\n baselineTime: number;\n lastPlayedEvent: eventWithTime | null;\n};\nexport type PlayerEvent =\n | {\n type: 'PLAY';\n payload: {\n timeOffset: number;\n };\n }\n | {\n type: 'CAST_EVENT';\n payload: {\n event: eventWithTime;\n };\n }\n | { type: 'PAUSE' }\n | { type: 'TO_LIVE'; payload: { baselineTime?: number } }\n | {\n type: 'ADD_EVENT';\n payload: {\n event: eventWithTime;\n };\n }\n | {\n type: 'END';\n };\nexport type PlayerState =\n | {\n value: 'playing';\n context: PlayerContext;\n }\n | {\n value: 'paused';\n context: PlayerContext;\n }\n | {\n value: 'live';\n context: PlayerContext;\n };\n\n/**\n * If the array have multiple meta and fullsnapshot events,\n * return the events from last meta to the end.\n */\nexport function discardPriorSnapshots(\n events: eventWithTime[],\n baselineTime: number,\n): eventWithTime[] {\n for (let idx = events.length - 1; idx >= 0; idx--) {\n const event = events[idx];\n if (event.type === EventType.Meta) {\n if (event.timestamp <= baselineTime) {\n return events.slice(idx);\n }\n }\n }\n return events;\n}\n\ntype PlayerAssets = {\n emitter: Emitter;\n applyEventsSynchronously(events: Array): void;\n getCastFn(event: eventWithTime, isSync: boolean): () => void;\n};\nexport function createPlayerService(\n context: PlayerContext,\n { getCastFn, applyEventsSynchronously, emitter }: PlayerAssets,\n) {\n const playerMachine = createMachine(\n {\n id: 'player',\n context,\n initial: 'paused',\n states: {\n playing: {\n on: {\n PAUSE: {\n target: 'paused',\n actions: ['pause'],\n },\n CAST_EVENT: {\n target: 'playing',\n actions: 'castEvent',\n },\n END: {\n target: 'paused',\n actions: ['resetLastPlayedEvent', 'pause'],\n },\n ADD_EVENT: {\n target: 'playing',\n actions: ['addEvent'],\n },\n },\n },\n paused: {\n on: {\n PLAY: {\n target: 'playing',\n actions: ['recordTimeOffset', 'play'],\n },\n CAST_EVENT: {\n target: 'paused',\n actions: 'castEvent',\n },\n TO_LIVE: {\n target: 'live',\n actions: ['startLive'],\n },\n ADD_EVENT: {\n target: 'paused',\n actions: ['addEvent'],\n },\n },\n },\n live: {\n on: {\n ADD_EVENT: {\n target: 'live',\n actions: ['addEvent'],\n },\n CAST_EVENT: {\n target: 'live',\n actions: ['castEvent'],\n },\n },\n },\n },\n },\n {\n actions: {\n castEvent: assign({\n lastPlayedEvent: (ctx, event) => {\n if (event.type === 'CAST_EVENT') {\n return event.payload.event;\n }\n return ctx.lastPlayedEvent;\n },\n }),\n recordTimeOffset: assign((ctx, event) => {\n let timeOffset = ctx.timeOffset;\n if ('payload' in event && 'timeOffset' in event.payload) {\n timeOffset = event.payload.timeOffset;\n }\n return {\n ...ctx,\n timeOffset,\n baselineTime: ctx.events[0].timestamp + timeOffset,\n };\n }),\n play(ctx) {\n const { timer, events, baselineTime, lastPlayedEvent } = ctx;\n timer.clear();\n\n for (const event of events) {\n // TODO: improve this API\n addDelay(event, baselineTime);\n }\n const neededEvents = discardPriorSnapshots(events, baselineTime);\n\n let lastPlayedTimestamp = lastPlayedEvent?.timestamp;\n if (\n lastPlayedEvent?.type === EventType.IncrementalSnapshot &&\n lastPlayedEvent.data.source === IncrementalSource.MouseMove\n ) {\n lastPlayedTimestamp =\n lastPlayedEvent.timestamp +\n lastPlayedEvent.data.positions[0]?.timeOffset;\n }\n if (baselineTime < (lastPlayedTimestamp || 0)) {\n emitter.emit(ReplayerEvents.PlayBack);\n }\n\n const syncEvents = new Array();\n const actions = new Array();\n for (const event of neededEvents) {\n if (\n lastPlayedTimestamp &&\n lastPlayedTimestamp < baselineTime &&\n (event.timestamp <= lastPlayedTimestamp ||\n event === lastPlayedEvent)\n ) {\n continue;\n }\n if (event.timestamp < baselineTime) {\n syncEvents.push(event);\n } else {\n const castFn = getCastFn(event, false);\n actions.push({\n doAction: () => {\n castFn();\n },\n delay: event.delay!,\n });\n }\n }\n applyEventsSynchronously(syncEvents);\n emitter.emit(ReplayerEvents.Flush);\n timer.addActions(actions);\n timer.start();\n },\n pause(ctx) {\n ctx.timer.clear();\n },\n resetLastPlayedEvent: assign((ctx) => {\n return {\n ...ctx,\n lastPlayedEvent: null,\n };\n }),\n startLive: assign({\n baselineTime: (ctx, event) => {\n ctx.timer.toggleLiveMode(true);\n ctx.timer.start();\n if (event.type === 'TO_LIVE' && event.payload.baselineTime) {\n return event.payload.baselineTime;\n }\n return Date.now();\n },\n }),\n addEvent: assign((ctx, machineEvent) => {\n const { baselineTime, timer, events } = ctx;\n if (machineEvent.type === 'ADD_EVENT') {\n const { event } = machineEvent.payload;\n addDelay(event, baselineTime);\n\n let end = events.length - 1;\n if (!events[end] || events[end].timestamp <= event.timestamp) {\n // fast track\n events.push(event);\n } else {\n let insertionIndex = -1;\n let start = 0;\n while (start <= end) {\n let mid = Math.floor((start + end) / 2);\n if (events[mid].timestamp <= event.timestamp) {\n start = mid + 1;\n } else {\n end = mid - 1;\n }\n }\n if (insertionIndex === -1) {\n insertionIndex = start;\n }\n events.splice(insertionIndex, 0, event);\n }\n\n const isSync = event.timestamp < baselineTime;\n const castFn = getCastFn(event, isSync);\n if (isSync) {\n castFn();\n } else if (timer.isActive()) {\n timer.addAction({\n doAction: () => {\n castFn();\n },\n delay: event.delay!,\n });\n }\n }\n return { ...ctx, events };\n }),\n },\n },\n );\n return interpret(playerMachine);\n}\n\nexport type SpeedContext = {\n normalSpeed: playerConfig['speed'];\n timer: Timer;\n};\n\nexport type SpeedEvent =\n | {\n type: 'FAST_FORWARD';\n payload: { speed: playerConfig['speed'] };\n }\n | {\n type: 'BACK_TO_NORMAL';\n }\n | {\n type: 'SET_SPEED';\n payload: { speed: playerConfig['speed'] };\n };\n\nexport type SpeedState =\n | {\n value: 'normal';\n context: SpeedContext;\n }\n | {\n value: 'skipping';\n context: SpeedContext;\n };\n\nexport function createSpeedService(context: SpeedContext) {\n const speedMachine = createMachine(\n {\n id: 'speed',\n context,\n initial: 'normal',\n states: {\n normal: {\n on: {\n FAST_FORWARD: {\n target: 'skipping',\n actions: ['recordSpeed', 'setSpeed'],\n },\n SET_SPEED: {\n target: 'normal',\n actions: ['setSpeed'],\n },\n },\n },\n skipping: {\n on: {\n BACK_TO_NORMAL: {\n target: 'normal',\n actions: ['restoreSpeed'],\n },\n SET_SPEED: {\n target: 'normal',\n actions: ['setSpeed'],\n },\n },\n },\n },\n },\n {\n actions: {\n setSpeed: (ctx, event) => {\n if ('payload' in event) {\n ctx.timer.setSpeed(event.payload.speed);\n }\n },\n recordSpeed: assign({\n normalSpeed: (ctx) => ctx.timer.speed,\n }),\n restoreSpeed: (ctx) => {\n ctx.timer.setSpeed(ctx.normalSpeed);\n },\n },\n },\n );\n\n return interpret(speedMachine);\n}\n\nexport type PlayerMachineState = StateMachine.State<\n PlayerContext,\n PlayerEvent,\n PlayerState\n>;\n\nexport type SpeedMachineState = StateMachine.State<\n SpeedContext,\n SpeedEvent,\n SpeedState\n>;\n","import {\n Mirror,\n throttleOptions,\n listenerHandler,\n hookResetter,\n blockClass,\n IncrementalSource,\n addedNodeMutation,\n removedNodeMutation,\n textMutation,\n attributeMutation,\n mutationData,\n scrollData,\n inputData,\n DocumentDimension,\n IWindow,\n} from './types';\nimport {\n INode,\n IGNORED_NODE,\n serializedNodeWithId,\n NodeType,\n isShadowRoot,\n} from 'rrweb-snapshot';\n\nexport function on(\n type: string,\n fn: EventListenerOrEventListenerObject,\n target: Document | IWindow = document,\n): listenerHandler {\n const options = { capture: true, passive: true };\n target.addEventListener(type, fn, options);\n return () => target.removeEventListener(type, fn, options);\n}\n\nexport function createMirror(): Mirror {\n return {\n map: {},\n getId(n) {\n // if n is not a serialized INode, use -1 as its id.\n if (!n || !n.__sn) {\n return -1;\n }\n return n.__sn.id;\n },\n getNode(id) {\n return this.map[id] || null;\n },\n // TODO: use a weakmap to get rid of manually memory management\n removeNodeFromMap(n) {\n const id = n.__sn && n.__sn.id;\n delete this.map[id];\n if (n.childNodes) {\n n.childNodes.forEach((child) =>\n this.removeNodeFromMap((child as Node) as INode),\n );\n }\n },\n has(id) {\n return this.map.hasOwnProperty(id);\n },\n reset() {\n this.map = {};\n },\n };\n}\n\n// https://github.com/rrweb-io/rrweb/pull/407\nconst DEPARTED_MIRROR_ACCESS_WARNING =\n 'Please stop import mirror directly. Instead of that,' +\n '\\r\\n' +\n 'now you can use replayer.getMirror() to access the mirror instance of a replayer,' +\n '\\r\\n' +\n 'or you can use record.mirror to access the mirror instance during recording.';\nexport let _mirror: Mirror = {\n map: {},\n getId() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n return -1;\n },\n getNode() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n return null;\n },\n removeNodeFromMap() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n },\n has() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n return false;\n },\n reset() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n },\n};\nif (typeof window !== 'undefined' && window.Proxy && window.Reflect) {\n _mirror = new Proxy(_mirror, {\n get(target, prop, receiver) {\n if (prop === 'map') {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n }\n return Reflect.get(target, prop, receiver);\n },\n });\n}\n\n// copy from underscore and modified\nexport function throttle(\n func: (arg: T) => void,\n wait: number,\n options: throttleOptions = {},\n) {\n let timeout: ReturnType | null = null;\n let previous = 0;\n // tslint:disable-next-line: only-arrow-functions\n return function (arg: T) {\n let now = Date.now();\n if (!previous && options.leading === false) {\n previous = now;\n }\n let remaining = wait - (now - previous);\n let context = this;\n let args = arguments;\n if (remaining <= 0 || remaining > wait) {\n if (timeout) {\n clearTimeout(timeout);\n timeout = null;\n }\n previous = now;\n func.apply(context, args);\n } else if (!timeout && options.trailing !== false) {\n timeout = setTimeout(() => {\n previous = options.leading === false ? 0 : Date.now();\n timeout = null;\n func.apply(context, args);\n }, remaining);\n }\n };\n}\n\nexport function hookSetter(\n target: T,\n key: string | number | symbol,\n d: PropertyDescriptor,\n isRevoked?: boolean,\n win = window,\n): hookResetter {\n const original = win.Object.getOwnPropertyDescriptor(target, key);\n win.Object.defineProperty(\n target,\n key,\n isRevoked\n ? d\n : {\n set(value) {\n // put hooked setter into event loop to avoid of set latency\n setTimeout(() => {\n d.set!.call(this, value);\n }, 0);\n if (original && original.set) {\n original.set.call(this, value);\n }\n },\n },\n );\n return () => hookSetter(target, key, original || {}, true);\n}\n\n// copy from https://github.com/getsentry/sentry-javascript/blob/b2109071975af8bf0316d3b5b38f519bdaf5dc15/packages/utils/src/object.ts\nexport function patch(\n // tslint:disable-next-line:no-any\n source: { [key: string]: any },\n name: string,\n // tslint:disable-next-line:no-any\n replacement: (...args: any[]) => any,\n): () => void {\n try {\n if (!(name in source)) {\n return () => {};\n }\n\n const original = source[name] as () => unknown;\n const wrapped = replacement(original);\n\n // Make sure it's a function first, as we need to attach an empty prototype for `defineProperties` to work\n // otherwise it'll throw \"TypeError: Object.defineProperties called on non-object\"\n // tslint:disable-next-line:strict-type-predicates\n if (typeof wrapped === 'function') {\n wrapped.prototype = wrapped.prototype || {};\n Object.defineProperties(wrapped, {\n __rrweb_original__: {\n enumerable: false,\n value: original,\n },\n });\n }\n\n source[name] = wrapped;\n\n return () => {\n source[name] = original;\n };\n } catch {\n return () => {};\n // This can throw if multiple fill happens on a global object like XMLHttpRequest\n // Fixes https://github.com/getsentry/sentry-javascript/issues/2043\n }\n}\n\nexport function getWindowHeight(): number {\n return (\n window.innerHeight ||\n (document.documentElement && document.documentElement.clientHeight) ||\n (document.body && document.body.clientHeight)\n );\n}\n\nexport function getWindowWidth(): number {\n return (\n window.innerWidth ||\n (document.documentElement && document.documentElement.clientWidth) ||\n (document.body && document.body.clientWidth)\n );\n}\n\nexport function isBlocked(node: Node | null, blockClass: blockClass): boolean {\n if (!node) {\n return false;\n }\n if (node.nodeType === node.ELEMENT_NODE) {\n let needBlock = false;\n if (typeof blockClass === 'string') {\n if ((node as HTMLElement).closest !== undefined) {\n return (node as HTMLElement).closest('.' + blockClass) !== null;\n } else {\n needBlock = (node as HTMLElement).classList.contains(blockClass);\n }\n } else {\n (node as HTMLElement).classList.forEach((className) => {\n if (blockClass.test(className)) {\n needBlock = true;\n }\n });\n }\n return needBlock || isBlocked(node.parentNode, blockClass);\n }\n if (node.nodeType === node.TEXT_NODE) {\n // check parent node since text node do not have class name\n return isBlocked(node.parentNode, blockClass);\n }\n return isBlocked(node.parentNode, blockClass);\n}\n\nexport function isIgnored(n: Node | INode): boolean {\n if ('__sn' in n) {\n return (n as INode).__sn.id === IGNORED_NODE;\n }\n // The main part of the slimDOM check happens in\n // rrweb-snapshot::serializeNodeWithId\n return false;\n}\n\nexport function isAncestorRemoved(target: INode, mirror: Mirror): boolean {\n if (isShadowRoot(target)) {\n return false;\n }\n const id = mirror.getId(target);\n if (!mirror.has(id)) {\n return true;\n }\n if (\n target.parentNode &&\n target.parentNode.nodeType === target.DOCUMENT_NODE\n ) {\n return false;\n }\n // if the root is not document, it means the node is not in the DOM tree anymore\n if (!target.parentNode) {\n return true;\n }\n return isAncestorRemoved((target.parentNode as unknown) as INode, mirror);\n}\n\nexport function isTouchEvent(\n event: MouseEvent | TouchEvent,\n): event is TouchEvent {\n return Boolean((event as TouchEvent).changedTouches);\n}\n\nexport function polyfill(win = window) {\n if ('NodeList' in win && !win.NodeList.prototype.forEach) {\n win.NodeList.prototype.forEach = (Array.prototype\n .forEach as unknown) as NodeList['forEach'];\n }\n\n if ('DOMTokenList' in win && !win.DOMTokenList.prototype.forEach) {\n win.DOMTokenList.prototype.forEach = (Array.prototype\n .forEach as unknown) as DOMTokenList['forEach'];\n }\n\n // https://github.com/Financial-Times/polyfill-service/pull/183\n if (!Node.prototype.contains) {\n Node.prototype.contains = function contains(node) {\n if (!(0 in arguments)) {\n throw new TypeError('1 argument is required');\n }\n\n do {\n if (this === node) {\n return true;\n }\n // tslint:disable-next-line: no-conditional-assignment\n } while ((node = node && node.parentNode));\n\n return false;\n };\n }\n}\n\nexport type TreeNode = {\n id: number;\n mutation: addedNodeMutation;\n parent?: TreeNode;\n children: Record;\n texts: textMutation[];\n attributes: attributeMutation[];\n};\nexport class TreeIndex {\n public tree!: Record;\n\n private removeNodeMutations!: removedNodeMutation[];\n private textMutations!: textMutation[];\n private attributeMutations!: attributeMutation[];\n private indexes!: Map;\n private removeIdSet!: Set;\n private scrollMap!: Map;\n private inputMap!: Map;\n\n constructor() {\n this.reset();\n }\n\n public add(mutation: addedNodeMutation) {\n const parentTreeNode = this.indexes.get(mutation.parentId);\n const treeNode: TreeNode = {\n id: mutation.node.id,\n mutation,\n children: [],\n texts: [],\n attributes: [],\n };\n if (!parentTreeNode) {\n this.tree[treeNode.id] = treeNode;\n } else {\n treeNode.parent = parentTreeNode;\n parentTreeNode.children[treeNode.id] = treeNode;\n }\n this.indexes.set(treeNode.id, treeNode);\n }\n\n public remove(mutation: removedNodeMutation, mirror: Mirror) {\n const parentTreeNode = this.indexes.get(mutation.parentId);\n const treeNode = this.indexes.get(mutation.id);\n\n const deepRemoveFromMirror = (id: number) => {\n this.removeIdSet.add(id);\n const node = mirror.getNode(id);\n node?.childNodes.forEach((childNode) => {\n if ('__sn' in childNode) {\n deepRemoveFromMirror(((childNode as unknown) as INode).__sn.id);\n }\n });\n };\n const deepRemoveFromTreeIndex = (node: TreeNode) => {\n this.removeIdSet.add(node.id);\n Object.values(node.children).forEach((n) => deepRemoveFromTreeIndex(n));\n const _treeNode = this.indexes.get(node.id);\n if (_treeNode) {\n const _parentTreeNode = _treeNode.parent;\n if (_parentTreeNode) {\n delete _treeNode.parent;\n delete _parentTreeNode.children[_treeNode.id];\n this.indexes.delete(mutation.id);\n }\n }\n };\n\n if (!treeNode) {\n this.removeNodeMutations.push(mutation);\n deepRemoveFromMirror(mutation.id);\n } else if (!parentTreeNode) {\n delete this.tree[treeNode.id];\n this.indexes.delete(treeNode.id);\n deepRemoveFromTreeIndex(treeNode);\n } else {\n delete treeNode.parent;\n delete parentTreeNode.children[treeNode.id];\n this.indexes.delete(mutation.id);\n deepRemoveFromTreeIndex(treeNode);\n }\n }\n\n public text(mutation: textMutation) {\n const treeNode = this.indexes.get(mutation.id);\n if (treeNode) {\n treeNode.texts.push(mutation);\n } else {\n this.textMutations.push(mutation);\n }\n }\n\n public attribute(mutation: attributeMutation) {\n const treeNode = this.indexes.get(mutation.id);\n if (treeNode) {\n treeNode.attributes.push(mutation);\n } else {\n this.attributeMutations.push(mutation);\n }\n }\n\n public scroll(d: scrollData) {\n this.scrollMap.set(d.id, d);\n }\n\n public input(d: inputData) {\n this.inputMap.set(d.id, d);\n }\n\n public flush(): {\n mutationData: mutationData;\n scrollMap: TreeIndex['scrollMap'];\n inputMap: TreeIndex['inputMap'];\n } {\n const {\n tree,\n removeNodeMutations,\n textMutations,\n attributeMutations,\n } = this;\n\n const batchMutationData: mutationData = {\n source: IncrementalSource.Mutation,\n removes: removeNodeMutations,\n texts: textMutations,\n attributes: attributeMutations,\n adds: [],\n };\n\n const walk = (treeNode: TreeNode, removed: boolean) => {\n if (removed) {\n this.removeIdSet.add(treeNode.id);\n }\n batchMutationData.texts = batchMutationData.texts\n .concat(removed ? [] : treeNode.texts)\n .filter((m) => !this.removeIdSet.has(m.id));\n batchMutationData.attributes = batchMutationData.attributes\n .concat(removed ? [] : treeNode.attributes)\n .filter((m) => !this.removeIdSet.has(m.id));\n if (\n !this.removeIdSet.has(treeNode.id) &&\n !this.removeIdSet.has(treeNode.mutation.parentId) &&\n !removed\n ) {\n batchMutationData.adds.push(treeNode.mutation);\n if (treeNode.children) {\n Object.values(treeNode.children).forEach((n) => walk(n, false));\n }\n } else {\n Object.values(treeNode.children).forEach((n) => walk(n, true));\n }\n };\n\n Object.values(tree).forEach((n) => walk(n, false));\n\n for (const id of this.scrollMap.keys()) {\n if (this.removeIdSet.has(id)) {\n this.scrollMap.delete(id);\n }\n }\n for (const id of this.inputMap.keys()) {\n if (this.removeIdSet.has(id)) {\n this.inputMap.delete(id);\n }\n }\n\n const scrollMap = new Map(this.scrollMap);\n const inputMap = new Map(this.inputMap);\n\n this.reset();\n\n return {\n mutationData: batchMutationData,\n scrollMap,\n inputMap,\n };\n }\n\n private reset() {\n this.tree = [];\n this.indexes = new Map();\n this.removeNodeMutations = [];\n this.textMutations = [];\n this.attributeMutations = [];\n this.removeIdSet = new Set();\n this.scrollMap = new Map();\n this.inputMap = new Map();\n }\n\n public idRemoved(id: number): boolean {\n return this.removeIdSet.has(id);\n }\n}\n\ntype ResolveTree = {\n value: addedNodeMutation;\n children: ResolveTree[];\n parent: ResolveTree | null;\n};\n\nexport function queueToResolveTrees(queue: addedNodeMutation[]): ResolveTree[] {\n const queueNodeMap: Record = {};\n const putIntoMap = (\n m: addedNodeMutation,\n parent: ResolveTree | null,\n ): ResolveTree => {\n const nodeInTree: ResolveTree = {\n value: m,\n parent,\n children: [],\n };\n queueNodeMap[m.node.id] = nodeInTree;\n return nodeInTree;\n };\n\n const queueNodeTrees: ResolveTree[] = [];\n for (const mutation of queue) {\n const { nextId, parentId } = mutation;\n if (nextId && nextId in queueNodeMap) {\n const nextInTree = queueNodeMap[nextId];\n if (nextInTree.parent) {\n const idx = nextInTree.parent.children.indexOf(nextInTree);\n nextInTree.parent.children.splice(\n idx,\n 0,\n putIntoMap(mutation, nextInTree.parent),\n );\n } else {\n const idx = queueNodeTrees.indexOf(nextInTree);\n queueNodeTrees.splice(idx, 0, putIntoMap(mutation, null));\n }\n continue;\n }\n if (parentId in queueNodeMap) {\n const parentInTree = queueNodeMap[parentId];\n parentInTree.children.push(putIntoMap(mutation, parentInTree));\n continue;\n }\n queueNodeTrees.push(putIntoMap(mutation, null));\n }\n\n return queueNodeTrees;\n}\n\nexport function iterateResolveTree(\n tree: ResolveTree,\n cb: (mutation: addedNodeMutation) => unknown,\n) {\n cb(tree.value);\n /**\n * The resolve tree was designed to reflect the DOM layout,\n * but we need append next sibling first, so we do a reverse\n * loop here.\n */\n for (let i = tree.children.length - 1; i >= 0; i--) {\n iterateResolveTree(tree.children[i], cb);\n }\n}\n\ntype HTMLIFrameINode = HTMLIFrameElement & {\n __sn: serializedNodeWithId;\n};\nexport type AppendedIframe = {\n mutationInQueue: addedNodeMutation;\n builtNode: HTMLIFrameINode;\n};\n\nexport function isIframeINode(\n node: INode | ShadowRoot,\n): node is HTMLIFrameINode {\n if ('__sn' in node) {\n return (\n node.__sn.type === NodeType.Element && node.__sn.tagName === 'iframe'\n );\n }\n // node can be document fragment when using the virtual parent feature\n return false;\n}\n\nexport function getBaseDimension(\n node: Node,\n rootIframe: Node,\n): DocumentDimension {\n const frameElement = node.ownerDocument?.defaultView?.frameElement;\n if (!frameElement || frameElement === rootIframe) {\n return {\n x: 0,\n y: 0,\n relativeScale: 1,\n absoluteScale: 1,\n };\n }\n\n const frameDimension = frameElement.getBoundingClientRect();\n const frameBaseDimension = getBaseDimension(frameElement, rootIframe);\n // the iframe element may have a scale transform\n const relativeScale = frameDimension.height / frameElement.clientHeight;\n return {\n x:\n frameDimension.x * frameBaseDimension.relativeScale +\n frameBaseDimension.x,\n y:\n frameDimension.y * frameBaseDimension.relativeScale +\n frameBaseDimension.y,\n relativeScale,\n absoluteScale: frameBaseDimension.absoluteScale * relativeScale,\n };\n}\n\nexport function hasShadowRoot(\n n: T,\n): n is T & { shadowRoot: ShadowRoot } {\n return Boolean(((n as unknown) as Element)?.shadowRoot);\n}\n","const rules: (blockClass: string) => string[] = (blockClass: string) => [\n `.${blockClass} { background: currentColor }`,\n 'noscript { display: none !important; }',\n];\n\nexport default rules;\n","import { INode } from 'rrweb-snapshot';\n\nexport enum StyleRuleType {\n Insert,\n Remove,\n Snapshot,\n SetProperty,\n RemoveProperty,\n}\n\ntype InsertRule = {\n cssText: string;\n type: StyleRuleType.Insert;\n index?: number | number[];\n};\ntype RemoveRule = {\n type: StyleRuleType.Remove;\n index: number | number[];\n};\ntype SnapshotRule = {\n type: StyleRuleType.Snapshot;\n cssTexts: string[];\n};\ntype SetPropertyRule = {\n type: StyleRuleType.SetProperty;\n index: number[];\n property: string;\n value: string | null;\n priority: string | undefined;\n};\ntype RemovePropertyRule = {\n type: StyleRuleType.RemoveProperty;\n index: number[];\n property: string;\n};\n\nexport type VirtualStyleRules = Array<\n InsertRule | RemoveRule | SnapshotRule | SetPropertyRule | RemovePropertyRule\n>;\nexport type VirtualStyleRulesMap = Map;\n\nexport function getNestedRule(\n rules: CSSRuleList,\n position: number[],\n): CSSGroupingRule {\n const rule = rules[position[0]] as CSSGroupingRule;\n if (position.length === 1) {\n return rule;\n } else {\n return getNestedRule(\n ((rule as CSSGroupingRule).cssRules[position[1]] as CSSGroupingRule)\n .cssRules,\n position.slice(2),\n );\n }\n}\n\nexport function getPositionsAndIndex(nestedIndex: number[]) {\n const positions = [...nestedIndex];\n const index = positions.pop();\n return { positions, index };\n}\n\nexport function applyVirtualStyleRulesToNode(\n storedRules: VirtualStyleRules,\n styleNode: HTMLStyleElement,\n) {\n const { sheet } = styleNode;\n if (!sheet) {\n // styleNode without sheet means the DOM has been removed\n // so the rules no longer need to be applied\n return;\n }\n\n storedRules.forEach((rule) => {\n if (rule.type === StyleRuleType.Insert) {\n try {\n if (Array.isArray(rule.index)) {\n const { positions, index } = getPositionsAndIndex(rule.index);\n const nestedRule = getNestedRule(sheet.cssRules, positions);\n nestedRule.insertRule(rule.cssText, index);\n } else {\n sheet.insertRule(rule.cssText, rule.index);\n }\n } catch (e) {\n /**\n * sometimes we may capture rules with browser prefix\n * insert rule with prefixs in other browsers may cause Error\n */\n }\n } else if (rule.type === StyleRuleType.Remove) {\n try {\n if (Array.isArray(rule.index)) {\n const { positions, index } = getPositionsAndIndex(rule.index);\n const nestedRule = getNestedRule(sheet.cssRules, positions);\n nestedRule.deleteRule(index || 0);\n } else {\n sheet.deleteRule(rule.index);\n }\n } catch (e) {\n /**\n * accessing styleSheet rules may cause SecurityError\n * for specific access control settings\n */\n }\n } else if (rule.type === StyleRuleType.Snapshot) {\n restoreSnapshotOfStyleRulesToNode(rule.cssTexts, styleNode);\n } else if (rule.type === StyleRuleType.SetProperty) {\n const nativeRule = (getNestedRule(\n sheet.cssRules,\n rule.index,\n ) as unknown) as CSSStyleRule;\n nativeRule.style.setProperty(rule.property, rule.value, rule.priority);\n } else if (rule.type === StyleRuleType.RemoveProperty) {\n const nativeRule = (getNestedRule(\n sheet.cssRules,\n rule.index,\n ) as unknown) as CSSStyleRule;\n nativeRule.style.removeProperty(rule.property);\n }\n });\n}\n\nfunction restoreSnapshotOfStyleRulesToNode(\n cssTexts: string[],\n styleNode: HTMLStyleElement,\n) {\n try {\n const existingRules = Array.from(styleNode.sheet?.cssRules || []).map(\n (rule) => rule.cssText,\n );\n const existingRulesReversed = Object.entries(existingRules).reverse();\n let lastMatch = existingRules.length;\n existingRulesReversed.forEach(([index, rule]) => {\n const indexOf = cssTexts.indexOf(rule);\n if (indexOf === -1 || indexOf > lastMatch) {\n try {\n styleNode.sheet?.deleteRule(Number(index));\n } catch (e) {\n /**\n * accessing styleSheet rules may cause SecurityError\n * for specific access control settings\n */\n }\n }\n lastMatch = indexOf;\n });\n cssTexts.forEach((cssText, index) => {\n try {\n if (styleNode.sheet?.cssRules[index]?.cssText !== cssText) {\n styleNode.sheet?.insertRule(cssText, index);\n }\n } catch (e) {\n /**\n * sometimes we may capture rules with browser prefix\n * insert rule with prefixs in other browsers may cause Error\n */\n }\n });\n } catch (e) {\n /**\n * accessing styleSheet rules may cause SecurityError\n * for specific access control settings\n */\n }\n}\n\nexport function storeCSSRules(\n parentElement: HTMLStyleElement,\n virtualStyleRulesMap: VirtualStyleRulesMap,\n) {\n try {\n const cssTexts = Array.from(\n (parentElement as HTMLStyleElement).sheet?.cssRules || [],\n ).map((rule) => rule.cssText);\n virtualStyleRulesMap.set((parentElement as unknown) as INode, [\n {\n type: StyleRuleType.Snapshot,\n cssTexts,\n },\n ]);\n } catch (e) {\n /**\n * accessing styleSheet rules may cause SecurityError\n * for specific access control settings\n */\n }\n}\n","/*\n * base64-arraybuffer 1.0.1 \n * Copyright (c) 2021 Niklas von Hertzen \n * Released under MIT License\n */\nvar chars = 'ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/';\n// Use a lookup table to find the index.\nvar lookup = typeof Uint8Array === 'undefined' ? [] : new Uint8Array(256);\nfor (var i = 0; i < chars.length; i++) {\n lookup[chars.charCodeAt(i)] = i;\n}\nvar encode = function (arraybuffer) {\n var bytes = new Uint8Array(arraybuffer), i, len = bytes.length, base64 = '';\n for (i = 0; i < len; i += 3) {\n base64 += chars[bytes[i] >> 2];\n base64 += chars[((bytes[i] & 3) << 4) | (bytes[i + 1] >> 4)];\n base64 += chars[((bytes[i + 1] & 15) << 2) | (bytes[i + 2] >> 6)];\n base64 += chars[bytes[i + 2] & 63];\n }\n if (len % 3 === 2) {\n base64 = base64.substring(0, base64.length - 1) + '=';\n }\n else if (len % 3 === 1) {\n base64 = base64.substring(0, base64.length - 2) + '==';\n }\n return base64;\n};\nvar decode = function (base64) {\n var bufferLength = base64.length * 0.75, len = base64.length, i, p = 0, encoded1, encoded2, encoded3, encoded4;\n if (base64[base64.length - 1] === '=') {\n bufferLength--;\n if (base64[base64.length - 2] === '=') {\n bufferLength--;\n }\n }\n var arraybuffer = new ArrayBuffer(bufferLength), bytes = new Uint8Array(arraybuffer);\n for (i = 0; i < len; i += 4) {\n encoded1 = lookup[base64.charCodeAt(i)];\n encoded2 = lookup[base64.charCodeAt(i + 1)];\n encoded3 = lookup[base64.charCodeAt(i + 2)];\n encoded4 = lookup[base64.charCodeAt(i + 3)];\n bytes[p++] = (encoded1 << 2) | (encoded2 >> 4);\n bytes[p++] = ((encoded2 & 15) << 4) | (encoded3 >> 2);\n bytes[p++] = ((encoded3 & 3) << 6) | (encoded4 & 63);\n }\n return arraybuffer;\n};\n\nexport { decode, encode };\n//# sourceMappingURL=base64-arraybuffer.es5.js.map\n","import { decode } from 'base64-arraybuffer';\nimport { Replayer } from '../';\nimport {\n CanvasContext,\n canvasMutationCommand,\n SerializedWebGlArg,\n} from '../../types';\n\n// TODO: add ability to wipe this list\ntype GLVarMap = Map;\nconst webGLVarMap: Map<\n WebGLRenderingContext | WebGL2RenderingContext,\n GLVarMap\n> = new Map();\nexport function variableListFor(\n ctx: WebGLRenderingContext | WebGL2RenderingContext,\n ctor: string,\n) {\n let contextMap = webGLVarMap.get(ctx);\n if (!contextMap) {\n contextMap = new Map();\n webGLVarMap.set(ctx, contextMap);\n }\n if (!contextMap.has(ctor)) {\n contextMap.set(ctor, []);\n }\n return contextMap.get(ctor) as any[];\n}\n\nfunction getContext(\n target: HTMLCanvasElement,\n type: CanvasContext,\n): WebGLRenderingContext | WebGL2RenderingContext | null {\n // Note to whomever is going to implement support for `contextAttributes`:\n // if `preserveDrawingBuffer` is set to true,\n // you might have to do `ctx.flush()` before every webgl canvas event\n try {\n if (type === CanvasContext.WebGL) {\n return (\n target.getContext('webgl')! || target.getContext('experimental-webgl')\n );\n }\n return target.getContext('webgl2')!;\n } catch (e) {\n return null;\n }\n}\n\nconst WebGLVariableConstructorsNames = [\n 'WebGLActiveInfo',\n 'WebGLBuffer',\n 'WebGLFramebuffer',\n 'WebGLProgram',\n 'WebGLRenderbuffer',\n 'WebGLShader',\n 'WebGLShaderPrecisionFormat',\n 'WebGLTexture',\n 'WebGLUniformLocation',\n 'WebGLVertexArrayObject',\n];\n\nfunction saveToWebGLVarMap(\n ctx: WebGLRenderingContext | WebGL2RenderingContext,\n result: any,\n) {\n if (!result?.constructor) return; // probably null or undefined\n\n const { name } = result.constructor;\n if (!WebGLVariableConstructorsNames.includes(name)) return; // not a WebGL variable\n\n const variables = variableListFor(ctx, name);\n if (!variables.includes(result)) variables.push(result);\n}\n\nexport function deserializeArg(\n imageMap: Replayer['imageMap'],\n ctx: WebGLRenderingContext | WebGL2RenderingContext,\n): (arg: SerializedWebGlArg) => any {\n return (arg: SerializedWebGlArg): any => {\n if (arg && typeof arg === 'object' && 'rr_type' in arg) {\n if ('index' in arg) {\n const { rr_type: name, index } = arg;\n return variableListFor(ctx, name)[index];\n } else if ('args' in arg) {\n const { rr_type: name, args } = arg;\n const ctor = window[name as keyof Window];\n\n return new ctor(...args.map(deserializeArg(imageMap, ctx)));\n } else if ('base64' in arg) {\n return decode(arg.base64);\n } else if ('src' in arg) {\n const image = imageMap.get(arg.src);\n if (image) {\n return image;\n } else {\n const image = new Image();\n image.src = arg.src;\n imageMap.set(arg.src, image);\n return image;\n }\n }\n } else if (Array.isArray(arg)) {\n return arg.map(deserializeArg(imageMap, ctx));\n }\n return arg;\n };\n}\n\nexport default function webglMutation({\n mutation,\n target,\n type,\n imageMap,\n errorHandler,\n}: {\n mutation: canvasMutationCommand;\n target: HTMLCanvasElement;\n type: CanvasContext;\n imageMap: Replayer['imageMap'];\n errorHandler: Replayer['warnCanvasMutationFailed'];\n}): void {\n try {\n const ctx = getContext(target, type);\n if (!ctx) return;\n\n // NOTE: if `preserveDrawingBuffer` is set to true,\n // we must flush the buffers on every new canvas event\n // if (mutation.newFrame) ctx.flush();\n\n if (mutation.setter) {\n // skip some read-only type checks\n // tslint:disable-next-line:no-any\n (ctx as any)[mutation.property] = mutation.args[0];\n return;\n }\n const original = ctx[\n mutation.property as Exclude\n ] as Function;\n\n const args = mutation.args.map(deserializeArg(imageMap, ctx));\n const result = original.apply(ctx, args);\n saveToWebGLVarMap(ctx, result);\n\n // Slows down replay considerably, only use for debugging\n const debugMode = false;\n if (debugMode) {\n if (mutation.property === 'compileShader') {\n if (!ctx.getShaderParameter(args[0], ctx.COMPILE_STATUS))\n console.warn(\n 'something went wrong in replay',\n ctx.getShaderInfoLog(args[0]),\n );\n } else if (mutation.property === 'linkProgram') {\n ctx.validateProgram(args[0]);\n if (!ctx.getProgramParameter(args[0], ctx.LINK_STATUS))\n console.warn(\n 'something went wrong in replay',\n ctx.getProgramInfoLog(args[0]),\n );\n }\n const webglError = ctx.getError();\n if (webglError !== ctx.NO_ERROR) {\n console.warn(\n 'WEBGL ERROR',\n webglError,\n 'on command:',\n mutation.property,\n ...args,\n );\n }\n }\n } catch (error) {\n errorHandler(mutation, error);\n }\n}\n","import {\n rebuild,\n buildNodeWithSN,\n INode,\n NodeType,\n BuildCache,\n createCache,\n} from 'rrweb-snapshot';\nimport * as mittProxy from 'mitt';\nimport { polyfill as smoothscrollPolyfill } from './smoothscroll';\nimport { Timer } from './timer';\nimport { createPlayerService, createSpeedService } from './machine';\nimport {\n EventType,\n IncrementalSource,\n fullSnapshotEvent,\n eventWithTime,\n MouseInteractions,\n playerConfig,\n playerMetaData,\n viewportResizeDimension,\n missingNodeMap,\n addedNodeMutation,\n missingNode,\n incrementalSnapshotEvent,\n incrementalData,\n ReplayerEvents,\n Handler,\n Emitter,\n MediaInteractions,\n metaEvent,\n mutationData,\n scrollData,\n inputData,\n canvasMutationData,\n Mirror,\n ElementState,\n styleAttributeValue,\n styleValueWithPriority,\n mouseMovePos,\n IWindow,\n canvasMutationCommand,\n textMutation,\n} from '../types';\nimport {\n createMirror,\n polyfill,\n TreeIndex,\n queueToResolveTrees,\n iterateResolveTree,\n AppendedIframe,\n isIframeINode,\n getBaseDimension,\n hasShadowRoot,\n} from '../utils';\nimport getInjectStyleRules from './styles/inject-style';\nimport './styles/style.css';\nimport {\n applyVirtualStyleRulesToNode,\n storeCSSRules,\n StyleRuleType,\n VirtualStyleRules,\n VirtualStyleRulesMap,\n getNestedRule,\n getPositionsAndIndex,\n} from './virtual-styles';\nimport canvasMutation from './canvas';\n\nconst SKIP_TIME_THRESHOLD = 10 * 1000;\nconst SKIP_TIME_INTERVAL = 5 * 1000;\n\n// https://github.com/rollup/rollup/issues/1267#issuecomment-296395734\n// tslint:disable-next-line\nconst mitt = (mittProxy as any).default || mittProxy;\n\nconst REPLAY_CONSOLE_PREFIX = '[replayer]';\n\nconst defaultMouseTailConfig = {\n duration: 500,\n lineCap: 'round',\n lineWidth: 3,\n strokeStyle: 'red',\n} as const;\n\nfunction indicatesTouchDevice(e: eventWithTime) {\n return (\n e.type == EventType.IncrementalSnapshot &&\n (e.data.source == IncrementalSource.TouchMove ||\n (e.data.source == IncrementalSource.MouseInteraction &&\n e.data.type == MouseInteractions.TouchStart))\n );\n}\n\nexport class Replayer {\n public wrapper: HTMLDivElement;\n public iframe: HTMLIFrameElement;\n\n public service: ReturnType;\n public speedService: ReturnType;\n public get timer() {\n return this.service.state.context.timer;\n }\n\n public config: playerConfig;\n\n private mouse: HTMLDivElement;\n private mouseTail: HTMLCanvasElement | null = null;\n private tailPositions: Array<{ x: number; y: number }> = [];\n\n private emitter: Emitter = mitt();\n\n private nextUserInteractionEvent: eventWithTime | null;\n\n // tslint:disable-next-line: variable-name\n private legacy_missingNodeRetryMap: missingNodeMap = {};\n\n private treeIndex!: TreeIndex;\n private fragmentParentMap!: Map;\n private elementStateMap!: Map;\n // Hold the list of CSSRules for in-memory state restoration\n private virtualStyleRulesMap!: VirtualStyleRulesMap;\n\n // The replayer uses the cache to speed up replay and scrubbing.\n private cache: BuildCache = createCache();\n\n private imageMap: Map = new Map();\n\n private mirror: Mirror = createMirror();\n\n private firstFullSnapshot: eventWithTime | true | null = null;\n\n private newDocumentQueue: addedNodeMutation[] = [];\n\n private mousePos: mouseMovePos | null = null;\n private touchActive: boolean | null = null;\n\n constructor(\n events: Array,\n config?: Partial,\n ) {\n if (!config?.liveMode && events.length < 2) {\n throw new Error('Replayer need at least 2 events.');\n }\n const defaultConfig: playerConfig = {\n speed: 1,\n maxSpeed: 360,\n root: document.body,\n loadTimeout: 0,\n skipInactive: false,\n showWarning: true,\n showDebug: false,\n blockClass: 'rr-block',\n liveMode: false,\n insertStyleRules: [],\n triggerFocus: true,\n UNSAFE_replayCanvas: false,\n pauseAnimation: true,\n mouseTail: defaultMouseTailConfig,\n };\n this.config = Object.assign({}, defaultConfig, config);\n\n this.handleResize = this.handleResize.bind(this);\n this.getCastFn = this.getCastFn.bind(this);\n this.applyEventsSynchronously = this.applyEventsSynchronously.bind(this);\n this.emitter.on(ReplayerEvents.Resize, this.handleResize as Handler);\n\n this.setupDom();\n\n this.treeIndex = new TreeIndex();\n this.fragmentParentMap = new Map();\n this.elementStateMap = new Map();\n this.virtualStyleRulesMap = new Map();\n\n this.emitter.on(ReplayerEvents.Flush, () => {\n const { scrollMap, inputMap, mutationData } = this.treeIndex.flush();\n\n this.fragmentParentMap.forEach((parent, frag) =>\n this.restoreRealParent(frag, parent),\n );\n // apply text needs to happen before virtual style rules gets applied\n // as it can overwrite the contents of a stylesheet\n for (const d of mutationData.texts) {\n this.applyText(d, mutationData);\n }\n\n for (const node of this.virtualStyleRulesMap.keys()) {\n // restore css rules of style elements after they are mounted\n this.restoreNodeSheet(node);\n }\n this.fragmentParentMap.clear();\n this.elementStateMap.clear();\n this.virtualStyleRulesMap.clear();\n\n for (const d of scrollMap.values()) {\n this.applyScroll(d, true);\n }\n for (const d of inputMap.values()) {\n this.applyInput(d);\n }\n });\n this.emitter.on(ReplayerEvents.PlayBack, () => {\n this.firstFullSnapshot = null;\n this.mirror.reset();\n });\n\n const timer = new Timer([], config?.speed || defaultConfig.speed);\n this.service = createPlayerService(\n {\n events: events\n .map((e) => {\n if (config && config.unpackFn) {\n return config.unpackFn(e as string);\n }\n return e as eventWithTime;\n })\n .sort((a1, a2) => a1.timestamp - a2.timestamp),\n timer,\n timeOffset: 0,\n baselineTime: 0,\n lastPlayedEvent: null,\n },\n {\n getCastFn: this.getCastFn,\n applyEventsSynchronously: this.applyEventsSynchronously,\n emitter: this.emitter,\n },\n );\n this.service.start();\n this.service.subscribe((state) => {\n this.emitter.emit(ReplayerEvents.StateChange, {\n player: state,\n });\n });\n this.speedService = createSpeedService({\n normalSpeed: -1,\n timer,\n });\n this.speedService.start();\n this.speedService.subscribe((state) => {\n this.emitter.emit(ReplayerEvents.StateChange, {\n speed: state,\n });\n });\n\n // rebuild first full snapshot as the poster of the player\n // maybe we can cache it for performance optimization\n const firstMeta = this.service.state.context.events.find(\n (e) => e.type === EventType.Meta,\n );\n const firstFullsnapshot = this.service.state.context.events.find(\n (e) => e.type === EventType.FullSnapshot,\n );\n if (firstMeta) {\n const { width, height } = firstMeta.data as metaEvent['data'];\n setTimeout(() => {\n this.emitter.emit(ReplayerEvents.Resize, {\n width,\n height,\n });\n }, 0);\n }\n if (firstFullsnapshot) {\n setTimeout(() => {\n // when something has been played, there is no need to rebuild poster\n if (this.firstFullSnapshot) {\n // true if any other fullSnapshot has been executed by Timer already\n return;\n }\n this.firstFullSnapshot = firstFullsnapshot;\n this.rebuildFullSnapshot(\n firstFullsnapshot as fullSnapshotEvent & { timestamp: number },\n );\n this.iframe.contentWindow!.scrollTo(\n (firstFullsnapshot as fullSnapshotEvent).data.initialOffset,\n );\n }, 1);\n }\n if (this.service.state.context.events.find(indicatesTouchDevice)) {\n this.mouse.classList.add('touch-device');\n }\n }\n\n public on(event: string, handler: Handler) {\n this.emitter.on(event, handler);\n return this;\n }\n\n public off(event: string, handler: Handler) {\n this.emitter.off(event, handler);\n return this;\n }\n\n public setConfig(config: Partial) {\n Object.keys(config).forEach((key) => {\n // @ts-ignore\n this.config[key] = config[key];\n });\n if (!this.config.skipInactive) {\n this.backToNormal();\n }\n if (typeof config.speed !== 'undefined') {\n this.speedService.send({\n type: 'SET_SPEED',\n payload: {\n speed: config.speed!,\n },\n });\n }\n if (typeof config.mouseTail !== 'undefined') {\n if (config.mouseTail === false) {\n if (this.mouseTail) {\n this.mouseTail.style.display = 'none';\n }\n } else {\n if (!this.mouseTail) {\n this.mouseTail = document.createElement('canvas');\n this.mouseTail.width = Number.parseFloat(this.iframe.width);\n this.mouseTail.height = Number.parseFloat(this.iframe.height);\n this.mouseTail.classList.add('replayer-mouse-tail');\n this.wrapper.insertBefore(this.mouseTail, this.iframe);\n }\n this.mouseTail.style.display = 'inherit';\n }\n }\n }\n\n public getMetaData(): playerMetaData {\n const firstEvent = this.service.state.context.events[0];\n const lastEvent = this.service.state.context.events[\n this.service.state.context.events.length - 1\n ];\n return {\n startTime: firstEvent.timestamp,\n endTime: lastEvent.timestamp,\n totalTime: lastEvent.timestamp - firstEvent.timestamp,\n };\n }\n\n public getCurrentTime(): number {\n return this.timer.timeOffset + this.getTimeOffset();\n }\n\n public getTimeOffset(): number {\n const { baselineTime, events } = this.service.state.context;\n return baselineTime - events[0].timestamp;\n }\n\n public getMirror(): Mirror {\n return this.mirror;\n }\n\n /**\n * This API was designed to be used as play at any time offset.\n * Since we minimized the data collected from recorder, we do not\n * have the ability of undo an event.\n * So the implementation of play at any time offset will always iterate\n * all of the events, cast event before the offset synchronously\n * and cast event after the offset asynchronously with timer.\n * @param timeOffset number\n */\n public play(timeOffset = 0) {\n if (this.service.state.matches('paused')) {\n this.service.send({ type: 'PLAY', payload: { timeOffset } });\n } else {\n this.service.send({ type: 'PAUSE' });\n this.service.send({ type: 'PLAY', payload: { timeOffset } });\n }\n this.iframe.contentDocument\n ?.getElementsByTagName('html')[0]\n .classList.remove('rrweb-paused');\n this.emitter.emit(ReplayerEvents.Start);\n }\n\n public pause(timeOffset?: number) {\n if (timeOffset === undefined && this.service.state.matches('playing')) {\n this.service.send({ type: 'PAUSE' });\n }\n if (typeof timeOffset === 'number') {\n this.play(timeOffset);\n this.service.send({ type: 'PAUSE' });\n }\n this.iframe.contentDocument\n ?.getElementsByTagName('html')[0]\n .classList.add('rrweb-paused');\n this.emitter.emit(ReplayerEvents.Pause);\n }\n\n public resume(timeOffset = 0) {\n console.warn(\n `The 'resume' will be departed in 1.0. Please use 'play' method which has the same interface.`,\n );\n this.play(timeOffset);\n this.emitter.emit(ReplayerEvents.Resume);\n }\n\n public startLive(baselineTime?: number) {\n this.service.send({ type: 'TO_LIVE', payload: { baselineTime } });\n }\n\n public addEvent(rawEvent: eventWithTime | string) {\n const event = this.config.unpackFn\n ? this.config.unpackFn(rawEvent as string)\n : (rawEvent as eventWithTime);\n if (indicatesTouchDevice(event)) {\n this.mouse.classList.add('touch-device');\n }\n Promise.resolve().then(() =>\n this.service.send({ type: 'ADD_EVENT', payload: { event } }),\n );\n }\n\n public enableInteract() {\n this.iframe.setAttribute('scrolling', 'auto');\n this.iframe.style.pointerEvents = 'auto';\n }\n\n public disableInteract() {\n this.iframe.setAttribute('scrolling', 'no');\n this.iframe.style.pointerEvents = 'none';\n }\n\n /**\n * Empties the replayer's cache and reclaims memory.\n * The replayer will use this cache to speed up the playback.\n */\n public resetCache() {\n this.cache = createCache();\n }\n\n private setupDom() {\n this.wrapper = document.createElement('div');\n this.wrapper.classList.add('replayer-wrapper');\n this.config.root!.appendChild(this.wrapper);\n\n this.mouse = document.createElement('div');\n this.mouse.classList.add('replayer-mouse');\n this.wrapper.appendChild(this.mouse);\n\n if (this.config.mouseTail !== false) {\n this.mouseTail = document.createElement('canvas');\n this.mouseTail.classList.add('replayer-mouse-tail');\n this.mouseTail.style.display = 'inherit';\n this.wrapper.appendChild(this.mouseTail);\n }\n\n this.iframe = document.createElement('iframe');\n const attributes = ['allow-same-origin'];\n if (this.config.UNSAFE_replayCanvas) {\n attributes.push('allow-scripts');\n }\n // hide iframe before first meta event\n this.iframe.style.display = 'none';\n this.iframe.setAttribute('sandbox', attributes.join(' '));\n this.disableInteract();\n this.wrapper.appendChild(this.iframe);\n if (this.iframe.contentWindow && this.iframe.contentDocument) {\n smoothscrollPolyfill(\n this.iframe.contentWindow,\n this.iframe.contentDocument,\n );\n\n polyfill(this.iframe.contentWindow as IWindow);\n }\n }\n\n private handleResize(dimension: viewportResizeDimension) {\n this.iframe.style.display = 'inherit';\n for (const el of [this.mouseTail, this.iframe]) {\n if (!el) {\n continue;\n }\n el.setAttribute('width', String(dimension.width));\n el.setAttribute('height', String(dimension.height));\n }\n }\n\n private applyEventsSynchronously(events: Array) {\n for (const event of events) {\n switch (event.type) {\n case EventType.DomContentLoaded:\n case EventType.Load:\n case EventType.Custom:\n continue;\n case EventType.FullSnapshot:\n case EventType.Meta:\n case EventType.Plugin:\n break;\n case EventType.IncrementalSnapshot:\n switch (event.data.source) {\n case IncrementalSource.MediaInteraction:\n continue;\n default:\n break;\n }\n break;\n default:\n break;\n }\n const castFn = this.getCastFn(event, true);\n castFn();\n }\n if (this.mousePos) {\n this.moveAndHover(\n this.mousePos.x,\n this.mousePos.y,\n this.mousePos.id,\n true,\n this.mousePos.debugData,\n );\n }\n this.mousePos = null;\n if (this.touchActive === true) {\n this.mouse.classList.add('touch-active');\n } else if (this.touchActive === false) {\n this.mouse.classList.remove('touch-active');\n }\n this.touchActive = null;\n }\n\n private getCastFn(event: eventWithTime, isSync = false) {\n let castFn: undefined | (() => void);\n switch (event.type) {\n case EventType.DomContentLoaded:\n case EventType.Load:\n break;\n case EventType.Custom:\n castFn = () => {\n /**\n * emit custom-event and pass the event object.\n *\n * This will add more value to the custom event and allows the client to react for custom-event.\n */\n this.emitter.emit(ReplayerEvents.CustomEvent, event);\n };\n break;\n case EventType.Meta:\n castFn = () =>\n this.emitter.emit(ReplayerEvents.Resize, {\n width: event.data.width,\n height: event.data.height,\n });\n break;\n case EventType.FullSnapshot:\n castFn = () => {\n if (this.firstFullSnapshot) {\n if (this.firstFullSnapshot === event) {\n // we've already built this exact FullSnapshot when the player was mounted, and haven't built any other FullSnapshot since\n this.firstFullSnapshot = true; // forget as we might need to re-execute this FullSnapshot later e.g. to rebuild after scrubbing\n return;\n }\n } else {\n // Timer (requestAnimationFrame) can be faster than setTimeout(..., 1)\n this.firstFullSnapshot = true;\n }\n this.rebuildFullSnapshot(event, isSync);\n this.iframe.contentWindow!.scrollTo(event.data.initialOffset);\n };\n break;\n case EventType.IncrementalSnapshot:\n castFn = () => {\n this.applyIncremental(event, isSync);\n if (isSync) {\n // do not check skip in sync\n return;\n }\n if (event === this.nextUserInteractionEvent) {\n this.nextUserInteractionEvent = null;\n this.backToNormal();\n }\n if (this.config.skipInactive && !this.nextUserInteractionEvent) {\n for (const _event of this.service.state.context.events) {\n if (_event.timestamp! <= event.timestamp!) {\n continue;\n }\n if (this.isUserInteraction(_event)) {\n if (\n _event.delay! - event.delay! >\n SKIP_TIME_THRESHOLD *\n this.speedService.state.context.timer.speed\n ) {\n this.nextUserInteractionEvent = _event;\n }\n break;\n }\n }\n if (this.nextUserInteractionEvent) {\n const skipTime =\n this.nextUserInteractionEvent.delay! - event.delay!;\n const payload = {\n speed: Math.min(\n Math.round(skipTime / SKIP_TIME_INTERVAL),\n this.config.maxSpeed,\n ),\n };\n this.speedService.send({ type: 'FAST_FORWARD', payload });\n this.emitter.emit(ReplayerEvents.SkipStart, payload);\n }\n }\n };\n break;\n default:\n }\n const wrappedCastFn = () => {\n if (castFn) {\n castFn();\n }\n\n for (const plugin of this.config.plugins || []) {\n plugin.handler(event, isSync, { replayer: this });\n }\n\n this.service.send({ type: 'CAST_EVENT', payload: { event } });\n\n // events are kept sorted by timestamp, check if this is the last event\n let last_index = this.service.state.context.events.length - 1;\n if (event === this.service.state.context.events[last_index]) {\n const finish = () => {\n if (last_index < this.service.state.context.events.length - 1) {\n // more events have been added since the setTimeout\n return;\n }\n this.backToNormal();\n this.service.send('END');\n this.emitter.emit(ReplayerEvents.Finish);\n };\n if (\n event.type === EventType.IncrementalSnapshot &&\n event.data.source === IncrementalSource.MouseMove &&\n event.data.positions.length\n ) {\n // defer finish event if the last event is a mouse move\n setTimeout(() => {\n finish();\n }, Math.max(0, -event.data.positions[0].timeOffset + 50)); // Add 50 to make sure the timer would check the last mousemove event. Otherwise, the timer may be stopped by the service before checking the last event.\n } else {\n finish();\n }\n }\n\n this.emitter.emit(ReplayerEvents.EventCast, event);\n };\n return wrappedCastFn;\n }\n\n private rebuildFullSnapshot(\n event: fullSnapshotEvent & { timestamp: number },\n isSync: boolean = false,\n ) {\n if (!this.iframe.contentDocument) {\n return console.warn('Looks like your replayer has been destroyed.');\n }\n if (Object.keys(this.legacy_missingNodeRetryMap).length) {\n console.warn(\n 'Found unresolved missing node map',\n this.legacy_missingNodeRetryMap,\n );\n }\n this.legacy_missingNodeRetryMap = {};\n const collected: AppendedIframe[] = [];\n this.mirror.map = rebuild(event.data.node, {\n doc: this.iframe.contentDocument,\n afterAppend: (builtNode) => {\n this.collectIframeAndAttachDocument(collected, builtNode);\n },\n cache: this.cache,\n })[1];\n for (const { mutationInQueue, builtNode } of collected) {\n this.attachDocumentToIframe(mutationInQueue, builtNode);\n this.newDocumentQueue = this.newDocumentQueue.filter(\n (m) => m !== mutationInQueue,\n );\n }\n const { documentElement, head } = this.iframe.contentDocument;\n this.insertStyleRules(documentElement, head);\n if (!this.service.state.matches('playing')) {\n this.iframe.contentDocument\n .getElementsByTagName('html')[0]\n .classList.add('rrweb-paused');\n }\n this.emitter.emit(ReplayerEvents.FullsnapshotRebuilded, event);\n if (!isSync) {\n this.waitForStylesheetLoad();\n }\n if (this.config.UNSAFE_replayCanvas) {\n this.preloadAllImages();\n }\n }\n\n private insertStyleRules(\n documentElement: HTMLElement,\n head: HTMLHeadElement,\n ) {\n const styleEl = document.createElement('style');\n documentElement!.insertBefore(styleEl, head);\n const injectStylesRules = getInjectStyleRules(\n this.config.blockClass,\n ).concat(this.config.insertStyleRules);\n if (this.config.pauseAnimation) {\n injectStylesRules.push(\n 'html.rrweb-paused *, html.rrweb-paused *:before, html.rrweb-paused *:after { animation-play-state: paused !important; }',\n );\n }\n for (let idx = 0; idx < injectStylesRules.length; idx++) {\n (styleEl.sheet! as CSSStyleSheet).insertRule(injectStylesRules[idx], idx);\n }\n }\n\n private attachDocumentToIframe(\n mutation: addedNodeMutation,\n iframeEl: HTMLIFrameElement,\n ) {\n const collected: AppendedIframe[] = [];\n // If iframeEl is detached from dom, iframeEl.contentDocument is null.\n if (!iframeEl.contentDocument) {\n let parent = iframeEl.parentNode;\n while (parent) {\n // The parent of iframeEl is virtual parent and we need to mount it on the dom.\n if (this.fragmentParentMap.has((parent as unknown) as INode)) {\n const frag = (parent as unknown) as INode;\n const realParent = this.fragmentParentMap.get(frag)!;\n this.restoreRealParent(frag, realParent);\n break;\n }\n parent = parent.parentNode;\n }\n }\n buildNodeWithSN(mutation.node, {\n doc: iframeEl.contentDocument!,\n map: this.mirror.map,\n hackCss: true,\n skipChild: false,\n afterAppend: (builtNode) => {\n this.collectIframeAndAttachDocument(collected, builtNode);\n if (\n builtNode.__sn.type === NodeType.Element &&\n builtNode.__sn.tagName.toUpperCase() === 'HTML'\n ) {\n const { documentElement, head } = iframeEl.contentDocument!;\n this.insertStyleRules(documentElement, head);\n }\n },\n cache: this.cache,\n });\n for (const { mutationInQueue, builtNode } of collected) {\n this.attachDocumentToIframe(mutationInQueue, builtNode);\n this.newDocumentQueue = this.newDocumentQueue.filter(\n (m) => m !== mutationInQueue,\n );\n }\n }\n\n private collectIframeAndAttachDocument(\n collected: AppendedIframe[],\n builtNode: INode,\n ) {\n if (isIframeINode(builtNode)) {\n const mutationInQueue = this.newDocumentQueue.find(\n (m) => m.parentId === builtNode.__sn.id,\n );\n if (mutationInQueue) {\n collected.push({ mutationInQueue, builtNode });\n }\n }\n }\n\n /**\n * pause when loading style sheet, resume when loaded all timeout exceed\n */\n private waitForStylesheetLoad() {\n const head = this.iframe.contentDocument?.head;\n if (head) {\n const unloadSheets: Set = new Set();\n let timer: ReturnType | -1;\n let beforeLoadState = this.service.state;\n const stateHandler = () => {\n beforeLoadState = this.service.state;\n };\n this.emitter.on(ReplayerEvents.Start, stateHandler);\n this.emitter.on(ReplayerEvents.Pause, stateHandler);\n const unsubscribe = () => {\n this.emitter.off(ReplayerEvents.Start, stateHandler);\n this.emitter.off(ReplayerEvents.Pause, stateHandler);\n };\n head\n .querySelectorAll('link[rel=\"stylesheet\"]')\n .forEach((css: HTMLLinkElement) => {\n if (!css.sheet) {\n unloadSheets.add(css);\n css.addEventListener('load', () => {\n unloadSheets.delete(css);\n // all loaded and timer not released yet\n if (unloadSheets.size === 0 && timer !== -1) {\n if (beforeLoadState.matches('playing')) {\n this.play(this.getCurrentTime());\n }\n this.emitter.emit(ReplayerEvents.LoadStylesheetEnd);\n if (timer) {\n clearTimeout(timer);\n }\n unsubscribe();\n }\n });\n }\n });\n\n if (unloadSheets.size > 0) {\n // find some unload sheets after iterate\n this.service.send({ type: 'PAUSE' });\n this.emitter.emit(ReplayerEvents.LoadStylesheetStart);\n timer = setTimeout(() => {\n if (beforeLoadState.matches('playing')) {\n this.play(this.getCurrentTime());\n }\n // mark timer was called\n timer = -1;\n unsubscribe();\n }, this.config.loadTimeout);\n }\n }\n }\n\n private hasImageArg(args: any[]): boolean {\n for (const arg of args) {\n if (!arg || typeof arg !== 'object') {\n // do nothing\n } else if ('rr_type' in arg && 'args' in arg) {\n if (this.hasImageArg(arg.args)) return true;\n } else if ('rr_type' in arg && arg.rr_type === 'HTMLImageElement') {\n return true; // has image!\n } else if (arg instanceof Array) {\n if (this.hasImageArg(arg)) return true;\n }\n }\n return false;\n }\n\n private getImageArgs(args: any[]): string[] {\n const images: string[] = [];\n for (const arg of args) {\n if (!arg || typeof arg !== 'object') {\n // do nothing\n } else if ('rr_type' in arg && 'args' in arg) {\n images.push(...this.getImageArgs(arg.args));\n } else if ('rr_type' in arg && arg.rr_type === 'HTMLImageElement') {\n images.push(arg.src);\n } else if (arg instanceof Array) {\n images.push(...this.getImageArgs(arg));\n }\n }\n return images;\n }\n\n /**\n * pause when there are some canvas drawImage args need to be loaded\n */\n private preloadAllImages() {\n let beforeLoadState = this.service.state;\n const stateHandler = () => {\n beforeLoadState = this.service.state;\n };\n this.emitter.on(ReplayerEvents.Start, stateHandler);\n this.emitter.on(ReplayerEvents.Pause, stateHandler);\n for (const event of this.service.state.context.events) {\n if (\n event.type === EventType.IncrementalSnapshot &&\n event.data.source === IncrementalSource.CanvasMutation\n )\n if ('commands' in event.data) {\n event.data.commands.forEach((c) => this.preloadImages(c, event));\n } else {\n this.preloadImages(event.data, event);\n }\n }\n }\n\n private preloadImages(data: canvasMutationCommand, event: eventWithTime) {\n if (\n data.property === 'drawImage' &&\n typeof data.args[0] === 'string' &&\n !this.imageMap.has(event)\n ) {\n const canvas = document.createElement('canvas');\n const ctx = canvas.getContext('2d');\n const imgd = ctx?.createImageData(canvas.width, canvas.height);\n let d = imgd?.data;\n d = JSON.parse(data.args[0]);\n ctx?.putImageData(imgd!, 0, 0);\n } else if (this.hasImageArg(data.args)) {\n this.getImageArgs(data.args).forEach((url) => {\n const image = new Image();\n image.src = url; // this preloads the image\n this.imageMap.set(url, image);\n });\n }\n }\n\n private applyIncremental(\n e: incrementalSnapshotEvent & { timestamp: number; delay?: number },\n isSync: boolean,\n ) {\n const { data: d } = e;\n switch (d.source) {\n case IncrementalSource.Mutation: {\n if (isSync) {\n d.adds.forEach((m) => this.treeIndex.add(m));\n d.texts.forEach((m) => {\n const target = this.mirror.getNode(m.id);\n const parent = (target?.parentNode as unknown) as INode | null;\n // remove any style rules that pending\n // for stylesheets where the contents get replaced\n if (parent && this.virtualStyleRulesMap.has(parent))\n this.virtualStyleRulesMap.delete(parent);\n\n this.treeIndex.text(m);\n });\n d.attributes.forEach((m) => this.treeIndex.attribute(m));\n d.removes.forEach((m) => this.treeIndex.remove(m, this.mirror));\n }\n try {\n this.applyMutation(d, isSync);\n } catch (error) {\n this.warn(`Exception in mutation ${error.message || error}`, d);\n }\n break;\n }\n case IncrementalSource.Drag:\n case IncrementalSource.TouchMove:\n case IncrementalSource.MouseMove:\n if (isSync) {\n const lastPosition = d.positions[d.positions.length - 1];\n this.mousePos = {\n x: lastPosition.x,\n y: lastPosition.y,\n id: lastPosition.id,\n debugData: d,\n };\n } else {\n d.positions.forEach((p) => {\n const action = {\n doAction: () => {\n this.moveAndHover(p.x, p.y, p.id, isSync, d);\n },\n delay:\n p.timeOffset +\n e.timestamp -\n this.service.state.context.baselineTime,\n };\n this.timer.addAction(action);\n });\n // add a dummy action to keep timer alive\n this.timer.addAction({\n doAction() {},\n delay: e.delay! - d.positions[0]?.timeOffset,\n });\n }\n break;\n case IncrementalSource.MouseInteraction: {\n /**\n * Same as the situation of missing input target.\n */\n if (d.id === -1) {\n break;\n }\n const event = new Event(MouseInteractions[d.type].toLowerCase());\n const target = this.mirror.getNode(d.id);\n if (!target) {\n return this.debugNodeNotFound(d, d.id);\n }\n this.emitter.emit(ReplayerEvents.MouseInteraction, {\n type: d.type,\n target,\n });\n const { triggerFocus } = this.config;\n switch (d.type) {\n case MouseInteractions.Blur:\n if ('blur' in ((target as Node) as HTMLElement)) {\n ((target as Node) as HTMLElement).blur();\n }\n break;\n case MouseInteractions.Focus:\n if (triggerFocus && ((target as Node) as HTMLElement).focus) {\n ((target as Node) as HTMLElement).focus({\n preventScroll: true,\n });\n }\n break;\n case MouseInteractions.Click:\n case MouseInteractions.TouchStart:\n case MouseInteractions.TouchEnd:\n if (isSync) {\n if (d.type === MouseInteractions.TouchStart) {\n this.touchActive = true;\n } else if (d.type === MouseInteractions.TouchEnd) {\n this.touchActive = false;\n }\n this.mousePos = {\n x: d.x,\n y: d.y,\n id: d.id,\n debugData: d,\n };\n } else {\n if (d.type === MouseInteractions.TouchStart) {\n // don't draw a trail as user has lifted finger and is placing at a new point\n this.tailPositions.length = 0;\n }\n this.moveAndHover(d.x, d.y, d.id, isSync, d);\n if (d.type === MouseInteractions.Click) {\n /*\n * don't want target.click() here as could trigger an iframe navigation\n * instead any effects of the click should already be covered by mutations\n */\n /*\n * removal and addition of .active class (along with void line to trigger repaint)\n * triggers the 'click' css animation in styles/style.css\n */\n this.mouse.classList.remove('active');\n // tslint:disable-next-line\n void this.mouse.offsetWidth;\n this.mouse.classList.add('active');\n } else if (d.type === MouseInteractions.TouchStart) {\n void this.mouse.offsetWidth; // needed for the position update of moveAndHover to apply without the .touch-active transition\n this.mouse.classList.add('touch-active');\n } else if (d.type === MouseInteractions.TouchEnd) {\n this.mouse.classList.remove('touch-active');\n }\n }\n break;\n case MouseInteractions.TouchCancel:\n if (isSync) {\n this.touchActive = false;\n } else {\n this.mouse.classList.remove('touch-active');\n }\n break;\n default:\n target.dispatchEvent(event);\n }\n break;\n }\n case IncrementalSource.Scroll: {\n /**\n * Same as the situation of missing input target.\n */\n if (d.id === -1) {\n break;\n }\n if (isSync) {\n this.treeIndex.scroll(d);\n break;\n }\n this.applyScroll(d, false);\n break;\n }\n case IncrementalSource.ViewportResize:\n this.emitter.emit(ReplayerEvents.Resize, {\n width: d.width,\n height: d.height,\n });\n break;\n case IncrementalSource.Input: {\n /**\n * Input event on an unserialized node usually means the event\n * was synchrony triggered programmatically after the node was\n * created. This means there was not an user observable interaction\n * and we do not need to replay it.\n */\n if (d.id === -1) {\n break;\n }\n if (isSync) {\n this.treeIndex.input(d);\n break;\n }\n this.applyInput(d);\n break;\n }\n case IncrementalSource.MediaInteraction: {\n const target = this.mirror.getNode(d.id);\n if (!target) {\n return this.debugNodeNotFound(d, d.id);\n }\n const mediaEl = (target as Node) as HTMLMediaElement;\n try {\n if (d.currentTime) {\n mediaEl.currentTime = d.currentTime;\n }\n if (d.volume) {\n mediaEl.volume = d.volume;\n }\n if (d.muted) {\n mediaEl.muted = d.muted;\n }\n if (d.type === MediaInteractions.Pause) {\n mediaEl.pause();\n }\n if (d.type === MediaInteractions.Play) {\n // remove listener for 'canplay' event because play() is async and returns a promise\n // i.e. media will evntualy start to play when data is loaded\n // 'canplay' event fires even when currentTime attribute changes which may lead to\n // unexpeted behavior\n mediaEl.play();\n }\n } catch (error) {\n if (this.config.showWarning) {\n console.warn(\n `Failed to replay media interactions: ${error.message || error}`,\n );\n }\n }\n break;\n }\n case IncrementalSource.StyleSheetRule: {\n const target = this.mirror.getNode(d.id);\n if (!target) {\n return this.debugNodeNotFound(d, d.id);\n }\n\n const styleEl = (target as Node) as HTMLStyleElement;\n const parent = (target.parentNode as unknown) as INode;\n const usingVirtualParent = this.fragmentParentMap.has(parent);\n\n /**\n * Always use existing DOM node, when it's there.\n * In in-memory replay, there is virtual node, but it's `sheet` is inaccessible.\n * Hence, we buffer all style changes in virtualStyleRulesMap.\n */\n const styleSheet = usingVirtualParent ? null : styleEl.sheet;\n let rules: VirtualStyleRules;\n\n if (!styleSheet) {\n /**\n * styleEl.sheet is only accessible if the styleEl is part of the\n * dom. This doesn't work on DocumentFragments so we have to add the\n * style mutations to the virtualStyleRulesMap.\n */\n\n if (this.virtualStyleRulesMap.has(target)) {\n rules = this.virtualStyleRulesMap.get(target) as VirtualStyleRules;\n } else {\n rules = [];\n this.virtualStyleRulesMap.set(target, rules);\n }\n }\n\n if (d.adds) {\n d.adds.forEach(({ rule, index: nestedIndex }) => {\n if (styleSheet) {\n try {\n if (Array.isArray(nestedIndex)) {\n const { positions, index } = getPositionsAndIndex(\n nestedIndex,\n );\n const nestedRule = getNestedRule(\n styleSheet.cssRules,\n positions,\n );\n nestedRule.insertRule(rule, index);\n } else {\n const index =\n nestedIndex === undefined\n ? undefined\n : Math.min(nestedIndex, styleSheet.cssRules.length);\n styleSheet.insertRule(rule, index);\n }\n } catch (e) {\n /**\n * sometimes we may capture rules with browser prefix\n * insert rule with prefixs in other browsers may cause Error\n */\n /**\n * accessing styleSheet rules may cause SecurityError\n * for specific access control settings\n */\n }\n } else {\n rules?.push({\n cssText: rule,\n index: nestedIndex,\n type: StyleRuleType.Insert,\n });\n }\n });\n }\n\n if (d.removes) {\n d.removes.forEach(({ index: nestedIndex }) => {\n if (usingVirtualParent) {\n rules?.push({ index: nestedIndex, type: StyleRuleType.Remove });\n } else {\n try {\n if (Array.isArray(nestedIndex)) {\n const { positions, index } = getPositionsAndIndex(\n nestedIndex,\n );\n const nestedRule = getNestedRule(\n styleSheet!.cssRules,\n positions,\n );\n nestedRule.deleteRule(index || 0);\n } else {\n styleSheet?.deleteRule(nestedIndex);\n }\n } catch (e) {\n /**\n * same as insertRule\n */\n }\n }\n });\n }\n break;\n }\n case IncrementalSource.StyleDeclaration: {\n // same with StyleSheetRule\n const target = this.mirror.getNode(d.id);\n if (!target) {\n return this.debugNodeNotFound(d, d.id);\n }\n\n const styleEl = (target as Node) as HTMLStyleElement;\n const parent = (target.parentNode as unknown) as INode;\n const usingVirtualParent = this.fragmentParentMap.has(parent);\n\n const styleSheet = usingVirtualParent ? null : styleEl.sheet;\n let rules: VirtualStyleRules = [];\n\n if (!styleSheet) {\n if (this.virtualStyleRulesMap.has(target)) {\n rules = this.virtualStyleRulesMap.get(target) as VirtualStyleRules;\n } else {\n rules = [];\n this.virtualStyleRulesMap.set(target, rules);\n }\n }\n\n if (d.set) {\n if (styleSheet) {\n const rule = (getNestedRule(\n styleSheet.rules,\n d.index,\n ) as unknown) as CSSStyleRule;\n rule.style.setProperty(d.set.property, d.set.value, d.set.priority);\n } else {\n rules.push({\n type: StyleRuleType.SetProperty,\n index: d.index,\n ...d.set,\n });\n }\n }\n\n if (d.remove) {\n if (styleSheet) {\n const rule = (getNestedRule(\n styleSheet.rules,\n d.index,\n ) as unknown) as CSSStyleRule;\n rule.style.removeProperty(d.remove.property);\n } else {\n rules.push({\n type: StyleRuleType.RemoveProperty,\n index: d.index,\n ...d.remove,\n });\n }\n }\n break;\n }\n case IncrementalSource.CanvasMutation: {\n if (!this.config.UNSAFE_replayCanvas) {\n return;\n }\n const target = this.mirror.getNode(d.id);\n if (!target) {\n return this.debugNodeNotFound(d, d.id);\n }\n\n canvasMutation({\n event: e,\n mutation: d,\n target: (target as unknown) as HTMLCanvasElement,\n imageMap: this.imageMap,\n errorHandler: this.warnCanvasMutationFailed.bind(this),\n });\n\n break;\n }\n case IncrementalSource.Font: {\n try {\n const fontFace = new FontFace(\n d.family,\n d.buffer ? new Uint8Array(JSON.parse(d.fontSource)) : d.fontSource,\n d.descriptors,\n );\n this.iframe.contentDocument?.fonts.add(fontFace);\n } catch (error) {\n if (this.config.showWarning) {\n console.warn(error);\n }\n }\n break;\n }\n default:\n }\n }\n\n private applyMutation(d: mutationData, useVirtualParent: boolean) {\n d.removes.forEach((mutation) => {\n let target = this.mirror.getNode(mutation.id);\n if (!target) {\n if (d.removes.find((r) => r.id === mutation.parentId)) {\n // no need to warn, parent was already removed\n return;\n }\n return this.warnNodeNotFound(d, mutation.id);\n }\n if (this.virtualStyleRulesMap.has(target)) {\n this.virtualStyleRulesMap.delete(target);\n }\n let parent: INode | null | ShadowRoot = this.mirror.getNode(\n mutation.parentId,\n );\n if (!parent) {\n return this.warnNodeNotFound(d, mutation.parentId);\n }\n if (mutation.isShadow && hasShadowRoot(parent)) {\n parent = parent.shadowRoot;\n }\n // target may be removed with its parents before\n this.mirror.removeNodeFromMap(target);\n if (parent) {\n let realTarget = null;\n const realParent =\n '__sn' in parent ? this.fragmentParentMap.get(parent) : undefined;\n if (realParent && realParent.contains(target)) {\n parent = realParent;\n } else if (this.fragmentParentMap.has(target)) {\n /**\n * the target itself is a fragment document and it's not in the dom\n * so we should remove the real target from its parent\n */\n realTarget = this.fragmentParentMap.get(target)!;\n this.fragmentParentMap.delete(target);\n target = realTarget;\n }\n try {\n parent.removeChild(target);\n } catch (error) {\n if (error instanceof DOMException) {\n this.warn(\n 'parent could not remove child in mutation',\n parent,\n realParent,\n target,\n realTarget,\n d,\n );\n } else {\n throw error;\n }\n }\n }\n });\n\n // tslint:disable-next-line: variable-name\n const legacy_missingNodeMap: missingNodeMap = {\n ...this.legacy_missingNodeRetryMap,\n };\n const queue: addedNodeMutation[] = [];\n\n // next not present at this moment\n const nextNotInDOM = (mutation: addedNodeMutation) => {\n let next: Node | null = null;\n if (mutation.nextId) {\n next = this.mirror.getNode(mutation.nextId) as Node;\n }\n // next not present at this moment\n if (\n mutation.nextId !== null &&\n mutation.nextId !== undefined &&\n mutation.nextId !== -1 &&\n !next\n ) {\n return true;\n }\n return false;\n };\n\n const appendNode = (mutation: addedNodeMutation) => {\n if (!this.iframe.contentDocument) {\n return console.warn('Looks like your replayer has been destroyed.');\n }\n let parent: INode | null | ShadowRoot = this.mirror.getNode(\n mutation.parentId,\n );\n if (!parent) {\n if (mutation.node.type === NodeType.Document) {\n // is newly added document, maybe the document node of an iframe\n return this.newDocumentQueue.push(mutation);\n }\n return queue.push(mutation);\n }\n\n let parentInDocument = null;\n if (this.iframe.contentDocument.contains) {\n parentInDocument = this.iframe.contentDocument.contains(parent);\n } else if (this.iframe.contentDocument.body.contains) {\n // fix for IE\n // refer 'Internet Explorer notes' at https://developer.mozilla.org/zh-CN/docs/Web/API/Document\n parentInDocument = this.iframe.contentDocument.body.contains(parent);\n }\n\n const hasIframeChild =\n ((parent as unknown) as HTMLElement).getElementsByTagName?.('iframe')\n .length > 0;\n /**\n * Why !isIframeINode(parent)? If parent element is an iframe, iframe document can't be appended to virtual parent.\n * Why !hasIframeChild? If we move iframe elements from dom to fragment document, we will lose the contentDocument of iframe. So we need to disable the virtual dom optimization if a parent node contains iframe elements.\n */\n if (\n useVirtualParent &&\n parentInDocument &&\n !isIframeINode(parent) &&\n !hasIframeChild\n ) {\n const virtualParent = (document.createDocumentFragment() as unknown) as INode;\n this.mirror.map[mutation.parentId] = virtualParent;\n this.fragmentParentMap.set(virtualParent, parent);\n\n // store the state, like scroll position, of child nodes before they are unmounted from dom\n this.storeState(parent);\n\n while (parent.firstChild) {\n virtualParent.appendChild(parent.firstChild);\n }\n parent = virtualParent;\n }\n\n if (mutation.node.isShadow) {\n // If the parent is attached a shadow dom after it's created, it won't have a shadow root.\n if (!hasShadowRoot(parent)) {\n ((parent as Node) as HTMLElement).attachShadow({ mode: 'open' });\n parent = ((parent as Node) as HTMLElement).shadowRoot!;\n } else parent = parent.shadowRoot;\n }\n\n let previous: Node | null = null;\n let next: Node | null = null;\n if (mutation.previousId) {\n previous = this.mirror.getNode(mutation.previousId) as Node;\n }\n if (mutation.nextId) {\n next = this.mirror.getNode(mutation.nextId) as Node;\n }\n if (nextNotInDOM(mutation)) {\n return queue.push(mutation);\n }\n\n if (mutation.node.rootId && !this.mirror.getNode(mutation.node.rootId)) {\n return;\n }\n\n const targetDoc = mutation.node.rootId\n ? this.mirror.getNode(mutation.node.rootId)\n : this.iframe.contentDocument;\n if (isIframeINode(parent)) {\n this.attachDocumentToIframe(mutation, parent);\n return;\n }\n const target = buildNodeWithSN(mutation.node, {\n doc: targetDoc as Document,\n map: this.mirror.map,\n skipChild: true,\n hackCss: true,\n cache: this.cache,\n }) as INode;\n\n // legacy data, we should not have -1 siblings any more\n if (mutation.previousId === -1 || mutation.nextId === -1) {\n legacy_missingNodeMap[mutation.node.id] = {\n node: target,\n mutation,\n };\n return;\n }\n\n if (\n '__sn' in parent &&\n parent.__sn.type === NodeType.Element &&\n parent.__sn.tagName === 'textarea' &&\n mutation.node.type === NodeType.Text\n ) {\n // https://github.com/rrweb-io/rrweb/issues/745\n // parent is textarea, will only keep one child node as the value\n for (const c of Array.from(parent.childNodes)) {\n if (c.nodeType === parent.TEXT_NODE) {\n parent.removeChild(c);\n }\n }\n }\n\n if (previous && previous.nextSibling && previous.nextSibling.parentNode) {\n parent.insertBefore(target, previous.nextSibling);\n } else if (next && next.parentNode) {\n // making sure the parent contains the reference nodes\n // before we insert target before next.\n parent.contains(next)\n ? parent.insertBefore(target, next)\n : parent.insertBefore(target, null);\n } else {\n /**\n * Sometimes the document changes and the MutationObserver is disconnected, so the removal of child elements can't be detected and recorded. After the change of document, we may get another mutation which adds a new html element, while the old html element still exists in the dom, and we need to remove the old html element first to avoid collision.\n */\n if (parent === targetDoc) {\n while (targetDoc.firstChild) {\n targetDoc.removeChild(targetDoc.firstChild);\n }\n }\n\n parent.appendChild(target);\n }\n\n if (isIframeINode(target)) {\n const mutationInQueue = this.newDocumentQueue.find(\n (m) => m.parentId === target.__sn.id,\n );\n if (mutationInQueue) {\n this.attachDocumentToIframe(mutationInQueue, target);\n this.newDocumentQueue = this.newDocumentQueue.filter(\n (m) => m !== mutationInQueue,\n );\n }\n }\n\n if (mutation.previousId || mutation.nextId) {\n this.legacy_resolveMissingNode(\n legacy_missingNodeMap,\n parent,\n target,\n mutation,\n );\n }\n };\n\n d.adds.forEach((mutation) => {\n appendNode(mutation);\n });\n\n let startTime = Date.now();\n while (queue.length) {\n // transform queue to resolve tree\n const resolveTrees = queueToResolveTrees(queue);\n queue.length = 0;\n if (Date.now() - startTime > 500) {\n this.warn(\n 'Timeout in the loop, please check the resolve tree data:',\n resolveTrees,\n );\n break;\n }\n for (const tree of resolveTrees) {\n let parent = this.mirror.getNode(tree.value.parentId);\n if (!parent) {\n this.debug(\n 'Drop resolve tree since there is no parent for the root node.',\n tree,\n );\n } else {\n iterateResolveTree(tree, (mutation) => {\n appendNode(mutation);\n });\n }\n }\n }\n\n if (Object.keys(legacy_missingNodeMap).length) {\n Object.assign(this.legacy_missingNodeRetryMap, legacy_missingNodeMap);\n }\n\n d.texts.forEach((mutation) => {\n let target = this.mirror.getNode(mutation.id);\n if (!target) {\n if (d.removes.find((r) => r.id === mutation.id)) {\n // no need to warn, element was already removed\n return;\n }\n return this.warnNodeNotFound(d, mutation.id);\n }\n /**\n * apply text content to real parent directly\n */\n if (this.fragmentParentMap.has(target)) {\n target = this.fragmentParentMap.get(target)!;\n }\n target.textContent = mutation.value;\n });\n d.attributes.forEach((mutation) => {\n let target = this.mirror.getNode(mutation.id);\n if (!target) {\n if (d.removes.find((r) => r.id === mutation.id)) {\n // no need to warn, element was already removed\n return;\n }\n return this.warnNodeNotFound(d, mutation.id);\n }\n if (this.fragmentParentMap.has(target)) {\n target = this.fragmentParentMap.get(target)!;\n }\n for (const attributeName in mutation.attributes) {\n if (typeof attributeName === 'string') {\n const value = mutation.attributes[attributeName];\n if (value === null) {\n ((target as Node) as Element).removeAttribute(attributeName);\n } else if (typeof value === 'string') {\n try {\n ((target as Node) as Element).setAttribute(attributeName, value);\n } catch (error) {\n if (this.config.showWarning) {\n console.warn(\n 'An error occurred may due to the checkout feature.',\n error,\n );\n }\n }\n } else if (attributeName === 'style') {\n let styleValues = value as styleAttributeValue;\n const targetEl = (target as Node) as HTMLElement;\n for (var s in styleValues) {\n if (styleValues[s] === false) {\n targetEl.style.removeProperty(s);\n } else if (styleValues[s] instanceof Array) {\n const svp = styleValues[s] as styleValueWithPriority;\n targetEl.style.setProperty(s, svp[0], svp[1]);\n } else {\n const svs = styleValues[s] as string;\n targetEl.style.setProperty(s, svs);\n }\n }\n }\n }\n }\n });\n }\n\n /**\n * Apply the scroll data on real elements.\n * If the replayer is in sync mode, smooth scroll behavior should be disabled.\n * @param d the scroll data\n * @param isSync whether the replayer is in sync mode(fast-forward)\n */\n private applyScroll(d: scrollData, isSync: boolean) {\n const target = this.mirror.getNode(d.id);\n if (!target) {\n return this.debugNodeNotFound(d, d.id);\n }\n if ((target as Node) === this.iframe.contentDocument) {\n this.iframe.contentWindow!.scrollTo({\n top: d.y,\n left: d.x,\n behavior: isSync ? 'auto' : 'smooth',\n });\n } else if (target.__sn.type === NodeType.Document) {\n // nest iframe content document\n ((target as unknown) as Document).defaultView!.scrollTo({\n top: d.y,\n left: d.x,\n behavior: isSync ? 'auto' : 'smooth',\n });\n } else {\n try {\n ((target as Node) as Element).scrollTop = d.y;\n ((target as Node) as Element).scrollLeft = d.x;\n } catch (error) {\n /**\n * Seldomly we may found scroll target was removed before\n * its last scroll event.\n */\n }\n }\n }\n\n private applyInput(d: inputData) {\n const target = this.mirror.getNode(d.id);\n if (!target) {\n return this.debugNodeNotFound(d, d.id);\n }\n try {\n ((target as Node) as HTMLInputElement).checked = d.isChecked;\n ((target as Node) as HTMLInputElement).value = d.text;\n } catch (error) {\n // for safe\n }\n }\n\n private applyText(d: textMutation, mutation: mutationData) {\n const target = this.mirror.getNode(d.id);\n if (!target) {\n return this.debugNodeNotFound(mutation, d.id);\n }\n try {\n ((target as Node) as HTMLElement).textContent = d.value;\n } catch (error) {\n // for safe\n }\n }\n\n private legacy_resolveMissingNode(\n map: missingNodeMap,\n parent: Node,\n target: Node,\n targetMutation: addedNodeMutation,\n ) {\n const { previousId, nextId } = targetMutation;\n const previousInMap = previousId && map[previousId];\n const nextInMap = nextId && map[nextId];\n if (previousInMap) {\n const { node, mutation } = previousInMap as missingNode;\n parent.insertBefore(node, target);\n delete map[mutation.node.id];\n delete this.legacy_missingNodeRetryMap[mutation.node.id];\n if (mutation.previousId || mutation.nextId) {\n this.legacy_resolveMissingNode(map, parent, node as Node, mutation);\n }\n }\n if (nextInMap) {\n const { node, mutation } = nextInMap as missingNode;\n parent.insertBefore(node, target.nextSibling);\n delete map[mutation.node.id];\n delete this.legacy_missingNodeRetryMap[mutation.node.id];\n if (mutation.previousId || mutation.nextId) {\n this.legacy_resolveMissingNode(map, parent, node as Node, mutation);\n }\n }\n }\n\n private moveAndHover(\n x: number,\n y: number,\n id: number,\n isSync: boolean,\n debugData: incrementalData,\n ) {\n const target = this.mirror.getNode(id);\n if (!target) {\n return this.debugNodeNotFound(debugData, id);\n }\n\n const base = getBaseDimension(target, this.iframe);\n const _x = x * base.absoluteScale + base.x;\n const _y = y * base.absoluteScale + base.y;\n\n this.mouse.style.left = `${_x}px`;\n this.mouse.style.top = `${_y}px`;\n if (!isSync) {\n this.drawMouseTail({ x: _x, y: _y });\n }\n this.hoverElements((target as Node) as Element);\n }\n\n private drawMouseTail(position: { x: number; y: number }) {\n if (!this.mouseTail) {\n return;\n }\n\n const { lineCap, lineWidth, strokeStyle, duration } =\n this.config.mouseTail === true\n ? defaultMouseTailConfig\n : Object.assign({}, defaultMouseTailConfig, this.config.mouseTail);\n\n const draw = () => {\n if (!this.mouseTail) {\n return;\n }\n const ctx = this.mouseTail.getContext('2d');\n if (!ctx || !this.tailPositions.length) {\n return;\n }\n ctx.clearRect(0, 0, this.mouseTail.width, this.mouseTail.height);\n ctx.beginPath();\n ctx.lineWidth = lineWidth;\n ctx.lineCap = lineCap;\n ctx.strokeStyle = strokeStyle;\n ctx.moveTo(this.tailPositions[0].x, this.tailPositions[0].y);\n this.tailPositions.forEach((p) => ctx.lineTo(p.x, p.y));\n ctx.stroke();\n };\n\n this.tailPositions.push(position);\n draw();\n setTimeout(() => {\n this.tailPositions = this.tailPositions.filter((p) => p !== position);\n draw();\n }, duration / this.speedService.state.context.timer.speed);\n }\n\n private hoverElements(el: Element) {\n this.iframe.contentDocument\n ?.querySelectorAll('.\\\\:hover')\n .forEach((hoveredEl) => {\n hoveredEl.classList.remove(':hover');\n });\n let currentEl: Element | null = el;\n while (currentEl) {\n if (currentEl.classList) {\n currentEl.classList.add(':hover');\n }\n currentEl = currentEl.parentElement;\n }\n }\n\n private isUserInteraction(event: eventWithTime): boolean {\n if (event.type !== EventType.IncrementalSnapshot) {\n return false;\n }\n return (\n event.data.source > IncrementalSource.Mutation &&\n event.data.source <= IncrementalSource.Input\n );\n }\n\n private backToNormal() {\n this.nextUserInteractionEvent = null;\n if (this.speedService.state.matches('normal')) {\n return;\n }\n this.speedService.send({ type: 'BACK_TO_NORMAL' });\n this.emitter.emit(ReplayerEvents.SkipEnd, {\n speed: this.speedService.state.context.normalSpeed,\n });\n }\n\n /**\n * Replace the virtual parent with the real parent.\n * @param frag fragment document, the virtual parent\n * @param parent real parent element\n */\n private restoreRealParent(frag: INode, parent: INode) {\n this.mirror.map[parent.__sn.id] = parent;\n /**\n * If we have already set value attribute on textarea,\n * then we could not apply text content as default value any more.\n */\n if (\n parent.__sn.type === NodeType.Element &&\n parent.__sn.tagName === 'textarea' &&\n frag.textContent\n ) {\n ((parent as unknown) as HTMLTextAreaElement).value = frag.textContent;\n }\n parent.appendChild(frag);\n // restore state of elements after they are mounted\n this.restoreState(parent);\n }\n\n /**\n * store state of elements before unmounted from dom recursively\n * the state should be restored in the handler of event ReplayerEvents.Flush\n * e.g. browser would lose scroll position after the process that we add children of parent node to Fragment Document as virtual dom\n */\n private storeState(parent: INode) {\n if (parent) {\n if (parent.nodeType === parent.ELEMENT_NODE) {\n const parentElement = (parent as unknown) as HTMLElement;\n if (parentElement.scrollLeft || parentElement.scrollTop) {\n // store scroll position state\n this.elementStateMap.set(parent, {\n scroll: [parentElement.scrollLeft, parentElement.scrollTop],\n });\n }\n if (parentElement.tagName === 'STYLE')\n storeCSSRules(\n parentElement as HTMLStyleElement,\n this.virtualStyleRulesMap,\n );\n const children = parentElement.children;\n for (const child of Array.from(children)) {\n this.storeState((child as unknown) as INode);\n }\n }\n }\n }\n\n /**\n * restore the state of elements recursively, which was stored before elements were unmounted from dom in virtual parent mode\n * this function corresponds to function storeState\n */\n private restoreState(parent: INode) {\n if (parent.nodeType === parent.ELEMENT_NODE) {\n const parentElement = (parent as unknown) as HTMLElement;\n if (this.elementStateMap.has(parent)) {\n const storedState = this.elementStateMap.get(parent)!;\n // restore scroll position\n if (storedState.scroll) {\n parentElement.scrollLeft = storedState.scroll[0];\n parentElement.scrollTop = storedState.scroll[1];\n }\n this.elementStateMap.delete(parent);\n }\n const children = parentElement.children;\n for (const child of Array.from(children)) {\n this.restoreState((child as unknown) as INode);\n }\n }\n }\n\n private restoreNodeSheet(node: INode) {\n const storedRules = this.virtualStyleRulesMap.get(node);\n if (node.nodeName !== 'STYLE') {\n return;\n }\n\n if (!storedRules) {\n return;\n }\n\n const styleNode = (node as unknown) as HTMLStyleElement;\n\n applyVirtualStyleRulesToNode(storedRules, styleNode);\n }\n\n private warnNodeNotFound(d: incrementalData, id: number) {\n if (this.treeIndex.idRemoved(id)) {\n this.warn(`Node with id '${id}' was previously removed. `, d);\n } else {\n this.warn(`Node with id '${id}' not found. `, d);\n }\n }\n\n private warnCanvasMutationFailed(\n d: canvasMutationData | canvasMutationCommand,\n error: unknown,\n ) {\n this.warn(`Has error on canvas update`, error, 'canvas mutation:', d);\n }\n\n private debugNodeNotFound(d: incrementalData, id: number) {\n /**\n * There maybe some valid scenes of node not being found.\n * Because DOM events are macrotask and MutationObserver callback\n * is microtask, so events fired on a removed DOM may emit\n * snapshots in the reverse order.\n */\n if (this.treeIndex.idRemoved(id)) {\n this.debug(\n REPLAY_CONSOLE_PREFIX,\n `Node with id '${id}' was previously removed. `,\n d,\n );\n } else {\n this.debug(REPLAY_CONSOLE_PREFIX, `Node with id '${id}' not found. `, d);\n }\n }\n\n private warn(...args: Parameters) {\n if (!this.config.showWarning) {\n return;\n }\n console.warn(REPLAY_CONSOLE_PREFIX, ...args);\n }\n\n private debug(...args: Parameters) {\n if (!this.config.showDebug) {\n return;\n }\n // tslint:disable-next-line: no-console\n console.log(REPLAY_CONSOLE_PREFIX, ...args);\n }\n}\n","import { Replayer } from '..';\nimport {\n CanvasContext,\n canvasMutationCommand,\n canvasMutationData,\n} from '../../types';\nimport webglMutation from './webgl';\nimport canvas2DMutation from './2d';\n\nexport default function canvasMutation({\n event,\n mutation,\n target,\n imageMap,\n errorHandler,\n}: {\n event: Parameters[0];\n mutation: canvasMutationData;\n target: HTMLCanvasElement;\n imageMap: Replayer['imageMap'];\n errorHandler: Replayer['warnCanvasMutationFailed'];\n}): void {\n try {\n const mutations: canvasMutationCommand[] =\n 'commands' in mutation ? mutation.commands : [mutation];\n\n if ([CanvasContext.WebGL, CanvasContext.WebGL2].includes(mutation.type)) {\n return mutations.forEach((command) => {\n webglMutation({\n mutation: command,\n type: mutation.type,\n target,\n imageMap,\n errorHandler,\n });\n });\n }\n // default is '2d' for backwards compatibility (rrweb below 1.1.x)\n return mutations.forEach((command) => {\n canvas2DMutation({\n event,\n mutation: command,\n target,\n imageMap,\n errorHandler,\n });\n });\n } catch (error) {\n errorHandler(mutation, error);\n }\n}\n","import { Replayer } from '../';\nimport { canvasMutationCommand } from '../../types';\n\nexport default function canvasMutation({\n event,\n mutation,\n target,\n imageMap,\n errorHandler,\n}: {\n event: Parameters[0];\n mutation: canvasMutationCommand;\n target: HTMLCanvasElement;\n imageMap: Replayer['imageMap'];\n errorHandler: Replayer['warnCanvasMutationFailed'];\n}): void {\n try {\n const ctx = ((target as unknown) as HTMLCanvasElement).getContext('2d')!;\n\n if (mutation.setter) {\n // skip some read-only type checks\n // tslint:disable-next-line:no-any\n (ctx as any)[mutation.property] = mutation.args[0];\n return;\n }\n const original = ctx[\n mutation.property as Exclude\n ] as Function;\n\n /**\n * We have serialized the image source into base64 string during recording,\n * which has been preloaded before replay.\n * So we can get call drawImage SYNCHRONOUSLY which avoid some fragile cast.\n */\n if (\n mutation.property === 'drawImage' &&\n typeof mutation.args[0] === 'string'\n ) {\n const image = imageMap.get(event);\n mutation.args[0] = image;\n original.apply(ctx, mutation.args);\n } else {\n original.apply(ctx, mutation.args);\n }\n } catch (error) {\n errorHandler(mutation, error);\n }\n}\n"],"names":["NodeType","__assign","Object","assign","t","s","i","n","arguments","length","p","prototype","hasOwnProperty","call","apply","this","__values","o","Symbol","iterator","m","next","value","done","TypeError","__read","r","e","ar","push","error","__spreadArray","to","from","pack","l","Array","slice","concat","isElement","nodeType","ELEMENT_NODE","commentre","parse","css","options","lineno","column","updatePosition","str","lines","match","lastIndexOf","position","start","line","node","Position","whitespace","end","source","content","errorsList","msg","err","Error","reason","filename","silent","open","close","rules","comments","charAt","atrule","rule","re","exec","c","comment","pos","type","selector","trim","replace","split","map","declaration","propMatch","prop","val","ret","property","declarations","decl","decls","keyframe","vals","values","rulesList","atimport","_compileAtrule","atcharset","atnamespace","name","RegExp","vendor","frame","frames","keyframes","atkeyframes","media","style","atmedia","atcustommedia","supports","atsupports","doc","document","atdocument","sel","selectors","atpage","athost","atfontface","addParent","stylesheet","parsingErrors","obj","parent","isNode","childParent","_i","_a","keys","isArray","forEach","v","defineProperty","configurable","writable","enumerable","tagMap","script","altglyph","altglyphdef","altglyphitem","animatecolor","animatemotion","animatetransform","clippath","feblend","fecolormatrix","fecomponenttransfer","fecomposite","feconvolvematrix","fediffuselighting","fedisplacementmap","fedistantlight","fedropshadow","feflood","fefunca","fefuncb","fefuncg","fefuncr","fegaussianblur","feimage","femerge","femergenode","femorphology","feoffset","fepointlight","fespecularlighting","fespotlight","fetile","feturbulence","foreignobject","glyphref","lineargradient","radialgradient","HOVER_SELECTOR","HOVER_SELECTOR_GLOBAL","addHoverClass","cssText","cache","cachedStyle","stylesWithHoverClass","get","ast","test","selectorMatcher","filter","index","indexOf","sort","a","b","join","result","newSelector","set","createCache","Map","buildNode","hackCss","Document","implementation","createDocument","DocumentType","createDocumentType","publicId","systemId","Element","node_1","tagName","attributes","_cssText","getTagName","isSVG","createElementNS","createElement","_loop_1","name_1","startsWith","image_1","src","onload","ctx","getContext","drawImage","width","height","image","currentSrc","setAttribute","currentTime","rr_mediaCurrentTime","play","console","warn","pause","isTextarea","isRemoteOrDynamicCss","child","createTextNode","childNodes","TEXT_NODE","removeChild","appendChild","setAttributeNS","substring","rel","as","href","endsWith","srcset","rr_dataURL","isShadowHost","shadowRoot","firstChild","attachShadow","mode","Text","isStyle","textContent","CDATA","createCDATASection","Comment","createComment","buildNodeWithSN","skipChild","_b","afterAppend","rootId","assert","compatMode","xmlns","write","__sn","id","_c","childN","childNode","isShadow","rebuild","onVisit","idNodeMap","key","visit","visitedNode","el","name_2","scrollLeft","scrollTop","handleScroll","mitt","all","create","on","handler","off","splice","emit","evt","EventType","IncrementalSource","MouseInteractions","CanvasContext","MediaInteractions","ReplayerEvents","polyfill","w","d","documentElement","__forceSmoothScrollPolyfill__","userAgent","HTMLElement","original","scroll","scrollTo","scrollBy","elementScroll","scrollElement","scrollIntoView","now","performance","bind","Date","ROUNDING_TOLERANCE","navigator","undefined","shouldBailOut","smoothScroll","body","left","scrollX","pageXOffset","top","scrollY","pageYOffset","SyntaxError","behavior","scrollableParent","findScrollableParent","parentRects","getBoundingClientRect","clientRects","getComputedStyle","x","y","firstArg","hasScrollableSpace","axis","clientHeight","scrollHeight","clientWidth","scrollWidth","canOverflow","overflowValue","isScrollable","isScrollableY","isScrollableX","parentNode","host","step","context","currentX","currentY","k","elapsed","startTime","Math","cos","PI","startX","startY","method","scrollable","requestAnimationFrame","actions","speed","Timer","action","findActionIndex","timeOffset","lastTimestamp","self","raf","check","time","delay","shift","doAction","liveMode","cancelAnimationFrame","mid","floor","addDelay","event","baselineTime","IncrementalSnapshot","data","MouseMove","firstOffset","positions","firstTimestamp","timestamp","return","NotStarted","Running","Stopped","assignment","u","changed","matches","f","states","initial","entry","config","_options","initialState","transition","g","h","S","target","j","E","R","N","cond","O","_","T","q","exit","z","A","B","C","Set","_machine","send","subscribe","add","unsubscribe","delete","stop","clear","state","status","createPlayerService","getCastFn","applyEventsSynchronously","emitter","interpret","createMachine","playing","PAUSE","CAST_EVENT","END","ADD_EVENT","paused","PLAY","TO_LIVE","live","castEvent","lastPlayedEvent","payload","recordTimeOffset","events","timer","events_1","neededEvents","idx","event_1","Meta","discardPriorSnapshots","lastPlayedTimestamp","PlayBack","syncEvents","event_3","castFn_1","neededEvents_1","Flush","addActions","resetLastPlayedEvent","startLive","toggleLiveMode","addEvent","machineEvent","event_4","insertionIndex","isSync","castFn_2","isActive","addAction","DEPARTED_MIRROR_ACCESS_WARNING","_mirror","getId","getNode","removeNodeFromMap","has","reset","window","Proxy","Reflect","receiver","TreeIndex","mutation","parentTreeNode","indexes","parentId","treeNode","children","texts","tree","mirror","deepRemoveFromMirror","_this","removeIdSet","deepRemoveFromTreeIndex","_treeNode","_parentTreeNode","removeNodeMutations","textMutations","attributeMutations","scrollMap","inputMap","batchMutationData","Mutation","removes","adds","walk","removed","_d","_f","mutationData","queueToResolveTrees","queue","queueNodeMap","putIntoMap","nodeInTree","queueNodeTrees","queue_1","nextId","nextInTree","parentInTree","iterateResolveTree","cb","isIframeINode","getBaseDimension","rootIframe","frameElement","ownerDocument","defaultView","relativeScale","absoluteScale","frameDimension","frameBaseDimension","hasShadowRoot","Boolean","StyleRuleType","getNestedRule","cssRules","getPositionsAndIndex","nestedIndex","pop","applyVirtualStyleRulesToNode","storedRules","styleNode","sheet","Insert","insertRule","Remove","deleteRule","Snapshot","cssTexts","existingRules","existingRulesReversed","entries","reverse","lastMatch_1","Number","restoreSnapshotOfStyleRulesToNode","SetProperty","setProperty","priority","RemoveProperty","removeProperty","chars","lookup","Uint8Array","charCodeAt","webGLVarMap","variableListFor","ctor","contextMap","WebGLVariableConstructorsNames","deserializeArg","imageMap","arg","args","base64","encoded1","encoded2","encoded3","encoded4","bufferLength","len","arraybuffer","ArrayBuffer","bytes","decode","Image","webglMutation","errorHandler","WebGL","setter","constructor","includes","variables","saveToWebGLVarMap","mittProxy.default","mittProxy","REPLAY_CONSOLE_PREFIX","defaultMouseTailConfig","duration","lineCap","lineWidth","strokeStyle","indicatesTouchDevice","TouchMove","MouseInteraction","TouchStart","defaultConfig","maxSpeed","root","loadTimeout","skipInactive","showWarning","showDebug","blockClass","insertStyleRules","triggerFocus","UNSAFE_replayCanvas","pauseAnimation","mouseTail","handleResize","Resize","setupDom","treeIndex","fragmentParentMap","elementStateMap","virtualStyleRulesMap","_e","flush","frag","restoreRealParent","applyText","_h","restoreNodeSheet","_k","applyScroll","_m","applyInput","firstFullSnapshot","service","unpackFn","a1","a2","StateChange","player","speedService","normalSpeed","normal","FAST_FORWARD","SET_SPEED","skipping","BACK_TO_NORMAL","setSpeed","recordSpeed","restoreSpeed","firstMeta","find","firstFullsnapshot","FullSnapshot","width_1","height_1","setTimeout","rebuildFullSnapshot","iframe","contentWindow","initialOffset","mouse","classList","Replayer","backToNormal","display","parseFloat","wrapper","insertBefore","firstEvent","lastEvent","endTime","totalTime","getTimeOffset","contentDocument","getElementsByTagName","remove","Start","Pause","Resume","rawEvent","Promise","resolve","then","pointerEvents","win","disableInteract","smoothscrollPolyfill","NodeList","DOMTokenList","Node","contains","dimension","String","DomContentLoaded","Load","Custom","Plugin","MediaInteraction","castFn","mousePos","moveAndHover","debugData","touchActive","CustomEvent","applyIncremental","nextUserInteractionEvent","_event","isUserInteraction","skipTime","min","round","SkipStart","plugins","replayer","last_index","finish_1","Finish","max","EventCast","legacy_missingNodeRetryMap","collected","builtNode","collectIframeAndAttachDocument","mutationInQueue","this_1","attachDocumentToIframe","newDocumentQueue","collected_1","head","FullsnapshotRebuilded","waitForStylesheetLoad","preloadAllImages","styleEl","injectStylesRules","iframeEl","parent_1","realParent","toUpperCase","this_2","collected_2","timer_1","unloadSheets_1","beforeLoadState_1","stateHandler_1","unsubscribe_1","querySelectorAll","addEventListener","size","getCurrentTime","LoadStylesheetEnd","clearTimeout","LoadStylesheetStart","args_1","hasImageArg","rr_type","images","args_2","getImageArgs","stateHandler","event_2","CanvasMutation","commands","preloadImages","this_3","url","canvas","imgd","createImageData","JSON","putImageData","text","attribute","applyMutation","message","Drag","lastPosition","Event","toLowerCase","debugNodeNotFound","Blur","blur","Focus","focus","preventScroll","Click","TouchEnd","tailPositions","offsetWidth","TouchCancel","dispatchEvent","Scroll","ViewportResize","Input","input","mediaEl","volume","muted","StyleSheetRule","rules_1","parent_2","usingVirtualParent_1","styleSheet_1","StyleDeclaration","parent_3","styleSheet","mutations","WebGL2","command","canvas2DMutation","canvasMutation","warnCanvasMutationFailed","Font","fontFace","FontFace","family","buffer","fontSource","descriptors","fonts","useVirtualParent","warnNodeNotFound","realTarget","DOMException","legacy_missingNodeMap","appendNode","parentInDocument","hasIframeChild","virtualParent","createDocumentFragment","storeState","previous","previousId","nextNotInDOM","targetDoc","nextSibling","mutationInQueue_1","legacy_resolveMissingNode","resolveTrees","resolveTrees_1","debug","attributeName","removeAttribute","styleValues","targetEl","svp","svs","checked","isChecked","targetMutation","previousInMap","nextInMap","base","_x","_y","drawMouseTail","hoverElements","draw","clearRect","beginPath","moveTo","lineTo","stroke","hoveredEl","currentEl","parentElement","SkipEnd","restoreState","storeCSSRules","storedState","nodeName","idRemoved","log"],"mappings":";;;;;;;;;;;;;;oFA+BO,IC/BHA,ED+BOC,EAAW,WAQlB,OAPAA,EAAWC,OAAOC,QAAU,SAAkBC,GAC1C,IAAK,IAAIC,EAAGC,EAAI,EAAGC,EAAIC,UAAUC,OAAQH,EAAIC,EAAGD,IAE5C,IAAK,IAAII,KADTL,EAAIG,UAAUF,GACOJ,OAAOS,UAAUC,eAAeC,KAAKR,EAAGK,KAAIN,EAAEM,GAAKL,EAAEK,IAE9E,OAAON,IAEKU,MAAMC,KAAMP,YAgFzB,SAASQ,EAASC,GACrB,IAAIZ,EAAsB,mBAAXa,QAAyBA,OAAOC,SAAUC,EAAIf,GAAKY,EAAEZ,GAAIC,EAAI,EAC5E,GAAIc,EAAG,OAAOA,EAAEP,KAAKI,GACrB,GAAIA,GAAyB,iBAAbA,EAAER,OAAqB,MAAO,CAC1CY,KAAM,WAEF,OADIJ,GAAKX,GAAKW,EAAER,SAAQQ,OAAI,GACrB,CAAEK,MAAOL,GAAKA,EAAEX,KAAMiB,MAAON,KAG5C,MAAM,IAAIO,UAAUnB,EAAI,0BAA4B,mCAGjD,SAASoB,EAAOR,EAAGV,GACtB,IAAIa,EAAsB,mBAAXF,QAAyBD,EAAEC,OAAOC,UACjD,IAAKC,EAAG,OAAOH,EACf,IAAmBS,EAAYC,EAA3BrB,EAAIc,EAAEP,KAAKI,GAAOW,EAAK,GAC3B,IACI,WAAc,IAANrB,GAAgBA,KAAM,MAAQmB,EAAIpB,EAAEe,QAAQE,MAAMK,EAAGC,KAAKH,EAAEJ,OAExE,MAAOQ,GAASH,EAAI,CAAEG,MAAOA,WAEzB,IACQJ,IAAMA,EAAEH,OAASH,EAAId,EAAU,SAAIc,EAAEP,KAAKP,WAExC,GAAIqB,EAAG,MAAMA,EAAEG,OAE7B,OAAOF,EAmBJ,SAASG,EAAcC,EAAIC,EAAMC,GACpC,GAAIA,GAA6B,IAArB1B,UAAUC,OAAc,IAAK,IAA4BmB,EAAxBtB,EAAI,EAAG6B,EAAIF,EAAKxB,OAAYH,EAAI6B,EAAG7B,KACxEsB,GAAQtB,KAAK2B,IACRL,IAAIA,EAAKQ,MAAMzB,UAAU0B,MAAMxB,KAAKoB,EAAM,EAAG3B,IAClDsB,EAAGtB,GAAK2B,EAAK3B,IAGrB,OAAO0B,EAAGM,OAAOV,GAAMQ,MAAMzB,UAAU0B,MAAMxB,KAAKoB,ICjKtD,SAASM,EAAUhC,GACf,OAAOA,EAAEiC,WAAajC,EAAEkC,cAV5B,SAAWzC,GACPA,EAASA,EAAmB,SAAI,GAAK,WACrCA,EAASA,EAAuB,aAAI,GAAK,eACzCA,EAASA,EAAkB,QAAI,GAAK,UACpCA,EAASA,EAAe,KAAI,GAAK,OACjCA,EAASA,EAAgB,MAAI,GAAK,QAClCA,EAASA,EAAkB,QAAI,GAAK,UANxC,CAOGA,IAAaA,EAAW,KAk3B3B,IAAI0C,EAAY,kCAChB,SAASC,EAAMC,EAAKC,QACA,IAAZA,IAAsBA,EAAU,IACpC,IAAIC,EAAS,EACTC,EAAS,EACb,SAASC,EAAeC,GACpB,IAAIC,EAAQD,EAAIE,MAAM,OAClBD,IACAJ,GAAUI,EAAMzC,QAEpB,IAAIH,EAAI2C,EAAIG,YAAY,MACxBL,GAAgB,IAAPzC,EAAWyC,EAASE,EAAIxC,OAASwC,EAAIxC,OAASH,EAE3D,SAAS+C,IACL,IAAIC,EAAQ,CAAEC,KAAMT,EAAQC,OAAQA,GACpC,OAAO,SAAUS,GAGb,OAFAA,EAAKH,SAAW,IAAII,EAASH,GAC7BI,IACOF,GAGf,IAAIC,EACA,SAAkBH,GACdvC,KAAKuC,MAAQA,EACbvC,KAAK4C,IAAM,CAAEJ,KAAMT,EAAQC,OAAQA,GACnChC,KAAK6C,OAASf,EAAQe,QAI9BH,EAAS9C,UAAUkD,QAAUjB,EAC7B,IAAIkB,EAAa,GACjB,SAAShC,EAAMiC,GACX,IAAIC,EAAM,IAAIC,MAAMpB,EAAQe,OAAS,IAAMd,EAAS,IAAMC,EAAS,KAAOgB,GAM1E,GALAC,EAAIE,OAASH,EACbC,EAAIG,SAAWtB,EAAQe,OACvBI,EAAIT,KAAOT,EACXkB,EAAIjB,OAASA,EACbiB,EAAIJ,OAAShB,GACTC,EAAQuB,OAIR,MAAMJ,EAHNF,EAAWjC,KAAKmC,GAiBxB,SAASK,IACL,OAAOlB,EAAM,SAEjB,SAASmB,IACL,OAAOnB,EAAM,MAEjB,SAASoB,IACL,IAAIf,EACAe,EAAQ,GAGZ,IAFAb,IACAc,EAASD,GACF3B,EAAInC,QAA4B,MAAlBmC,EAAI6B,OAAO,KAAejB,EAAOkB,KAAYC,OACjD,IAATnB,IACAe,EAAM1C,KAAK2B,GACXgB,EAASD,IAGjB,OAAOA,EAEX,SAASpB,EAAMyB,GACX,IAAIxD,EAAIwD,EAAGC,KAAKjC,GAChB,GAAKxB,EAAL,CAGA,IAAI6B,EAAM7B,EAAE,GAGZ,OAFA4B,EAAeC,GACfL,EAAMA,EAAIP,MAAMY,EAAIxC,QACbW,GAEX,SAASsC,IACLP,EAAM,QAEV,SAASqB,EAASD,GAEd,IAAIO,EACJ,SAFc,IAAVP,IAAoBA,EAAQ,IAExBO,EAAIC,MACE,IAAND,GACAP,EAAM1C,KAAKiD,GAEfA,EAAIC,IAER,OAAOR,EAEX,SAASQ,IACL,IAAIC,EAAM3B,IACV,GAAI,MAAQT,EAAI6B,OAAO,IAAM,MAAQ7B,EAAI6B,OAAO,GAAhD,CAIA,IADA,IAAInE,EAAI,EACD,KAAOsC,EAAI6B,OAAOnE,KACpB,MAAQsC,EAAI6B,OAAOnE,IAAM,MAAQsC,EAAI6B,OAAOnE,EAAI,OAC/CA,EAGN,GADAA,GAAK,EACD,KAAOsC,EAAI6B,OAAOnE,EAAI,GACtB,OAAOwB,EAAM,0BAEjB,IAAImB,EAAML,EAAIP,MAAM,EAAG/B,EAAI,GAK3B,OAJAyC,GAAU,EACVC,EAAeC,GACfL,EAAMA,EAAIP,MAAM/B,GAChByC,GAAU,EACHiC,EAAI,CACPC,KAAM,UACNF,QAAS9B,KAGjB,SAASiC,IACL,IAAI9D,EAAI+B,EAAM,YACd,GAAK/B,EAGL,OAAO+D,EAAK/D,EAAE,IACTgE,QAAQ,+CAAgD,IACxDA,QAAQ,oCAAoC,SAAUhE,GACvD,OAAOA,EAAEgE,QAAQ,KAAM,QAEtBC,MAAM,sBACNC,KAAI,SAAUjF,GACf,OAAOA,EAAE+E,QAAQ,UAAW,QAGpC,SAASG,IACL,IAAIP,EAAM3B,IACNmC,EAAYrC,EAAM,4CACtB,GAAKqC,EAAL,CAGA,IAAIC,EAAON,EAAKK,EAAU,IAC1B,IAAKrC,EAAM,SACP,OAAOrB,EAAM,wBAEjB,IAAI4D,EAAMvC,EAAM,yDACZwC,EAAMX,EAAI,CACVC,KAAM,cACNW,SAAUH,EAAKL,QAAQ1C,EAAW,IAClCpB,MAAOoE,EAAMP,EAAKO,EAAI,IAAIN,QAAQ1C,EAAW,IAAM,KAGvD,OADAS,EAAM,WACCwC,GAEX,SAASE,IACL,IAKIC,EALAC,EAAQ,GACZ,IAAK1B,IACD,OAAOvC,EAAM,eAIjB,IAFA0C,EAASuB,GAEDD,EAAOP,MACE,IAATO,IACAC,EAAMlE,KAAKiE,GACXtB,EAASuB,IAEbD,EAAOP,IAEX,OAAKjB,IAGEyB,EAFIjE,EAAM,eAIrB,SAASkE,IAIL,IAHA,IAAI5E,EACA6E,EAAO,GACPjB,EAAM3B,IACFjC,EAAI+B,EAAM,wCACd8C,EAAKpE,KAAKT,EAAE,IACZ+B,EAAM,SAEV,GAAK8C,EAAKxF,OAGV,OAAOuE,EAAI,CACPC,KAAM,WACNiB,OAAQD,EACRJ,aAAcA,MA8KtB,IA9TQM,EA8TJC,EAAWC,EAAe,UAC1BC,EAAYD,EAAe,WAC3BE,EAAcF,EAAe,aACjC,SAASA,EAAeG,GACpB,IAAI5B,EAAK,IAAI6B,OAAO,KAAOD,EAAO,gBAClC,OAAO,WACH,IAAIxB,EAAM3B,IACNjC,EAAI+B,EAAMyB,GACd,GAAKxD,EAAL,CAGA,IAAIuE,EAAM,CAAEV,KAAMuB,GAElB,OADAb,EAAIa,GAAQpF,EAAE,GAAG+D,OACVH,EAAIW,KAGnB,SAASjB,IACL,GAAe,MAAX9B,EAAI,GAGR,OA/LJ,WACI,IAAIoC,EAAM3B,IACNjC,EAAI+B,EAAM,2BACd,GAAK/B,EAAL,CAGA,IAAIsF,EAAStF,EAAE,GAEf,KADAA,EAAI+B,EAAM,iBAEN,OAAOrB,EAAM,2BAEjB,IAII6E,EAJAH,EAAOpF,EAAE,GACb,IAAKiD,IACD,OAAOvC,EAAM,0BAIjB,IADA,IAAI8E,EAASpC,IACLmC,EAAQX,KACZY,EAAO/E,KAAK8E,GACZC,EAASA,EAAOtE,OAAOkC,KAE3B,OAAKF,IAGEU,EAAI,CACPC,KAAM,YACNuB,KAAMA,EACNE,OAAQA,EACRG,UAAWD,IANJ9E,EAAM,2BAyKTgF,IA1HZ,WACI,IAAI9B,EAAM3B,IACNjC,EAAI+B,EAAM,oBACd,GAAK/B,EAAL,CAGA,IAAI2F,EAAQ5B,EAAK/D,EAAE,IACnB,IAAKiD,IACD,OAAOvC,EAAM,sBAEjB,IAAIkF,EAAQxC,IAAWlC,OAAOiC,KAC9B,OAAKD,IAGEU,EAAI,CACPC,KAAM,QACN8B,MAAOA,EACPxC,MAAOyC,IALAlF,EAAM,uBA+GbmF,IAvGR,WACI,IAAIjC,EAAM3B,IACNjC,EAAI+B,EAAM,2CACd,GAAK/B,EAGL,OAAO4D,EAAI,CACPC,KAAM,eACNuB,KAAMrB,EAAK/D,EAAE,IACb2F,MAAO5B,EAAK/D,EAAE,MA+Fd8F,IAlKR,WACI,IAAIlC,EAAM3B,IACNjC,EAAI+B,EAAM,uBACd,GAAK/B,EAAL,CAGA,IAAI+F,EAAWhC,EAAK/D,EAAE,IACtB,IAAKiD,IACD,OAAOvC,EAAM,yBAEjB,IAAIkF,EAAQxC,IAAWlC,OAAOiC,KAC9B,OAAKD,IAGEU,EAAI,CACPC,KAAM,WACNkC,SAAUA,EACV5C,MAAOyC,IALAlF,EAAM,0BAuJbsF,IACAhB,KACAE,KACAC,KAvER,WACI,IAAIvB,EAAM3B,IACNjC,EAAI+B,EAAM,gCACd,GAAK/B,EAAL,CAGA,IAAIsF,EAASvB,EAAK/D,EAAE,IAChBiG,EAAMlC,EAAK/D,EAAE,IACjB,IAAKiD,IACD,OAAOvC,EAAM,yBAEjB,IAAIkF,EAAQxC,IAAWlC,OAAOiC,KAC9B,OAAKD,IAGEU,EAAI,CACPC,KAAM,WACNqC,SAAUD,EACVX,OAAQA,EACRnC,MAAOyC,IANAlF,EAAM,0BA2DbyF,IAjGR,WACI,IAAIvC,EAAM3B,IAEV,GADQF,EAAM,YACd,CAGA,IAAIqE,EAAMtC,KAAc,GACxB,IAAKb,IACD,OAAOvC,EAAM,qBAIjB,IAFA,IACIgE,EADAC,EAAQvB,IAEJsB,EAAOP,KACXQ,EAAMlE,KAAKiE,GACXC,EAAQA,EAAMzD,OAAOkC,KAEzB,OAAKF,IAGEU,EAAI,CACPC,KAAM,OACNwC,UAAWD,EACX3B,aAAcE,IALPjE,EAAM,sBAiFb4F,IApJR,WACI,IAAI1C,EAAM3B,IAEV,GADQF,EAAM,aACd,CAGA,IAAKkB,IACD,OAAOvC,EAAM,qBAEjB,IAAIkF,EAAQxC,IAAWlC,OAAOiC,KAC9B,OAAKD,IAGEU,EAAI,CACPC,KAAM,OACNV,MAAOyC,IAJAlF,EAAM,sBA0Ib6F,IApDR,WACI,IAAI3C,EAAM3B,IAEV,GADQF,EAAM,kBACd,CAGA,IAAKkB,IACD,OAAOvC,EAAM,0BAIjB,IAFA,IACIgE,EADAC,EAAQvB,IAEJsB,EAAOP,KACXQ,EAAMlE,KAAKiE,GACXC,EAAQA,EAAMzD,OAAOkC,KAEzB,OAAKF,IAGEU,EAAI,CACPC,KAAM,YACNY,aAAcE,IAJPjE,EAAM,2BAqCb8F,GAER,SAASjD,IACL,IAAIK,EAAM3B,IACNmE,EAAMtC,IACV,OAAKsC,GAGLhD,IACOQ,EAAI,CACPC,KAAM,OACNwC,UAAWD,EACX3B,aAAcA,OANP/D,EAAM,oBASrB,OAAO+F,GA3WC1B,EAAY5B,IACT,CACHU,KAAM,aACN6C,WAAY,CACRlE,OAAQf,EAAQe,OAChBW,MAAO4B,EACP4B,cAAejE,MAuW/B,SAASqB,EAAKlC,GACV,OAAOA,EAAMA,EAAImC,QAAQ,aAAc,IAAM,GAEjD,SAASyC,EAAUG,EAAKC,GAGpB,IAFA,IAAIC,EAASF,GAA2B,iBAAbA,EAAI/C,KAC3BkD,EAAcD,EAASF,EAAMC,EACxBG,EAAK,EAAGC,EAAKnI,OAAOoI,KAAKN,GAAMI,EAAKC,EAAG5H,OAAQ2H,IAAM,CAC1D,IACI9G,EAAQ0G,EADJK,EAAGD,IAEPhG,MAAMmG,QAAQjH,GACdA,EAAMkH,SAAQ,SAAUC,GACpBZ,EAAUY,EAAGN,MAGZ7G,GAA0B,iBAAVA,GACrBuG,EAAUvG,EAAO6G,GAWzB,OARID,GACAhI,OAAOwI,eAAeV,EAAK,SAAU,CACjCW,cAAc,EACdC,UAAU,EACVC,YAAY,EACZvH,MAAO2G,GAAU,OAGlBD,EAGX,IAAIc,EAAS,CACTC,OAAQ,WACRC,SAAU,WACVC,YAAa,cACbC,aAAc,eACdC,aAAc,eACdC,cAAe,gBACfC,iBAAkB,mBAClBC,SAAU,WACVC,QAAS,UACTC,cAAe,gBACfC,oBAAqB,sBACrBC,YAAa,cACbC,iBAAkB,mBAClBC,kBAAmB,oBACnBC,kBAAmB,oBACnBC,eAAgB,iBAChBC,aAAc,eACdC,QAAS,UACTC,QAAS,UACTC,QAAS,UACTC,QAAS,UACTC,QAAS,UACTC,eAAgB,iBAChBC,QAAS,UACTC,QAAS,UACTC,YAAa,cACbC,aAAc,eACdC,SAAU,WACVC,aAAc,eACdC,mBAAoB,qBACpBC,YAAa,cACbC,OAAQ,SACRC,aAAc,eACdC,cAAe,gBACfC,SAAU,WACVC,eAAgB,iBAChBC,eAAgB,kBAYpB,IAAIC,EAAiB,gBACjBC,EAAwB,IAAI5E,OAAO2E,EAAexH,OAAQ,KAC9D,SAAS0H,EAAcC,EAASC,GAC5B,IAAIC,EAAcD,MAAAA,OAAqC,EAASA,EAAME,qBAAqBC,IAAIJ,GAC/F,GAAIE,EACA,OAAOA,EACX,IAAIG,EAAMjJ,EAAM4I,EAAS,CACrBnH,QAAQ,IAEZ,IAAKwH,EAAI9D,WACL,OAAOyD,EAEX,IAAI9D,EAAY,GAUhB,GATAmE,EAAI9D,WAAWvD,MAAMiE,SAAQ,SAAU7D,GAC/B,cAAeA,IACdA,EAAK8C,WAAa,IAAIe,SAAQ,SAAUtD,GACjCkG,EAAeS,KAAK3G,IACpBuC,EAAU5F,KAAKqD,SAKN,IAArBuC,EAAUhH,OACV,OAAO8K,EAEX,IAAIO,EAAkB,IAAIrF,OAAOgB,EAC5BsE,QAAO,SAAU7G,EAAU8G,GAAS,OAAOvE,EAAUwE,QAAQ/G,KAAc8G,KAC3EE,MAAK,SAAUC,EAAGC,GAAK,OAAOA,EAAE3L,OAAS0L,EAAE1L,UAC3C6E,KAAI,SAAUJ,GACf,OAAoBA,EA/BbE,QAAQ,sBAAuB,WAiCrCiH,KAAK,KAAM,KACZC,EAASf,EAAQnG,QAAQ0G,GAAiB,SAAU5G,GACpD,IAAIqH,EAAcrH,EAASE,QAAQiG,EAAuB,eAC1D,OAAOnG,EAAW,KAAOqH,KAG7B,OADAf,MAAAA,GAA8CA,EAAME,qBAAqBc,IAAIjB,EAASe,GAC/EA,EAEX,SAASG,IAEL,MAAO,CACHf,qBAFuB,IAAIgB,KAKnC,SAASC,EAAUpM,EAAGsC,GAClB,IAAIwE,EAAMxE,EAAQwE,IAAKuF,EAAU/J,EAAQ+J,QAASpB,EAAQ3I,EAAQ2I,MAClE,OAAQjL,EAAE0E,MACN,KAAKjF,EAAS6M,SACV,OAAOxF,EAAIyF,eAAeC,eAAe,KAAM,GAAI,MACvD,KAAK/M,EAASgN,aACV,OAAO3F,EAAIyF,eAAeG,mBAAmB1M,EAAEiG,MAAQ,OAAQjG,EAAE2M,SAAU3M,EAAE4M,UACjF,KAAKnN,EAASoN,QACV,IACIC,EADAC,EA/DhB,SAAoB/M,GAChB,IAAI+M,EAAUxE,EAAOvI,EAAE+M,SAAWxE,EAAOvI,EAAE+M,SAAW/M,EAAE+M,QAIxD,MAHgB,SAAZA,GAAsB/M,EAAEgN,WAAWC,WACnCF,EAAU,SAEPA,EA0DeG,CAAWlN,GAGrB8M,EADA9M,EAAEmN,MACOrG,EAAIsG,gBAAgB,6BAA8BL,GAGlDjG,EAAIuG,cAAcN,GAE/B,IAAIO,EAAU,SAAUC,GACpB,IAAKvN,EAAEgN,WAAW3M,eAAekN,GAC7B,MAAO,WAEX,IAAIxM,EAAQf,EAAEgN,WAAWO,GACzB,GAAgB,WAAZR,GAAmC,aAAXQ,IAAmC,IAAVxM,EACjD,MAAO,WAIX,GAFAA,EACqB,kBAAVA,GAAwC,iBAAVA,EAAqB,GAAKA,EAC9DwM,EAAOC,WAAW,OAqDlB,CACD,GAAgB,WAAZT,GAAmC,eAAXQ,EAAyB,CACjD,IAAIE,EAAU1G,SAASsG,cAAc,OACrCI,EAAQC,IAAM3M,EACd0M,EAAQE,OAAS,WACb,IAAIC,EAAMd,EAAOe,WAAW,MACxBD,GACAA,EAAIE,UAAUL,EAAS,EAAG,EAAGA,EAAQM,MAAON,EAAQO,cAI3D,GAAgB,QAAZjB,GAAgC,eAAXQ,EAAyB,CACnD,IAAIU,EAAQnB,EACPmB,EAAMC,WAAWV,WAAW,WAC7BS,EAAME,aAAa,qBAAsBnO,EAAEgN,WAAWU,KACtDO,EAAMP,IAAM3M,GAGpB,GAAe,aAAXwM,EACAT,EAAOrG,MAAMsH,MAAQhN,OAEpB,GAAe,cAAXwM,EACLT,EAAOrG,MAAMuH,OAASjN,OAErB,GAAe,wBAAXwM,EACLT,EAAOsB,YAAcpO,EAAEgN,WAClBqB,yBAEJ,GAAe,kBAAXd,EACL,OAAQxM,GACJ,IAAK,SACD+L,EACKwB,OAAc,OAAE,SAAUlN,GAAK,OAAOmN,QAAQC,KAAK,uBAAwBpN,MAChF,MACJ,IAAK,SACD0L,EAAO2B,aAxFQ,CAC3B,IAAIC,EAAyB,aAAZ3B,GAAqC,UAAXQ,EACvCoB,EAAmC,UAAZ5B,GAAkC,aAAXQ,EAIlD,GAHIoB,GAAwBtC,IACxBtL,EAAQgK,EAAchK,EAAOkK,IAE7ByD,GAAcC,EAAsB,CAEpC,IADA,IAAIC,EAAQ9H,EAAI+H,eAAe9N,GACtB8G,EAAK,EAAGC,EAAKjG,MAAMH,KAAKoL,EAAOgC,YAAajH,EAAKC,EAAG5H,OAAQ2H,IAAM,CACvE,IAAItD,EAAIuD,EAAGD,GACPtD,EAAEtC,WAAa6K,EAAOiC,WACtBjC,EAAOkC,YAAYzK,GAI3B,OADAuI,EAAOmC,YAAYL,GACZ,WAEX,IACI,GAAI5O,EAAEmN,OAAoB,eAAXI,EACXT,EAAOoC,eAAe,+BAAgC3B,EAAQxM,QAE7D,GAAe,WAAXwM,GACM,YAAXA,GAC2B,YAA3BA,EAAO4B,UAAU,EAAG,GACpBrC,EAAOqB,aAAa,IAAMZ,EAAQxM,OAEjC,CAAA,GAAgB,SAAZgM,GAC0B,4BAA/B/M,EAAEgN,WAAW,eACF,YAAXO,EAEA,OADAT,EAAOqB,aAAa,cAAepN,GAC5B,WAEU,SAAZgM,GACgB,YAArB/M,EAAEgN,WAAWoC,KACO,WAApBpP,EAAEgN,WAAWqC,IAEI,SAAZtC,GACgB,aAArB/M,EAAEgN,WAAWoC,KACgB,iBAAtBpP,EAAEgN,WAAWsC,MACpBtP,EAAEgN,WAAWsC,KAAKC,SAAS,SAEV,QAAZxC,GACL/M,EAAEgN,WAAWwC,QACbxP,EAAEgN,WAAWyC,WACb3C,EAAOqB,aAAa,wBAAyBnO,EAAEgN,WAAWwC,QAG1D1C,EAAOqB,aAAaZ,EAAQxM,KAGpC,MAAOQ,OA4Cf,IAAK,IAAIgM,KAAUvN,EAAEgN,WACjBM,EAAQC,GAEZ,GAAIvN,EAAE0P,aACF,GAAK5C,EAAO6C,WAIR,KAAO7C,EAAO6C,WAAWC,YACrB9C,EAAO6C,WAAWX,YAAYlC,EAAO6C,WAAWC,iBAJpD9C,EAAO+C,aAAa,CAAEC,KAAM,SAQpC,OAAOhD,EACX,KAAKrN,EAASsQ,KACV,OAAOjJ,EAAI+H,eAAe7O,EAAEgQ,SAAW3D,EACjCtB,EAAc/K,EAAEiQ,YAAahF,GAC7BjL,EAAEiQ,aACZ,KAAKxQ,EAASyQ,MACV,OAAOpJ,EAAIqJ,mBAAmBnQ,EAAEiQ,aACpC,KAAKxQ,EAAS2Q,QACV,OAAOtJ,EAAIuJ,cAAcrQ,EAAEiQ,aAC/B,QACI,OAAO,MAGnB,SAASK,EAAgBtQ,EAAGsC,GACxB,IAAIwE,EAAMxE,EAAQwE,IAAK/B,EAAMzC,EAAQyC,IAAK+C,EAAKxF,EAAQiO,UAAWA,OAAmB,IAAPzI,GAAwBA,EAAI0I,EAAKlO,EAAQ+J,QAASA,OAAiB,IAAPmE,GAAuBA,EAAIC,EAAcnO,EAAQmO,YAAaxF,EAAQ3I,EAAQ2I,MACpNhI,EAAOmJ,EAAUpM,EAAG,CAAE8G,IAAKA,EAAKuF,QAASA,EAASpB,MAAOA,IAC7D,IAAKhI,EACD,OAAO,KAwBX,GAtBIjD,EAAE0Q,QACFnC,QAAQoC,OAAO5L,EAAI/E,EAAE0Q,UAAY5J,EAAK,gDAEtC9G,EAAE0E,OAASjF,EAAS6M,WACpBxF,EAAI/C,QACJ+C,EAAIhD,OACiB,eAAjB9D,EAAE4Q,YACF5Q,EAAE8O,YACF9O,EAAE8O,WAAW,GAAGpK,OAASjF,EAASgN,eAC9BzM,EAAE8O,WAAW,GAAGpK,OAASjF,EAASoN,SAClC,UAAW7M,EAAE8O,WAAW,GAAG9B,YACU,iCAArChN,EAAE8O,WAAW,GAAG9B,WAAW6D,MAC3B/J,EAAIgK,MAAM,sEAGVhK,EAAIgK,MAAM,sEAGlB7N,EAAO6D,GAEX7D,EAAK8N,KAAO/Q,EACZ+E,EAAI/E,EAAEgR,IAAM/N,GACPjD,EAAE0E,OAASjF,EAAS6M,UAAYtM,EAAE0E,OAASjF,EAASoN,WACpD0D,EACD,IAAK,IAAI1I,EAAK,EAAGoJ,EAAKjR,EAAE8O,WAAYjH,EAAKoJ,EAAG/Q,OAAQ2H,IAAM,CACtD,IAAIqJ,EAASD,EAAGpJ,GACZsJ,EAAYb,EAAgBY,EAAQ,CACpCpK,IAAKA,EACL/B,IAAKA,EACLwL,WAAW,EACXlE,QAASA,EACToE,YAAaA,EACbxF,MAAOA,IAENkG,GAIDD,EAAOE,UAAYpP,EAAUiB,IAASA,EAAK0M,WAC3C1M,EAAK0M,WAAWV,YAAYkC,GAG5BlO,EAAKgM,YAAYkC,GAEjBV,GACAA,EAAYU,IAVZ5C,QAAQC,KAAK,oBAAqB0C,GAc9C,OAAOjO,EA+BX,SAASoO,EAAQrR,EAAGsC,GAChB,IAAIwE,EAAMxE,EAAQwE,IAAKwK,EAAUhP,EAAQgP,QAASxJ,EAAKxF,EAAQ+J,QAC3DkF,EAAY,GACZtO,EAAOqN,EAAgBtQ,EAAG,CAC1B8G,IAAKA,EACL/B,IAAKwM,EACLhB,WAAW,EACXlE,aANqF,IAAPvE,GAAuBA,EAOrG2I,YAPuHnO,EAAQmO,YAQ/HxF,MARoJ3I,EAAQ2I,QAgBhK,OA9CJ,SAAesG,EAAWD,GAItB,IAAK,IAAIE,KAAOD,EACRA,EAAUC,KAJJvO,EAKDsO,EAAUC,GAJnBF,EAAQrO,IADZ,IAAcA,EAuCdwO,CAAMF,GAAW,SAAUG,GACnBJ,GACAA,EAAQI,GAhCpB,SAAsBzO,GAClB,IAAIjD,EAAIiD,EAAK8N,KACb,GAAI/Q,EAAE0E,OAASjF,EAASoN,QAAxB,CAGA,IAAI8E,EAAK1O,EACT,IAAK,IAAI2O,KAAU5R,EAAEgN,WACjB,GAAMhN,EAAEgN,WAAW3M,eAAeuR,IAAWA,EAAOpE,WAAW,OAA/D,CAGA,IAAIzM,EAAQf,EAAEgN,WAAW4E,GACV,kBAAXA,IACAD,EAAGE,WAAa9Q,GAEL,iBAAX6Q,IACAD,EAAGG,UAAY/Q,KAmBnBgR,CAAaL,MAEV,CAACzO,EAAMsO,GCtnDlB,SAASS,EAAKC,GAGb,OAFAA,EAAMA,GAAOtS,OAAOuS,OAAO,MAEpB,CAQNC,GAAI,SAAYzN,EAAc0N,IAC5BH,EAAIvN,KAAUuN,EAAIvN,GAAQ,KAAKpD,KAAK8Q,IAUtCC,IAAK,SAAa3N,EAAc0N,GAC3BH,EAAIvN,IACPuN,EAAIvN,GAAM4N,OAAOL,EAAIvN,GAAMgH,QAAQ0G,KAAa,EAAG,IAYrDG,KAAM,SAAc7N,EAAc8N,IAChCP,EAAIvN,IAAS,IAAI5C,QAAQiD,KAAI,SAAUqN,GAAWA,EAAQI,OAC1DP,EAAI,MAAQ,IAAInQ,QAAQiD,KAAI,SAAUqN,GAAWA,EAAQ1N,EAAM8N,YC1CvDC,EA+DAC,EA8UAC,EAcAC,EAuIMC,EA2GNC,uDCrpBIC,EAASC,EAAoBC,GAE3C,gBAFuBD,uBAAoBC,cAGzC,mBAAoBA,EAAEC,gBAAgBzM,SACF,IAApCuM,EAAEG,8BAFJ,CAQA,IAuB4BC,EAvBxBvG,EAAUmG,EAAEK,aAAeL,EAAEnG,QAI7ByG,EAAW,CACbC,OAAQP,EAAEO,QAAUP,EAAEQ,SACtBC,SAAUT,EAAES,SACZC,cAAe7G,EAAQzM,UAAUmT,QAAUI,EAC3CC,eAAgB/G,EAAQzM,UAAUwT,gBAIhCC,EACFb,EAAEc,aAAed,EAAEc,YAAYD,IAC3Bb,EAAEc,YAAYD,IAAIE,KAAKf,EAAEc,aACzBE,KAAKH,IAmBPI,GAXwBb,EAWgBJ,EAAEkB,UAAUd,UAR/C,IAAIlN,OAFa,CAAC,QAAS,WAAY,SAEV4F,KAAK,MAAMR,KAAK8H,GAQe,EAAI,GA0LzEJ,EAAEO,OAASP,EAAEQ,SAAW,gBAEDW,IAAjBlU,UAAU,MAKsB,IAAhCmU,EAAcnU,UAAU,IAoB5BoU,EAAa/T,KACX0S,EACAC,EAAEqB,UACoBH,IAAtBlU,UAAU,GAAGsU,OACPtU,UAAU,GAAGsU,KACfvB,EAAEwB,SAAWxB,EAAEyB,iBACEN,IAArBlU,UAAU,GAAGyU,MACPzU,UAAU,GAAGyU,IACf1B,EAAE2B,SAAW3B,EAAE4B,aA3BnBtB,EAASC,OAAOjT,KACd0S,OACsBmB,IAAtBlU,UAAU,GAAGsU,KACTtU,UAAU,GAAGsU,KACW,iBAAjBtU,UAAU,GACjBA,UAAU,GACV+S,EAAEwB,SAAWxB,EAAEyB,iBAEEN,IAArBlU,UAAU,GAAGyU,IACTzU,UAAU,GAAGyU,SACIP,IAAjBlU,UAAU,GACVA,UAAU,GACV+S,EAAE2B,SAAW3B,EAAE4B,eAoBzB5B,EAAES,SAAW,gBAEUU,IAAjBlU,UAAU,KAKVmU,EAAcnU,UAAU,IAC1BqT,EAASG,SAASnT,KAChB0S,OACsBmB,IAAtBlU,UAAU,GAAGsU,KACTtU,UAAU,GAAGsU,KACW,iBAAjBtU,UAAU,GACjBA,UAAU,GACV,OACiBkU,IAArBlU,UAAU,GAAGyU,IACTzU,UAAU,GAAGyU,SACIP,IAAjBlU,UAAU,GACVA,UAAU,GACV,GAORoU,EAAa/T,KACX0S,EACAC,EAAEqB,OACArU,UAAU,GAAGsU,MAAQvB,EAAEwB,SAAWxB,EAAEyB,eACpCxU,UAAU,GAAGyU,KAAO1B,EAAE2B,SAAW3B,EAAE4B,gBAKzC/H,EAAQzM,UAAUmT,OAAS1G,EAAQzM,UAAUoT,SAAW,WAEtD,QAAqBW,IAAjBlU,UAAU,GAKd,IAAoC,IAAhCmU,EAAcnU,UAAU,IAA5B,CAyBA,IAAIsU,EAAOtU,UAAU,GAAGsU,KACpBG,EAAMzU,UAAU,GAAGyU,IAGvBL,EAAa/T,KACXE,KACAA,UACgB,IAAT+T,EAAuB/T,KAAKqR,aAAe0C,OACnC,IAARG,EAAsBlU,KAAKsR,YAAc4C,OAjClD,CAEE,GAA4B,iBAAjBzU,UAAU,SAAoCkU,IAAjBlU,UAAU,GAChD,MAAM,IAAI4U,YAAY,gCAGxBvB,EAASI,cAAcpT,KACrBE,UAEsB2T,IAAtBlU,UAAU,GAAGsU,OACPtU,UAAU,GAAGsU,KACS,iBAAjBtU,UAAU,KACfA,UAAU,GACZO,KAAKqR,gBAEYsC,IAArBlU,UAAU,GAAGyU,MACPzU,UAAU,GAAGyU,SACEP,IAAjBlU,UAAU,KACRA,UAAU,GACZO,KAAKsR,aAmBfjF,EAAQzM,UAAUqT,SAAW,gBAENU,IAAjBlU,UAAU,MAKsB,IAAhCmU,EAAcnU,UAAU,IAc5BO,KAAK+S,OAAO,CACVgB,OAAQtU,UAAU,GAAGsU,KAAO/T,KAAKqR,WACjC6C,MAAOzU,UAAU,GAAGyU,IAAMlU,KAAKsR,UAC/BgD,SAAU7U,UAAU,GAAG6U,WAhBvBxB,EAASI,cAAcpT,KACrBE,UACsB2T,IAAtBlU,UAAU,GAAGsU,OACPtU,UAAU,GAAGsU,KAAO/T,KAAKqR,aACzB5R,UAAU,GAAKO,KAAKqR,gBACLsC,IAArBlU,UAAU,GAAGyU,MACPzU,UAAU,GAAGyU,IAAMlU,KAAKsR,YACxB7R,UAAU,GAAKO,KAAKsR,aAchCjF,EAAQzM,UAAUwT,eAAiB,WAEjC,IAAoC,IAAhCQ,EAAcnU,UAAU,IAA5B,CAUA,IAAI8U,EAAmBC,EAAqBxU,MACxCyU,EAAcF,EAAiBG,wBAC/BC,EAAc3U,KAAK0U,wBAEnBH,IAAqB9B,EAAEqB,MAEzBD,EAAa/T,KACXE,KACAuU,EACAA,EAAiBlD,WAAasD,EAAYZ,KAAOU,EAAYV,KAC7DQ,EAAiBjD,UAAYqD,EAAYT,IAAMO,EAAYP,KAIP,UAAlD1B,EAAEoC,iBAAiBL,GAAkBjS,UACvCkQ,EAAES,SAAS,CACTc,KAAMU,EAAYV,KAClBG,IAAKO,EAAYP,IACjBI,SAAU,YAKd9B,EAAES,SAAS,CACTc,KAAMY,EAAYZ,KAClBG,IAAKS,EAAYT,IACjBI,SAAU,gBAnCZxB,EAASM,eAAetT,KACtBE,UACiB2T,IAAjBlU,UAAU,IAA0BA,UAAU,KA3UpD,SAAS0T,EAAc0B,EAAGC,GACxB9U,KAAKqR,WAAawD,EAClB7U,KAAKsR,UAAYwD,EAmBnB,SAASlB,EAAcmB,GACrB,GACe,OAAbA,GACoB,iBAAbA,QACepB,IAAtBoB,EAAST,UACa,SAAtBS,EAAST,UACa,YAAtBS,EAAST,SAIT,OAAO,EAGT,GAAwB,iBAAbS,GAA+C,WAAtBA,EAAST,SAE3C,OAAO,EAIT,MAAM,IAAI7T,UACR,oCACEsU,EAAST,SACT,yDAWN,SAASU,EAAmB7D,EAAI8D,GAC9B,MAAa,MAATA,EACK9D,EAAG+D,aAAezB,EAAqBtC,EAAGgE,aAGtC,MAATF,EACK9D,EAAGiE,YAAc3B,EAAqBtC,EAAGkE,iBADlD,EAYF,SAASC,EAAYnE,EAAI8D,GACvB,IAAIM,EAAgB/C,EAAEoC,iBAAiBzD,EAAI,MAAM,WAAa8D,GAE9D,MAAyB,SAAlBM,GAA8C,WAAlBA,EAUrC,SAASC,EAAarE,GACpB,IAAIsE,EAAgBT,EAAmB7D,EAAI,MAAQmE,EAAYnE,EAAI,KAC/DuE,EAAgBV,EAAmB7D,EAAI,MAAQmE,EAAYnE,EAAI,KAEnE,OAAOsE,GAAiBC,EAS1B,SAASlB,EAAqBrD,GAC5B,KAAOA,IAAOsB,EAAEqB,OAA6B,IAArB0B,EAAarE,IACnCA,EAAKA,EAAGwE,YAAcxE,EAAGyE,KAG3B,OAAOzE,EAST,SAAS0E,EAAKC,GACZ,IACIvV,EACAwV,EACAC,EAxGQC,EAyGRC,GAJO7C,IAIWyC,EAAQK,WA9Jd,IAqDJF,EA4GZC,EAAUA,EAAU,EAAI,EAAIA,EAG5B3V,EA9GO,IAAO,EAAI6V,KAAKC,IAAID,KAAKE,GAAKL,IAgHrCF,EAAWD,EAAQS,QAAUT,EAAQjB,EAAIiB,EAAQS,QAAUhW,EAC3DyV,EAAWF,EAAQU,QAAUV,EAAQhB,EAAIgB,EAAQU,QAAUjW,EAE3DuV,EAAQW,OAAO3W,KAAKgW,EAAQY,WAAYX,EAAUC,GAG9CD,IAAaD,EAAQjB,GAAKmB,IAAaF,EAAQhB,GACjDtC,EAAEmE,sBAAsBd,EAAKtC,KAAKf,EAAGsD,IAYzC,SAASjC,EAAa1C,EAAI0D,EAAGC,GAC3B,IAAI4B,EACAH,EACAC,EACAC,EACAN,EAAY9C,IAGZlC,IAAOsB,EAAEqB,MACX4C,EAAalE,EACb+D,EAAS/D,EAAEwB,SAAWxB,EAAEyB,YACxBuC,EAAShE,EAAE2B,SAAW3B,EAAE4B,YACxBqC,EAAS3D,EAASC,SAElB2D,EAAavF,EACboF,EAASpF,EAAGE,WACZmF,EAASrF,EAAGG,UACZmF,EAAStD,GAIX0C,EAAK,CACHa,WAAYA,EACZD,OAAQA,EACRN,UAAWA,EACXI,OAAQA,EACRC,OAAQA,EACR3B,EAAGA,EACHC,EAAGA,MDxNT,SAAY7C,GACVA,2CACAA,mBACAA,mCACAA,iDACAA,mBACAA,uBACAA,uBAPF,CAAYA,IAAAA,OA+DZ,SAAYC,GACVA,2BACAA,6BACAA,2CACAA,uBACAA,uCACAA,qBACAA,6BACAA,2CACAA,uCACAA,uCACAA,oBACAA,kBACAA,oBACAA,4CAdF,CAAYA,IAAAA,OA8UZ,SAAYC,GACVA,yBACAA,6BACAA,qBACAA,iCACAA,2BACAA,qBACAA,mBACAA,+BACAA,+CACAA,2BACAA,kCAXF,CAAYA,IAAAA,OAcZ,SAAYC,GACVA,kBACAA,qBACAA,uBAHF,CAAYA,IAAAA,OAuIZ,SAAkBC,GAChBA,mBACAA,qBACAA,uBACAA,mCAJF,CAAkBA,IAAAA,OA2GlB,SAAYC,GACVA,gBACAA,gBACAA,kBACAA,kBACAA,kBACAA,iDACAA,8CACAA,0CACAA,yBACAA,qBACAA,uCACAA,yBACAA,6BACAA,gBACAA,6BACAA,uBAhBF,CAAYA,IAAAA,OErpBZ,ICO6R9S,eDC3R,WAAYoX,EAAiCC,gBAAjCD,MAPL5W,gBAAqB,EAIpBA,SAAqB,KAI3BA,KAAK4W,QAAUA,EACf5W,KAAK6W,MAAQA,EAiFjB,OA3ESC,sBAAP,SAAiBC,GACf,IAAM9L,EAAQjL,KAAKgX,gBAAgBD,GACnC/W,KAAK4W,QAAQ9E,OAAO7G,EAAO,EAAG8L,IAMzBD,uBAAP,SAAkBF,GAChB5W,KAAK4W,QAAU5W,KAAK4W,QAAQrV,OAAOqV,IAG9BE,kBAAP,WACE9W,KAAKiX,WAAa,EAClB,IAAIC,EAAgB5D,YAAYD,MACxBuD,EAAY5W,aACdmX,EAAOnX,KAmBbA,KAAKoX,IAAMT,uBAlBX,SAASU,IACP,IAAMC,EAAOhE,YAAYD,MAGzB,IAFA8D,EAAKF,aAAeK,EAAOJ,GAAiBC,EAAKN,MACjDK,EAAgBI,EACTV,EAAQlX,QAAQ,CACrB,IAAMqX,EAASH,EAAQ,GAEvB,KAAIO,EAAKF,YAAcF,EAAOQ,OAI5B,MAHAX,EAAQY,QACRT,EAAOU,YAKPb,EAAQlX,OAAS,GAAKyX,EAAKO,YAC7BP,EAAKC,IAAMT,sBAAsBU,QAMhCP,kBAAP,WACM9W,KAAKoX,MACPO,qBAAqB3X,KAAKoX,KAC1BpX,KAAKoX,IAAM,MAEbpX,KAAK4W,QAAQlX,OAAS,GAGjBoX,qBAAP,SAAgBD,GACd7W,KAAK6W,MAAQA,GAGRC,2BAAP,SAAsBxH,GACpBtP,KAAK0X,SAAWpI,GAGXwH,qBAAP,WACE,OAAoB,OAAb9W,KAAKoX,KAGNN,4BAAR,SAAwBC,GAGtB,IAFA,IAAIxU,EAAQ,EACRK,EAAM5C,KAAK4W,QAAQlX,OAAS,EACzB6C,GAASK,GAAK,CACnB,IAAIgV,EAAMxB,KAAKyB,OAAOtV,EAAQK,GAAO,GACrC,GAAI5C,KAAK4W,QAAQgB,GAAKL,MAAQR,EAAOQ,MACnChV,EAAQqV,EAAM,MACT,CAAA,KAAI5X,KAAK4W,QAAQgB,GAAKL,MAAQR,EAAOQ,OAK1C,OAAOK,EAAM,EAJbhV,EAAMgV,EAAM,GAOhB,OAAOrV,iBAKKuV,EAASC,EAAsBC,GAG7C,GACED,EAAM7T,OAAS+N,EAAUgG,qBACzBF,EAAMG,KAAKrV,SAAWqP,EAAkBiG,UACxC,CACA,IAAMC,EAAcL,EAAMG,KAAKG,UAAU,GAAGpB,WAEtCqB,EAAiBP,EAAMQ,UAAYH,EAEzC,OADAL,EAAMR,MAAQe,EAAiBN,EACxBM,EAAiBN,EAI1B,OADAD,EAAMR,MAAQQ,EAAMQ,UAAYP,EACzBD,EAAMR;;;;;;;;;;;;;;oFCtGf,SAASlY,EAAEA,EAAEG,GAAG,IAAIoB,EAAE,mBAAmBT,QAAQd,EAAEc,OAAOC,UAAU,IAAIQ,EAAE,OAAOvB,EAAE,IAAIsB,EAAET,EAAEX,EAAEqB,EAAEd,KAAKT,GAAG+L,EAAE,GAAG,IAAI,WAAM,IAAS5L,GAAGA,KAAK,MAAMmB,EAAEpB,EAAEe,QAAQE,MAAM4K,EAAEtK,KAAKH,EAAEJ,OAAO,MAAMlB,GAAGa,EAAE,CAACa,MAAM1B,GAAG,QAAQ,IAAIsB,IAAIA,EAAEH,OAAOI,EAAErB,EAAEiZ,SAAS5X,EAAEd,KAAKP,GAAG,QAAQ,GAAGW,EAAE,MAAMA,EAAEa,OAAO,OAAOqK,GAAS,SAAS/L,GAAGA,EAAEA,EAAEoZ,WAAW,GAAG,aAAapZ,EAAEA,EAAEqZ,QAAQ,GAAG,UAAUrZ,EAAEA,EAAEsZ,QAAQ,GAAG,UAAnF,CAA8FnZ,IAAIA,EAAE,KAAK,IAAIoB,EAAE,CAACsD,KAAK,eAAe,SAASvD,EAAEtB,GAAG,YAAO,IAASA,EAAE,GAAG,GAAGkC,OAAOlC,GAAG,SAASa,EAAEb,GAAG,MAAM,CAAC6E,KAAK,gBAAgB0U,WAAWvZ,GAAG,SAASE,EAAEF,EAAEG,GAAG,MAAM,iBAAiBH,EAAE,iBAAiBA,GAAGG,GAAGA,EAAEH,GAAGG,EAAEH,GAAGA,GAAG,CAAC6E,KAAK7E,GAAG,mBAAmBA,EAAE,CAAC6E,KAAK7E,EAAEoG,KAAK3B,KAAKzE,GAAGA,EAAE,SAAS+L,EAAE/L,GAAG,OAAO,SAASG,GAAG,OAAOH,IAAIG,GAAG,SAASqZ,EAAExZ,GAAG,MAAM,iBAAiBA,EAAE,CAAC6E,KAAK7E,GAAGA,EAAE,SAAS0E,EAAE1E,EAAEG,GAAG,MAAM,CAACe,MAAMlB,EAAEyW,QAAQtW,EAAEoX,QAAQ,GAAGkC,SAAQ,EAAGC,QAAQ3N,EAAE/L,IAAI,SAAS2Z,EAAE3Z,EAAEG,EAAEoB,GAAG,IAAID,EAAEnB,EAAEU,GAAE,EAAG,MAAM,CAACb,EAAE2L,iBAAiB3L,GAAG,GAAG,kBAAkBA,EAAE6E,KAAK,CAAChE,GAAE,EAAG,IAAIV,EAAEL,OAAOC,OAAO,GAAGuB,GAAG,MAAM,mBAAmBtB,EAAEuZ,WAAWpZ,EAAEH,EAAEuZ,WAAWjY,EAAEC,GAAGzB,OAAOoI,KAAKlI,EAAEuZ,YAAYnR,kBAAkBvH,GAAGV,EAAEU,GAAG,mBAAmBb,EAAEuZ,WAAW1Y,GAAGb,EAAEuZ,WAAW1Y,GAAGS,EAAEC,GAAGvB,EAAEuZ,WAAW1Y,MAAMS,EAAEnB,GAAE,EAAG,OAAM,KAAMmB,EAAET,GAAG,SAASZ,EAAEE,EAAEU,QAAG,IAASA,IAAIA,EAAE,IAAI,IAAIZ,EAAED,EAAE2Z,EAAErY,EAAEnB,EAAEyZ,OAAOzZ,EAAE0Z,SAASC,OAAO5U,cAAclF,GAAG,OAAOE,EAAEF,EAAEa,EAAE0W,YAAYpX,EAAEsW,QAAQlV,GAAG,GAAGQ,EAAE9B,EAAE,GAAGoI,EAAEpI,EAAE,GAAGwV,EAAE,CAACsE,OAAO5Z,EAAE6Z,SAASnZ,EAAEoZ,aAAa,CAAC/Y,MAAMf,EAAE0Z,QAAQtC,QAAQxV,EAAE0U,QAAQpO,EAAEqR,QAAQ3N,EAAE5L,EAAE0Z,UAAUK,WAAW,SAAS3Y,EAAEV,GAAG,IAAIZ,EAAE8B,EAAEsG,EAAE,iBAAiB9G,EAAE,CAACL,MAAMK,EAAEkV,QAAQtW,EAAEsW,SAASlV,EAAEjB,EAAE+H,EAAEnH,MAAMiZ,EAAE9R,EAAEoO,QAAQrD,EAAEoG,EAAE3Y,GAAG2U,EAAErV,EAAEyZ,OAAOtZ,GAAG,GAAGkV,EAAElD,GAAG,CAAC,IAAItR,EAAEM,EAAEkU,EAAElD,GAAGc,EAAEvO,OAAO,IAAI,IAAI,IAAIuV,EAAE,SAASpa,GAAG,IAAIG,EAAE,mBAAmBW,QAAQA,OAAOC,SAASQ,EAAEpB,GAAGH,EAAEG,GAAGmB,EAAE,EAAE,GAAGC,EAAE,OAAOA,EAAEd,KAAKT,GAAG,GAAGA,GAAG,iBAAiBA,EAAEK,OAAO,MAAM,CAACY,KAAK,WAAW,OAAOjB,GAAGsB,GAAGtB,EAAEK,SAASL,OAAE,GAAQ,CAACkB,MAAMlB,GAAGA,EAAEsB,KAAKH,MAAMnB,KAAK,MAAM,IAAIoB,UAAUjB,EAAE,0BAA0B,mCAAtQ,CAA0Sa,GAAGgL,EAAEoO,EAAEnZ,QAAQ+K,EAAE7K,KAAK6K,EAAEoO,EAAEnZ,OAAO,CAAC,IAAIoZ,EAAErO,EAAE9K,MAAM,QAAG,IAASmZ,EAAE,OAAO3V,EAAEpE,EAAE6Z,GAAG,IAAIhH,EAAE,iBAAiBkH,EAAE,CAACC,OAAOD,GAAGA,EAAEE,EAAEpH,EAAEmH,OAAOE,EAAErH,EAAEoE,QAAQkD,OAAE,IAASD,EAAE,GAAGA,EAAEE,EAAEvH,EAAEwH,KAAKC,OAAE,IAASF,EAAE,WAAW,OAAM,GAAIA,EAAEG,OAAE,IAASN,EAAE3D,EAAE,MAAM2D,EAAEA,EAAEja,EAAEwa,EAAE3a,EAAEyZ,OAAOhD,GAAG,GAAGgE,EAAET,EAAE/G,GAAG,CAAC,IAAI2H,EAAE/a,EAAE2Z,GAAGkB,EAAEvZ,EAAEmZ,GAAG,GAAGvY,OAAOsT,EAAEwF,KAAKP,EAAEK,EAAEhB,OAAOnO,iBAAiB3L,GAAG,OAAOA,MAAMkF,cAAclF,GAAG,OAAOE,EAAEF,EAAEyV,EAAEuE,SAASzC,YAAY4C,EAAE/G,GAAG,GAAG6H,EAAEF,EAAE,GAAGG,EAAEH,EAAE,GAAGI,EAAEJ,EAAE,GAAGK,EAAE,MAAMb,EAAEA,EAAEja,EAAE,MAAM,CAACY,MAAMka,EAAE3E,QAAQyE,EAAE3D,QAAQ0D,EAAExB,QAAQc,IAAIja,GAAG2a,EAAE5a,OAAO,GAAG8a,EAAEzB,QAAQ3N,EAAEqP,MAAM,MAAMpb,GAAGC,EAAE,CAACyB,MAAM1B,GAAG,QAAQ,IAAIgM,IAAIA,EAAE7K,OAAOY,EAAEqY,EAAEjB,SAASpX,EAAEtB,KAAK2Z,GAAG,QAAQ,GAAGna,EAAE,MAAMA,EAAEyB,QAAQ,OAAOgD,EAAEpE,EAAE6Z,KAAK,OAAO1E,EAAE,IAAI1T,EAAE,SAAS/B,EAAEG,GAAG,OAAOH,EAAEuX,QAAQnP,kBAAkB7G,GAAG,IAAID,EAAEC,EAAEkD,KAAK,OAAOnD,GAAGA,EAAEtB,EAAEyW,QAAQtW,OAAO,SAASkI,EAAErI,GAAG,IAAIsB,EAAEtB,EAAEia,aAAapZ,EAAEV,EAAEiZ,WAAWlZ,EAAE,IAAImb,IAAI3W,EAAE,CAAC4W,SAAStb,EAAEub,KAAK,SAASha,GAAGV,IAAIV,EAAEkZ,UAAU/X,EAAEtB,EAAEka,WAAW5Y,EAAEC,GAAGQ,EAAET,EAAEkY,EAAEjY,IAAIrB,EAAEkI,kBAAkBpI,GAAG,OAAOA,EAAEsB,QAAQka,UAAU,SAASxb,GAAG,OAAOE,EAAEub,IAAIzb,GAAGA,EAAEsB,GAAG,CAACoa,YAAY,WAAW,OAAOxb,EAAEyb,OAAO3b,MAAMkD,MAAM,SAAShD,GAAG,GAAGA,EAAE,CAAC,IAAIsZ,EAAE,iBAAiBtZ,EAAEA,EAAE,CAACuW,QAAQzW,EAAE+Z,OAAOtD,QAAQvV,MAAMhB,GAAGoB,EAAE,CAACJ,MAAMsY,EAAEtY,MAAMqW,QAAQ,GAAGd,QAAQ+C,EAAE/C,QAAQiD,QAAQ3N,EAAEyN,EAAEtY,QAAQ,OAAOL,EAAEV,EAAEkZ,QAAQtX,EAAET,EAAEC,GAAGmD,GAAGkX,KAAK,WAAW,OAAO/a,EAAEV,EAAEmZ,QAAQpZ,EAAE2b,QAAQnX,GAAGoX,YAAY,OAAOxa,GAAGya,aAAa,OAAOlb,IAAI,OAAO6D,WCmExjGsX,EACdvF,EACAxO,OAAEgU,cAAWC,6BAA0BC,YAsMvC,OAAOC,EApMeC,EACpB,CACElL,GAAI,SACJsF,UACAoD,QAAS,SACTD,OAAQ,CACN0C,QAAS,CACPhK,GAAI,CACFiK,MAAO,CACLjC,OAAQ,SACR/C,QAAS,CAAC,UAEZiF,WAAY,CACVlC,OAAQ,UACR/C,QAAS,aAEXkF,IAAK,CACHnC,OAAQ,SACR/C,QAAS,CAAC,uBAAwB,UAEpCmF,UAAW,CACTpC,OAAQ,UACR/C,QAAS,CAAC,eAIhBoF,OAAQ,CACNrK,GAAI,CACFsK,KAAM,CACJtC,OAAQ,UACR/C,QAAS,CAAC,mBAAoB,SAEhCiF,WAAY,CACVlC,OAAQ,SACR/C,QAAS,aAEXsF,QAAS,CACPvC,OAAQ,OACR/C,QAAS,CAAC,cAEZmF,UAAW,CACTpC,OAAQ,SACR/C,QAAS,CAAC,eAIhBuF,KAAM,CACJxK,GAAI,CACFoK,UAAW,CACTpC,OAAQ,OACR/C,QAAS,CAAC,aAEZiF,WAAY,CACVlC,OAAQ,OACR/C,QAAS,CAAC,kBAMpB,CACEA,QAAS,CACPwF,UAAWhd,EAAO,CAChBid,gBAAiB,SAACjP,EAAK2K,GACrB,MAAmB,eAAfA,EAAM7T,KACD6T,EAAMuE,QAAQvE,MAEhB3K,EAAIiP,mBAGfE,iBAAkBnd,GAAO,SAACgO,EAAK2K,GAC7B,IAAId,EAAa7J,EAAI6J,WAIrB,MAHI,YAAac,GAAS,eAAgBA,EAAMuE,UAC9CrF,EAAac,EAAMuE,QAAQrF,mBAGxB7J,IACH6J,aACAe,aAAc5K,EAAIoP,OAAO,GAAGjE,UAAYtB,OAG5CnJ,KAAA,SAAKV,iBACKqP,EAAiDrP,QAA1CoP,EAA0CpP,SAAlC4K,EAAkC5K,eAApBiP,EAAoBjP,kBACzDqP,EAAMvB,YAEN,IAAoB,IAAAwB,EAAAzc,EAAAuc,iCAAQ,CAE1B1E,UAAgBE,qGAElB,IAAM2E,WAhHdH,EACAxE,GAEA,IAAK,IAAI4E,EAAMJ,EAAO9c,OAAS,EAAGkd,GAAO,EAAGA,IAAO,CACjD,IAAMC,EAAQL,EAAOI,GACrB,GAAIC,EAAM3Y,OAAS+N,EAAU6K,MACvBD,EAAMtE,WAAaP,EACrB,OAAOwE,EAAOlb,MAAMsb,GAI1B,OAAOJ,EAqGsBO,CAAsBP,EAAQxE,GAE/CgF,EAAsBX,MAAAA,SAAAA,EAAiB9D,WAEzC8D,MAAAA,SAAAA,EAAiBnY,QAAS+N,EAAUgG,qBACpCoE,EAAgBnE,KAAKrV,SAAWqP,EAAkBiG,YAElD6E,EACEX,EAAgB9D,qBAChB8D,EAAgBnE,KAAKG,UAAU,yBAAIpB,aAEnCe,GAAgBgF,GAAuB,IACzCxB,EAAQzJ,KAAKO,EAAe2K,UAG9B,IAAMC,EAAa,IAAI7b,MACjBuV,EAAU,IAAIvV,iBACT8b,GACT,GACEH,GACAA,EAAsBhF,IACrBmF,EAAM5E,WAAayE,GAClBG,IAAUd,oBAId,GAAIc,EAAM5E,UAAYP,EACpBkF,EAAWpc,KAAKqc,OACX,CACL,IAAMC,EAAS9B,EAAU6B,GAAO,GAChCvG,EAAQ9V,KAAK,CACX2W,SAAU,WACR2F,KAEF7F,MAAO4F,EAAM5F,cAjBnB,IAAoB,IAAA8F,EAAApd,EAAA0c,+IAqBpBpB,EAAyB2B,GACzB1B,EAAQzJ,KAAKO,EAAegL,OAC5Bb,EAAMc,WAAW3G,GACjB6F,EAAMla,SAER0L,eAAMb,GACJA,EAAIqP,MAAMvB,SAEZsC,qBAAsBpe,GAAO,SAACgO,GAC5B,cACKA,IACHiP,gBAAiB,UAGrBoB,UAAWre,EAAO,CAChB4Y,aAAc,SAAC5K,EAAK2K,GAGlB,OAFA3K,EAAIqP,MAAMiB,gBAAe,GACzBtQ,EAAIqP,MAAMla,QACS,YAAfwV,EAAM7T,MAAsB6T,EAAMuE,QAAQtE,aACrCD,EAAMuE,QAAQtE,aAEhBxE,KAAKH,SAGhBsK,SAAUve,GAAO,SAACgO,EAAKwQ,GACb,IAAA5F,EAAgC5K,eAAlBqP,EAAkBrP,QAAXoP,EAAWpP,SACxC,GAA0B,cAAtBwQ,EAAa1Z,KAAsB,CAC7B,IAAA2Z,EAAUD,EAAatB,cAC/BxE,EAAS+F,EAAO7F,GAEhB,IAAIpV,EAAM4Z,EAAO9c,OAAS,EAC1B,IAAK8c,EAAO5Z,IAAQ4Z,EAAO5Z,GAAK2V,WAAasF,EAAMtF,UAEjDiE,EAAO1b,KAAK+c,OACP,CAGL,IAFA,IAAIC,GAAkB,EAClBvb,EAAQ,EACLA,GAASK,GAAK,CACnB,IAAIgV,EAAMxB,KAAKyB,OAAOtV,EAAQK,GAAO,GACjC4Z,EAAO5E,GAAKW,WAAasF,EAAMtF,UACjChW,EAAQqV,EAAM,EAEdhV,EAAMgV,EAAM,GAGQ,IAApBkG,IACFA,EAAiBvb,GAEnBia,EAAO1K,OAAOgM,EAAgB,EAAGD,GAGnC,IAAME,EAASF,EAAMtF,UAAYP,EAC3BgG,EAAS1C,EAAUuC,EAAOE,GAC5BA,EACFC,IACSvB,EAAMwB,YACfxB,EAAMyB,UAAU,CACdzG,SAAU,WACRuG,KAEFzG,MAAOsG,EAAMtG,QAInB,cAAYnK,IAAKoP,kBChN3B,IAAM2B,EACJ,4NAKSC,EAAkB,CAC3B7Z,IAAK,GACL8Z,iBAEE,OADAtQ,QAAQhN,MAAMod,IACN,GAEVG,mBAEE,OADAvQ,QAAQhN,MAAMod,GACP,MAETI,6BACExQ,QAAQhN,MAAMod,IAEhBK,eAEE,OADAzQ,QAAQhN,MAAMod,IACP,GAETM,iBACE1Q,QAAQhN,MAAMod,KAGI,oBAAXO,QAA0BA,OAAOC,OAASD,OAAOE,UAC1DR,EAAU,IAAIO,MAAMP,EAAS,CAC3BxT,aAAI+O,EAAQjV,EAAMma,GAIhB,MAHa,QAATna,GACFqJ,QAAQhN,MAAMod,GAETS,QAAQhU,IAAI+O,EAAQjV,EAAMma,OAkOvC,iBAWE,aACE7e,KAAKye,QA4KT,OAzKSK,gBAAP,SAAWC,GACT,IAAMC,EAAiBhf,KAAKif,QAAQrU,IAAImU,EAASG,UAC3CC,EAAqB,CACzB3O,GAAIuO,EAAStc,KAAK+N,GAClBuO,WACAK,SAAU,GACVC,MAAO,GACP7S,WAAY,IAETwS,GAGHG,EAASjY,OAAS8X,EAClBA,EAAeI,SAASD,EAAS3O,IAAM2O,GAHvCnf,KAAKsf,KAAKH,EAAS3O,IAAM2O,EAK3Bnf,KAAKif,QAAQxT,IAAI0T,EAAS3O,GAAI2O,IAGzBL,mBAAP,SAAcC,EAA+BQ,GAA7C,WACQP,EAAiBhf,KAAKif,QAAQrU,IAAImU,EAASG,UAC3CC,EAAWnf,KAAKif,QAAQrU,IAAImU,EAASvO,IAErCgP,EAAuB,SAAChP,GAC5BiP,EAAKC,YAAY5E,IAAItK,GACrB,IAAM/N,EAAO8c,EAAOjB,QAAQ9N,GAC5B/N,MAAAA,GAAAA,EAAM6L,WAAW7G,SAAQ,SAACkJ,GACpB,SAAUA,GACZ6O,EAAuB7O,EAAgCJ,KAAKC,QAI5DmP,EAA0B,SAACld,GAC/Bgd,EAAKC,YAAY5E,IAAIrY,EAAK+N,IAC1BrR,OAAOgG,OAAO1C,EAAK2c,UAAU3X,SAAQ,SAACjI,GAAM,OAAAmgB,EAAwBngB,MACpE,IAAMogB,EAAYH,EAAKR,QAAQrU,IAAInI,EAAK+N,IACxC,GAAIoP,EAAW,CACb,IAAMC,EAAkBD,EAAU1Y,OAC9B2Y,WACKD,EAAU1Y,cACV2Y,EAAgBT,SAASQ,EAAUpP,IAC1CiP,EAAKR,QAAQjE,OAAO+D,EAASvO,OAK9B2O,EAGOH,UAKHG,EAASjY,cACT8X,EAAeI,SAASD,EAAS3O,IACxCxQ,KAAKif,QAAQjE,OAAO+D,EAASvO,IAC7BmP,EAAwBR,YAPjBnf,KAAKsf,KAAKH,EAAS3O,IAC1BxQ,KAAKif,QAAQjE,OAAOmE,EAAS3O,IAC7BmP,EAAwBR,KALxBnf,KAAK8f,oBAAoBhf,KAAKie,GAC9BS,EAAqBT,EAASvO,MAa3BsO,iBAAP,SAAYC,GACV,IAAMI,EAAWnf,KAAKif,QAAQrU,IAAImU,EAASvO,IACvC2O,EACFA,EAASE,MAAMve,KAAKie,GAEpB/e,KAAK+f,cAAcjf,KAAKie,IAIrBD,sBAAP,SAAiBC,GACf,IAAMI,EAAWnf,KAAKif,QAAQrU,IAAImU,EAASvO,IACvC2O,EACFA,EAAS3S,WAAW1L,KAAKie,GAEzB/e,KAAKggB,mBAAmBlf,KAAKie,IAI1BD,mBAAP,SAAcrM,GACZzS,KAAKigB,UAAUxU,IAAIgH,EAAEjC,GAAIiC,IAGpBqM,kBAAP,SAAarM,GACXzS,KAAKkgB,SAASzU,IAAIgH,EAAEjC,GAAIiC,IAGnBqM,kBAAP,8BAKQrO,EAKFzQ,KAJFsf,SACAQ,wBACAC,kBACAC,uBAGIG,EAAkC,CACtCtd,OAAQqP,EAAkBkO,SAC1BC,QAASP,EACTT,MAAOU,EACPvT,WAAYwT,EACZM,KAAM,IAGFC,EAAO,SAACpB,EAAoBqB,GAC5BA,GACFf,EAAKC,YAAY5E,IAAIqE,EAAS3O,IAEhC2P,EAAkBd,MAAQc,EAAkBd,MACzC9d,OAAOif,EAAU,GAAKrB,EAASE,OAC/BrU,QAAO,SAAC3K,GAAM,OAACof,EAAKC,YAAYlB,IAAIne,EAAEmQ,OACzC2P,EAAkB3T,WAAa2T,EAAkB3T,WAC9CjL,OAAOif,EAAU,GAAKrB,EAAS3S,YAC/BxB,QAAO,SAAC3K,GAAM,OAACof,EAAKC,YAAYlB,IAAIne,EAAEmQ,OAEtCiP,EAAKC,YAAYlB,IAAIW,EAAS3O,KAC9BiP,EAAKC,YAAYlB,IAAIW,EAASJ,SAASG,WACvCsB,EAODrhB,OAAOgG,OAAOga,EAASC,UAAU3X,SAAQ,SAACjI,GAAM,OAAA+gB,EAAK/gB,GAAG,OALxD2gB,EAAkBG,KAAKxf,KAAKqe,EAASJ,UACjCI,EAASC,UACXjgB,OAAOgG,OAAOga,EAASC,UAAU3X,SAAQ,SAACjI,GAAM,OAAA+gB,EAAK/gB,GAAG,QAO9DL,OAAOgG,OAAOma,GAAM7X,SAAQ,SAACjI,GAAM,OAAA+gB,EAAK/gB,GAAG,UAE3C,IAAiB,IAAAihB,EAAAxgB,EAAAD,KAAKigB,UAAU1Y,sCAAQ,CAAnC,IAAMiJ,UACLxQ,KAAK0f,YAAYlB,IAAIhO,IACvBxQ,KAAKigB,UAAUjF,OAAOxK,yGAG1B,IAAiB,IAAAkQ,EAAAzgB,EAAAD,KAAKkgB,SAAS3Y,sCAAQ,CAA5BiJ,UACLxQ,KAAK0f,YAAYlB,IAAIhO,IACvBxQ,KAAKkgB,SAASlF,OAAOxK,qGAIzB,IAAMyP,EAAY,IAAItU,IAAI3L,KAAKigB,WACzBC,EAAW,IAAIvU,IAAI3L,KAAKkgB,UAI9B,OAFAlgB,KAAKye,QAEE,CACLkC,aAAcR,EACdF,YACAC,aAIIpB,kBAAR,WACE9e,KAAKsf,KAAO,GACZtf,KAAKif,QAAU,IAAItT,IACnB3L,KAAK8f,oBAAsB,GAC3B9f,KAAK+f,cAAgB,GACrB/f,KAAKggB,mBAAqB,GAC1BhgB,KAAK0f,YAAc,IAAIhF,IACvB1a,KAAKigB,UAAY,IAAItU,IACrB3L,KAAKkgB,SAAW,IAAIvU,KAGfmT,sBAAP,SAAiBtO,GACf,OAAOxQ,KAAK0f,YAAYlB,IAAIhO,kBAUhBoQ,EAAoBC,WAC5BC,EAA4C,GAC5CC,EAAa,SACjB1gB,EACA6G,GAEA,IAAM8Z,EAA0B,CAC9BzgB,MAAOF,EACP6G,SACAkY,SAAU,IAGZ,OADA0B,EAAazgB,EAAEoC,KAAK+N,IAAMwQ,EACnBA,GAGHC,EAAgC,OACtC,IAAuB,IAAAC,EAAAjhB,EAAA4gB,iCAAO,CAAzB,IAAM9B,UACDoC,EAAqBpC,SAAbG,EAAaH,WAC7B,GAAIoC,GAAUA,KAAUL,EAAxB,CACE,IAAMM,EAAaN,EAAaK,GAChC,GAAIC,EAAWla,OAAQ,CACrB,IAAM0V,EAAMwE,EAAWla,OAAOkY,SAASlU,QAAQkW,GAC/CA,EAAWla,OAAOkY,SAAStN,OACzB8K,EACA,EACAmE,EAAWhC,EAAUqC,EAAWla,aAE7B,CACC0V,EAAMqE,EAAe/V,QAAQkW,GACnCH,EAAenP,OAAO8K,EAAK,EAAGmE,EAAWhC,EAAU,aAIvD,GAAIG,KAAY4B,EAAhB,CACE,IAAMO,EAAeP,EAAa5B,GAClCmC,EAAajC,SAASte,KAAKigB,EAAWhC,EAAUsC,SAGlDJ,EAAengB,KAAKigB,EAAWhC,EAAU,yGAG3C,OAAOkC,WAGOK,EACdhC,EACAiC,GAEAA,EAAGjC,EAAK/e,OAMR,IAAK,IAAIhB,EAAI+f,EAAKF,SAAS1f,OAAS,EAAGH,GAAK,EAAGA,IAC7C+hB,EAAmBhC,EAAKF,SAAS7f,GAAIgiB,YAYzBC,EACd/e,GAEA,MAAI,SAAUA,IAEVA,EAAK8N,KAAKrM,OAASjF,EAASoN,SAAiC,WAAtB5J,EAAK8N,KAAKhE,kBAOvCkV,EACdhf,EACAif,WAEMC,sBAAelf,EAAKmf,oCAAeC,kCAAaF,aACtD,IAAKA,GAAgBA,IAAiBD,EACpC,MAAO,CACL7M,EAAG,EACHC,EAAG,EACHgN,cAAe,EACfC,cAAe,GAInB,IAAMC,EAAiBL,EAAajN,wBAC9BuN,EAAqBR,EAAiBE,EAAcD,GAEpDI,EAAgBE,EAAexU,OAASmU,EAAazM,aAC3D,MAAO,CACLL,EACEmN,EAAenN,EAAIoN,EAAmBH,cACtCG,EAAmBpN,EACrBC,EACEkN,EAAelN,EAAImN,EAAmBH,cACtCG,EAAmBnN,EACrBgN,gBACAC,cAAeE,EAAmBF,cAAgBD,YAItCI,EACd1iB,GAEA,OAAO2iB,QAAU3iB,MAAAA,SAAAA,EAA2B2P,YCvnB9C,ICEYiT,WAuCIC,EACd7e,EACAlB,GAEA,IAAMsB,EAAOJ,EAAMlB,EAAS,IAC5B,OAAwB,IAApBA,EAAS5C,OACJkE,EAEAye,EACHze,EAAyB0e,SAAShgB,EAAS,IAC1CggB,SACHhgB,EAAShB,MAAM,aAKLihB,GAAqBC,GACnC,IAAMnK,SAAgBmK,OAChBvX,EAAQoN,EAAUoK,MACxB,MAAO,CAAEpK,YAAWpN,kBAGNyX,GACdC,EACAC,GAEQ,IAAAC,EAAUD,QACbC,GAMLF,EAAYlb,SAAQ,SAAC7D,GACnB,GAAIA,EAAKM,OAASke,EAAcU,OAC9B,IACE,GAAIzhB,MAAMmG,QAAQ5D,EAAKqH,OAAQ,CACvB,IAAA3D,EAAuBib,GAAqB3e,EAAKqH,OAA/CoN,cAAWpN,UACAoX,EAAcQ,EAAMP,SAAUjK,GACtC0K,WAAWnf,EAAK4G,QAASS,QAEpC4X,EAAME,WAAWnf,EAAK4G,QAAS5G,EAAKqH,OAEtC,MAAOrK,SAMJ,GAAIgD,EAAKM,OAASke,EAAcY,OACrC,IACE,GAAI3hB,MAAMmG,QAAQ5D,EAAKqH,OAAQ,CACvB,IAAA+E,EAAuBuS,GAAqB3e,EAAKqH,OAA/CoN,cAAWpN,UACAoX,EAAcQ,EAAMP,SAAUjK,GACtC4K,WAAWhY,GAAS,QAE/B4X,EAAMI,WAAWrf,EAAKqH,OAExB,MAAOrK,SAMJ,GAAIgD,EAAKM,OAASke,EAAcc,UAkB3C,SACEC,EACAP,SAEA,IACE,IAAMQ,EAAgB/hB,MAAMH,gBAAK0hB,EAAUC,4BAAOP,WAAY,IAAI/d,KAChE,SAACX,GAAS,OAAAA,EAAK4G,WAEX6Y,EAAwBlkB,OAAOmkB,QAAQF,GAAeG,UACxDC,EAAYJ,EAAc1jB,OAC9B2jB,EAAsB5b,SAAQ,SAACH,SAAAmJ,EAAA/P,OAACuK,OAAOrH,OAC/BsH,EAAUiY,EAASjY,QAAQtH,GACjC,IAAiB,IAAbsH,GAAkBA,EAAUsY,EAC9B,cACEZ,EAAUC,sBAAOI,WAAWQ,OAAOxY,IACnC,MAAOrK,IAOX4iB,EAAYtY,KAEdiY,EAAS1b,SAAQ,SAAC+C,EAASS,aACzB,yBACM2X,EAAUC,4BAAOP,SAASrX,yBAAQT,WAAYA,cAChDoY,EAAUC,sBAAOE,WAAWvY,EAASS,IAEvC,MAAOrK,QAOX,MAAOA,KArDL8iB,CAAkC9f,EAAKuf,SAAUP,QAC5C,GAAIhf,EAAKM,OAASke,EAAcuB,YAAa,CAC9BtB,EAClBQ,EAAMP,SACN1e,EAAKqH,OAEIhF,MAAM2d,YAAYhgB,EAAKiB,SAAUjB,EAAKrD,MAAOqD,EAAKigB,eACxD,GAAIjgB,EAAKM,OAASke,EAAc0B,eAAgB,CACjCzB,EAClBQ,EAAMP,SACN1e,EAAKqH,OAEIhF,MAAM8d,eAAengB,EAAKiB,eApH3C,SAAYud,GACVA,uBACAA,uBACAA,2BACAA,iCACAA,uCALF,CAAYA,IAAAA,OCMZ,IAHA,IAAI4B,GAAQ,mEAERC,GAA+B,oBAAfC,WAA6B,GAAK,IAAIA,WAAW,KAC5D3kB,GAAI,EAAGA,GAAIykB,GAAMtkB,OAAQH,KAC9B0kB,GAAOD,GAAMG,WAAW5kB,KAAMA,GAkBlC,ICjBM6kB,GAGF,IAAIzY,aACQ0Y,GACdjX,EACAkX,GAEA,IAAIC,EAAaH,GAAYxZ,IAAIwC,GAQjC,OAPKmX,IACHA,EAAa,IAAI5Y,IACjByY,GAAY3Y,IAAI2B,EAAKmX,IAElBA,EAAW/F,IAAI8F,IAClBC,EAAW9Y,IAAI6Y,EAAM,IAEhBC,EAAW3Z,IAAI0Z,GAsBxB,IAAME,GAAiC,CACrC,kBACA,cACA,mBACA,eACA,oBACA,cACA,6BACA,eACA,uBACA,mCAgBcC,GACdC,EACAtX,GAEA,OAAO,SAACuX,GACN,GAAIA,GAAsB,iBAARA,GAAoB,YAAaA,EAAK,CACtD,GAAI,UAAWA,EAAK,CACV,IAAS5X,EAAgB4X,UAAV1Z,EAAU0Z,QACjC,OAAON,GAAgBjX,EAAKL,GAAM9B,GAC7B,GAAI,SAAU0Z,EAAK,CAChB,IAASvT,EAAeuT,UAATC,EAASD,OAC1BL,EAAO5F,OAAOtN,GAEpB,WAAWkT,aAAAA,eAAQM,EAAKrgB,IAAIkgB,GAAeC,EAAUtX,WAChD,GAAI,WAAYuX,EACrB,OD9DK,SAAUE,GACnB,IAA8DtlB,EAAUulB,EAAUC,EAAUC,EAAUC,EAAlGC,EAA+B,IAAhBL,EAAOnlB,OAAeylB,EAAMN,EAAOnlB,OAAWC,EAAI,EACnC,MAA9BklB,EAAOA,EAAOnlB,OAAS,KACvBwlB,IACkC,MAA9BL,EAAOA,EAAOnlB,OAAS,IACvBwlB,KAGR,IAAIE,EAAc,IAAIC,YAAYH,GAAeI,EAAQ,IAAIpB,WAAWkB,GACxE,IAAK7lB,EAAI,EAAGA,EAAI4lB,EAAK5lB,GAAK,EACtBulB,EAAWb,GAAOY,EAAOV,WAAW5kB,IACpCwlB,EAAWd,GAAOY,EAAOV,WAAW5kB,EAAI,IACxCylB,EAAWf,GAAOY,EAAOV,WAAW5kB,EAAI,IACxC0lB,EAAWhB,GAAOY,EAAOV,WAAW5kB,EAAI,IACxC+lB,EAAM3lB,KAAQmlB,GAAY,EAAMC,GAAY,EAC5CO,EAAM3lB,MAAoB,GAAXolB,IAAkB,EAAMC,GAAY,EACnDM,EAAM3lB,MAAoB,EAAXqlB,IAAiB,EAAiB,GAAXC,EAE1C,OAAOG,EC4CIG,CAAOZ,EAAIE,QACb,GAAI,QAASF,EAAK,CACvB,IAAMlX,EAAQiX,EAAS9Z,IAAI+Z,EAAIzX,KAC/B,GAAIO,EACF,OAAOA,EAEP,IAAMR,EAAQ,IAAIuY,MAGlB,OAFAvY,EAAMC,IAAMyX,EAAIzX,IAChBwX,EAASjZ,IAAIkZ,EAAIzX,IAAKD,GACfA,QAGN,GAAI5L,MAAMmG,QAAQmd,GACvB,OAAOA,EAAIpgB,IAAIkgB,GAAeC,EAAUtX,IAE1C,OAAOuX,YAIac,GAAcne,OACpCyX,aACApF,WACAzV,SACAwgB,aACAgB,iBAQA,IACE,IAAMtY,EA7FV,SACEuM,EACAzV,GAKA,IACE,OAAIA,IAASkO,EAAcuT,MAEvBhM,EAAOtM,WAAW,UAAasM,EAAOtM,WAAW,sBAG9CsM,EAAOtM,WAAW,UACzB,MAAOzM,GACP,OAAO,MA8EKyM,CAAWsM,EAAQzV,GAC/B,IAAKkJ,EAAK,OAMV,GAAI2R,EAAS6G,OAIX,YADCxY,EAAY2R,EAASla,UAAYka,EAAS6F,KAAK,IAGlD,IAAM9R,EAAW1F,EACf2R,EAASla,UAGL+f,EAAO7F,EAAS6F,KAAKrgB,IAAIkgB,GAAeC,EAAUtX,KA9E5D,SACEA,EACA7B,GAEA,GAAKA,MAAAA,SAAAA,EAAQsa,YAAb,CAEQ,IAAApgB,EAAS8F,EAAOsa,iBACxB,GAAKrB,GAA+BsB,SAASrgB,GAA7C,CAEA,IAAMsgB,EAAY1B,GAAgBjX,EAAK3H,GAClCsgB,EAAUD,SAASva,IAASwa,EAAUjlB,KAAKyK,KAsE9Cya,CAAkB5Y,EADH0F,EAAS/S,MAAMqN,EAAKwX,IA+BnC,MAAO7jB,GACP2kB,EAAa3G,EAAUhe,ICxG3B,IAKMyQ,GAAQyU,GAA6BC,EAErCC,GAAwB,aAExBC,GAAyB,CAC7BC,SAAU,IACVC,QAAS,QACTC,UAAW,EACXC,YAAa,OAGf,SAASC,GAAqB7lB,GAC5B,OACEA,EAAEsD,MAAQ+N,EAAUgG,sBACnBrX,EAAEsX,KAAKrV,QAAUqP,EAAkBwU,WACjC9lB,EAAEsX,KAAKrV,QAAUqP,EAAkByU,kBAClC/lB,EAAEsX,KAAKhU,MAAQiO,EAAkByU,8BA+CvC,WACEpK,EACApD,GAFF,WAIE,GAlCMpZ,eAAsC,KACtCA,mBAAiD,GAEjDA,aAAmBwR,KAKnBxR,gCAA6C,GAS7CA,WAAoB0L,IAEpB1L,cAA0D,IAAI2L,IAE9D3L,YL3FD,CACLuE,IAAK,GACL8Z,eAAM7e,GAEJ,OAAKA,GAAMA,EAAE+Q,KAGN/Q,EAAE+Q,KAAKC,IAFJ,GAIZ8N,iBAAQ9N,GACN,OAAOxQ,KAAKuE,IAAIiM,IAAO,MAGzB+N,kBAAA,SAAkB/e,GAAlB,WACQgR,EAAKhR,EAAE+Q,MAAQ/Q,EAAE+Q,KAAKC,UACrBxQ,KAAKuE,IAAIiM,GACZhR,EAAE8O,YACJ9O,EAAE8O,WAAW7G,SAAQ,SAAC2G,GACpB,OAAAqR,EAAKlB,kBAAmBnQ,OAI9BoQ,aAAIhO,GACF,OAAOxQ,KAAKuE,IAAI1E,eAAe2Q,IAEjCiO,iBACEze,KAAKuE,IAAM,KKmEPvE,uBAAiD,KAEjDA,sBAAwC,GAExCA,cAAgC,KAChCA,iBAA8B,OAM/BoZ,MAAAA,SAAAA,EAAQ1B,WAAY8E,EAAO9c,OAAS,EACvC,MAAM,IAAIwD,MAAM,oCAElB,IAAM2jB,EAA8B,CAClChQ,MAAO,EACPiQ,SAAU,IACVC,KAAMxgB,SAASuN,KACfkT,YAAa,EACbC,cAAc,EACdC,aAAa,EACbC,WAAW,EACXC,WAAY,WACZ1P,UAAU,EACV2P,iBAAkB,GAClBC,cAAc,EACdC,qBAAqB,EACrBC,gBAAgB,EAChBC,UAAWrB,IAEbpmB,KAAKoZ,OAASja,OAAOC,OAAO,GAAIynB,EAAezN,GAE/CpZ,KAAK0nB,aAAe1nB,KAAK0nB,aAAanU,KAAKvT,MAC3CA,KAAKsb,UAAYtb,KAAKsb,UAAU/H,KAAKvT,MACrCA,KAAKub,yBAA2Bvb,KAAKub,yBAAyBhI,KAAKvT,MACnEA,KAAKwb,QAAQ7J,GAAGW,EAAeqV,OAAQ3nB,KAAK0nB,cAE5C1nB,KAAK4nB,WAEL5nB,KAAK6nB,UAAY,IAAI/I,EACrB9e,KAAK8nB,kBAAoB,IAAInc,IAC7B3L,KAAK+nB,gBAAkB,IAAIpc,IAC3B3L,KAAKgoB,qBAAuB,IAAIrc,IAEhC3L,KAAKwb,QAAQ7J,GAAGW,EAAegL,OAAO,+BAC9B2K,EAAwCxI,EAAKoI,UAAUK,QAArDjI,cAAWC,aAAUS,iBAE7BlB,EAAKqI,kBAAkBrgB,SAAQ,SAACP,EAAQihB,GACtC,OAAA1I,EAAK2I,kBAAkBD,EAAMjhB,UAI/B,IAAgB,IAAAwZ,EAAAzgB,EAAA0gB,EAAatB,qCAAO,CAA/B,IAAM5M,UACTgN,EAAK4I,UAAU5V,EAAGkO,yGAGpB,IAAmB,IAAA2H,EAAAroB,EAAAwf,EAAKuI,qBAAqBzgB,sCAAQ,CAAhD,IAAM9E,UAETgd,EAAK8I,iBAAiB9lB,qGAExBgd,EAAKqI,kBAAkB5M,QACvBuE,EAAKsI,gBAAgB7M,QACrBuE,EAAKuI,qBAAqB9M,YAE1B,IAAgB,IAAAsN,EAAAvoB,EAAAggB,EAAU9a,wCAAU,CAAzBsN,UACTgN,EAAKgJ,YAAYhW,GAAG,yGAEtB,IAAgB,IAAAiW,EAAAzoB,EAAAigB,EAAS/a,wCAAU,CAAxBsN,UACTgN,EAAKkJ,WAAWlW,yGAGpBzS,KAAKwb,QAAQ7J,GAAGW,EAAe2K,UAAU,WACvCwC,EAAKmJ,kBAAoB,KACzBnJ,EAAKF,OAAOd,WAGd,IAAMhC,EAAQ,IAAI3F,EAAM,IAAIsC,MAAAA,SAAAA,EAAQvC,QAASgQ,EAAchQ,OAC3D7W,KAAK6oB,QAAUxN,EACb,CACEmB,OAAQA,EACLjY,KAAI,SAAC3D,GACJ,OAAIwY,GAAUA,EAAO0P,SACZ1P,EAAO0P,SAASloB,GAElBA,KAERuK,MAAK,SAAC4d,EAAIC,GAAO,OAAAD,EAAGxQ,UAAYyQ,EAAGzQ,aACtCkE,QACAxF,WAAY,EACZe,aAAc,EACdqE,gBAAiB,MAEnB,CACEf,UAAWtb,KAAKsb,UAChBC,yBAA0Bvb,KAAKub,yBAC/BC,QAASxb,KAAKwb,UAGlBxb,KAAK6oB,QAAQtmB,QACbvC,KAAK6oB,QAAQhO,WAAU,SAACM,GACtBsE,EAAKjE,QAAQzJ,KAAKO,EAAe2W,YAAa,CAC5CC,OAAQ/N,OAGZnb,KAAKmpB,aNiIA1N,EAjDcC,EACnB,CACElL,GAAI,QACJsF,QMnFqC,CACrCsT,aAAc,EACd3M,SNkFAvD,QAAS,SACTD,OAAQ,CACNoQ,OAAQ,CACN1X,GAAI,CACF2X,aAAc,CACZ3P,OAAQ,WACR/C,QAAS,CAAC,cAAe,aAE3B2S,UAAW,CACT5P,OAAQ,SACR/C,QAAS,CAAC,eAIhB4S,SAAU,CACR7X,GAAI,CACF8X,eAAgB,CACd9P,OAAQ,SACR/C,QAAS,CAAC,iBAEZ2S,UAAW,CACT5P,OAAQ,SACR/C,QAAS,CAAC,iBAMpB,CACEA,QAAS,CACP8S,SAAU,SAACtc,EAAK2K,GACV,YAAaA,GACf3K,EAAIqP,MAAMiN,SAAS3R,EAAMuE,QAAQzF,QAGrC8S,YAAavqB,EAAO,CAClBgqB,YAAa,SAAChc,GAAQ,OAAAA,EAAIqP,MAAM5F,SAElC+S,aAAc,SAACxc,GACbA,EAAIqP,MAAMiN,SAAStc,EAAIgc,kBMvH7BppB,KAAKmpB,aAAa5mB,QAClBvC,KAAKmpB,aAAatO,WAAU,SAACM,GAC3BsE,EAAKjE,QAAQzJ,KAAKO,EAAe2W,YAAa,CAC5CpS,MAAOsE,OAMX,IAAM0O,EAAY7pB,KAAK6oB,QAAQ1N,MAAMrF,QAAQ0G,OAAOsN,MAClD,SAAClpB,GAAM,OAAAA,EAAEsD,OAAS+N,EAAU6K,QAExBiN,EAAoB/pB,KAAK6oB,QAAQ1N,MAAMrF,QAAQ0G,OAAOsN,MAC1D,SAAClpB,GAAM,OAAAA,EAAEsD,OAAS+N,EAAU+X,gBAE9B,GAAIH,EAAW,CACP,IAAAviB,EAAoBuiB,EAAU3R,KAA5B+R,UAAOC,WACfC,YAAW,WACT1K,EAAKjE,QAAQzJ,KAAKO,EAAeqV,OAAQ,CACvCpa,QACAC,aAED,GAEDuc,GACFI,YAAW,WAEL1K,EAAKmJ,oBAITnJ,EAAKmJ,kBAAoBmB,EACzBtK,EAAK2K,oBACHL,GAEFtK,EAAK4K,OAAOC,cAAetX,SACxB+W,EAAwC7R,KAAKqS,kBAE/C,GAEDvqB,KAAK6oB,QAAQ1N,MAAMrF,QAAQ0G,OAAOsN,KAAKrD,KACzCzmB,KAAKwqB,MAAMC,UAAU3P,IAAI,gBA0pD/B,OA70DE3b,sBAAWurB,yBAAX,WACE,OAAO1qB,KAAK6oB,QAAQ1N,MAAMrF,QAAQ2G,uCAsL7BiO,eAAP,SAAU3S,EAAenG,GAEvB,OADA5R,KAAKwb,QAAQ7J,GAAGoG,EAAOnG,GAChB5R,MAGF0qB,gBAAP,SAAW3S,EAAenG,GAExB,OADA5R,KAAKwb,QAAQ3J,IAAIkG,EAAOnG,GACjB5R,MAGF0qB,sBAAP,SAAiBtR,GAAjB,WACEja,OAAOoI,KAAK6R,GAAQ3R,SAAQ,SAACuJ,GAE3ByO,EAAKrG,OAAOpI,GAAOoI,EAAOpI,MAEvBhR,KAAKoZ,OAAO6N,cACfjnB,KAAK2qB,oBAEqB,IAAjBvR,EAAOvC,OAChB7W,KAAKmpB,aAAavO,KAAK,CACrB1W,KAAM,YACNoY,QAAS,CACPzF,MAAOuC,EAAOvC,cAIY,IAArBuC,EAAOqO,aACS,IAArBrO,EAAOqO,UACLznB,KAAKynB,YACPznB,KAAKynB,UAAUxhB,MAAM2kB,QAAU,SAG5B5qB,KAAKynB,YACRznB,KAAKynB,UAAYlhB,SAASsG,cAAc,UACxC7M,KAAKynB,UAAUla,MAAQkW,OAAOoH,WAAW7qB,KAAKqqB,OAAO9c,OACrDvN,KAAKynB,UAAUja,OAASiW,OAAOoH,WAAW7qB,KAAKqqB,OAAO7c,QACtDxN,KAAKynB,UAAUgD,UAAU3P,IAAI,uBAC7B9a,KAAK8qB,QAAQC,aAAa/qB,KAAKynB,UAAWznB,KAAKqqB,SAEjDrqB,KAAKynB,UAAUxhB,MAAM2kB,QAAU,aAK9BF,wBAAP,WACE,IAAMM,EAAahrB,KAAK6oB,QAAQ1N,MAAMrF,QAAQ0G,OAAO,GAC/CyO,EAAYjrB,KAAK6oB,QAAQ1N,MAAMrF,QAAQ0G,OAC3Cxc,KAAK6oB,QAAQ1N,MAAMrF,QAAQ0G,OAAO9c,OAAS,GAE7C,MAAO,CACLyW,UAAW6U,EAAWzS,UACtB2S,QAASD,EAAU1S,UACnB4S,UAAWF,EAAU1S,UAAYyS,EAAWzS,YAIzCmS,2BAAP,WACE,OAAO1qB,KAAKyc,MAAMxF,WAAajX,KAAKorB,iBAG/BV,0BAAP,WACQ,IAAApjB,EAA2BtH,KAAK6oB,QAAQ1N,MAAMrF,QACpD,+BAA6B,GAAGyC,WAG3BmS,sBAAP,WACE,OAAO1qB,KAAKuf,QAYPmL,iBAAP,SAAYzT,sBAAAA,KACNjX,KAAK6oB,QAAQ1N,MAAMpC,QAAQ,WAG7B/Y,KAAK6oB,QAAQjO,KAAK,CAAE1W,KAAM,UAF1BlE,KAAK6oB,QAAQjO,KAAK,CAAE1W,KAAM,OAAQoY,QAAS,CAAErF,0BAK/CjX,KAAKqqB,OAAOgB,gCACRC,qBAAqB,QAAQ,GAC9Bb,UAAUc,OAAO,gBACpBvrB,KAAKwb,QAAQzJ,KAAKO,EAAekZ,QAG5Bd,kBAAP,SAAazT,cACQtD,IAAfsD,GAA4BjX,KAAK6oB,QAAQ1N,MAAMpC,QAAQ,YACzD/Y,KAAK6oB,QAAQjO,KAAK,CAAE1W,KAAM,UAEF,iBAAf+S,IACTjX,KAAK8N,KAAKmJ,GACVjX,KAAK6oB,QAAQjO,KAAK,CAAE1W,KAAM,qBAE5BlE,KAAKqqB,OAAOgB,gCACRC,qBAAqB,QAAQ,GAC9Bb,UAAU3P,IAAI,gBACjB9a,KAAKwb,QAAQzJ,KAAKO,EAAemZ,QAG5Bf,mBAAP,SAAczT,gBAAAA,KACZlJ,QAAQC,KACN,gGAEFhO,KAAK8N,KAAKmJ,GACVjX,KAAKwb,QAAQzJ,KAAKO,EAAeoZ,SAG5BhB,sBAAP,SAAiB1S,GACfhY,KAAK6oB,QAAQjO,KAAK,CAAE1W,KAAM,UAAWoY,QAAS,CAAEtE,mBAG3C0S,qBAAP,SAAgBiB,GAAhB,WACQ5T,EAAQ/X,KAAKoZ,OAAO0P,SACtB9oB,KAAKoZ,OAAO0P,SAAS6C,GACpBA,EACDlF,GAAqB1O,IACvB/X,KAAKwqB,MAAMC,UAAU3P,IAAI,gBAE3B8Q,QAAQC,UAAUC,MAAK,WACrB,OAAArM,EAAKoJ,QAAQjO,KAAK,CAAE1W,KAAM,YAAaoY,QAAS,CAAEvE,eAI/C2S,2BAAP,WACE1qB,KAAKqqB,OAAO1c,aAAa,YAAa,QACtC3N,KAAKqqB,OAAOpkB,MAAM8lB,cAAgB,QAG7BrB,4BAAP,WACE1qB,KAAKqqB,OAAO1c,aAAa,YAAa,MACtC3N,KAAKqqB,OAAOpkB,MAAM8lB,cAAgB,QAO7BrB,uBAAP,WACE1qB,KAAKyK,MAAQiB,KAGPgf,qBAAR,WACE1qB,KAAK8qB,QAAUvkB,SAASsG,cAAc,OACtC7M,KAAK8qB,QAAQL,UAAU3P,IAAI,oBAC3B9a,KAAKoZ,OAAO2N,KAAMtY,YAAYzO,KAAK8qB,SAEnC9qB,KAAKwqB,MAAQjkB,SAASsG,cAAc,OACpC7M,KAAKwqB,MAAMC,UAAU3P,IAAI,kBACzB9a,KAAK8qB,QAAQrc,YAAYzO,KAAKwqB,QAEA,IAA1BxqB,KAAKoZ,OAAOqO,YACdznB,KAAKynB,UAAYlhB,SAASsG,cAAc,UACxC7M,KAAKynB,UAAUgD,UAAU3P,IAAI,uBAC7B9a,KAAKynB,UAAUxhB,MAAM2kB,QAAU,UAC/B5qB,KAAK8qB,QAAQrc,YAAYzO,KAAKynB,YAGhCznB,KAAKqqB,OAAS9jB,SAASsG,cAAc,UACrC,IL7JqBmf,EK6Jfxf,EAAa,CAAC,qBAChBxM,KAAKoZ,OAAOmO,qBACd/a,EAAW1L,KAAK,iBAGlBd,KAAKqqB,OAAOpkB,MAAM2kB,QAAU,OAC5B5qB,KAAKqqB,OAAO1c,aAAa,UAAWnB,EAAWlB,KAAK,MACpDtL,KAAKisB,kBACLjsB,KAAK8qB,QAAQrc,YAAYzO,KAAKqqB,QAC1BrqB,KAAKqqB,OAAOC,eAAiBtqB,KAAKqqB,OAAOgB,kBAC3Ca,EACElsB,KAAKqqB,OAAOC,cACZtqB,KAAKqqB,OAAOgB,2BLzKKW,EK4KVhsB,KAAKqqB,OAAOC,iBL5KF0B,UACnB,aAAcA,IAAQA,EAAIG,SAASvsB,UAAU6H,UAC/CukB,EAAIG,SAASvsB,UAAU6H,QAAWpG,MAAMzB,UACrC6H,SAGD,iBAAkBukB,IAAQA,EAAII,aAAaxsB,UAAU6H,UACvDukB,EAAII,aAAaxsB,UAAU6H,QAAWpG,MAAMzB,UACzC6H,SAIA4kB,KAAKzsB,UAAU0sB,WAClBD,KAAKzsB,UAAU0sB,SAAW,SAAkB7pB,GAC1C,KAAM,KAAKhD,WACT,MAAM,IAAIgB,UAAU,0BAGtB,GACE,GAAIT,OAASyC,EACX,OAAO,QAGDA,EAAOA,GAAQA,EAAKkT,YAE9B,OAAO,MKuJH+U,yBAAR,SAAqB6B,WACnBvsB,KAAKqqB,OAAOpkB,MAAM2kB,QAAU,cAC5B,IAAiB,IAAA5a,EAAA/P,EAAA,CAACD,KAAKynB,UAAWznB,KAAKqqB,uCAAS,CAA3C,IAAMlZ,UACJA,IAGLA,EAAGxD,aAAa,QAAS6e,OAAOD,EAAUhf,QAC1C4D,EAAGxD,aAAa,SAAU6e,OAAOD,EAAU/e,8GAIvCkd,qCAAR,SAAiClO,eAC/B,IAAoB,IAAAE,EAAAzc,EAAAuc,iCAAQ,CAAvB,IAAMK,UACT,OAAQA,EAAM3Y,MACZ,KAAK+N,EAAUwa,iBACf,KAAKxa,EAAUya,KACf,KAAKza,EAAU0a,OACb,SACF,KAAK1a,EAAU+X,aACf,KAAK/X,EAAU6K,KACf,KAAK7K,EAAU2a,OACb,MACF,KAAK3a,EAAUgG,oBACb,OAAQ4E,EAAM3E,KAAKrV,QACjB,KAAKqP,EAAkB2a,iBACrB,UAQO7sB,KAAKsb,UAAUuB,GAAO,EACrCiQ,qGAEE9sB,KAAK+sB,UACP/sB,KAAKgtB,aACHhtB,KAAK+sB,SAASlY,EACd7U,KAAK+sB,SAASjY,EACd9U,KAAK+sB,SAASvc,IACd,EACAxQ,KAAK+sB,SAASE,WAGlBjtB,KAAK+sB,SAAW,MACS,IAArB/sB,KAAKktB,YACPltB,KAAKwqB,MAAMC,UAAU3P,IAAI,iBACK,IAArB9a,KAAKktB,aACdltB,KAAKwqB,MAAMC,UAAUc,OAAO,gBAE9BvrB,KAAKktB,YAAc,MAGbxC,sBAAR,SAAkB3S,EAAsBgG,GAAxC,IACM+O,SACJ,oBAFsC/O,MAE9BhG,EAAM7T,MACZ,KAAK+N,EAAUwa,iBACf,KAAKxa,EAAUya,KACb,MACF,KAAKza,EAAU0a,OACbG,EAAS,WAMPrN,EAAKjE,QAAQzJ,KAAKO,EAAe6a,YAAapV,IAEhD,MACF,KAAK9F,EAAU6K,KACbgQ,EAAS,WACP,OAAArN,EAAKjE,QAAQzJ,KAAKO,EAAeqV,OAAQ,CACvCpa,MAAOwK,EAAMG,KAAK3K,MAClBC,OAAQuK,EAAMG,KAAK1K,UAEvB,MACF,KAAKyE,EAAU+X,aACb8C,EAAS,WACP,GAAIrN,EAAKmJ,mBACP,GAAInJ,EAAKmJ,oBAAsB7Q,EAG7B,YADA0H,EAAKmJ,mBAAoB,QAK3BnJ,EAAKmJ,mBAAoB,EAE3BnJ,EAAK2K,oBAAoBrS,EAAOgG,GAChC0B,EAAK4K,OAAOC,cAAetX,SAAS+E,EAAMG,KAAKqS,gBAEjD,MACF,KAAKtY,EAAUgG,oBACb6U,EAAS,mBAEP,GADArN,EAAK2N,iBAAiBrV,EAAOgG,IACzBA,IAIAhG,IAAU0H,EAAK4N,2BACjB5N,EAAK4N,yBAA2B,KAChC5N,EAAKkL,gBAEHlL,EAAKrG,OAAO6N,eAAiBxH,EAAK4N,0BAA0B,KAC9D,IAAqB,IAAArd,EAAA/P,EAAAwf,EAAKoJ,QAAQ1N,MAAMrF,QAAQ0G,sCAAQ,CAAnD,IAAM8Q,UACT,KAAIA,EAAO/U,WAAcR,EAAMQ,YAG3BkH,EAAK8N,kBAAkBD,GAAS,CAEhCA,EAAO/V,MAASQ,EAAMR,MA5fZ,IA8fRkI,EAAK0J,aAAahO,MAAMrF,QAAQ2G,MAAM5F,QAExC4I,EAAK4N,yBAA2BC,GAElC,yGAGJ,GAAI7N,EAAK4N,yBAA0B,CACjC,IAAMG,EACJ/N,EAAK4N,yBAAyB9V,MAASQ,EAAMR,MACzC+E,EAAU,CACdzF,MAAOT,KAAKqX,IACVrX,KAAKsX,MAAMF,EAzgBF,KA0gBT/N,EAAKrG,OAAO0N,WAGhBrH,EAAK0J,aAAavO,KAAK,CAAE1W,KAAM,eAAgBoY,YAC/CmD,EAAKjE,QAAQzJ,KAAKO,EAAeqb,UAAWrR,MA8CtD,OAvCsB,mBAChBwQ,GACFA,QAGF,IAAqB,IAAA9c,EAAA/P,EAAAwf,EAAKrG,OAAOwU,SAAW,kCAAI,SACvChc,QAAQmG,EAAOgG,EAAQ,CAAE8P,SAAUpO,sGAG5CA,EAAKoJ,QAAQjO,KAAK,CAAE1W,KAAM,aAAcoY,QAAS,CAAEvE,WAGnD,IAAI+V,EAAarO,EAAKoJ,QAAQ1N,MAAMrF,QAAQ0G,OAAO9c,OAAS,EAC5D,GAAIqY,IAAU0H,EAAKoJ,QAAQ1N,MAAMrF,QAAQ0G,OAAOsR,GAAa,CAC3D,IAAMC,EAAS,WACTD,EAAarO,EAAKoJ,QAAQ1N,MAAMrF,QAAQ0G,OAAO9c,OAAS,IAI5D+f,EAAKkL,eACLlL,EAAKoJ,QAAQjO,KAAK,OAClB6E,EAAKjE,QAAQzJ,KAAKO,EAAe0b,UAGjCjW,EAAM7T,OAAS+N,EAAUgG,qBACzBF,EAAMG,KAAKrV,SAAWqP,EAAkBiG,WACxCJ,EAAMG,KAAKG,UAAU3Y,OAGrByqB,YAAW,WACT4D,MACC3X,KAAK6X,IAAI,EAAyC,GAArClW,EAAMG,KAAKG,UAAU,GAAGpB,aAExC8W,IAIJtO,EAAKjE,QAAQzJ,KAAKO,EAAe4b,UAAWnW,KAKxC2S,gCAAR,SACE3S,EACAgG,kBAEA,gBAFAA,OAEK/d,KAAKqqB,OAAOgB,gBACf,OAAOtd,QAAQC,KAAK,gDAElB7O,OAAOoI,KAAKvH,KAAKmuB,4BAA4BzuB,QAC/CqO,QAAQC,KACN,oCACAhO,KAAKmuB,4BAGTnuB,KAAKmuB,2BAA6B,GAClC,IAAMC,EAA8B,GACpCpuB,KAAKuf,OAAOhb,IAAMsM,EAAQkH,EAAMG,KAAKzV,KAAM,CACzC6D,IAAKtG,KAAKqqB,OAAOgB,gBACjBpb,YAAa,SAACoe,GACZ5O,EAAK6O,+BAA+BF,EAAWC,IAEjD5jB,MAAOzK,KAAKyK,QACX,kBACU8jB,EAAiBF,GAC5BG,EAAKC,uBAAuBF,EAAiBF,GAC7CG,EAAKE,iBAAmBF,EAAKE,iBAAiB1jB,QAC5C,SAAC3K,GAAM,OAAAA,IAAMkuB,iBAHjB,IAA6C,IAAAI,EAAA1uB,EAAAmuB,kCAAlC,IAAApe,6IAML,IAAAS,EAA4BzQ,KAAKqqB,OAAOgB,gBAAtC3Y,oBAAiBkc,SACzB5uB,KAAKqnB,iBAAiB3U,EAAiBkc,GAClC5uB,KAAK6oB,QAAQ1N,MAAMpC,QAAQ,YAC9B/Y,KAAKqqB,OAAOgB,gBACTC,qBAAqB,QAAQ,GAC7Bb,UAAU3P,IAAI,gBAEnB9a,KAAKwb,QAAQzJ,KAAKO,EAAeuc,sBAAuB9W,GACnDgG,GACH/d,KAAK8uB,wBAEH9uB,KAAKoZ,OAAOmO,qBACdvnB,KAAK+uB,oBAIDrE,6BAAR,SACEhY,EACAkc,GAEA,IAAMI,EAAUzoB,SAASsG,cAAc,SACvC6F,EAAiBqY,aAAaiE,EAASJ,GACvC,IJtrB6CxH,EIsrBvC6H,GJtrBuC7H,EIurB3CpnB,KAAKoZ,OAAOgO,WJvrBsD,CACtE,WAAIA,mCACJ,2CIsrBI7lB,OAAOvB,KAAKoZ,OAAOiO,kBACjBrnB,KAAKoZ,OAAOoO,gBACdyH,EAAkBnuB,KAChB,2HAGJ,IAAK,IAAI8b,EAAM,EAAGA,EAAMqS,EAAkBvvB,OAAQkd,IAC/CoS,EAAQnM,MAAyBE,WAAWkM,EAAkBrS,GAAMA,IAIjE8N,mCAAR,SACE3L,EACAmQ,kBAEMd,EAA8B,GAEpC,IAAKc,EAAS7D,gBAEZ,IADA,IAAI8D,EAASD,EAASvZ,WACfwZ,GAAQ,CAEb,GAAInvB,KAAK8nB,kBAAkBtJ,IAAK2Q,GAA8B,CAC5D,IAAMhH,EAAQgH,EACRC,EAAapvB,KAAK8nB,kBAAkBld,IAAIud,GAC9CnoB,KAAKooB,kBAAkBD,EAAMiH,GAC7B,MAEFD,EAASA,EAAOxZ,WAGpB7F,EAAgBiP,EAAStc,KAAM,CAC7B6D,IAAK4oB,EAAS7D,gBACd9mB,IAAKvE,KAAKuf,OAAOhb,IACjBsH,SAAS,EACTkE,WAAW,EACXE,YAAa,SAACoe,GAEZ,GADA5O,EAAK6O,+BAA+BF,EAAWC,GAE7CA,EAAU9d,KAAKrM,OAASjF,EAASoN,SACQ,SAAzCgiB,EAAU9d,KAAKhE,QAAQ8iB,cACvB,CACM,IAAA/nB,EAA4B4nB,EAAS7D,gBAAnC3Y,oBAAiBkc,SACzBnP,EAAK4H,iBAAiB3U,EAAiBkc,KAG3CnkB,MAAOzK,KAAKyK,uBAED8jB,EAAiBF,GAC5BiB,EAAKb,uBAAuBF,EAAiBF,GAC7CiB,EAAKZ,iBAAmBY,EAAKZ,iBAAiB1jB,QAC5C,SAAC3K,GAAM,OAAAA,IAAMkuB,iBAHjB,IAA6C,IAAAgB,EAAAtvB,EAAAmuB,kCAAlC,IAAApe,+IAQL0a,2CAAR,SACE0D,EACAC,GAEA,GAAI7M,EAAc6M,GAAY,CAC5B,IAAME,EAAkBvuB,KAAK0uB,iBAAiB5E,MAC5C,SAACzpB,GAAM,OAAAA,EAAE6e,WAAamP,EAAU9d,KAAKC,MAEnC+d,GACFH,EAAUttB,KAAK,CAAEytB,kBAAiBF,gBAQhC3D,kCAAR,WAAA,aACQkE,YAAO5uB,KAAKqqB,OAAOgB,sCAAiBuD,KAC1C,GAAIA,EAAM,CACR,IACIY,EADEC,EAAqC,IAAI/U,IAE3CgV,EAAkB1vB,KAAK6oB,QAAQ1N,MAC7BwU,EAAe,WACnBD,EAAkBjQ,EAAKoJ,QAAQ1N,OAEjCnb,KAAKwb,QAAQ7J,GAAGW,EAAekZ,MAAOmE,GACtC3vB,KAAKwb,QAAQ7J,GAAGW,EAAemZ,MAAOkE,GACtC,IAAMC,EAAc,WAClBnQ,EAAKjE,QAAQ3J,IAAIS,EAAekZ,MAAOmE,GACvClQ,EAAKjE,QAAQ3J,IAAIS,EAAemZ,MAAOkE,IAEzCf,EACGiB,iBAAiB,0BACjBpoB,SAAQ,SAAC5F,GACHA,EAAIghB,QACP4M,EAAa3U,IAAIjZ,GACjBA,EAAIiuB,iBAAiB,QAAQ,WAC3BL,EAAazU,OAAOnZ,GAEM,IAAtB4tB,EAAaM,OAAyB,IAAXP,IACzBE,EAAgB3W,QAAQ,YAC1B0G,EAAK3R,KAAK2R,EAAKuQ,kBAEjBvQ,EAAKjE,QAAQzJ,KAAKO,EAAe2d,mBAC7BT,GACFU,aAAaV,GAEfI,YAMNH,EAAaM,KAAO,IAEtB/vB,KAAK6oB,QAAQjO,KAAK,CAAE1W,KAAM,UAC1BlE,KAAKwb,QAAQzJ,KAAKO,EAAe6d,qBACjCX,EAAQrF,YAAW,WACbuF,EAAgB3W,QAAQ,YAC1B0G,EAAK3R,KAAK2R,EAAKuQ,kBAGjBR,GAAS,EACTI,MACC5vB,KAAKoZ,OAAO4N,gBAKb0D,wBAAR,SAAoB9F,eAClB,IAAkB,IAAAwL,EAAAnwB,EAAA2kB,iCAAM,CAAnB,IAAMD,UACT,GAAKA,GAAsB,iBAARA,EAEZ,GAAI,YAAaA,GAAO,SAAUA,GACvC,GAAI3kB,KAAKqwB,YAAY1L,EAAIC,MAAO,OAAO,MAClC,CAAA,GAAI,YAAaD,GAAuB,qBAAhBA,EAAI2L,QACjC,OAAO,EACF,GAAI3L,aAAetjB,OACpBrB,KAAKqwB,YAAY1L,GAAM,OAAO,0GAGtC,OAAO,GAGD+F,yBAAR,SAAqB9F,WACb2L,EAAmB,OACzB,IAAkB,IAAAC,EAAAvwB,EAAA2kB,iCAAM,CAAnB,IAAMD,UACJA,GAAsB,iBAARA,IAER,YAAaA,GAAO,SAAUA,EACvC4L,EAAOzvB,WAAPyvB,SAAevwB,KAAKywB,aAAa9L,EAAIC,YAC5B,YAAaD,GAAuB,qBAAhBA,EAAI2L,QACjCC,EAAOzvB,KAAK6jB,EAAIzX,KACPyX,aAAetjB,OACxBkvB,EAAOzvB,WAAPyvB,SAAevwB,KAAKywB,aAAa9L,4GAGrC,OAAO4L,GAMD7F,6BAAR,0BACwB1qB,KAAK6oB,QAAQ1N,MACnC,IAAMuV,EAAe,WACDjR,EAAKoJ,QAAQ1N,OAEjCnb,KAAKwb,QAAQ7J,GAAGW,EAAekZ,MAAOkF,GACtC1wB,KAAKwb,QAAQ7J,GAAGW,EAAemZ,MAAOiF,kBAC3BC,GAEPA,EAAMzsB,OAAS+N,EAAUgG,qBACzB0Y,EAAMzY,KAAKrV,SAAWqP,EAAkB0e,iBAEpC,aAAcD,EAAMzY,KACtByY,EAAMzY,KAAK2Y,SAASppB,SAAQ,SAAC1D,GAAM,OAAA0b,EAAKqR,cAAc/sB,EAAG4sB,MAEzDI,EAAKD,cAAcH,EAAMzY,KAAMyY,gBARrC,IAAoB,IAAA3gB,EAAA/P,EAAAD,KAAK6oB,QAAQ1N,MAAMrF,QAAQ0G,sJAazCkO,0BAAR,SAAsBxS,EAA6BH,GAAnD,WACE,GACoB,cAAlBG,EAAKrT,UACmB,iBAAjBqT,EAAK0M,KAAK,IAChB5kB,KAAK0kB,SAASlG,IAAIzG,GAQV/X,KAAKqwB,YAAYnY,EAAK0M,OAC/B5kB,KAAKywB,aAAavY,EAAK0M,MAAMnd,SAAQ,SAACupB,GACpC,IAAMvjB,EAAQ,IAAI+X,MAClB/X,EAAMP,IAAM8jB,EACZvR,EAAKiF,SAASjZ,IAAIulB,EAAKvjB,UAXzB,CACA,IAAMwjB,EAAS1qB,SAASsG,cAAc,UAChCO,EAAM6jB,EAAO5jB,WAAW,MACxB6jB,EAAO9jB,MAAAA,SAAAA,EAAK+jB,gBAAgBF,EAAO1jB,MAAO0jB,EAAOzjB,QAC/C0jB,MAAAA,GAAAA,EAAMhZ,KACVkZ,KAAKxvB,MAAMsW,EAAK0M,KAAK,IACzBxX,MAAAA,GAAAA,EAAKikB,aAAaH,EAAO,EAAG,KAUxBxG,6BAAR,SACE9pB,EACAmd,GAFF,eAIgBtL,EAAM7R,OACpB,OAAQ6R,EAAE5P,QACR,KAAKqP,EAAkBkO,SACjBrC,IACFtL,EAAE6N,KAAK7Y,SAAQ,SAACpH,GAAM,OAAAof,EAAKoI,UAAU/M,IAAIza,MACzCoS,EAAE4M,MAAM5X,SAAQ,SAACpH,GACf,IAAMsZ,EAAS8F,EAAKF,OAAOjB,QAAQje,EAAEmQ,IAC/BtJ,EAAUyS,MAAAA,SAAAA,EAAQhE,WAGpBzO,GAAUuY,EAAKuI,qBAAqBxJ,IAAItX,IAC1CuY,EAAKuI,qBAAqBhN,OAAO9T,GAEnCuY,EAAKoI,UAAUyJ,KAAKjxB,MAEtBoS,EAAEjG,WAAW/E,SAAQ,SAACpH,GAAM,OAAAof,EAAKoI,UAAU0J,UAAUlxB,MACrDoS,EAAE4N,QAAQ5Y,SAAQ,SAACpH,GAAM,OAAAof,EAAKoI,UAAU0D,OAAOlrB,EAAGof,EAAKF,YAEzD,IACEvf,KAAKwxB,cAAc/e,EAAGsL,GACtB,MAAOhd,GACPf,KAAKgO,KAAK,gCAAyBjN,EAAM0wB,SAAW1wB,GAAS0R,GAE/D,MAEF,KAAKP,EAAkBwf,KACvB,KAAKxf,EAAkBwU,UACvB,KAAKxU,EAAkBiG,UACrB,GAAI4F,EAAQ,CACV,IAAM4T,EAAelf,EAAE4F,UAAU5F,EAAE4F,UAAU3Y,OAAS,GACtDM,KAAK+sB,SAAW,CACdlY,EAAG8c,EAAa9c,EAChBC,EAAG6c,EAAa7c,EAChBtE,GAAImhB,EAAanhB,GACjByc,UAAWxa,QAGbA,EAAE4F,UAAU5Q,SAAQ,SAAC9H,GACnB,IAAMoX,EAAS,CACbU,SAAU,WACRgI,EAAKuN,aAAartB,EAAEkV,EAAGlV,EAAEmV,EAAGnV,EAAE6Q,GAAIuN,EAAQtL,IAE5C8E,MACE5X,EAAEsX,WACFrW,EAAE2X,UACFkH,EAAKoJ,QAAQ1N,MAAMrF,QAAQkC,cAE/ByH,EAAKhD,MAAMyB,UAAUnH,MAGvB/W,KAAKyc,MAAMyB,UAAU,CACnBzG,sBACAF,MAAO3W,EAAE2W,iBAAS9E,EAAE4F,UAAU,yBAAIpB,cAGtC,MACF,KAAK/E,EAAkByU,iBAIrB,IAAc,IAAVlU,EAAEjC,GACJ,MAEF,IAAM2M,EAAQ,IAAIyU,MAAMzf,EAAkBM,EAAEvO,MAAM2tB,eAElD,KADMlY,EAAS3Z,KAAKuf,OAAOjB,QAAQ7L,EAAEjC,KAEnC,OAAOxQ,KAAK8xB,kBAAkBrf,EAAGA,EAAEjC,IAErCxQ,KAAKwb,QAAQzJ,KAAKO,EAAeqU,iBAAkB,CACjDziB,KAAMuO,EAAEvO,KACRyV,WAEM,IAAA2N,EAAiBtnB,KAAKoZ,oBAC9B,OAAQ3G,EAAEvO,MACR,KAAKiO,EAAkB4f,KACjB,SAAYpY,GACZA,EAAgCqY,OAEpC,MACF,KAAK7f,EAAkB8f,MACjB3K,GAAkB3N,EAAgCuY,OAClDvY,EAAgCuY,MAAM,CACtCC,eAAe,IAGnB,MACF,KAAKhgB,EAAkBigB,MACvB,KAAKjgB,EAAkByU,WACvB,KAAKzU,EAAkBkgB,SACjBtU,GACEtL,EAAEvO,OAASiO,EAAkByU,WAC/B5mB,KAAKktB,aAAc,EACVza,EAAEvO,OAASiO,EAAkBkgB,WACtCryB,KAAKktB,aAAc,GAErBltB,KAAK+sB,SAAW,CACdlY,EAAGpC,EAAEoC,EACLC,EAAGrC,EAAEqC,EACLtE,GAAIiC,EAAEjC,GACNyc,UAAWxa,KAGTA,EAAEvO,OAASiO,EAAkByU,aAE/B5mB,KAAKsyB,cAAc5yB,OAAS,GAE9BM,KAAKgtB,aAAava,EAAEoC,EAAGpC,EAAEqC,EAAGrC,EAAEjC,GAAIuN,EAAQtL,GACtCA,EAAEvO,OAASiO,EAAkBigB,OAS/BpyB,KAAKwqB,MAAMC,UAAUc,OAAO,UAEvBvrB,KAAKwqB,MAAM+H,YAChBvyB,KAAKwqB,MAAMC,UAAU3P,IAAI,WAChBrI,EAAEvO,OAASiO,EAAkByU,YACjC5mB,KAAKwqB,MAAM+H,YAChBvyB,KAAKwqB,MAAMC,UAAU3P,IAAI,iBAChBrI,EAAEvO,OAASiO,EAAkBkgB,UACtCryB,KAAKwqB,MAAMC,UAAUc,OAAO,iBAGhC,MACF,KAAKpZ,EAAkBqgB,YACjBzU,EACF/d,KAAKktB,aAAc,EAEnBltB,KAAKwqB,MAAMC,UAAUc,OAAO,gBAE9B,MACF,QACE5R,EAAO8Y,cAActV,GAEzB,MAEF,KAAKjL,EAAkBwgB,OAIrB,IAAc,IAAVjgB,EAAEjC,GACJ,MAEF,GAAIuN,EAAQ,CACV/d,KAAK6nB,UAAU9U,OAAON,GACtB,MAEFzS,KAAKyoB,YAAYhW,GAAG,GACpB,MAEF,KAAKP,EAAkBygB,eACrB3yB,KAAKwb,QAAQzJ,KAAKO,EAAeqV,OAAQ,CACvCpa,MAAOkF,EAAElF,MACTC,OAAQiF,EAAEjF,SAEZ,MACF,KAAK0E,EAAkB0gB,MAOrB,IAAc,IAAVngB,EAAEjC,GACJ,MAEF,GAAIuN,EAAQ,CACV/d,KAAK6nB,UAAUgL,MAAMpgB,GACrB,MAEFzS,KAAK2oB,WAAWlW,GAChB,MAEF,KAAKP,EAAkB2a,iBAErB,KADMlT,EAAS3Z,KAAKuf,OAAOjB,QAAQ7L,EAAEjC,KAEnC,OAAOxQ,KAAK8xB,kBAAkBrf,EAAGA,EAAEjC,IAErC,IAAMsiB,EAAWnZ,EACjB,IACMlH,EAAE7E,cACJklB,EAAQllB,YAAc6E,EAAE7E,aAEtB6E,EAAEsgB,SACJD,EAAQC,OAAStgB,EAAEsgB,QAEjBtgB,EAAEugB,QACJF,EAAQE,MAAQvgB,EAAEugB,WAEhBvgB,EAAEvO,MACJ4uB,EAAQ7kB,YAENwE,EAAEvO,MAKJ4uB,EAAQhlB,OAEV,MAAO/M,GACHf,KAAKoZ,OAAO8N,aACdnZ,QAAQC,KACN,+CAAwCjN,EAAM0wB,SAAW1wB,IAI/D,MAEF,KAAKmR,EAAkB+gB,eAErB,KADMtZ,EAAS3Z,KAAKuf,OAAOjB,QAAQ7L,EAAEjC,KAEnC,OAAOxQ,KAAK8xB,kBAAkBrf,EAAGA,EAAEjC,IAGrC,IAUI0iB,EAVElE,EAAWrV,EACXwZ,EAAUxZ,EAAOhE,WACjByd,EAAqBpzB,KAAK8nB,kBAAkBtJ,IAAI2U,GAOhDE,EAAaD,EAAqB,KAAOpE,EAAQnM,MAGlDwQ,IAOCrzB,KAAKgoB,qBAAqBxJ,IAAI7E,GAChCuZ,EAAQlzB,KAAKgoB,qBAAqBpd,IAAI+O,IAEtCuZ,EAAQ,GACRlzB,KAAKgoB,qBAAqBvc,IAAIkO,EAAQuZ,KAItCzgB,EAAE6N,MACJ7N,EAAE6N,KAAK7Y,SAAQ,SAACH,OAAE1D,SAAa4e,UAC7B,GAAI6Q,EACF,IACE,GAAIhyB,MAAMmG,QAAQgb,GAAc,CACxB,IAAAxS,EAAuBuS,GAC3BC,GADMnK,cAAWpN,UAGAoX,EACjBgR,EAAW/Q,SACXjK,GAES0K,WAAWnf,EAAMqH,OACvB,CACCA,OACY0I,IAAhB6O,OACI7O,EACAyC,KAAKqX,IAAIjL,EAAa6Q,EAAW/Q,SAAS5iB,QAChD2zB,EAAWtQ,WAAWnf,EAAMqH,IAE9B,MAAOrK,SAWTsyB,MAAAA,GAAAA,EAAOpyB,KAAK,CACV0J,QAAS5G,EACTqH,MAAOuX,EACPte,KAAMke,EAAcU,YAMxBrQ,EAAE4N,SACJ5N,EAAE4N,QAAQ5Y,SAAQ,SAACH,OAASkb,UAC1B,GAAI4Q,EACFF,MAAAA,GAAAA,EAAOpyB,KAAK,CAAEmK,MAAOuX,EAAate,KAAMke,EAAcY,cAEtD,IACE,GAAI3hB,MAAMmG,QAAQgb,GAAc,CACxB,IAAAxS,EAAuBuS,GAC3BC,GADMnK,cAAWpN,UAGAoX,EACjBgR,EAAY/Q,SACZjK,GAES4K,WAAWhY,GAAS,QAE/BooB,MAAAA,GAAAA,EAAYpQ,WAAWT,GAEzB,MAAO5hB,QAQf,MAEF,KAAKsR,EAAkBohB,iBAGrB,KADM3Z,EAAS3Z,KAAKuf,OAAOjB,QAAQ7L,EAAEjC,KAEnC,OAAOxQ,KAAK8xB,kBAAkBrf,EAAGA,EAAEjC,IAG/Bwe,EAAWrV,EAAjB,IACM4Z,EAAU5Z,EAAOhE,WAGjB6d,EAFqBxzB,KAAK8nB,kBAAkBtJ,IAAI+U,GAEd,KAAOvE,EAAQnM,MACnDrf,EAA2B,GAW/B,GATKgwB,IACCxzB,KAAKgoB,qBAAqBxJ,IAAI7E,GAChCnW,EAAQxD,KAAKgoB,qBAAqBpd,IAAI+O,IAEtCnW,EAAQ,GACRxD,KAAKgoB,qBAAqBvc,IAAIkO,EAAQnW,KAItCiP,EAAEhH,IACJ,GAAI+nB,EACYnR,EACZmR,EAAWhwB,MACXiP,EAAExH,OAEChF,MAAM2d,YAAYnR,EAAEhH,IAAI5G,SAAU4N,EAAEhH,IAAIlL,MAAOkS,EAAEhH,IAAIoY,eAE1DrgB,EAAM1C,QACJoD,KAAMke,EAAcuB,YACpB1Y,MAAOwH,EAAExH,OACNwH,EAAEhH,MAKX,GAAIgH,EAAE8Y,OACJ,GAAIiI,EACYnR,EACZmR,EAAWhwB,MACXiP,EAAExH,OAEChF,MAAM8d,eAAetR,EAAE8Y,OAAO1mB,eAEnCrB,EAAM1C,QACJoD,KAAMke,EAAc0B,eACpB7Y,MAAOwH,EAAExH,OACNwH,EAAE8Y,SAIX,MAEF,KAAKrZ,EAAkB0e,eACrB,IAAK5wB,KAAKoZ,OAAOmO,oBACf,OAEF,IAAM5N,EACN,KADMA,EAAS3Z,KAAKuf,OAAOjB,QAAQ7L,EAAEjC,KAEnC,OAAOxQ,KAAK8xB,kBAAkBrf,EAAGA,EAAEjC,cClvCNlJ,OACrCyQ,UACAgH,aACApF,WACA+K,aACAgB,iBAQA,IACE,IAAM+N,EACJ,aAAc1U,EAAWA,EAAS8R,SAAW,CAAC9R,GAE5C,CAAC3M,EAAcuT,MAAOvT,EAAcshB,QAAQ5N,SAAS/G,EAAS7a,MACzDuvB,EAAUhsB,SAAQ,SAACksB,GACxBlO,GAAc,CACZ1G,SAAU4U,EACVzvB,KAAM6a,EAAS7a,KACfyV,SACA+K,WACAgB,oBAKC+N,EAAUhsB,SAAQ,SAACksB,aCnCSrsB,OACrCyQ,UACAgH,aACApF,WACA+K,aACAgB,iBAQA,IACE,IAAMtY,EAAQuM,EAAyCtM,WAAW,MAElE,GAAI0R,EAAS6G,OAIX,YADCxY,EAAY2R,EAASla,UAAYka,EAAS6F,KAAK,IAGlD,IAAM9R,EAAW1F,EACf2R,EAASla,UAQX,GACwB,cAAtBka,EAASla,UACmB,iBAArBka,EAAS6F,KAAK,GACrB,CACA,IAAMnX,EAAQiX,EAAS9Z,IAAImN,GAC3BgH,EAAS6F,KAAK,GAAKnX,EACnBqF,EAAS/S,MAAMqN,EAAK2R,EAAS6F,WAE7B9R,EAAS/S,MAAMqN,EAAK2R,EAAS6F,MAE/B,MAAO7jB,GACP2kB,EAAa3G,EAAUhe,IDNrB6yB,CAAiB,CACf7b,QACAgH,SAAU4U,EACVha,SACA+K,WACAgB,oBAGJ,MAAO3kB,GACP2kB,EAAa3G,EAAUhe,ID8sCnB8yB,CAAe,CACb9b,MAAOnX,EACPme,SAAUtM,EACVkH,OAASA,EACT+K,SAAU1kB,KAAK0kB,SACfgB,aAAc1lB,KAAK8zB,yBAAyBvgB,KAAKvT,QAGnD,MAEF,KAAKkS,EAAkB6hB,KACrB,IACE,IAAMC,EAAW,IAAIC,SACnBxhB,EAAEyhB,OACFzhB,EAAE0hB,OAAS,IAAIjQ,WAAWkN,KAAKxvB,MAAM6Q,EAAE2hB,aAAe3hB,EAAE2hB,WACxD3hB,EAAE4hB,uBAEJr0B,KAAKqqB,OAAOgB,gCAAiBiJ,MAAMxZ,IAAIkZ,GACvC,MAAOjzB,GACHf,KAAKoZ,OAAO8N,aACdnZ,QAAQC,KAAKjN,MASf2pB,0BAAR,SAAsBjY,EAAiB8hB,kBACrC9hB,EAAE4N,QAAQ5Y,SAAQ,SAACsX,GACjB,IAAIpF,EAAS8F,EAAKF,OAAOjB,QAAQS,EAASvO,IAC1C,IAAKmJ,EAAQ,CACX,GAAIlH,EAAE4N,QAAQyJ,MAAK,SAACnpB,GAAM,OAAAA,EAAE6P,KAAOuO,EAASG,YAE1C,OAEF,OAAOO,EAAK+U,iBAAiB/hB,EAAGsM,EAASvO,IAEvCiP,EAAKuI,qBAAqBxJ,IAAI7E,IAChC8F,EAAKuI,qBAAqBhN,OAAOrB,GAEnC,IAAIzS,EAAoCuY,EAAKF,OAAOjB,QAClDS,EAASG,UAEX,IAAKhY,EACH,OAAOuY,EAAK+U,iBAAiB/hB,EAAGsM,EAASG,UAO3C,GALIH,EAASnO,UAAYsR,EAAchb,KACrCA,EAASA,EAAOiI,YAGlBsQ,EAAKF,OAAOhB,kBAAkB5E,GAC1BzS,EAAQ,CACV,IAAIutB,EAAa,KACXrF,EACJ,SAAUloB,EAASuY,EAAKqI,kBAAkBld,IAAI1D,QAAUyM,EACtDyb,GAAcA,EAAW9C,SAAS3S,GACpCzS,EAASkoB,EACA3P,EAAKqI,kBAAkBtJ,IAAI7E,KAKpC8a,EAAahV,EAAKqI,kBAAkBld,IAAI+O,GACxC8F,EAAKqI,kBAAkB9M,OAAOrB,GAC9BA,EAAS8a,GAEX,IACEvtB,EAAOsH,YAAYmL,GACnB,MAAO5Y,GACP,KAAIA,aAAiB2zB,cAUnB,MAAM3zB,EATN0e,EAAKzR,KACH,4CACA9G,EACAkoB,EACAzV,EACA8a,EACAhiB,QAUV,IAAMkiB,OACD30B,KAAKmuB,4BAEJtN,EAA6B,GAoB7B+T,EAAa,SAAC7V,eAClB,IAAKU,EAAK4K,OAAOgB,gBACf,OAAOtd,QAAQC,KAAK,gDAEtB,IAAI9G,EAAoCuY,EAAKF,OAAOjB,QAClDS,EAASG,UAEX,IAAKhY,EACH,OAAI6X,EAAStc,KAAKyB,OAASjF,EAAS6M,SAE3B2T,EAAKiP,iBAAiB5tB,KAAKie,GAE7B8B,EAAM/f,KAAKie,GAGpB,IAAI8V,EAAmB,KACnBpV,EAAK4K,OAAOgB,gBAAgBiB,SAC9BuI,EAAmBpV,EAAK4K,OAAOgB,gBAAgBiB,SAASplB,GAC/CuY,EAAK4K,OAAOgB,gBAAgBvX,KAAKwY,WAG1CuI,EAAmBpV,EAAK4K,OAAOgB,gBAAgBvX,KAAKwY,SAASplB,IAG/D,IAAM4tB,gBACF5tB,GAAmCokB,kDAAuB,UACzD5rB,QAAS,EAKd,GACE60B,GACAM,IACCrT,EAActa,KACd4tB,EACD,CACA,IAAMC,EAAiBxuB,SAASyuB,yBAOhC,IANAvV,EAAKF,OAAOhb,IAAIwa,EAASG,UAAY6V,EACrCtV,EAAKqI,kBAAkBrc,IAAIspB,EAAe7tB,GAG1CuY,EAAKwV,WAAW/tB,GAETA,EAAOkI,YACZ2lB,EAActmB,YAAYvH,EAAOkI,YAEnClI,EAAS6tB,EAGPhW,EAAStc,KAAKmO,WAEXsR,EAAchb,IACfA,EAAgCmI,aAAa,CAAEC,KAAM,SAElDpI,EAASA,EAAOiI,YAGzB,IAAI+lB,EAAwB,KACxB50B,EAAoB,KAOxB,GANIye,EAASoW,aACXD,EAAWzV,EAAKF,OAAOjB,QAAQS,EAASoW,aAEtCpW,EAASoC,SACX7gB,EAAOmf,EAAKF,OAAOjB,QAAQS,EAASoC,SAjFnB,SAACpC,GACpB,IAAIze,EAAoB,KAKxB,OAJIye,EAASoC,SACX7gB,EAAOmf,EAAKF,OAAOjB,QAAQS,EAASoC,SAIhB,OAApBpC,EAASoC,aACWxN,IAApBoL,EAASoC,SACY,IAArBpC,EAASoC,SACR7gB,EAyEC80B,CAAarW,GACf,OAAO8B,EAAM/f,KAAKie,GAGpB,IAAIA,EAAStc,KAAKyN,QAAWuP,EAAKF,OAAOjB,QAAQS,EAAStc,KAAKyN,QAA/D,CAIA,IAAMmlB,EAAYtW,EAAStc,KAAKyN,OAC5BuP,EAAKF,OAAOjB,QAAQS,EAAStc,KAAKyN,QAClCuP,EAAK4K,OAAOgB,gBAChB,GAAI7J,EAActa,GAChBuY,EAAKgP,uBAAuB1P,EAAU7X,OADxC,CAIA,IAAMyS,EAAS7J,EAAgBiP,EAAStc,KAAM,CAC5C6D,IAAK+uB,EACL9wB,IAAKkb,EAAKF,OAAOhb,IACjBwL,WAAW,EACXlE,SAAS,EACTpB,MAAOgV,EAAKhV,QAId,IAA6B,IAAzBsU,EAASoW,aAA0C,IAArBpW,EAASoC,OAA3C,CAQA,GACE,SAAUja,GACVA,EAAOqJ,KAAKrM,OAASjF,EAASoN,SACN,aAAxBnF,EAAOqJ,KAAKhE,SACZwS,EAAStc,KAAKyB,OAASjF,EAASsQ,SAIhC,IAAgB,IAAAkR,EAAAxgB,EAAAoB,MAAMH,KAAKgG,EAAOoH,2CAAa,CAA1C,IAAMvK,UACLA,EAAEtC,WAAayF,EAAOqH,WACxBrH,EAAOsH,YAAYzK,qGAKzB,GAAImxB,GAAYA,EAASI,aAAeJ,EAASI,YAAY3f,WAC3DzO,EAAO6jB,aAAapR,EAAQub,EAASI,kBAChC,GAAIh1B,GAAQA,EAAKqV,WAGtBzO,EAAOolB,SAAShsB,GACZ4G,EAAO6jB,aAAapR,EAAQrZ,GAC5B4G,EAAO6jB,aAAapR,EAAQ,UAC3B,CAIL,GAAIzS,IAAWmuB,EACb,KAAOA,EAAUjmB,YACfimB,EAAU7mB,YAAY6mB,EAAUjmB,YAIpClI,EAAOuH,YAAYkL,GAGrB,GAAI6H,EAAc7H,GAAS,CACzB,IAAM4b,EAAkB9V,EAAKiP,iBAAiB5E,MAC5C,SAACzpB,GAAM,OAAAA,EAAE6e,WAAavF,EAAOpJ,KAAKC,MAEhC+kB,IACF9V,EAAKgP,uBAAuB8G,EAAiB5b,GAC7C8F,EAAKiP,iBAAmBjP,EAAKiP,iBAAiB1jB,QAC5C,SAAC3K,GAAM,OAAAA,IAAMk1B,OAKfxW,EAASoW,YAAcpW,EAASoC,SAClC1B,EAAK+V,0BACHb,EACAztB,EACAyS,EACAoF,QA5DF4V,EAAsB5V,EAAStc,KAAK+N,IAAM,CACxC/N,KAAMkX,EACNoF,eA+DNtM,EAAE6N,KAAK7Y,SAAQ,SAACsX,GACd6V,EAAW7V,MAIb,IADA,IAAI5I,EAAY3C,KAAKH,MACdwN,EAAMnhB,QAAQ,CAEnB,IAAM+1B,EAAe7U,EAAoBC,GAEzC,GADAA,EAAMnhB,OAAS,EACX8T,KAAKH,MAAQ8C,EAAY,IAAK,CAChCnW,KAAKgO,KACH,2DACAynB,GAEF,UAEF,IAAmB,IAAAC,YAAAz1B,EAAAw1B,kCAAc,CAA5B,IAAMnW,UACItf,KAAKuf,OAAOjB,QAAQgB,EAAK/e,MAAM2e,UAO1CoC,EAAmBhC,GAAM,SAACP,GACxB6V,EAAW7V,MANb/e,KAAK21B,MACH,gEACArW,sGAUJngB,OAAOoI,KAAKotB,GAAuBj1B,QACrCP,OAAOC,OAAOY,KAAKmuB,2BAA4BwG,GAGjDliB,EAAE4M,MAAM5X,SAAQ,SAACsX,GACf,IAAIpF,EAAS8F,EAAKF,OAAOjB,QAAQS,EAASvO,IAC1C,IAAKmJ,EAAQ,CACX,GAAIlH,EAAE4N,QAAQyJ,MAAK,SAACnpB,GAAM,OAAAA,EAAE6P,KAAOuO,EAASvO,MAE1C,OAEF,OAAOiP,EAAK+U,iBAAiB/hB,EAAGsM,EAASvO,IAKvCiP,EAAKqI,kBAAkBtJ,IAAI7E,KAC7BA,EAAS8F,EAAKqI,kBAAkBld,IAAI+O,IAEtCA,EAAOlK,YAAcsP,EAASxe,SAEhCkS,EAAEjG,WAAW/E,SAAQ,SAACsX,GACpB,IAAIpF,EAAS8F,EAAKF,OAAOjB,QAAQS,EAASvO,IAC1C,IAAKmJ,EAAQ,CACX,GAAIlH,EAAE4N,QAAQyJ,MAAK,SAACnpB,GAAM,OAAAA,EAAE6P,KAAOuO,EAASvO,MAE1C,OAEF,OAAOiP,EAAK+U,iBAAiB/hB,EAAGsM,EAASvO,IAK3C,IAAK,IAAMolB,KAHPnW,EAAKqI,kBAAkBtJ,IAAI7E,KAC7BA,EAAS8F,EAAKqI,kBAAkBld,IAAI+O,IAEVoF,EAASvS,WACnC,GAA6B,iBAAlBopB,EAA4B,CACrC,IAAMr1B,EAAQwe,EAASvS,WAAWopB,GAClC,GAAc,OAAVr1B,EACAoZ,EAA4Bkc,gBAAgBD,QACzC,GAAqB,iBAAVr1B,EAChB,IACIoZ,EAA4BhM,aAAaioB,EAAer1B,GAC1D,MAAOQ,GACH0e,EAAKrG,OAAO8N,aACdnZ,QAAQC,KACN,qDACAjN,QAID,GAAsB,UAAlB60B,EAA2B,CACpC,IAAIE,EAAcv1B,EACZw1B,EAAYpc,EAClB,IAAK,IAAIra,KAAKw2B,EACZ,IAAuB,IAAnBA,EAAYx2B,GACdy2B,EAAS9vB,MAAM8d,eAAezkB,QACzB,GAAIw2B,EAAYx2B,aAAc+B,MAAO,CAC1C,IAAM20B,EAAMF,EAAYx2B,GACxBy2B,EAAS9vB,MAAM2d,YAAYtkB,EAAG02B,EAAI,GAAIA,EAAI,QACrC,CACL,IAAMC,EAAMH,EAAYx2B,GACxBy2B,EAAS9vB,MAAM2d,YAAYtkB,EAAG22B,UAepCvL,wBAAR,SAAoBjY,EAAesL,GACjC,IAAMpE,EAAS3Z,KAAKuf,OAAOjB,QAAQ7L,EAAEjC,IACrC,IAAKmJ,EACH,OAAO3Z,KAAK8xB,kBAAkBrf,EAAGA,EAAEjC,IAErC,GAAKmJ,IAAoB3Z,KAAKqqB,OAAOgB,gBACnCrrB,KAAKqqB,OAAOC,cAAetX,SAAS,CAClCkB,IAAKzB,EAAEqC,EACPf,KAAMtB,EAAEoC,EACRP,SAAUyJ,EAAS,OAAS,gBAEzB,GAAIpE,EAAOpJ,KAAKrM,OAASjF,EAAS6M,SAErC6N,EAAgCkI,YAAa7O,SAAS,CACtDkB,IAAKzB,EAAEqC,EACPf,KAAMtB,EAAEoC,EACRP,SAAUyJ,EAAS,OAAS,gBAG9B,IACIpE,EAA4BrI,UAAYmB,EAAEqC,EAC1C6E,EAA4BtI,WAAaoB,EAAEoC,EAC7C,MAAO9T,MASL2pB,uBAAR,SAAmBjY,GACjB,IAAMkH,EAAS3Z,KAAKuf,OAAOjB,QAAQ7L,EAAEjC,IACrC,IAAKmJ,EACH,OAAO3Z,KAAK8xB,kBAAkBrf,EAAGA,EAAEjC,IAErC,IACImJ,EAAqCuc,QAAUzjB,EAAE0jB,UACjDxc,EAAqCpZ,MAAQkS,EAAE6e,KACjD,MAAOvwB,MAKH2pB,sBAAR,SAAkBjY,EAAiBsM,GACjC,IAAMpF,EAAS3Z,KAAKuf,OAAOjB,QAAQ7L,EAAEjC,IACrC,IAAKmJ,EACH,OAAO3Z,KAAK8xB,kBAAkB/S,EAAUtM,EAAEjC,IAE5C,IACImJ,EAAgClK,YAAcgD,EAAElS,MAClD,MAAOQ,MAKH2pB,sCAAR,SACEnmB,EACA2C,EACAyS,EACAyc,GAEQ,IAAAjB,EAAuBiB,aAAXjV,EAAWiV,SACzBC,EAAgBlB,GAAc5wB,EAAI4wB,GAClCmB,EAAYnV,GAAU5c,EAAI4c,GAChC,GAAIkV,EAAe,CACX,IAAA/uB,EAAqB+uB,EAAnB5zB,SAAMsc,aACd7X,EAAO6jB,aAAatoB,EAAMkX,UACnBpV,EAAIwa,EAAStc,KAAK+N,WAClBxQ,KAAKmuB,2BAA2BpP,EAAStc,KAAK+N,KACjDuO,EAASoW,YAAcpW,EAASoC,SAClCnhB,KAAKw1B,0BAA0BjxB,EAAK2C,EAAQzE,EAAcsc,GAG9D,GAAIuX,EAAW,CACP,IAAAtmB,EAAqBsmB,EAAnB7zB,SAAMsc,aACd7X,EAAO6jB,aAAatoB,EAAMkX,EAAO2b,oBAC1B/wB,EAAIwa,EAAStc,KAAK+N,WAClBxQ,KAAKmuB,2BAA2BpP,EAAStc,KAAK+N,KACjDuO,EAASoW,YAAcpW,EAASoC,SAClCnhB,KAAKw1B,0BAA0BjxB,EAAK2C,EAAQzE,EAAcsc,KAKxD2L,yBAAR,SACE7V,EACAC,EACAtE,EACAuN,EACAkP,GAEA,IAAMtT,EAAS3Z,KAAKuf,OAAOjB,QAAQ9N,GACnC,IAAKmJ,EACH,OAAO3Z,KAAK8xB,kBAAkB7E,EAAWzc,GAG3C,IAAM+lB,EAAO9U,EAAiB9H,EAAQ3Z,KAAKqqB,QACrCmM,EAAK3hB,EAAI0hB,EAAKxU,cAAgBwU,EAAK1hB,EACnC4hB,EAAK3hB,EAAIyhB,EAAKxU,cAAgBwU,EAAKzhB,EAEzC9U,KAAKwqB,MAAMvkB,MAAM8N,KAAO,UAAGyiB,QAC3Bx2B,KAAKwqB,MAAMvkB,MAAMiO,IAAM,UAAGuiB,QACrB1Y,GACH/d,KAAK02B,cAAc,CAAE7hB,EAAG2hB,EAAI1hB,EAAG2hB,IAEjCz2B,KAAK22B,cAAehd,IAGd+Q,0BAAR,SAAsBpoB,GAAtB,WACE,GAAKtC,KAAKynB,UAAV,CAIM,IAAAngB,GACsB,IAA1BtH,KAAKoZ,OAAOqO,UACRrB,GACAjnB,OAAOC,OAAO,GAAIgnB,GAAwBpmB,KAAKoZ,OAAOqO,WAHpDnB,YAASC,cAAWC,gBAAaH,aAKnCuQ,EAAO,WACX,GAAKnX,EAAKgI,UAAV,CAGA,IAAMra,EAAMqS,EAAKgI,UAAUpa,WAAW,MACjCD,GAAQqS,EAAK6S,cAAc5yB,SAGhC0N,EAAIypB,UAAU,EAAG,EAAGpX,EAAKgI,UAAUla,MAAOkS,EAAKgI,UAAUja,QACzDJ,EAAI0pB,YACJ1pB,EAAImZ,UAAYA,EAChBnZ,EAAIkZ,QAAUA,EACdlZ,EAAIoZ,YAAcA,EAClBpZ,EAAI2pB,OAAOtX,EAAK6S,cAAc,GAAGzd,EAAG4K,EAAK6S,cAAc,GAAGxd,GAC1D2K,EAAK6S,cAAc7qB,SAAQ,SAAC9H,GAAM,OAAAyN,EAAI4pB,OAAOr3B,EAAEkV,EAAGlV,EAAEmV,MACpD1H,EAAI6pB,YAGNj3B,KAAKsyB,cAAcxxB,KAAKwB,GACxBs0B,IACAzM,YAAW,WACT1K,EAAK6S,cAAgB7S,EAAK6S,cAActnB,QAAO,SAACrL,GAAM,OAAAA,IAAM2C,KAC5Ds0B,MACCvQ,EAAWrmB,KAAKmpB,aAAahO,MAAMrF,QAAQ2G,MAAM5F,SAG9C6T,0BAAR,SAAsBvZ,mBACpBnR,KAAKqqB,OAAOgB,gCACRwE,iBAAiB,aAClBpoB,SAAQ,SAACyvB,GACRA,EAAUzM,UAAUc,OAAO,aAG/B,IADA,IAAI4L,EAA4BhmB,EACzBgmB,GACDA,EAAU1M,WACZ0M,EAAU1M,UAAU3P,IAAI,UAE1Bqc,EAAYA,EAAUC,eAIlB1M,8BAAR,SAA0B3S,GACxB,OAAIA,EAAM7T,OAAS+N,EAAUgG,sBAI3BF,EAAMG,KAAKrV,OAASqP,EAAkBkO,UACtCrI,EAAMG,KAAKrV,QAAUqP,EAAkB0gB,QAInClI,yBAAR,WACE1qB,KAAKqtB,yBAA2B,KAC5BrtB,KAAKmpB,aAAahO,MAAMpC,QAAQ,YAGpC/Y,KAAKmpB,aAAavO,KAAK,CAAE1W,KAAM,mBAC/BlE,KAAKwb,QAAQzJ,KAAKO,EAAe+kB,QAAS,CACxCxgB,MAAO7W,KAAKmpB,aAAahO,MAAMrF,QAAQsT,gBASnCsB,8BAAR,SAA0BvC,EAAajhB,GACrClH,KAAKuf,OAAOhb,IAAI2C,EAAOqJ,KAAKC,IAAMtJ,EAMhCA,EAAOqJ,KAAKrM,OAASjF,EAASoN,SACN,aAAxBnF,EAAOqJ,KAAKhE,SACZ4b,EAAK1Y,cAEHvI,EAA2C3G,MAAQ4nB,EAAK1Y,aAE5DvI,EAAOuH,YAAY0Z,GAEnBnoB,KAAKs3B,aAAapwB,IAQZwjB,uBAAR,SAAmBxjB,WACjB,GAAIA,GACEA,EAAOzF,WAAayF,EAAOxF,aAAc,CAC3C,IAAM01B,EAAiBlwB,GACnBkwB,EAAc/lB,YAAc+lB,EAAc9lB,YAE5CtR,KAAK+nB,gBAAgBtc,IAAIvE,EAAQ,CAC/B6L,OAAQ,CAACqkB,EAAc/lB,WAAY+lB,EAAc9lB,aAGvB,UAA1B8lB,EAAc7qB,kBHtqDxB6qB,EACApP,SAEA,IACE,IAAM7E,EAAW9hB,MAAMH,gBACpBk2B,EAAmCvU,4BAAOP,WAAY,IACvD/d,KAAI,SAACX,GAAS,OAAAA,EAAK4G,WACrBwd,EAAqBvc,IAAK2rB,EAAoC,CAC5D,CACElzB,KAAMke,EAAcc,SACpBC,cAGJ,MAAOviB,KG0pDD22B,CACEH,EACAp3B,KAAKgoB,sBAET,IAAM5I,EAAWgY,EAAchY,aAC/B,IAAoB,IAAApP,EAAA/P,EAAAoB,MAAMH,KAAKke,kCAAW,CAArC,IAAMhR,UACTpO,KAAKi1B,WAAY7mB,wGAUjBsc,yBAAR,SAAqBxjB,WACnB,GAAIA,EAAOzF,WAAayF,EAAOxF,aAAc,CAC3C,IAAM01B,EAAiBlwB,EACvB,GAAIlH,KAAK+nB,gBAAgBvJ,IAAItX,GAAS,CACpC,IAAMswB,EAAcx3B,KAAK+nB,gBAAgBnd,IAAI1D,GAEzCswB,EAAYzkB,SACdqkB,EAAc/lB,WAAammB,EAAYzkB,OAAO,GAC9CqkB,EAAc9lB,UAAYkmB,EAAYzkB,OAAO,IAE/C/S,KAAK+nB,gBAAgB/M,OAAO9T,GAE9B,IAAMkY,EAAWgY,EAAchY,aAC/B,IAAoB,IAAApP,EAAA/P,EAAAoB,MAAMH,KAAKke,kCAAW,CAArC,IAAMhR,UACTpO,KAAKs3B,aAAclpB,wGAKjBsc,6BAAR,SAAyBjoB,GACvB,IAAMkgB,EAAc3iB,KAAKgoB,qBAAqBpd,IAAInI,GAC5B,UAAlBA,EAAKg1B,WAIJ9U,GAMLD,GAA6BC,EAFVlgB,KAKbioB,6BAAR,SAAyBjY,EAAoBjC,GACvCxQ,KAAK6nB,UAAU6P,UAAUlnB,GAC3BxQ,KAAKgO,KAAK,wBAAiBwC,gCAAgCiC,GAE3DzS,KAAKgO,KAAK,wBAAiBwC,mBAAmBiC,IAI1CiY,qCAAR,SACEjY,EACA1R,GAEAf,KAAKgO,KAAK,6BAA8BjN,EAAO,mBAAoB0R,IAG7DiY,8BAAR,SAA0BjY,EAAoBjC,GAOxCxQ,KAAK6nB,UAAU6P,UAAUlnB,GAC3BxQ,KAAK21B,MACHxP,GACA,wBAAiB3V,gCACjBiC,GAGFzS,KAAK21B,MAAMxP,GAAuB,wBAAiB3V,mBAAmBiC,IAIlEiY,iBAAR,eAAa,aAAArjB,mBAAAA,IAAAud,kBACN5kB,KAAKoZ,OAAO8N,aAGjBnZ,QAAQC,WAARD,WAAaoY,MAA0BvB,SAGjC8F,kBAAR,eAAc,aAAArjB,mBAAAA,IAAAud,kBACP5kB,KAAKoZ,OAAO+N,WAIjBpZ,QAAQ4pB,UAAR5pB,WAAYoY,MAA0BvB"} +\ No newline at end of file +diff --git a/node_modules/rrweb/dist/rrweb-all.css b/node_modules/rrweb/dist/rrweb-all.css +new file mode 100755 +index 0000000..b459e51 +--- /dev/null ++++ b/node_modules/rrweb/dist/rrweb-all.css +@@ -0,0 +1,79 @@ ++.replayer-wrapper { ++ position: relative; ++} ++.replayer-mouse { ++ position: absolute; ++ width: 20px; ++ height: 20px; ++ transition: left 0.05s linear, top 0.05s linear; ++ background-size: contain; ++ background-position: center center; ++ background-repeat: no-repeat; ++ background-image: url('data:image/svg+xml;base64,PHN2ZyBoZWlnaHQ9JzMwMHB4JyB3aWR0aD0nMzAwcHgnICBmaWxsPSIjMDAwMDAwIiB4bWxucz0iaHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmciIGRhdGEtbmFtZT0iTGF5ZXIgMSIgdmlld0JveD0iMCAwIDUwIDUwIiB4PSIwcHgiIHk9IjBweCI+PHRpdGxlPkRlc2lnbl90bnA8L3RpdGxlPjxwYXRoIGQ9Ik00OC43MSw0Mi45MUwzNC4wOCwyOC4yOSw0NC4zMywxOEExLDEsMCwwLDAsNDQsMTYuMzlMMi4zNSwxLjA2QTEsMSwwLDAsMCwxLjA2LDIuMzVMMTYuMzksNDRhMSwxLDAsMCwwLDEuNjUuMzZMMjguMjksMzQuMDgsNDIuOTEsNDguNzFhMSwxLDAsMCwwLDEuNDEsMGw0LjM4LTQuMzhBMSwxLDAsMCwwLDQ4LjcxLDQyLjkxWm0tNS4wOSwzLjY3TDI5LDMyYTEsMSwwLDAsMC0xLjQxLDBsLTkuODUsOS44NUwzLjY5LDMuNjlsMzguMTIsMTRMMzIsMjcuNThBMSwxLDAsMCwwLDMyLDI5TDQ2LjU5LDQzLjYyWiI+PC9wYXRoPjwvc3ZnPg=='); ++ border-color: transparent; /* otherwise we transition from black when .touch-device class is added */ ++} ++.replayer-mouse::after { ++ content: ''; ++ display: inline-block; ++ width: 20px; ++ height: 20px; ++ background: rgb(73, 80, 246); ++ border-radius: 100%; ++ transform: translate(-50%, -50%); ++ opacity: 0.3; ++} ++.replayer-mouse.active::after { ++ animation: click 0.2s ease-in-out 1; ++} ++.replayer-mouse.touch-device { ++ background-image: none; /* there's no passive cursor on touch-only screens */ ++ width: 70px; ++ height: 70px; ++ border-width: 4px; ++ border-style: solid; ++ border-radius: 100%; ++ margin-left: -37px; ++ margin-top: -37px; ++ border-color: rgba(73, 80, 246, 0); ++ transition: left 0s linear, top 0s linear, border-color 0.2s ease-in-out; ++} ++.replayer-mouse.touch-device.touch-active { ++ border-color: rgba(73, 80, 246, 1); ++ transition: left 0.25s linear, top 0.25s linear, border-color 0.2s ease-in-out; ++} ++.replayer-mouse.touch-device::after { ++ opacity: 0; /* there's no passive cursor on touch-only screens */ ++} ++.replayer-mouse.touch-device.active::after { ++ animation: touch-click 0.2s ease-in-out 1; ++} ++.replayer-mouse-tail { ++ position: absolute; ++ pointer-events: none; ++} ++ ++@keyframes click { ++ 0% { ++ opacity: 0.3; ++ width: 20px; ++ height: 20px; ++ } ++ 50% { ++ opacity: 0.5; ++ width: 10px; ++ height: 10px; ++ } ++} ++ ++@keyframes touch-click { ++ 0% { ++ opacity: 0; ++ width: 20px; ++ height: 20px; ++ } ++ 50% { ++ opacity: 0.5; ++ width: 10px; ++ height: 10px; ++ } ++} +diff --git a/node_modules/rrweb/dist/rrweb-all.js b/node_modules/rrweb/dist/rrweb-all.js +old mode 100644 +new mode 100755 +index cf12dce..364b390 +--- a/node_modules/rrweb/dist/rrweb-all.js ++++ b/node_modules/rrweb/dist/rrweb-all.js +@@ -97,10 +97,14 @@ var rrweb = (function (exports) { + return Boolean(host && host.shadowRoot && host.shadowRoot === n); + } + function maskInputValue(_a) { +- var maskInputOptions = _a.maskInputOptions, tagName = _a.tagName, type = _a.type, value = _a.value, maskInputFn = _a.maskInputFn; ++ var input = _a.input, maskInputSelector = _a.maskInputSelector, unmaskInputSelector = _a.unmaskInputSelector, maskInputOptions = _a.maskInputOptions, tagName = _a.tagName, type = _a.type, value = _a.value, maskInputFn = _a.maskInputFn; + var text = value || ''; ++ if (unmaskInputSelector && input.matches(unmaskInputSelector)) { ++ return text; ++ } + if (maskInputOptions[tagName.toLowerCase()] || +- maskInputOptions[type]) { ++ maskInputOptions[type] || ++ (maskInputSelector && input.matches(maskInputSelector))) { + if (maskInputFn) { + text = maskInputFn(text); + } +@@ -327,7 +331,10 @@ var rrweb = (function (exports) { + return value; + } + } +- function _isBlockedElement(element, blockClass, blockSelector) { ++ function _isBlockedElement(element, blockClass, blockSelector, unblockSelector) { ++ if (unblockSelector && element.matches(unblockSelector)) { ++ return false; ++ } + if (typeof blockClass === 'string') { + if (element.classList.contains(blockClass)) { + return true; +@@ -346,11 +353,16 @@ var rrweb = (function (exports) { + } + return false; + } +- function needMaskingText(node, maskTextClass, maskTextSelector) { ++ function needMaskingText(node, maskTextClass, maskTextSelector, unmaskTextSelector) { + if (!node) { + return false; + } + if (node.nodeType === node.ELEMENT_NODE) { ++ if (unmaskTextSelector) { ++ if (node.matches(unmaskTextSelector) || node.closest(unmaskTextSelector)) { ++ return false; ++ } ++ } + if (typeof maskTextClass === 'string') { + if (node.classList.contains(maskTextClass)) { + return true; +@@ -369,12 +381,12 @@ var rrweb = (function (exports) { + return true; + } + } +- return needMaskingText(node.parentNode, maskTextClass, maskTextSelector); ++ return needMaskingText(node.parentNode, maskTextClass, maskTextSelector, unmaskTextSelector); + } + if (node.nodeType === node.TEXT_NODE) { +- return needMaskingText(node.parentNode, maskTextClass, maskTextSelector); ++ return needMaskingText(node.parentNode, maskTextClass, maskTextSelector, unmaskTextSelector); + } +- return needMaskingText(node.parentNode, maskTextClass, maskTextSelector); ++ return needMaskingText(node.parentNode, maskTextClass, maskTextSelector, unmaskTextSelector); + } + function onceIframeLoaded(iframeEl, listener, iframeLoadTimeout) { + var win = iframeEl.contentWindow; +@@ -414,7 +426,7 @@ var rrweb = (function (exports) { + } + function serializeNode(n, options) { + var _a; +- var doc = options.doc, blockClass = options.blockClass, blockSelector = options.blockSelector, maskTextClass = options.maskTextClass, maskTextSelector = options.maskTextSelector, inlineStylesheet = options.inlineStylesheet, _b = options.maskInputOptions, maskInputOptions = _b === void 0 ? {} : _b, maskTextFn = options.maskTextFn, maskInputFn = options.maskInputFn, _c = options.dataURLOptions, dataURLOptions = _c === void 0 ? {} : _c, inlineImages = options.inlineImages, recordCanvas = options.recordCanvas, keepIframeSrcFn = options.keepIframeSrcFn; ++ var doc = options.doc, blockClass = options.blockClass, blockSelector = options.blockSelector, unblockSelector = options.unblockSelector, maskTextClass = options.maskTextClass, maskTextSelector = options.maskTextSelector, unmaskTextSelector = options.unmaskTextSelector, inlineStylesheet = options.inlineStylesheet, maskInputSelector = options.maskInputSelector, unmaskInputSelector = options.unmaskInputSelector, _b = options.maskInputOptions, maskInputOptions = _b === void 0 ? {} : _b, maskTextFn = options.maskTextFn, maskInputFn = options.maskInputFn, _c = options.dataURLOptions, dataURLOptions = _c === void 0 ? {} : _c, inlineImages = options.inlineImages, recordCanvas = options.recordCanvas, keepIframeSrcFn = options.keepIframeSrcFn; + var rootId; + if (doc.__sn) { + var docId = doc.__sn.id; +@@ -446,7 +458,7 @@ var rrweb = (function (exports) { + rootId: rootId + }; + case n.ELEMENT_NODE: +- var needBlock = _isBlockedElement(n, blockClass, blockSelector); ++ var needBlock = _isBlockedElement(n, blockClass, blockSelector, unblockSelector); + var tagName = getValidTagName(n); + var attributes_1 = {}; + for (var _i = 0, _d = Array.from(n.attributes); _i < _d.length; _i++) { +@@ -487,9 +499,12 @@ var rrweb = (function (exports) { + attributes_1.type !== 'button' && + value) { + attributes_1.value = maskInputValue({ ++ input: n, + type: attributes_1.type, + tagName: tagName, + value: value, ++ maskInputSelector: maskInputSelector, ++ unmaskInputSelector: unmaskInputSelector, + maskInputOptions: maskInputOptions, + maskInputFn: maskInputFn + }); +@@ -608,7 +623,7 @@ var rrweb = (function (exports) { + } + if (!isStyle && + !isScript && +- needMaskingText(n, maskTextClass, maskTextSelector) && ++ needMaskingText(n, maskTextClass, maskTextSelector, unmaskTextSelector) && + textContent) { + textContent = maskTextFn + ? maskTextFn(textContent) +@@ -716,15 +731,19 @@ var rrweb = (function (exports) { + return false; + } + function serializeNodeWithId(n, options) { +- var doc = options.doc, map = options.map, blockClass = options.blockClass, blockSelector = options.blockSelector, maskTextClass = options.maskTextClass, maskTextSelector = options.maskTextSelector, _a = options.skipChild, skipChild = _a === void 0 ? false : _a, _b = options.inlineStylesheet, inlineStylesheet = _b === void 0 ? true : _b, _c = options.maskInputOptions, maskInputOptions = _c === void 0 ? {} : _c, maskTextFn = options.maskTextFn, maskInputFn = options.maskInputFn, slimDOMOptions = options.slimDOMOptions, _d = options.dataURLOptions, dataURLOptions = _d === void 0 ? {} : _d, _e = options.inlineImages, inlineImages = _e === void 0 ? false : _e, _f = options.recordCanvas, recordCanvas = _f === void 0 ? false : _f, onSerialize = options.onSerialize, onIframeLoad = options.onIframeLoad, _g = options.iframeLoadTimeout, iframeLoadTimeout = _g === void 0 ? 5000 : _g, _h = options.keepIframeSrcFn, keepIframeSrcFn = _h === void 0 ? function () { return false; } : _h; ++ var doc = options.doc, map = options.map, blockClass = options.blockClass, blockSelector = options.blockSelector, unblockSelector = options.unblockSelector, maskTextClass = options.maskTextClass, maskTextSelector = options.maskTextSelector, unmaskTextSelector = options.unmaskTextSelector, _a = options.skipChild, skipChild = _a === void 0 ? false : _a, _b = options.inlineStylesheet, inlineStylesheet = _b === void 0 ? true : _b, maskInputSelector = options.maskInputSelector, unmaskInputSelector = options.unmaskInputSelector, _c = options.maskInputOptions, maskInputOptions = _c === void 0 ? {} : _c, maskTextFn = options.maskTextFn, maskInputFn = options.maskInputFn, slimDOMOptions = options.slimDOMOptions, _d = options.dataURLOptions, dataURLOptions = _d === void 0 ? {} : _d, _e = options.inlineImages, inlineImages = _e === void 0 ? false : _e, _f = options.recordCanvas, recordCanvas = _f === void 0 ? false : _f, onSerialize = options.onSerialize, onIframeLoad = options.onIframeLoad, _g = options.iframeLoadTimeout, iframeLoadTimeout = _g === void 0 ? 5000 : _g, _h = options.keepIframeSrcFn, keepIframeSrcFn = _h === void 0 ? function () { return false; } : _h; + var _j = options.preserveWhiteSpace, preserveWhiteSpace = _j === void 0 ? true : _j; + var _serializedNode = serializeNode(n, { + doc: doc, + blockClass: blockClass, + blockSelector: blockSelector, ++ unblockSelector: unblockSelector, + maskTextClass: maskTextClass, + maskTextSelector: maskTextSelector, ++ unmaskTextSelector: unmaskTextSelector, + inlineStylesheet: inlineStylesheet, ++ maskInputSelector: maskInputSelector, ++ unmaskInputSelector: unmaskInputSelector, + maskInputOptions: maskInputOptions, + maskTextFn: maskTextFn, + maskInputFn: maskInputFn, +@@ -780,10 +799,14 @@ var rrweb = (function (exports) { + map: map, + blockClass: blockClass, + blockSelector: blockSelector, ++ unblockSelector: unblockSelector, + maskTextClass: maskTextClass, + maskTextSelector: maskTextSelector, ++ unmaskTextSelector: unmaskTextSelector, + skipChild: skipChild, + inlineStylesheet: inlineStylesheet, ++ maskInputSelector: maskInputSelector, ++ unmaskInputSelector: unmaskInputSelector, + maskInputOptions: maskInputOptions, + maskTextFn: maskTextFn, + maskInputFn: maskInputFn, +@@ -828,10 +851,14 @@ var rrweb = (function (exports) { + map: map, + blockClass: blockClass, + blockSelector: blockSelector, ++ unblockSelector: unblockSelector, + maskTextClass: maskTextClass, + maskTextSelector: maskTextSelector, ++ unmaskTextSelector: unmaskTextSelector, + skipChild: false, + inlineStylesheet: inlineStylesheet, ++ maskInputSelector: maskInputSelector, ++ unmaskInputSelector: unmaskInputSelector, + maskInputOptions: maskInputOptions, + maskTextFn: maskTextFn, + maskInputFn: maskInputFn, +@@ -854,7 +881,7 @@ var rrweb = (function (exports) { + return serializedNode; + } + function snapshot(n, options) { +- var _a = options || {}, _b = _a.blockClass, blockClass = _b === void 0 ? 'rr-block' : _b, _c = _a.blockSelector, blockSelector = _c === void 0 ? null : _c, _d = _a.maskTextClass, maskTextClass = _d === void 0 ? 'rr-mask' : _d, _e = _a.maskTextSelector, maskTextSelector = _e === void 0 ? null : _e, _f = _a.inlineStylesheet, inlineStylesheet = _f === void 0 ? true : _f, _g = _a.inlineImages, inlineImages = _g === void 0 ? false : _g, _h = _a.recordCanvas, recordCanvas = _h === void 0 ? false : _h, _j = _a.maskAllInputs, maskAllInputs = _j === void 0 ? false : _j, maskTextFn = _a.maskTextFn, maskInputFn = _a.maskInputFn, _k = _a.slimDOM, slimDOM = _k === void 0 ? false : _k, dataURLOptions = _a.dataURLOptions, preserveWhiteSpace = _a.preserveWhiteSpace, onSerialize = _a.onSerialize, onIframeLoad = _a.onIframeLoad, iframeLoadTimeout = _a.iframeLoadTimeout, _l = _a.keepIframeSrcFn, keepIframeSrcFn = _l === void 0 ? function () { return false; } : _l; ++ var _a = options || {}, _b = _a.blockClass, blockClass = _b === void 0 ? 'rr-block' : _b, _c = _a.blockSelector, blockSelector = _c === void 0 ? null : _c, _d = _a.unblockSelector, unblockSelector = _d === void 0 ? null : _d, _e = _a.maskTextClass, maskTextClass = _e === void 0 ? 'rr-mask' : _e, _f = _a.maskTextSelector, maskTextSelector = _f === void 0 ? null : _f, _g = _a.unmaskTextSelector, unmaskTextSelector = _g === void 0 ? null : _g, _h = _a.inlineStylesheet, inlineStylesheet = _h === void 0 ? true : _h, _j = _a.inlineImages, inlineImages = _j === void 0 ? false : _j, _k = _a.recordCanvas, recordCanvas = _k === void 0 ? false : _k, _l = _a.maskInputSelector, maskInputSelector = _l === void 0 ? null : _l, _m = _a.unmaskInputSelector, unmaskInputSelector = _m === void 0 ? null : _m, _o = _a.maskAllInputs, maskAllInputs = _o === void 0 ? false : _o, maskTextFn = _a.maskTextFn, maskInputFn = _a.maskInputFn, _p = _a.slimDOM, slimDOM = _p === void 0 ? false : _p, dataURLOptions = _a.dataURLOptions, preserveWhiteSpace = _a.preserveWhiteSpace, onSerialize = _a.onSerialize, onIframeLoad = _a.onIframeLoad, iframeLoadTimeout = _a.iframeLoadTimeout, _q = _a.keepIframeSrcFn, keepIframeSrcFn = _q === void 0 ? function () { return false; } : _q; + var idNodeMap = {}; + var maskInputOptions = maskAllInputs === true + ? { +@@ -903,10 +930,14 @@ var rrweb = (function (exports) { + map: idNodeMap, + blockClass: blockClass, + blockSelector: blockSelector, ++ unblockSelector: unblockSelector, + maskTextClass: maskTextClass, + maskTextSelector: maskTextSelector, ++ unmaskTextSelector: unmaskTextSelector, + skipChild: false, + inlineStylesheet: inlineStylesheet, ++ maskInputSelector: maskInputSelector, ++ unmaskInputSelector: unmaskInputSelector, + maskInputOptions: maskInputOptions, + maskTextFn: maskTextFn, + maskInputFn: maskInputFn, +@@ -2442,8 +2473,12 @@ var rrweb = (function (exports) { + map: _this.mirror.map, + blockClass: _this.blockClass, + blockSelector: _this.blockSelector, ++ unblockSelector: _this.unblockSelector, + maskTextClass: _this.maskTextClass, + maskTextSelector: _this.maskTextSelector, ++ unmaskTextSelector: _this.unmaskTextSelector, ++ maskInputSelector: _this.maskInputSelector, ++ unmaskInputSelector: _this.unmaskInputSelector, + skipChild: true, + inlineStylesheet: _this.inlineStylesheet, + maskInputOptions: _this.maskInputOptions, +@@ -2589,7 +2624,7 @@ var rrweb = (function (exports) { + var value = m.target.textContent; + if (!isBlocked(m.target, _this.blockClass) && value !== m.oldValue) { + _this.texts.push({ +- value: needMaskingText(m.target, _this.maskTextClass, _this.maskTextSelector) && value ++ value: needMaskingText(m.target, _this.maskTextClass, _this.maskTextSelector, _this.unmaskTextSelector) && value + ? _this.maskTextFn + ? _this.maskTextFn(value) + : value.replace(/[\S]/g, '*') +@@ -2604,6 +2639,9 @@ var rrweb = (function (exports) { + var value = m.target.getAttribute(m.attributeName); + if (m.attributeName === 'value') { + value = maskInputValue({ ++ input: target, ++ maskInputSelector: _this.maskInputSelector, ++ unmaskInputSelector: _this.unmaskInputSelector, + maskInputOptions: _this.maskInputOptions, + tagName: m.target.tagName, + type: m.target.getAttribute('type'), +@@ -2740,8 +2778,12 @@ var rrweb = (function (exports) { + 'mutationCb', + 'blockClass', + 'blockSelector', ++ 'unblockSelector', + 'maskTextClass', + 'maskTextSelector', ++ 'unmaskTextSelector', ++ 'maskInputSelector', ++ 'unmaskInputSelector', + 'inlineStylesheet', + 'maskInputOptions', + 'maskTextFn', +@@ -3005,7 +3047,7 @@ var rrweb = (function (exports) { + var INPUT_TAGS = ['INPUT', 'TEXTAREA', 'SELECT']; + var lastInputValueMap = new WeakMap(); + function initInputObserver(_a) { +- var inputCb = _a.inputCb, doc = _a.doc, mirror = _a.mirror, blockClass = _a.blockClass, ignoreClass = _a.ignoreClass, maskInputOptions = _a.maskInputOptions, maskInputFn = _a.maskInputFn, sampling = _a.sampling, userTriggeredOnInput = _a.userTriggeredOnInput; ++ var inputCb = _a.inputCb, doc = _a.doc, mirror = _a.mirror, blockClass = _a.blockClass, ignoreClass = _a.ignoreClass, ignoreSelector = _a.ignoreSelector, maskInputSelector = _a.maskInputSelector, unmaskInputSelector = _a.unmaskInputSelector, maskInputOptions = _a.maskInputOptions, maskInputFn = _a.maskInputFn, sampling = _a.sampling, userTriggeredOnInput = _a.userTriggeredOnInput; + function eventHandler(event) { + var target = getEventTarget(event); + var userTriggered = event.isTrusted; +@@ -3018,7 +3060,7 @@ var rrweb = (function (exports) { + return; + } + var type = target.type; +- if (target.classList.contains(ignoreClass)) { ++ if (target.classList.contains(ignoreClass) || (ignoreSelector && target.matches(ignoreSelector))) { + return; + } + var text = target.value; +@@ -3029,7 +3071,10 @@ var rrweb = (function (exports) { + else if (maskInputOptions[target.tagName.toLowerCase()] || + maskInputOptions[type]) { + text = maskInputValue({ ++ input: target, + maskInputOptions: maskInputOptions, ++ maskInputSelector: maskInputSelector, ++ unmaskInputSelector: unmaskInputSelector, + tagName: target.tagName, + type: type, + value: text, +@@ -3113,6 +3158,9 @@ var rrweb = (function (exports) { + function initStyleSheetObserver(_a, _b) { + var styleSheetRuleCb = _a.styleSheetRuleCb, mirror = _a.mirror; + var win = _b.win; ++ if (!win.CSSStyleSheet || !win.CSSStyleSheet.prototype) { ++ return function () { }; ++ } + var insertRule = win.CSSStyleSheet.prototype.insertRule; + win.CSSStyleSheet.prototype.insertRule = function (rule, index) { + var id = mirror.getId(this.ownerNode); +@@ -3965,7 +4013,7 @@ var rrweb = (function (exports) { + var mirror = createMirror(); + function record(options) { + if (options === void 0) { options = {}; } +- var emit = options.emit, checkoutEveryNms = options.checkoutEveryNms, checkoutEveryNth = options.checkoutEveryNth, _a = options.blockClass, blockClass = _a === void 0 ? 'rr-block' : _a, _b = options.blockSelector, blockSelector = _b === void 0 ? null : _b, _c = options.ignoreClass, ignoreClass = _c === void 0 ? 'rr-ignore' : _c, _d = options.maskTextClass, maskTextClass = _d === void 0 ? 'rr-mask' : _d, _e = options.maskTextSelector, maskTextSelector = _e === void 0 ? null : _e, _f = options.inlineStylesheet, inlineStylesheet = _f === void 0 ? true : _f, maskAllInputs = options.maskAllInputs, _maskInputOptions = options.maskInputOptions, _slimDOMOptions = options.slimDOMOptions, maskInputFn = options.maskInputFn, maskTextFn = options.maskTextFn, hooks = options.hooks, packFn = options.packFn, _g = options.sampling, sampling = _g === void 0 ? {} : _g, mousemoveWait = options.mousemoveWait, _h = options.recordCanvas, recordCanvas = _h === void 0 ? false : _h, _j = options.userTriggeredOnInput, userTriggeredOnInput = _j === void 0 ? false : _j, _k = options.collectFonts, collectFonts = _k === void 0 ? false : _k, _l = options.inlineImages, inlineImages = _l === void 0 ? false : _l, plugins = options.plugins, _m = options.keepIframeSrcFn, keepIframeSrcFn = _m === void 0 ? function () { return false; } : _m; ++ var emit = options.emit, checkoutEveryNms = options.checkoutEveryNms, checkoutEveryNth = options.checkoutEveryNth, _a = options.blockClass, blockClass = _a === void 0 ? 'rr-block' : _a, _b = options.blockSelector, blockSelector = _b === void 0 ? null : _b, _c = options.unblockSelector, unblockSelector = _c === void 0 ? null : _c, _d = options.ignoreClass, ignoreClass = _d === void 0 ? 'rr-ignore' : _d, _e = options.ignoreSelector, ignoreSelector = _e === void 0 ? null : _e, _f = options.maskTextClass, maskTextClass = _f === void 0 ? 'rr-mask' : _f, _g = options.maskTextSelector, maskTextSelector = _g === void 0 ? null : _g, _h = options.maskInputSelector, maskInputSelector = _h === void 0 ? null : _h, _j = options.unmaskTextSelector, unmaskTextSelector = _j === void 0 ? null : _j, _k = options.unmaskInputSelector, unmaskInputSelector = _k === void 0 ? null : _k, _l = options.inlineStylesheet, inlineStylesheet = _l === void 0 ? true : _l, maskAllInputs = options.maskAllInputs, _maskInputOptions = options.maskInputOptions, _slimDOMOptions = options.slimDOMOptions, maskInputFn = options.maskInputFn, maskTextFn = options.maskTextFn, hooks = options.hooks, packFn = options.packFn, _m = options.sampling, sampling = _m === void 0 ? {} : _m, mousemoveWait = options.mousemoveWait, _o = options.recordCanvas, recordCanvas = _o === void 0 ? false : _o, _p = options.userTriggeredOnInput, userTriggeredOnInput = _p === void 0 ? false : _p, _q = options.collectFonts, collectFonts = _q === void 0 ? false : _q, _r = options.inlineImages, inlineImages = _r === void 0 ? false : _r, plugins = options.plugins, _s = options.keepIframeSrcFn, keepIframeSrcFn = _s === void 0 ? function () { return false; } : _s; + if (!emit) { + throw new Error('emit function is required'); + } +@@ -4096,8 +4144,12 @@ var rrweb = (function (exports) { + bypassOptions: { + blockClass: blockClass, + blockSelector: blockSelector, ++ unblockSelector: unblockSelector, + maskTextClass: maskTextClass, + maskTextSelector: maskTextSelector, ++ unmaskTextSelector: unmaskTextSelector, ++ maskInputSelector: maskInputSelector, ++ unmaskInputSelector: unmaskInputSelector, + inlineStylesheet: inlineStylesheet, + maskInputOptions: maskInputOptions, + maskTextFn: maskTextFn, +@@ -4126,8 +4178,12 @@ var rrweb = (function (exports) { + var _e = __read(snapshot(document, { + blockClass: blockClass, + blockSelector: blockSelector, ++ unblockSelector: unblockSelector, + maskTextClass: maskTextClass, + maskTextSelector: maskTextSelector, ++ unmaskTextSelector: unmaskTextSelector, ++ maskInputSelector: maskInputSelector, ++ unmaskInputSelector: unmaskInputSelector, + inlineStylesheet: inlineStylesheet, + maskAllInputs: maskInputOptions, + maskTextFn: maskTextFn, +@@ -4241,8 +4297,12 @@ var rrweb = (function (exports) { + }, + blockClass: blockClass, + ignoreClass: ignoreClass, ++ ignoreSelector: ignoreSelector, + maskTextClass: maskTextClass, + maskTextSelector: maskTextSelector, ++ unmaskTextSelector: unmaskTextSelector, ++ maskInputSelector: maskInputSelector, ++ unmaskInputSelector: unmaskInputSelector, + maskInputOptions: maskInputOptions, + inlineStylesheet: inlineStylesheet, + sampling: sampling, +@@ -4254,6 +4314,7 @@ var rrweb = (function (exports) { + maskInputFn: maskInputFn, + maskTextFn: maskTextFn, + blockSelector: blockSelector, ++ unblockSelector: unblockSelector, + slimDOMOptions: slimDOMOptions, + mirror: mirror, + iframeManager: iframeManager, +@@ -4275,7 +4336,12 @@ var rrweb = (function (exports) { + }, hooks); + }; + iframeManager.addLoadListener(function (iframeEl) { +- handlers_1.push(observe_1(iframeEl.contentDocument)); ++ try { ++ handlers_1.push(observe_1(iframeEl.contentDocument)); ++ } ++ catch (error) { ++ console.warn(error); ++ } + }); + var init_1 = function () { + takeFullSnapshot(); +diff --git a/node_modules/rrweb/dist/rrweb-all.min.css b/node_modules/rrweb/dist/rrweb-all.min.css +old mode 100644 +new mode 100755 +diff --git a/node_modules/rrweb/dist/rrweb-all.min.css.map b/node_modules/rrweb/dist/rrweb-all.min.css.map +old mode 100644 +new mode 100755 +diff --git a/node_modules/rrweb/dist/rrweb-all.min.js b/node_modules/rrweb/dist/rrweb-all.min.js +old mode 100644 +new mode 100755 +index 3925d85..588bf8f +--- a/node_modules/rrweb/dist/rrweb-all.min.js ++++ b/node_modules/rrweb/dist/rrweb-all.min.js +@@ -12,7 +12,7 @@ var rrweb=function(e){"use strict"; + LOSS OF USE, DATA OR PROFITS, WHETHER IN AN ACTION OF CONTRACT, NEGLIGENCE OR + OTHER TORTIOUS ACTION, ARISING OUT OF OR IN CONNECTION WITH THE USE OR + PERFORMANCE OF THIS SOFTWARE. +- ***************************************************************************** */var t,r=function(){return(r=Object.assign||function(e){for(var t,r=1,n=arguments.length;r=e.length&&(e=void 0),{value:e&&e[n++],done:!e}}};throw new TypeError(t?"Object is not iterable.":"Symbol.iterator is not defined.")}function o(e,t){var r="function"==typeof Symbol&&e[Symbol.iterator];if(!r)return e;var n,o,a=r.call(e),i=[];try{for(;(void 0===t||t-- >0)&&!(n=a.next()).done;)i.push(n.value)}catch(e){o={error:e}}finally{try{n&&!n.done&&(r=a.return)&&r.call(a)}finally{if(o)throw o.error}}return i}function a(e,t,r){if(r||2===arguments.length)for(var n,o=0,a=t.length;o-1?s.split("/").slice(0,3).join("/"):s.split("/")[0]).split("?")[0]+l)+c+")";var u=t.split("/"),d=l.split("/");u.pop();for(var f=0,p=d;f=t.length);){var a=n(S);if(","===a.slice(-1))a=x(e,a.substring(0,a.length-1)),o.push(a);else{var i="";a=x(e,a);for(var s=!1;;){var l=t.charAt(r);if(""===l){o.push((a+i).trim());break}if(s)")"===l&&(s=!1);else{if(","===l){r+=1,o.push((a+i).trim());break}"("===l&&(s=!0)}i+=l,r+=1}}}return o.join(", ")}(e,n):"style"===r&&n?b(n,E()):"object"===t&&"data"===r&&n?x(e,n):n:x(e,n)}function I(e,t,r){if(!e)return!1;if(e.nodeType===e.ELEMENT_NODE){if("string"==typeof t){if(e.classList.contains(t))return!0}else for(var n=0;n'):n.write('')),f=n),f.__sn=e,o[e.id]=f,(e.type===t.Document||e.type===t.Element)&&!s)for(var p=0,h=e.childNodes;pt?(n&&(clearTimeout(n),n=null),o=i,e.apply(l,c)):n||!1===r.trailing||(n=setTimeout((function(){o=!1===r.leading?0:Date.now(),n=null,e.apply(l,c)}),s))}}function J(e,t,r,n,o){void 0===o&&(o=window);var a=o.Object.getOwnPropertyDescriptor(e,t);return o.Object.defineProperty(e,t,n?r:{set:function(e){var t=this;setTimeout((function(){r.set.call(t,e)}),0),a&&a.set&&a.set.call(this,e)}}),function(){return J(e,t,a||{},!0)}}function K(e,t,r){try{if(!(t in e))return function(){};var n=e[t],o=r(n);return"function"==typeof o&&(o.prototype=o.prototype||{},Object.defineProperties(o,{__rrweb_original__:{enumerable:!1,value:n}})),e[t]=o,function(){e[t]=n}}catch(e){return function(){}}}function Z(){return window.innerHeight||document.documentElement&&document.documentElement.clientHeight||document.body&&document.body.clientHeight}function ee(){return window.innerWidth||document.documentElement&&document.documentElement.clientWidth||document.body&&document.body.clientWidth}function te(e,t){if(!e)return!1;if(e.nodeType===e.ELEMENT_NODE){var r=!1;if("string"==typeof t){if(void 0!==e.closest)return null!==e.closest("."+t);r=e.classList.contains(t)}else e.classList.forEach((function(e){t.test(e)&&(r=!0)}));return r||te(e.parentNode,t)}return e.nodeType,e.TEXT_NODE,te(e.parentNode,t)}function re(e){return"__sn"in e&&-2===e.__sn.id}function ne(e,t){if(s(e))return!1;var r=t.getId(e);return!t.has(r)||(!e.parentNode||e.parentNode.nodeType!==e.DOCUMENT_NODE)&&(!e.parentNode||ne(e.parentNode,t))}function oe(e){return Boolean(e.changedTouches)}function ae(e){void 0===e&&(e=window),"NodeList"in e&&!e.NodeList.prototype.forEach&&(e.NodeList.prototype.forEach=Array.prototype.forEach),"DOMTokenList"in e&&!e.DOMTokenList.prototype.forEach&&(e.DOMTokenList.prototype.forEach=Array.prototype.forEach),Node.prototype.contains||(Node.prototype.contains=function(e){if(!(0 in arguments))throw new TypeError("1 argument is required");do{if(this===e)return!0}while(e=e&&e.parentNode);return!1})}e.mirror={map:{},getId:function(){return console.error(Q),-1},getNode:function(){return console.error(Q),null},removeNodeFromMap:function(){console.error(Q)},has:function(){return console.error(Q),!1},reset:function(){console.error(Q)}},"undefined"!=typeof window&&window.Proxy&&window.Reflect&&(e.mirror=new Proxy(e.mirror,{get:function(e,t,r){return"map"===t&&console.error(Q),Reflect.get(e,t,r)}}));var ie=function(){function t(){this.reset()}return t.prototype.add=function(e){var t=this.indexes.get(e.parentId),r={id:e.node.id,mutation:e,children:[],texts:[],attributes:[]};t?(r.parent=t,t.children[r.id]=r):this.tree[r.id]=r,this.indexes.set(r.id,r)},t.prototype.remove=function(e,t){var r=this,n=this.indexes.get(e.parentId),o=this.indexes.get(e.id),a=function(e){r.removeIdSet.add(e);var n=t.getNode(e);null==n||n.childNodes.forEach((function(e){"__sn"in e&&a(e.__sn.id)}))},i=function(t){r.removeIdSet.add(t.id),Object.values(t.children).forEach((function(e){return i(e)}));var n=r.indexes.get(t.id);if(n){var o=n.parent;o&&(delete n.parent,delete o.children[n.id],r.indexes.delete(e.id))}};o?n?(delete o.parent,delete n.children[o.id],this.indexes.delete(e.id),i(o)):(delete this.tree[o.id],this.indexes.delete(o.id),i(o)):(this.removeNodeMutations.push(e),a(e.id))},t.prototype.text=function(e){var t=this.indexes.get(e.id);t?t.texts.push(e):this.textMutations.push(e)},t.prototype.attribute=function(e){var t=this.indexes.get(e.id);t?t.attributes.push(e):this.attributeMutations.push(e)},t.prototype.scroll=function(e){this.scrollMap.set(e.id,e)},t.prototype.input=function(e){this.inputMap.set(e.id,e)},t.prototype.flush=function(){var t,r,o,a,i=this,s=this,l=s.tree,c=s.removeNodeMutations,u=s.textMutations,d=s.attributeMutations,f={source:e.IncrementalSource.Mutation,removes:c,texts:u,attributes:d,adds:[]},p=function(e,t){t&&i.removeIdSet.add(e.id),f.texts=f.texts.concat(t?[]:e.texts).filter((function(e){return!i.removeIdSet.has(e.id)})),f.attributes=f.attributes.concat(t?[]:e.attributes).filter((function(e){return!i.removeIdSet.has(e.id)})),i.removeIdSet.has(e.id)||i.removeIdSet.has(e.mutation.parentId)||t?Object.values(e.children).forEach((function(e){return p(e,!0)})):(f.adds.push(e.mutation),e.children&&Object.values(e.children).forEach((function(e){return p(e,!1)})))};Object.values(l).forEach((function(e){return p(e,!1)}));try{for(var h=n(this.scrollMap.keys()),m=h.next();!m.done;m=h.next()){var v=m.value;this.removeIdSet.has(v)&&this.scrollMap.delete(v)}}catch(e){t={error:e}}finally{try{m&&!m.done&&(r=h.return)&&r.call(h)}finally{if(t)throw t.error}}try{for(var y=n(this.inputMap.keys()),g=y.next();!g.done;g=y.next()){v=g.value;this.removeIdSet.has(v)&&this.inputMap.delete(v)}}catch(e){o={error:e}}finally{try{g&&!g.done&&(a=y.return)&&a.call(y)}finally{if(o)throw o.error}}var b=new Map(this.scrollMap),S=new Map(this.inputMap);return this.reset(),{mutationData:f,scrollMap:b,inputMap:S}},t.prototype.reset=function(){this.tree=[],this.indexes=new Map,this.removeNodeMutations=[],this.textMutations=[],this.attributeMutations=[],this.removeIdSet=new Set,this.scrollMap=new Map,this.inputMap=new Map},t.prototype.idRemoved=function(e){return this.removeIdSet.has(e)},t}();function se(e){var t,r,o={},a=function(e,t){var r={value:e,parent:t,children:[]};return o[e.node.id]=r,r},i=[];try{for(var s=n(e),l=s.next();!l.done;l=s.next()){var c=l.value,u=c.nextId,d=c.parentId;if(u&&u in o){var f=o[u];if(f.parent){var p=f.parent.children.indexOf(f);f.parent.children.splice(p,0,a(c,f.parent))}else{p=i.indexOf(f);i.splice(p,0,a(c,null))}}else if(d in o){var h=o[d];h.children.push(a(c,h))}else i.push(a(c,null))}}catch(e){t={error:e}}finally{try{l&&!l.done&&(r=s.return)&&r.call(s)}finally{if(t)throw t.error}}return i}function le(e,t){t(e.value);for(var r=e.children.length-1;r>=0;r--)le(e.children[r],t)}function ce(e){return"__sn"in e&&(e.__sn.type===t.Element&&"iframe"===e.__sn.tagName)}function ue(e,t){var r,n,o=null===(n=null===(r=e.ownerDocument)||void 0===r?void 0:r.defaultView)||void 0===n?void 0:n.frameElement;if(!o||o===t)return{x:0,y:0,relativeScale:1,absoluteScale:1};var a=o.getBoundingClientRect(),i=ue(o,t),s=a.height/o.clientHeight;return{x:a.x*i.relativeScale+i.x,y:a.y*i.relativeScale+i.y,relativeScale:s,absoluteScale:i.absoluteScale*s}}function de(e){return Boolean(null==e?void 0:e.shadowRoot)}var fe=Object.freeze({__proto__:null,on:X,createMirror:q,get _mirror(){return e.mirror},throttle:$,hookSetter:J,patch:K,getWindowHeight:Z,getWindowWidth:ee,isBlocked:te,isIgnored:re,isAncestorRemoved:ne,isTouchEvent:oe,polyfill:ae,TreeIndex:ie,queueToResolveTrees:se,iterateResolveTree:le,isIframeINode:ce,getBaseDimension:ue,hasShadowRoot:de});function pe(e){return"__ln"in e}var he=function(){function e(){this.length=0,this.head=null}return e.prototype.get=function(e){if(e>=this.length)throw new Error("Position outside of list range");for(var t=this.head,r=0;r=0;S--){var w=l.get(S);if(w){g=e.mirror.getId(w.value.parentNode),b=c(w.value);if(-1!==g&&-1!==b){y=w;break}}}if(!y){for(;l.head;)l.removeNode(l.head.value);break}v=y.previous,l.removeNode(y.value),u(y.value)}var x={texts:e.texts.map((function(t){return{id:e.mirror.getId(t.node),value:t.value}})).filter((function(t){return e.mirror.has(t.id)})),attributes:e.attributes.map((function(t){return{id:e.mirror.getId(t.node),attributes:t.attributes}})).filter((function(t){return e.mirror.has(t.id)})),removes:e.removes,adds:i};(x.texts.length||x.attributes.length||x.removes.length||x.adds.length)&&(e.texts=[],e.attributes=[],e.removes=[],e.addedSet=new Set,e.movedSet=new Set,e.droppedSet=new Set,e.movedMap={},e.mutationCb(x))}},this.processMutation=function(t){var r,o,a,i;if(!re(t.target))switch(t.type){case"characterData":var c=t.target.textContent;te(t.target,e.blockClass)||c===t.oldValue||e.texts.push({value:I(t.target,e.maskTextClass,e.maskTextSelector)&&c?e.maskTextFn?e.maskTextFn(c):c.replace(/[\S]/g,"*"):c,node:t.target});break;case"attributes":var u=t.target;c=t.target.getAttribute(t.attributeName);if("value"===t.attributeName&&(c=l({maskInputOptions:e.maskInputOptions,tagName:t.target.tagName,type:t.target.getAttribute("type"),value:c,maskInputFn:e.maskInputFn})),te(t.target,e.blockClass)||c===t.oldValue)return;var d=e.attributes.find((function(e){return e.node===t.target}));if(d||(d={node:t.target,attributes:{}},e.attributes.push(d)),"style"===t.attributeName){var f=e.doc.createElement("span");t.oldValue&&f.setAttribute("style",t.oldValue),void 0!==d.attributes.style&&null!==d.attributes.style||(d.attributes.style={});var p=d.attributes.style;try{for(var h=n(Array.from(u.style)),m=h.next();!m.done;m=h.next()){var v=m.value,y=u.style.getPropertyValue(v),g=u.style.getPropertyPriority(v);y===f.style.getPropertyValue(v)&&g===f.style.getPropertyPriority(v)||(p[v]=""===g?y:[y,g])}}catch(e){r={error:e}}finally{try{m&&!m.done&&(o=h.return)&&o.call(h)}finally{if(r)throw r.error}}try{for(var b=n(Array.from(f.style)),S=b.next();!S.done;S=b.next()){v=S.value;""===u.style.getPropertyValue(v)&&(p[v]=!1)}}catch(e){a={error:e}}finally{try{S&&!S.done&&(i=b.return)&&i.call(b)}finally{if(a)throw a.error}}}else d.attributes[t.attributeName]=T(e.doc,t.target.tagName,t.attributeName,c);break;case"childList":t.addedNodes.forEach((function(r){return e.genAdds(r,t.target)})),t.removedNodes.forEach((function(r){var n=e.mirror.getId(r),o=s(t.target)?e.mirror.getId(t.target.host):e.mirror.getId(t.target);te(t.target,e.blockClass)||re(r)||(e.addedSet.has(r)?(ge(e.addedSet,r),e.droppedSet.add(r)):e.addedSet.has(t.target)&&-1===n||ne(t.target,e.mirror)||(e.movedSet.has(r)&&e.movedMap[me(n,o)]?ge(e.movedSet,r):e.removes.push({parentId:o,id:n,isShadow:!!s(t.target)||void 0})),e.mapRemoves.push(r))}))}},this.genAdds=function(t,r){if(!r||!te(r,e.blockClass)){if(ve(t)){if(re(t))return;e.movedSet.add(t);var n=null;r&&ve(r)&&(n=r.__sn.id),n&&(e.movedMap[me(t.__sn.id,n)]=!0)}else e.addedSet.add(t),e.droppedSet.delete(t);te(t,e.blockClass)||t.childNodes.forEach((function(t){return e.genAdds(t)}))}}}return e.prototype.init=function(e){var t=this;["mutationCb","blockClass","blockSelector","maskTextClass","maskTextSelector","inlineStylesheet","maskInputOptions","maskTextFn","maskInputFn","recordCanvas","inlineImages","slimDOMOptions","doc","mirror","iframeManager","shadowDomManager","canvasManager"].forEach((function(r){t[r]=e[r]}))},e.prototype.freeze=function(){this.frozen=!0,this.canvasManager.freeze()},e.prototype.unfreeze=function(){this.frozen=!1,this.canvasManager.unfreeze(),this.emit()},e.prototype.isFrozen=function(){return this.frozen},e.prototype.lock=function(){this.locked=!0,this.canvasManager.lock()},e.prototype.unlock=function(){this.locked=!1,this.canvasManager.unlock(),this.emit()},e.prototype.reset=function(){this.shadowDomManager.reset(),this.canvasManager.reset()},e}();function ge(e,t){e.delete(t),t.childNodes.forEach((function(t){return ge(e,t)}))}function be(e,t,r){var n=t.parentNode;if(!n)return!1;var o=r.getId(n);return!!e.some((function(e){return e.id===o}))||be(e,n,r)}function Se(e,t){var r=t.parentNode;return!!r&&(!!e.has(r)||Se(e,r))}var we=[],xe="undefined"!=typeof CSSGroupingRule,Ee="undefined"!=typeof CSSMediaRule,Te="undefined"!=typeof CSSSupportsRule,Ie="undefined"!=typeof CSSConditionRule;function Ce(e){try{if("composedPath"in e){var t=e.composedPath();if(t.length)return t[0]}else if("path"in e&&e.path.length)return e.path[0];return e.target}catch(t){return e.target}}function Me(e,t){var r,n,o=new ye;we.push(o),o.init(e);var a=window.MutationObserver||window.__rrMutationObserver,i=null===(n=null===(r=null===window||void 0===window?void 0:window.Zone)||void 0===r?void 0:r.__symbol__)||void 0===n?void 0:n.call(r,"MutationObserver");i&&window[i]&&(a=window[i]);var s=new a(o.processMutations.bind(o));return s.observe(t,{attributes:!0,attributeOldValue:!0,characterData:!0,characterDataOldValue:!0,childList:!0,subtree:!0}),s}function ke(t){var r=t.mouseInteractionCb,n=t.doc,o=t.mirror,a=t.blockClass,i=t.sampling;if(!1===i.mouseInteraction)return function(){};var s=!0===i.mouseInteraction||void 0===i.mouseInteraction?{}:i.mouseInteraction,l=[];return Object.keys(e.MouseInteractions).filter((function(e){return Number.isNaN(Number(e))&&!e.endsWith("_Departed")&&!1!==s[e]})).forEach((function(t){var i=t.toLowerCase(),s=function(t){return function(n){var i=Ce(n);if(!te(i,a)){var s=oe(n)?n.changedTouches[0]:n;if(s){var l=o.getId(i),c=s.clientX,u=s.clientY;r({type:e.MouseInteractions[t],id:l,x:c,y:u})}}}}(t);l.push(X(i,s,n))})),function(){l.forEach((function(e){return e()}))}}function Ne(e){var t=e.scrollCb,r=e.doc,n=e.mirror,o=e.blockClass;return X("scroll",$((function(e){var a=Ce(e);if(a&&!te(a,o)){var i=n.getId(a);if(a===r){var s=r.scrollingElement||r.documentElement;t({id:i,x:s.scrollLeft,y:s.scrollTop})}else t({id:i,x:a.scrollLeft,y:a.scrollTop})}}),e.sampling.scroll||100),r)}function Re(e,t){var n=r({},e);return t||delete n.userTriggered,n}var _e=["INPUT","TEXTAREA","SELECT"],Oe=new WeakMap;function Le(e){return function(e,t){if(xe&&e.parentRule instanceof CSSGroupingRule||Ee&&e.parentRule instanceof CSSMediaRule||Te&&e.parentRule instanceof CSSSupportsRule||Ie&&e.parentRule instanceof CSSConditionRule){var r=Array.from(e.parentRule.cssRules).indexOf(e);t.unshift(r)}else{r=Array.from(e.parentStyleSheet.cssRules).indexOf(e);t.unshift(r)}return t}(e,[])}function Ae(t,i){var s,c;void 0===i&&(i={});var u=t.doc.defaultView;if(!u)return function(){};!function(e,t){var r=e.mutationCb,n=e.mousemoveCb,i=e.mouseInteractionCb,s=e.scrollCb,l=e.viewportResizeCb,c=e.inputCb,u=e.mediaInteractionCb,d=e.styleSheetRuleCb,f=e.styleDeclarationCb,p=e.canvasMutationCb,h=e.fontCb;e.mutationCb=function(){for(var e=[],n=0;n>2],o+=Pe[(3&r[t])<<4|r[t+1]>>4],o+=Pe[(15&r[t+1])<<2|r[t+2]>>6],o+=Pe[63&r[t+2]];return n%3==2?o=o.substring(0,o.length-1)+"=":n%3==1&&(o=o.substring(0,o.length-2)+"=="),o}(e)}:e instanceof DataView?{rr_type:e.constructor.name,args:[Be(e.buffer,t,r),e.byteOffset,e.byteLength]}:e instanceof HTMLImageElement?{rr_type:e.constructor.name,src:e.src}:e instanceof ImageData?{rr_type:e.constructor.name,args:[Be(e.data,t,r),e.width,e.height]}:Ve(e,t)||"object"==typeof e?{rr_type:e.constructor.name,index:ze(e,t,r)}:e}var He=function(e,t,r){return a([],o(e),!1).map((function(e){return Be(e,t,r)}))},Ve=function(e,t){var r=["WebGLActiveInfo","WebGLBuffer","WebGLFramebuffer","WebGLProgram","WebGLRenderbuffer","WebGLShader","WebGLShaderPrecisionFormat","WebGLTexture","WebGLUniformLocation","WebGLVertexArrayObject","WebGLVertexArrayObjectOES"].filter((function(e){return"function"==typeof t[e]}));return Boolean(r.find((function(r){return e instanceof t[r]})))};function Ge(e,t,r,i,s,l){var c,u,d=[],f=Object.getOwnPropertyNames(e),p=function(n){try{if("function"!=typeof e[n])return"continue";var c=K(e,n,(function(c){return function(){for(var u=[],d=0;d=s,c=i&&t.timestamp-B.timestamp>i;(l||c)&&Xe(!0)}};var Y=function(t){Ye(Qe({type:e.EventType.IncrementalSnapshot,data:r({source:e.IncrementalSource.Mutation},t)}))},q=function(t){return Ye(Qe({type:e.EventType.IncrementalSnapshot,data:r({source:e.IncrementalSource.Scroll},t)}))},Q=function(t){return Ye(Qe({type:e.EventType.IncrementalSnapshot,data:r({source:e.IncrementalSource.CanvasMutation},t)}))},$=new De({mutationCb:Y}),J=new qe({recordCanvas:O,mutationCb:Q,win:window,blockClass:c,mirror:$e}),K=new Fe({mutationCb:Y,scrollCb:q,bypassOptions:{blockClass:c,blockSelector:d,maskTextClass:m,maskTextSelector:y,inlineStylesheet:b,maskInputOptions:H,maskTextFn:T,maskInputFn:E,recordCanvas:O,inlineImages:W,sampling:N,slimDOMOptions:V,iframeManager:$,canvasManager:J},mirror:$e});Xe=function(t){var r,n,a,i;void 0===t&&(t=!1),Ye(Qe({type:e.EventType.Meta,data:{href:window.location.href,width:ee(),height:Z()}}),t),we.forEach((function(e){return e.lock()}));var s=o(function(e,t){var r=t||{},n=r.blockClass,o=void 0===n?"rr-block":n,a=r.blockSelector,i=void 0===a?null:a,s=r.maskTextClass,l=void 0===s?"rr-mask":s,c=r.maskTextSelector,u=void 0===c?null:c,d=r.inlineStylesheet,f=void 0===d||d,p=r.inlineImages,h=void 0!==p&&p,m=r.recordCanvas,v=void 0!==m&&m,y=r.maskAllInputs,g=void 0!==y&&y,b=r.maskTextFn,S=r.maskInputFn,w=r.slimDOM,x=void 0!==w&&w,E=r.dataURLOptions,T=r.preserveWhiteSpace,I=r.onSerialize,C=r.onIframeLoad,M=r.iframeLoadTimeout,N=r.keepIframeSrcFn,R={};return[k(e,{doc:e,map:R,blockClass:o,blockSelector:i,maskTextClass:l,maskTextSelector:u,skipChild:!1,inlineStylesheet:f,maskInputOptions:!0===g?{color:!0,date:!0,"datetime-local":!0,email:!0,month:!0,number:!0,range:!0,search:!0,tel:!0,text:!0,time:!0,url:!0,week:!0,textarea:!0,select:!0,password:!0}:!1===g?{password:!0}:g,maskTextFn:b,maskInputFn:S,slimDOMOptions:!0===x||"all"===x?{script:!0,comment:!0,headFavicon:!0,headWhitespace:!0,headMetaDescKeywords:"all"===x,headMetaSocial:!0,headMetaRobots:!0,headMetaHttpEquiv:!0,headMetaAuthorship:!0,headMetaVerification:!0}:!1===x?{}:x,dataURLOptions:E,inlineImages:h,recordCanvas:v,preserveWhiteSpace:T,onSerialize:I,onIframeLoad:C,iframeLoadTimeout:M,keepIframeSrcFn:void 0===N?function(){return!1}:N}),R]}(document,{blockClass:c,blockSelector:d,maskTextClass:m,maskTextSelector:y,inlineStylesheet:b,maskAllInputs:H,maskTextFn:T,slimDOM:V,recordCanvas:O,inlineImages:W,onSerialize:function(e){ce(e)&&$.addIframe(e),de(e)&&K.addShadowRoot(e.shadowRoot,document)},onIframeLoad:function(e,t){$.attachIframe(e,t),K.observeAttachShadow(e)},keepIframeSrcFn:z}),2),l=s[0],u=s[1];if(!l)return console.warn("Failed to snapshot the document");$e.map=u,Ye(Qe({type:e.EventType.FullSnapshot,data:{node:l,initialOffset:{left:void 0!==window.pageXOffset?window.pageXOffset:(null===document||void 0===document?void 0:document.documentElement.scrollLeft)||(null===(n=null===(r=null===document||void 0===document?void 0:document.body)||void 0===r?void 0:r.parentElement)||void 0===n?void 0:n.scrollLeft)||(null===document||void 0===document?void 0:document.body.scrollLeft)||0,top:void 0!==window.pageYOffset?window.pageYOffset:(null===document||void 0===document?void 0:document.documentElement.scrollTop)||(null===(i=null===(a=null===document||void 0===document?void 0:document.body)||void 0===a?void 0:a.parentElement)||void 0===i?void 0:i.scrollTop)||(null===document||void 0===document?void 0:document.body.scrollTop)||0}}})),we.forEach((function(e){return e.unlock()}))};try{var te=[];te.push(X("DOMContentLoaded",(function(){Ye(Qe({type:e.EventType.DomContentLoaded,data:{}}))})));var re=function(t){var n;return Ae({mutationCb:Y,mousemoveCb:function(t,r){return Ye(Qe({type:e.EventType.IncrementalSnapshot,data:{source:r,positions:t}}))},mouseInteractionCb:function(t){return Ye(Qe({type:e.EventType.IncrementalSnapshot,data:r({source:e.IncrementalSource.MouseInteraction},t)}))},scrollCb:q,viewportResizeCb:function(t){return Ye(Qe({type:e.EventType.IncrementalSnapshot,data:r({source:e.IncrementalSource.ViewportResize},t)}))},inputCb:function(t){return Ye(Qe({type:e.EventType.IncrementalSnapshot,data:r({source:e.IncrementalSource.Input},t)}))},mediaInteractionCb:function(t){return Ye(Qe({type:e.EventType.IncrementalSnapshot,data:r({source:e.IncrementalSource.MediaInteraction},t)}))},styleSheetRuleCb:function(t){return Ye(Qe({type:e.EventType.IncrementalSnapshot,data:r({source:e.IncrementalSource.StyleSheetRule},t)}))},styleDeclarationCb:function(t){return Ye(Qe({type:e.EventType.IncrementalSnapshot,data:r({source:e.IncrementalSource.StyleDeclaration},t)}))},canvasMutationCb:Q,fontCb:function(t){return Ye(Qe({type:e.EventType.IncrementalSnapshot,data:r({source:e.IncrementalSource.Font},t)}))},blockClass:c,ignoreClass:p,maskTextClass:m,maskTextSelector:y,maskInputOptions:H,inlineStylesheet:b,sampling:N,recordCanvas:O,inlineImages:W,userTriggeredOnInput:A,collectFonts:F,doc:t,maskInputFn:E,maskTextFn:T,blockSelector:d,slimDOMOptions:V,mirror:$e,iframeManager:$,shadowDomManager:K,canvasManager:J,plugins:(null===(n=null==j?void 0:j.filter((function(e){return e.observer})))||void 0===n?void 0:n.map((function(t){return{observer:t.observer,options:t.options,callback:function(r){return Ye(Qe({type:e.EventType.Plugin,data:{plugin:t.name,payload:r}}))}}})))||[]},I)};$.addLoadListener((function(e){te.push(re(e.contentDocument))}));var ne=function(){Xe(),te.push(re(document))};return"interactive"===document.readyState||"complete"===document.readyState?ne():te.push(X("load",(function(){Ye(Qe({type:e.EventType.Load,data:{}})),ne()}),window)),function(){te.forEach((function(e){return e()}))}}catch(e){console.warn(e)}}function Ke(e){return e=e||Object.create(null),{on:function(t,r){(e[t]||(e[t]=[])).push(r)},off:function(t,r){e[t]&&e[t].splice(e[t].indexOf(r)>>>0,1)},emit:function(t,r){(e[t]||[]).slice().map((function(e){e(r)})),(e["*"]||[]).slice().map((function(e){e(t,r)}))}}}Je.addCustomEvent=function(t,r){if(!Ye)throw new Error("please add custom event after start recording");Ye(Qe({type:e.EventType.Custom,data:{tag:t,payload:r}}))},Je.freezePage=function(){we.forEach((function(e){return e.freeze()}))},Je.takeFullSnapshot=function(e){if(!Xe)throw new Error("please take full snapshot after start recording");Xe(e)},Je.mirror=$e;var Ze=Object.freeze({__proto__:null,default:Ke});function et(e,t){if(void 0===e&&(e=window),void 0===t&&(t=document),!("scrollBehavior"in t.documentElement.style)||!0===e.__forceSmoothScrollPolyfill__){var r,n=e.HTMLElement||e.Element,o={scroll:e.scroll||e.scrollTo,scrollBy:e.scrollBy,elementScroll:n.prototype.scroll||s,scrollIntoView:n.prototype.scrollIntoView},a=e.performance&&e.performance.now?e.performance.now.bind(e.performance):Date.now,i=(r=e.navigator.userAgent,new RegExp(["MSIE ","Trident/","Edge/"].join("|")).test(r)?1:0);e.scroll=e.scrollTo=function(){void 0!==arguments[0]&&(!0!==l(arguments[0])?h.call(e,t.body,void 0!==arguments[0].left?~~arguments[0].left:e.scrollX||e.pageXOffset,void 0!==arguments[0].top?~~arguments[0].top:e.scrollY||e.pageYOffset):o.scroll.call(e,void 0!==arguments[0].left?arguments[0].left:"object"!=typeof arguments[0]?arguments[0]:e.scrollX||e.pageXOffset,void 0!==arguments[0].top?arguments[0].top:void 0!==arguments[1]?arguments[1]:e.scrollY||e.pageYOffset))},e.scrollBy=function(){void 0!==arguments[0]&&(l(arguments[0])?o.scrollBy.call(e,void 0!==arguments[0].left?arguments[0].left:"object"!=typeof arguments[0]?arguments[0]:0,void 0!==arguments[0].top?arguments[0].top:void 0!==arguments[1]?arguments[1]:0):h.call(e,t.body,~~arguments[0].left+(e.scrollX||e.pageXOffset),~~arguments[0].top+(e.scrollY||e.pageYOffset)))},n.prototype.scroll=n.prototype.scrollTo=function(){if(void 0!==arguments[0])if(!0!==l(arguments[0])){var e=arguments[0].left,t=arguments[0].top;h.call(this,this,void 0===e?this.scrollLeft:~~e,void 0===t?this.scrollTop:~~t)}else{if("number"==typeof arguments[0]&&void 0===arguments[1])throw new SyntaxError("Value could not be converted");o.elementScroll.call(this,void 0!==arguments[0].left?~~arguments[0].left:"object"!=typeof arguments[0]?~~arguments[0]:this.scrollLeft,void 0!==arguments[0].top?~~arguments[0].top:void 0!==arguments[1]?~~arguments[1]:this.scrollTop)}},n.prototype.scrollBy=function(){void 0!==arguments[0]&&(!0!==l(arguments[0])?this.scroll({left:~~arguments[0].left+this.scrollLeft,top:~~arguments[0].top+this.scrollTop,behavior:arguments[0].behavior}):o.elementScroll.call(this,void 0!==arguments[0].left?~~arguments[0].left+this.scrollLeft:~~arguments[0]+this.scrollLeft,void 0!==arguments[0].top?~~arguments[0].top+this.scrollTop:~~arguments[1]+this.scrollTop))},n.prototype.scrollIntoView=function(){if(!0!==l(arguments[0])){var r=f(this),n=r.getBoundingClientRect(),a=this.getBoundingClientRect();r!==t.body?(h.call(this,r,r.scrollLeft+a.left-n.left,r.scrollTop+a.top-n.top),"fixed"!==e.getComputedStyle(r).position&&e.scrollBy({left:n.left,top:n.top,behavior:"smooth"})):e.scrollBy({left:a.left,top:a.top,behavior:"smooth"})}else o.scrollIntoView.call(this,void 0===arguments[0]||arguments[0])}}function s(e,t){this.scrollLeft=e,this.scrollTop=t}function l(e){if(null===e||"object"!=typeof e||void 0===e.behavior||"auto"===e.behavior||"instant"===e.behavior)return!0;if("object"==typeof e&&"smooth"===e.behavior)return!1;throw new TypeError("behavior member of ScrollOptions "+e.behavior+" is not a valid value for enumeration ScrollBehavior.")}function c(e,t){return"Y"===t?e.clientHeight+i1?1:s,r=.5*(1-Math.cos(Math.PI*i)),n=t.startX+(t.x-t.startX)*r,o=t.startY+(t.y-t.startY)*r,t.method.call(t.scrollable,n,o),n===t.x&&o===t.y||e.requestAnimationFrame(p.bind(e,t))}function h(r,n,i){var l,c,u,d,f=a();r===t.body?(l=e,c=e.scrollX||e.pageXOffset,u=e.scrollY||e.pageYOffset,d=o.scroll):(l=r,c=r.scrollLeft,u=r.scrollTop,d=s),p({scrollable:l,method:d,startTime:f,startX:c,startY:u,x:n,y:i})}}var tt,rt=function(){function e(e,t){void 0===e&&(e=[]),this.timeOffset=0,this.raf=null,this.actions=e,this.speed=t}return e.prototype.addAction=function(e){var t=this.findActionIndex(e);this.actions.splice(t,0,e)},e.prototype.addActions=function(e){this.actions=this.actions.concat(e)},e.prototype.start=function(){this.timeOffset=0;var e=performance.now(),t=this.actions,r=this;this.raf=requestAnimationFrame((function n(){var o=performance.now();for(r.timeOffset+=(o-e)*r.speed,e=o;t.length;){var a=t[0];if(!(r.timeOffset>=a.delay))break;t.shift(),a.doAction()}(t.length>0||r.liveMode)&&(r.raf=requestAnimationFrame(n))}))},e.prototype.clear=function(){this.raf&&(cancelAnimationFrame(this.raf),this.raf=null),this.actions.length=0},e.prototype.setSpeed=function(e){this.speed=e},e.prototype.toggleLiveMode=function(e){this.liveMode=e},e.prototype.isActive=function(){return null!==this.raf},e.prototype.findActionIndex=function(e){for(var t=0,r=this.actions.length-1;t<=r;){var n=Math.floor((t+r)/2);if(this.actions[n].delaye.delay))return n+1;r=n-1}}return t},e}();function nt(t,r){if(t.type===e.EventType.IncrementalSnapshot&&t.data.source===e.IncrementalSource.MouseMove){var n=t.data.positions[0].timeOffset,o=t.timestamp+n;return t.delay=o-r,o-r}return t.delay=t.timestamp-r,t.delay} ++ ***************************************************************************** */var t,r=function(){return(r=Object.assign||function(e){for(var t,r=1,n=arguments.length;r=e.length&&(e=void 0),{value:e&&e[n++],done:!e}}};throw new TypeError(t?"Object is not iterable.":"Symbol.iterator is not defined.")}function o(e,t){var r="function"==typeof Symbol&&e[Symbol.iterator];if(!r)return e;var n,o,a=r.call(e),i=[];try{for(;(void 0===t||t-- >0)&&!(n=a.next()).done;)i.push(n.value)}catch(e){o={error:e}}finally{try{n&&!n.done&&(r=a.return)&&r.call(a)}finally{if(o)throw o.error}}return i}function a(e,t,r){if(r||2===arguments.length)for(var n,o=0,a=t.length;o-1?s.split("/").slice(0,3).join("/"):s.split("/")[0]).split("?")[0]+l)+c+")";var u=t.split("/"),d=l.split("/");u.pop();for(var f=0,p=d;f=t.length);){var a=n(b);if(","===a.slice(-1))a=x(e,a.substring(0,a.length-1)),o.push(a);else{var i="";a=x(e,a);for(var s=!1;;){var l=t.charAt(r);if(""===l){o.push((a+i).trim());break}if(s)")"===l&&(s=!1);else{if(","===l){r+=1,o.push((a+i).trim());break}"("===l&&(s=!0)}i+=l,r+=1}}}return o.join(", ")}(e,n):"style"===r&&n?S(n,I()):"object"===t&&"data"===r&&n?x(e,n):n:x(e,n)}function T(e,t,r,n){if(!e)return!1;if(e.nodeType===e.ELEMENT_NODE){if(n&&(e.matches(n)||e.closest(n)))return!1;if("string"==typeof t){if(e.classList.contains(t))return!0}else for(var o=0;o'):n.write('')),f=n),f.__sn=e,o[e.id]=f,(e.type===t.Document||e.type===t.Element)&&!s)for(var p=0,h=e.childNodes;pt?(n&&(clearTimeout(n),n=null),o=i,e.apply(l,c)):n||!1===r.trailing||(n=setTimeout((function(){o=!1===r.leading?0:Date.now(),n=null,e.apply(l,c)}),s))}}function J(e,t,r,n,o){void 0===o&&(o=window);var a=o.Object.getOwnPropertyDescriptor(e,t);return o.Object.defineProperty(e,t,n?r:{set:function(e){var t=this;setTimeout((function(){r.set.call(t,e)}),0),a&&a.set&&a.set.call(this,e)}}),function(){return J(e,t,a||{},!0)}}function K(e,t,r){try{if(!(t in e))return function(){};var n=e[t],o=r(n);return"function"==typeof o&&(o.prototype=o.prototype||{},Object.defineProperties(o,{__rrweb_original__:{enumerable:!1,value:n}})),e[t]=o,function(){e[t]=n}}catch(e){return function(){}}}function Z(){return window.innerHeight||document.documentElement&&document.documentElement.clientHeight||document.body&&document.body.clientHeight}function ee(){return window.innerWidth||document.documentElement&&document.documentElement.clientWidth||document.body&&document.body.clientWidth}function te(e,t){if(!e)return!1;if(e.nodeType===e.ELEMENT_NODE){var r=!1;if("string"==typeof t){if(void 0!==e.closest)return null!==e.closest("."+t);r=e.classList.contains(t)}else e.classList.forEach((function(e){t.test(e)&&(r=!0)}));return r||te(e.parentNode,t)}return e.nodeType,e.TEXT_NODE,te(e.parentNode,t)}function re(e){return"__sn"in e&&-2===e.__sn.id}function ne(e,t){if(s(e))return!1;var r=t.getId(e);return!t.has(r)||(!e.parentNode||e.parentNode.nodeType!==e.DOCUMENT_NODE)&&(!e.parentNode||ne(e.parentNode,t))}function oe(e){return Boolean(e.changedTouches)}function ae(e){void 0===e&&(e=window),"NodeList"in e&&!e.NodeList.prototype.forEach&&(e.NodeList.prototype.forEach=Array.prototype.forEach),"DOMTokenList"in e&&!e.DOMTokenList.prototype.forEach&&(e.DOMTokenList.prototype.forEach=Array.prototype.forEach),Node.prototype.contains||(Node.prototype.contains=function(e){if(!(0 in arguments))throw new TypeError("1 argument is required");do{if(this===e)return!0}while(e=e&&e.parentNode);return!1})}e.mirror={map:{},getId:function(){return console.error(Q),-1},getNode:function(){return console.error(Q),null},removeNodeFromMap:function(){console.error(Q)},has:function(){return console.error(Q),!1},reset:function(){console.error(Q)}},"undefined"!=typeof window&&window.Proxy&&window.Reflect&&(e.mirror=new Proxy(e.mirror,{get:function(e,t,r){return"map"===t&&console.error(Q),Reflect.get(e,t,r)}}));var ie=function(){function t(){this.reset()}return t.prototype.add=function(e){var t=this.indexes.get(e.parentId),r={id:e.node.id,mutation:e,children:[],texts:[],attributes:[]};t?(r.parent=t,t.children[r.id]=r):this.tree[r.id]=r,this.indexes.set(r.id,r)},t.prototype.remove=function(e,t){var r=this,n=this.indexes.get(e.parentId),o=this.indexes.get(e.id),a=function(e){r.removeIdSet.add(e);var n=t.getNode(e);null==n||n.childNodes.forEach((function(e){"__sn"in e&&a(e.__sn.id)}))},i=function(t){r.removeIdSet.add(t.id),Object.values(t.children).forEach((function(e){return i(e)}));var n=r.indexes.get(t.id);if(n){var o=n.parent;o&&(delete n.parent,delete o.children[n.id],r.indexes.delete(e.id))}};o?n?(delete o.parent,delete n.children[o.id],this.indexes.delete(e.id),i(o)):(delete this.tree[o.id],this.indexes.delete(o.id),i(o)):(this.removeNodeMutations.push(e),a(e.id))},t.prototype.text=function(e){var t=this.indexes.get(e.id);t?t.texts.push(e):this.textMutations.push(e)},t.prototype.attribute=function(e){var t=this.indexes.get(e.id);t?t.attributes.push(e):this.attributeMutations.push(e)},t.prototype.scroll=function(e){this.scrollMap.set(e.id,e)},t.prototype.input=function(e){this.inputMap.set(e.id,e)},t.prototype.flush=function(){var t,r,o,a,i=this,s=this,l=s.tree,c=s.removeNodeMutations,u=s.textMutations,d=s.attributeMutations,f={source:e.IncrementalSource.Mutation,removes:c,texts:u,attributes:d,adds:[]},p=function(e,t){t&&i.removeIdSet.add(e.id),f.texts=f.texts.concat(t?[]:e.texts).filter((function(e){return!i.removeIdSet.has(e.id)})),f.attributes=f.attributes.concat(t?[]:e.attributes).filter((function(e){return!i.removeIdSet.has(e.id)})),i.removeIdSet.has(e.id)||i.removeIdSet.has(e.mutation.parentId)||t?Object.values(e.children).forEach((function(e){return p(e,!0)})):(f.adds.push(e.mutation),e.children&&Object.values(e.children).forEach((function(e){return p(e,!1)})))};Object.values(l).forEach((function(e){return p(e,!1)}));try{for(var h=n(this.scrollMap.keys()),m=h.next();!m.done;m=h.next()){var v=m.value;this.removeIdSet.has(v)&&this.scrollMap.delete(v)}}catch(e){t={error:e}}finally{try{m&&!m.done&&(r=h.return)&&r.call(h)}finally{if(t)throw t.error}}try{for(var y=n(this.inputMap.keys()),g=y.next();!g.done;g=y.next()){v=g.value;this.removeIdSet.has(v)&&this.inputMap.delete(v)}}catch(e){o={error:e}}finally{try{g&&!g.done&&(a=y.return)&&a.call(y)}finally{if(o)throw o.error}}var S=new Map(this.scrollMap),b=new Map(this.inputMap);return this.reset(),{mutationData:f,scrollMap:S,inputMap:b}},t.prototype.reset=function(){this.tree=[],this.indexes=new Map,this.removeNodeMutations=[],this.textMutations=[],this.attributeMutations=[],this.removeIdSet=new Set,this.scrollMap=new Map,this.inputMap=new Map},t.prototype.idRemoved=function(e){return this.removeIdSet.has(e)},t}();function se(e){var t,r,o={},a=function(e,t){var r={value:e,parent:t,children:[]};return o[e.node.id]=r,r},i=[];try{for(var s=n(e),l=s.next();!l.done;l=s.next()){var c=l.value,u=c.nextId,d=c.parentId;if(u&&u in o){var f=o[u];if(f.parent){var p=f.parent.children.indexOf(f);f.parent.children.splice(p,0,a(c,f.parent))}else{p=i.indexOf(f);i.splice(p,0,a(c,null))}}else if(d in o){var h=o[d];h.children.push(a(c,h))}else i.push(a(c,null))}}catch(e){t={error:e}}finally{try{l&&!l.done&&(r=s.return)&&r.call(s)}finally{if(t)throw t.error}}return i}function le(e,t){t(e.value);for(var r=e.children.length-1;r>=0;r--)le(e.children[r],t)}function ce(e){return"__sn"in e&&(e.__sn.type===t.Element&&"iframe"===e.__sn.tagName)}function ue(e,t){var r,n,o=null===(n=null===(r=e.ownerDocument)||void 0===r?void 0:r.defaultView)||void 0===n?void 0:n.frameElement;if(!o||o===t)return{x:0,y:0,relativeScale:1,absoluteScale:1};var a=o.getBoundingClientRect(),i=ue(o,t),s=a.height/o.clientHeight;return{x:a.x*i.relativeScale+i.x,y:a.y*i.relativeScale+i.y,relativeScale:s,absoluteScale:i.absoluteScale*s}}function de(e){return Boolean(null==e?void 0:e.shadowRoot)}var fe=Object.freeze({__proto__:null,on:X,createMirror:q,get _mirror(){return e.mirror},throttle:$,hookSetter:J,patch:K,getWindowHeight:Z,getWindowWidth:ee,isBlocked:te,isIgnored:re,isAncestorRemoved:ne,isTouchEvent:oe,polyfill:ae,TreeIndex:ie,queueToResolveTrees:se,iterateResolveTree:le,isIframeINode:ce,getBaseDimension:ue,hasShadowRoot:de});function pe(e){return"__ln"in e}var he=function(){function e(){this.length=0,this.head=null}return e.prototype.get=function(e){if(e>=this.length)throw new Error("Position outside of list range");for(var t=this.head,r=0;r=0;b--){var w=l.get(b);if(w){g=e.mirror.getId(w.value.parentNode),S=c(w.value);if(-1!==g&&-1!==S){y=w;break}}}if(!y){for(;l.head;)l.removeNode(l.head.value);break}v=y.previous,l.removeNode(y.value),u(y.value)}var x={texts:e.texts.map((function(t){return{id:e.mirror.getId(t.node),value:t.value}})).filter((function(t){return e.mirror.has(t.id)})),attributes:e.attributes.map((function(t){return{id:e.mirror.getId(t.node),attributes:t.attributes}})).filter((function(t){return e.mirror.has(t.id)})),removes:e.removes,adds:i};(x.texts.length||x.attributes.length||x.removes.length||x.adds.length)&&(e.texts=[],e.attributes=[],e.removes=[],e.addedSet=new Set,e.movedSet=new Set,e.droppedSet=new Set,e.movedMap={},e.mutationCb(x))}},this.processMutation=function(t){var r,o,a,i;if(!re(t.target))switch(t.type){case"characterData":var c=t.target.textContent;te(t.target,e.blockClass)||c===t.oldValue||e.texts.push({value:T(t.target,e.maskTextClass,e.maskTextSelector,e.unmaskTextSelector)&&c?e.maskTextFn?e.maskTextFn(c):c.replace(/[\S]/g,"*"):c,node:t.target});break;case"attributes":var u=t.target;c=t.target.getAttribute(t.attributeName);if("value"===t.attributeName&&(c=l({input:u,maskInputSelector:e.maskInputSelector,unmaskInputSelector:e.unmaskInputSelector,maskInputOptions:e.maskInputOptions,tagName:t.target.tagName,type:t.target.getAttribute("type"),value:c,maskInputFn:e.maskInputFn})),te(t.target,e.blockClass)||c===t.oldValue)return;var d=e.attributes.find((function(e){return e.node===t.target}));if(d||(d={node:t.target,attributes:{}},e.attributes.push(d)),"style"===t.attributeName){var f=e.doc.createElement("span");t.oldValue&&f.setAttribute("style",t.oldValue),void 0!==d.attributes.style&&null!==d.attributes.style||(d.attributes.style={});var p=d.attributes.style;try{for(var h=n(Array.from(u.style)),m=h.next();!m.done;m=h.next()){var v=m.value,y=u.style.getPropertyValue(v),g=u.style.getPropertyPriority(v);y===f.style.getPropertyValue(v)&&g===f.style.getPropertyPriority(v)||(p[v]=""===g?y:[y,g])}}catch(e){r={error:e}}finally{try{m&&!m.done&&(o=h.return)&&o.call(h)}finally{if(r)throw r.error}}try{for(var S=n(Array.from(f.style)),b=S.next();!b.done;b=S.next()){v=b.value;""===u.style.getPropertyValue(v)&&(p[v]=!1)}}catch(e){a={error:e}}finally{try{b&&!b.done&&(i=S.return)&&i.call(S)}finally{if(a)throw a.error}}}else d.attributes[t.attributeName]=E(e.doc,t.target.tagName,t.attributeName,c);break;case"childList":t.addedNodes.forEach((function(r){return e.genAdds(r,t.target)})),t.removedNodes.forEach((function(r){var n=e.mirror.getId(r),o=s(t.target)?e.mirror.getId(t.target.host):e.mirror.getId(t.target);te(t.target,e.blockClass)||re(r)||(e.addedSet.has(r)?(ge(e.addedSet,r),e.droppedSet.add(r)):e.addedSet.has(t.target)&&-1===n||ne(t.target,e.mirror)||(e.movedSet.has(r)&&e.movedMap[me(n,o)]?ge(e.movedSet,r):e.removes.push({parentId:o,id:n,isShadow:!!s(t.target)||void 0})),e.mapRemoves.push(r))}))}},this.genAdds=function(t,r){if(!r||!te(r,e.blockClass)){if(ve(t)){if(re(t))return;e.movedSet.add(t);var n=null;r&&ve(r)&&(n=r.__sn.id),n&&(e.movedMap[me(t.__sn.id,n)]=!0)}else e.addedSet.add(t),e.droppedSet.delete(t);te(t,e.blockClass)||t.childNodes.forEach((function(t){return e.genAdds(t)}))}}}return e.prototype.init=function(e){var t=this;["mutationCb","blockClass","blockSelector","unblockSelector","maskTextClass","maskTextSelector","unmaskTextSelector","maskInputSelector","unmaskInputSelector","inlineStylesheet","maskInputOptions","maskTextFn","maskInputFn","recordCanvas","inlineImages","slimDOMOptions","doc","mirror","iframeManager","shadowDomManager","canvasManager"].forEach((function(r){t[r]=e[r]}))},e.prototype.freeze=function(){this.frozen=!0,this.canvasManager.freeze()},e.prototype.unfreeze=function(){this.frozen=!1,this.canvasManager.unfreeze(),this.emit()},e.prototype.isFrozen=function(){return this.frozen},e.prototype.lock=function(){this.locked=!0,this.canvasManager.lock()},e.prototype.unlock=function(){this.locked=!1,this.canvasManager.unlock(),this.emit()},e.prototype.reset=function(){this.shadowDomManager.reset(),this.canvasManager.reset()},e}();function ge(e,t){e.delete(t),t.childNodes.forEach((function(t){return ge(e,t)}))}function Se(e,t,r){var n=t.parentNode;if(!n)return!1;var o=r.getId(n);return!!e.some((function(e){return e.id===o}))||Se(e,n,r)}function be(e,t){var r=t.parentNode;return!!r&&(!!e.has(r)||be(e,r))}var we=[],xe="undefined"!=typeof CSSGroupingRule,Ie="undefined"!=typeof CSSMediaRule,Ee="undefined"!=typeof CSSSupportsRule,Te="undefined"!=typeof CSSConditionRule;function ke(e){try{if("composedPath"in e){var t=e.composedPath();if(t.length)return t[0]}else if("path"in e&&e.path.length)return e.path[0];return e.target}catch(t){return e.target}}function Ce(e,t){var r,n,o=new ye;we.push(o),o.init(e);var a=window.MutationObserver||window.__rrMutationObserver,i=null===(n=null===(r=null===window||void 0===window?void 0:window.Zone)||void 0===r?void 0:r.__symbol__)||void 0===n?void 0:n.call(r,"MutationObserver");i&&window[i]&&(a=window[i]);var s=new a(o.processMutations.bind(o));return s.observe(t,{attributes:!0,attributeOldValue:!0,characterData:!0,characterDataOldValue:!0,childList:!0,subtree:!0}),s}function Me(t){var r=t.mouseInteractionCb,n=t.doc,o=t.mirror,a=t.blockClass,i=t.sampling;if(!1===i.mouseInteraction)return function(){};var s=!0===i.mouseInteraction||void 0===i.mouseInteraction?{}:i.mouseInteraction,l=[];return Object.keys(e.MouseInteractions).filter((function(e){return Number.isNaN(Number(e))&&!e.endsWith("_Departed")&&!1!==s[e]})).forEach((function(t){var i=t.toLowerCase(),s=function(t){return function(n){var i=ke(n);if(!te(i,a)){var s=oe(n)?n.changedTouches[0]:n;if(s){var l=o.getId(i),c=s.clientX,u=s.clientY;r({type:e.MouseInteractions[t],id:l,x:c,y:u})}}}}(t);l.push(X(i,s,n))})),function(){l.forEach((function(e){return e()}))}}function Ne(e){var t=e.scrollCb,r=e.doc,n=e.mirror,o=e.blockClass;return X("scroll",$((function(e){var a=ke(e);if(a&&!te(a,o)){var i=n.getId(a);if(a===r){var s=r.scrollingElement||r.documentElement;t({id:i,x:s.scrollLeft,y:s.scrollTop})}else t({id:i,x:a.scrollLeft,y:a.scrollTop})}}),e.sampling.scroll||100),r)}function Re(e,t){var n=r({},e);return t||delete n.userTriggered,n}var _e=["INPUT","TEXTAREA","SELECT"],Oe=new WeakMap;function Le(e){return function(e,t){if(xe&&e.parentRule instanceof CSSGroupingRule||Ie&&e.parentRule instanceof CSSMediaRule||Ee&&e.parentRule instanceof CSSSupportsRule||Te&&e.parentRule instanceof CSSConditionRule){var r=Array.from(e.parentRule.cssRules).indexOf(e);t.unshift(r)}else{r=Array.from(e.parentStyleSheet.cssRules).indexOf(e);t.unshift(r)}return t}(e,[])}function Ae(t,i){var s,c;void 0===i&&(i={});var u=t.doc.defaultView;if(!u)return function(){};!function(e,t){var r=e.mutationCb,n=e.mousemoveCb,i=e.mouseInteractionCb,s=e.scrollCb,l=e.viewportResizeCb,c=e.inputCb,u=e.mediaInteractionCb,d=e.styleSheetRuleCb,f=e.styleDeclarationCb,p=e.canvasMutationCb,h=e.fontCb;e.mutationCb=function(){for(var e=[],n=0;n>2],o+=Pe[(3&r[t])<<4|r[t+1]>>4],o+=Pe[(15&r[t+1])<<2|r[t+2]>>6],o+=Pe[63&r[t+2]];return n%3==2?o=o.substring(0,o.length-1)+"=":n%3==1&&(o=o.substring(0,o.length-2)+"=="),o}(e)}:e instanceof DataView?{rr_type:e.constructor.name,args:[Be(e.buffer,t,r),e.byteOffset,e.byteLength]}:e instanceof HTMLImageElement?{rr_type:e.constructor.name,src:e.src}:e instanceof ImageData?{rr_type:e.constructor.name,args:[Be(e.data,t,r),e.width,e.height]}:Ve(e,t)||"object"==typeof e?{rr_type:e.constructor.name,index:ze(e,t,r)}:e}var He=function(e,t,r){return a([],o(e),!1).map((function(e){return Be(e,t,r)}))},Ve=function(e,t){var r=["WebGLActiveInfo","WebGLBuffer","WebGLFramebuffer","WebGLProgram","WebGLRenderbuffer","WebGLShader","WebGLShaderPrecisionFormat","WebGLTexture","WebGLUniformLocation","WebGLVertexArrayObject","WebGLVertexArrayObjectOES"].filter((function(e){return"function"==typeof t[e]}));return Boolean(r.find((function(r){return e instanceof t[r]})))};function Ge(e,t,r,i,s,l){var c,u,d=[],f=Object.getOwnPropertyNames(e),p=function(n){try{if("function"!=typeof e[n])return"continue";var c=K(e,n,(function(c){return function(){for(var u=[],d=0;d=s,c=i&&t.timestamp-te.timestamp>i;(l||c)&&Xe(!0)}};var ie=function(t){Ye(Qe({type:e.EventType.IncrementalSnapshot,data:r({source:e.IncrementalSource.Mutation},t)}))},se=function(t){return Ye(Qe({type:e.EventType.IncrementalSnapshot,data:r({source:e.IncrementalSource.Scroll},t)}))},le=function(t){return Ye(Qe({type:e.EventType.IncrementalSnapshot,data:r({source:e.IncrementalSource.CanvasMutation},t)}))},ue=new De({mutationCb:ie}),fe=new qe({recordCanvas:B,mutationCb:le,win:window,blockClass:c,mirror:$e}),pe=new Fe({mutationCb:ie,scrollCb:se,bypassOptions:{blockClass:c,blockSelector:d,unblockSelector:p,maskTextClass:S,maskTextSelector:w,unmaskTextSelector:T,maskInputSelector:I,unmaskInputSelector:C,inlineStylesheet:R,maskInputOptions:re,maskTextFn:D,maskInputFn:A,recordCanvas:B,inlineImages:Q,sampling:j,slimDOMOptions:ne,iframeManager:ue,canvasManager:fe},mirror:$e});Xe=function(t){var r,n,a,i;void 0===t&&(t=!1),Ye(Qe({type:e.EventType.Meta,data:{href:window.location.href,width:ee(),height:Z()}}),t),we.forEach((function(e){return e.lock()}));var s=o(function(e,t){var r=t||{},n=r.blockClass,o=void 0===n?"rr-block":n,a=r.blockSelector,i=void 0===a?null:a,s=r.unblockSelector,l=void 0===s?null:s,c=r.maskTextClass,u=void 0===c?"rr-mask":c,d=r.maskTextSelector,f=void 0===d?null:d,p=r.unmaskTextSelector,h=void 0===p?null:p,m=r.inlineStylesheet,v=void 0===m||m,y=r.inlineImages,g=void 0!==y&&y,S=r.recordCanvas,b=void 0!==S&&S,w=r.maskInputSelector,x=void 0===w?null:w,I=r.unmaskInputSelector,E=void 0===I?null:I,T=r.maskAllInputs,k=void 0!==T&&T,C=r.maskTextFn,N=r.maskInputFn,R=r.slimDOM,_=void 0!==R&&R,O=r.dataURLOptions,L=r.preserveWhiteSpace,A=r.onSerialize,D=r.onIframeLoad,F=r.iframeLoadTimeout,P=r.keepIframeSrcFn,W={};return[M(e,{doc:e,map:W,blockClass:o,blockSelector:i,unblockSelector:l,maskTextClass:u,maskTextSelector:f,unmaskTextSelector:h,skipChild:!1,inlineStylesheet:v,maskInputSelector:x,unmaskInputSelector:E,maskInputOptions:!0===k?{color:!0,date:!0,"datetime-local":!0,email:!0,month:!0,number:!0,range:!0,search:!0,tel:!0,text:!0,time:!0,url:!0,week:!0,textarea:!0,select:!0,password:!0}:!1===k?{password:!0}:k,maskTextFn:C,maskInputFn:N,slimDOMOptions:!0===_||"all"===_?{script:!0,comment:!0,headFavicon:!0,headWhitespace:!0,headMetaDescKeywords:"all"===_,headMetaSocial:!0,headMetaRobots:!0,headMetaHttpEquiv:!0,headMetaAuthorship:!0,headMetaVerification:!0}:!1===_?{}:_,dataURLOptions:O,inlineImages:g,recordCanvas:b,preserveWhiteSpace:L,onSerialize:A,onIframeLoad:D,iframeLoadTimeout:F,keepIframeSrcFn:void 0===P?function(){return!1}:P}),W]}(document,{blockClass:c,blockSelector:d,unblockSelector:p,maskTextClass:S,maskTextSelector:w,unmaskTextSelector:T,maskInputSelector:I,unmaskInputSelector:C,inlineStylesheet:R,maskAllInputs:re,maskTextFn:D,slimDOM:ne,recordCanvas:B,inlineImages:Q,onSerialize:function(e){ce(e)&&ue.addIframe(e),de(e)&&pe.addShadowRoot(e.shadowRoot,document)},onIframeLoad:function(e,t){ue.attachIframe(e,t),pe.observeAttachShadow(e)},keepIframeSrcFn:K}),2),l=s[0],u=s[1];if(!l)return console.warn("Failed to snapshot the document");$e.map=u,Ye(Qe({type:e.EventType.FullSnapshot,data:{node:l,initialOffset:{left:void 0!==window.pageXOffset?window.pageXOffset:(null===document||void 0===document?void 0:document.documentElement.scrollLeft)||(null===(n=null===(r=null===document||void 0===document?void 0:document.body)||void 0===r?void 0:r.parentElement)||void 0===n?void 0:n.scrollLeft)||(null===document||void 0===document?void 0:document.body.scrollLeft)||0,top:void 0!==window.pageYOffset?window.pageYOffset:(null===document||void 0===document?void 0:document.documentElement.scrollTop)||(null===(i=null===(a=null===document||void 0===document?void 0:document.body)||void 0===a?void 0:a.parentElement)||void 0===i?void 0:i.scrollTop)||(null===document||void 0===document?void 0:document.body.scrollTop)||0}}})),we.forEach((function(e){return e.unlock()}))};try{var he=[];he.push(X("DOMContentLoaded",(function(){Ye(Qe({type:e.EventType.DomContentLoaded,data:{}}))})));var me=function(t){var n;return Ae({mutationCb:ie,mousemoveCb:function(t,r){return Ye(Qe({type:e.EventType.IncrementalSnapshot,data:{source:r,positions:t}}))},mouseInteractionCb:function(t){return Ye(Qe({type:e.EventType.IncrementalSnapshot,data:r({source:e.IncrementalSource.MouseInteraction},t)}))},scrollCb:se,viewportResizeCb:function(t){return Ye(Qe({type:e.EventType.IncrementalSnapshot,data:r({source:e.IncrementalSource.ViewportResize},t)}))},inputCb:function(t){return Ye(Qe({type:e.EventType.IncrementalSnapshot,data:r({source:e.IncrementalSource.Input},t)}))},mediaInteractionCb:function(t){return Ye(Qe({type:e.EventType.IncrementalSnapshot,data:r({source:e.IncrementalSource.MediaInteraction},t)}))},styleSheetRuleCb:function(t){return Ye(Qe({type:e.EventType.IncrementalSnapshot,data:r({source:e.IncrementalSource.StyleSheetRule},t)}))},styleDeclarationCb:function(t){return Ye(Qe({type:e.EventType.IncrementalSnapshot,data:r({source:e.IncrementalSource.StyleDeclaration},t)}))},canvasMutationCb:le,fontCb:function(t){return Ye(Qe({type:e.EventType.IncrementalSnapshot,data:r({source:e.IncrementalSource.Font},t)}))},blockClass:c,ignoreClass:m,ignoreSelector:y,maskTextClass:S,maskTextSelector:w,unmaskTextSelector:T,maskInputSelector:I,unmaskInputSelector:C,maskInputOptions:re,inlineStylesheet:R,sampling:j,recordCanvas:B,inlineImages:Q,userTriggeredOnInput:V,collectFonts:Y,doc:t,maskInputFn:A,maskTextFn:D,blockSelector:d,unblockSelector:p,slimDOMOptions:ne,mirror:$e,iframeManager:ue,shadowDomManager:pe,canvasManager:fe,plugins:(null===(n=null==$?void 0:$.filter((function(e){return e.observer})))||void 0===n?void 0:n.map((function(t){return{observer:t.observer,options:t.options,callback:function(r){return Ye(Qe({type:e.EventType.Plugin,data:{plugin:t.name,payload:r}}))}}})))||[]},F)};ue.addLoadListener((function(e){try{he.push(me(e.contentDocument))}catch(e){console.warn(e)}}));var ve=function(){Xe(),he.push(me(document))};return"interactive"===document.readyState||"complete"===document.readyState?ve():he.push(X("load",(function(){Ye(Qe({type:e.EventType.Load,data:{}})),ve()}),window)),function(){he.forEach((function(e){return e()}))}}catch(e){console.warn(e)}}function Ke(e){return e=e||Object.create(null),{on:function(t,r){(e[t]||(e[t]=[])).push(r)},off:function(t,r){e[t]&&e[t].splice(e[t].indexOf(r)>>>0,1)},emit:function(t,r){(e[t]||[]).slice().map((function(e){e(r)})),(e["*"]||[]).slice().map((function(e){e(t,r)}))}}}Je.addCustomEvent=function(t,r){if(!Ye)throw new Error("please add custom event after start recording");Ye(Qe({type:e.EventType.Custom,data:{tag:t,payload:r}}))},Je.freezePage=function(){we.forEach((function(e){return e.freeze()}))},Je.takeFullSnapshot=function(e){if(!Xe)throw new Error("please take full snapshot after start recording");Xe(e)},Je.mirror=$e;var Ze=Object.freeze({__proto__:null,default:Ke});function et(e,t){if(void 0===e&&(e=window),void 0===t&&(t=document),!("scrollBehavior"in t.documentElement.style)||!0===e.__forceSmoothScrollPolyfill__){var r,n=e.HTMLElement||e.Element,o={scroll:e.scroll||e.scrollTo,scrollBy:e.scrollBy,elementScroll:n.prototype.scroll||s,scrollIntoView:n.prototype.scrollIntoView},a=e.performance&&e.performance.now?e.performance.now.bind(e.performance):Date.now,i=(r=e.navigator.userAgent,new RegExp(["MSIE ","Trident/","Edge/"].join("|")).test(r)?1:0);e.scroll=e.scrollTo=function(){void 0!==arguments[0]&&(!0!==l(arguments[0])?h.call(e,t.body,void 0!==arguments[0].left?~~arguments[0].left:e.scrollX||e.pageXOffset,void 0!==arguments[0].top?~~arguments[0].top:e.scrollY||e.pageYOffset):o.scroll.call(e,void 0!==arguments[0].left?arguments[0].left:"object"!=typeof arguments[0]?arguments[0]:e.scrollX||e.pageXOffset,void 0!==arguments[0].top?arguments[0].top:void 0!==arguments[1]?arguments[1]:e.scrollY||e.pageYOffset))},e.scrollBy=function(){void 0!==arguments[0]&&(l(arguments[0])?o.scrollBy.call(e,void 0!==arguments[0].left?arguments[0].left:"object"!=typeof arguments[0]?arguments[0]:0,void 0!==arguments[0].top?arguments[0].top:void 0!==arguments[1]?arguments[1]:0):h.call(e,t.body,~~arguments[0].left+(e.scrollX||e.pageXOffset),~~arguments[0].top+(e.scrollY||e.pageYOffset)))},n.prototype.scroll=n.prototype.scrollTo=function(){if(void 0!==arguments[0])if(!0!==l(arguments[0])){var e=arguments[0].left,t=arguments[0].top;h.call(this,this,void 0===e?this.scrollLeft:~~e,void 0===t?this.scrollTop:~~t)}else{if("number"==typeof arguments[0]&&void 0===arguments[1])throw new SyntaxError("Value could not be converted");o.elementScroll.call(this,void 0!==arguments[0].left?~~arguments[0].left:"object"!=typeof arguments[0]?~~arguments[0]:this.scrollLeft,void 0!==arguments[0].top?~~arguments[0].top:void 0!==arguments[1]?~~arguments[1]:this.scrollTop)}},n.prototype.scrollBy=function(){void 0!==arguments[0]&&(!0!==l(arguments[0])?this.scroll({left:~~arguments[0].left+this.scrollLeft,top:~~arguments[0].top+this.scrollTop,behavior:arguments[0].behavior}):o.elementScroll.call(this,void 0!==arguments[0].left?~~arguments[0].left+this.scrollLeft:~~arguments[0]+this.scrollLeft,void 0!==arguments[0].top?~~arguments[0].top+this.scrollTop:~~arguments[1]+this.scrollTop))},n.prototype.scrollIntoView=function(){if(!0!==l(arguments[0])){var r=f(this),n=r.getBoundingClientRect(),a=this.getBoundingClientRect();r!==t.body?(h.call(this,r,r.scrollLeft+a.left-n.left,r.scrollTop+a.top-n.top),"fixed"!==e.getComputedStyle(r).position&&e.scrollBy({left:n.left,top:n.top,behavior:"smooth"})):e.scrollBy({left:a.left,top:a.top,behavior:"smooth"})}else o.scrollIntoView.call(this,void 0===arguments[0]||arguments[0])}}function s(e,t){this.scrollLeft=e,this.scrollTop=t}function l(e){if(null===e||"object"!=typeof e||void 0===e.behavior||"auto"===e.behavior||"instant"===e.behavior)return!0;if("object"==typeof e&&"smooth"===e.behavior)return!1;throw new TypeError("behavior member of ScrollOptions "+e.behavior+" is not a valid value for enumeration ScrollBehavior.")}function c(e,t){return"Y"===t?e.clientHeight+i1?1:s,r=.5*(1-Math.cos(Math.PI*i)),n=t.startX+(t.x-t.startX)*r,o=t.startY+(t.y-t.startY)*r,t.method.call(t.scrollable,n,o),n===t.x&&o===t.y||e.requestAnimationFrame(p.bind(e,t))}function h(r,n,i){var l,c,u,d,f=a();r===t.body?(l=e,c=e.scrollX||e.pageXOffset,u=e.scrollY||e.pageYOffset,d=o.scroll):(l=r,c=r.scrollLeft,u=r.scrollTop,d=s),p({scrollable:l,method:d,startTime:f,startX:c,startY:u,x:n,y:i})}}var tt,rt=function(){function e(e,t){void 0===e&&(e=[]),this.timeOffset=0,this.raf=null,this.actions=e,this.speed=t}return e.prototype.addAction=function(e){var t=this.findActionIndex(e);this.actions.splice(t,0,e)},e.prototype.addActions=function(e){this.actions=this.actions.concat(e)},e.prototype.start=function(){this.timeOffset=0;var e=performance.now(),t=this.actions,r=this;this.raf=requestAnimationFrame((function n(){var o=performance.now();for(r.timeOffset+=(o-e)*r.speed,e=o;t.length;){var a=t[0];if(!(r.timeOffset>=a.delay))break;t.shift(),a.doAction()}(t.length>0||r.liveMode)&&(r.raf=requestAnimationFrame(n))}))},e.prototype.clear=function(){this.raf&&(cancelAnimationFrame(this.raf),this.raf=null),this.actions.length=0},e.prototype.setSpeed=function(e){this.speed=e},e.prototype.toggleLiveMode=function(e){this.liveMode=e},e.prototype.isActive=function(){return null!==this.raf},e.prototype.findActionIndex=function(e){for(var t=0,r=this.actions.length-1;t<=r;){var n=Math.floor((t+r)/2);if(this.actions[n].delaye.delay))return n+1;r=n-1}}return t},e}();function nt(t,r){if(t.type===e.EventType.IncrementalSnapshot&&t.data.source===e.IncrementalSource.MouseMove){var n=t.data.positions[0].timeOffset,o=t.timestamp+n;return t.delay=o-r,o-r}return t.delay=t.timestamp-r,t.delay} + /*! ***************************************************************************** + Copyright (c) Microsoft Corporation. + +@@ -26,5 +26,5 @@ var rrweb=function(e){"use strict"; + LOSS OF USE, DATA OR PROFITS, WHETHER IN AN ACTION OF CONTRACT, NEGLIGENCE OR + OTHER TORTIOUS ACTION, ARISING OUT OF OR IN CONNECTION WITH THE USE OR + PERFORMANCE OF THIS SOFTWARE. +- ***************************************************************************** */function ot(e,t){var r="function"==typeof Symbol&&e[Symbol.iterator];if(!r)return e;var n,o,a=r.call(e),i=[];try{for(;(void 0===t||t-- >0)&&!(n=a.next()).done;)i.push(n.value)}catch(e){o={error:e}}finally{try{n&&!n.done&&(r=a.return)&&r.call(a)}finally{if(o)throw o.error}}return i}!function(e){e[e.NotStarted=0]="NotStarted",e[e.Running=1]="Running",e[e.Stopped=2]="Stopped"}(tt||(tt={}));var at={type:"xstate.init"};function it(e){return void 0===e?[]:[].concat(e)}function st(e){return{type:"xstate.assign",assignment:e}}function lt(e,t){return"string"==typeof(e="string"==typeof e&&t&&t[e]?t[e]:e)?{type:e}:"function"==typeof e?{type:e.name,exec:e}:e}function ct(e){return function(t){return e===t}}function ut(e){return"string"==typeof e?{type:e}:e}function dt(e,t){return{value:e,context:t,actions:[],changed:!1,matches:ct(e)}}function ft(e,t,r){var n=t,o=!1;return[e.filter((function(e){if("xstate.assign"===e.type){o=!0;var t=Object.assign({},n);return"function"==typeof e.assignment?t=e.assignment(n,r):Object.keys(e.assignment).forEach((function(o){t[o]="function"==typeof e.assignment[o]?e.assignment[o](n,r):e.assignment[o]})),n=t,!1}return!0})),n,o]}function pt(e,t){void 0===t&&(t={});var r=ot(ft(it(e.states[e.initial].entry).map((function(e){return lt(e,t.actions)})),e.context,at),2),n=r[0],o=r[1],a={config:e,_options:t,initialState:{value:e.initial,actions:n,context:o,matches:ct(e.initial)},transition:function(t,r){var n,o,i="string"==typeof t?{value:t,context:e.context}:t,s=i.value,l=i.context,c=ut(r),u=e.states[s];if(u.on){var d=it(u.on[c.type]);try{for(var f=function(e){var t="function"==typeof Symbol&&Symbol.iterator,r=t&&e[t],n=0;if(r)return r.call(e);if(e&&"number"==typeof e.length)return{next:function(){return e&&n>=e.length&&(e=void 0),{value:e&&e[n++],done:!e}}};throw new TypeError(t?"Object is not iterable.":"Symbol.iterator is not defined.")}(d),p=f.next();!p.done;p=f.next()){var h=p.value;if(void 0===h)return dt(s,l);var m="string"==typeof h?{target:h}:h,v=m.target,y=m.actions,g=void 0===y?[]:y,b=m.cond,S=void 0===b?function(){return!0}:b,w=void 0===v,x=null!=v?v:s,E=e.states[x];if(S(l,c)){var T=ot(ft((w?it(g):[].concat(u.exit,g,E.entry).filter((function(e){return e}))).map((function(e){return lt(e,a._options.actions)})),l,c),3),I=T[0],C=T[1],M=T[2],k=null!=v?v:s;return{value:k,context:C,actions:I,changed:v!==s||I.length>0||M,matches:ct(k)}}}}catch(e){n={error:e}}finally{try{p&&!p.done&&(o=f.return)&&o.call(f)}finally{if(n)throw n.error}}}return dt(s,l)}};return a}var ht=function(e,t){return e.actions.forEach((function(r){var n=r.exec;return n&&n(e.context,t)}))};function mt(e){var t=e.initialState,r=tt.NotStarted,n=new Set,o={_machine:e,send:function(o){r===tt.Running&&(t=e.transition(t,o),ht(t,ut(o)),n.forEach((function(e){return e(t)})))},subscribe:function(e){return n.add(e),e(t),{unsubscribe:function(){return n.delete(e)}}},start:function(n){if(n){var a="object"==typeof n?n:{context:e.config.context,value:n};t={value:a.value,actions:[],context:a.context,matches:ct(a.value)}}return r=tt.Running,ht(t,at),o},stop:function(){return r=tt.Stopped,n.clear(),o},get state(){return t},get status(){return r}};return o}function vt(t,o){var a=o.getCastFn,i=o.applyEventsSynchronously,s=o.emitter;return mt(pt({id:"player",context:t,initial:"paused",states:{playing:{on:{PAUSE:{target:"paused",actions:["pause"]},CAST_EVENT:{target:"playing",actions:"castEvent"},END:{target:"paused",actions:["resetLastPlayedEvent","pause"]},ADD_EVENT:{target:"playing",actions:["addEvent"]}}},paused:{on:{PLAY:{target:"playing",actions:["recordTimeOffset","play"]},CAST_EVENT:{target:"paused",actions:"castEvent"},TO_LIVE:{target:"live",actions:["startLive"]},ADD_EVENT:{target:"paused",actions:["addEvent"]}}},live:{on:{ADD_EVENT:{target:"live",actions:["addEvent"]},CAST_EVENT:{target:"live",actions:["castEvent"]}}}}},{actions:{castEvent:st({lastPlayedEvent:function(e,t){return"CAST_EVENT"===t.type?t.payload.event:e.lastPlayedEvent}}),recordTimeOffset:st((function(e,t){var n=e.timeOffset;return"payload"in t&&"timeOffset"in t.payload&&(n=t.payload.timeOffset),r(r({},e),{timeOffset:n,baselineTime:e.events[0].timestamp+n})})),play:function(t){var r,o,l,c,u,d=t.timer,f=t.events,p=t.baselineTime,h=t.lastPlayedEvent;d.clear();try{for(var m=n(f),v=m.next();!v.done;v=m.next()){nt(v.value,p)}}catch(e){r={error:e}}finally{try{v&&!v.done&&(o=m.return)&&o.call(m)}finally{if(r)throw r.error}}var y=function(t,r){for(var n=t.length-1;n>=0;n--){var o=t[n];if(o.type===e.EventType.Meta&&o.timestamp<=r)return t.slice(n)}return t}(f,p),g=null==h?void 0:h.timestamp;(null==h?void 0:h.type)===e.EventType.IncrementalSnapshot&&h.data.source===e.IncrementalSource.MouseMove&&(g=h.timestamp+(null===(u=h.data.positions[0])||void 0===u?void 0:u.timeOffset)),p<(g||0)&&s.emit(e.ReplayerEvents.PlayBack);var b=new Array,S=new Array,w=function(e){if(g&&gi)try{null===(n=t.sheet)||void 0===n||n.deleteRule(Number(s))}catch(e){}i=c})),e.forEach((function(e,r){var n,o,a;try{(null===(o=null===(n=t.sheet)||void 0===n?void 0:n.cssRules[r])||void 0===o?void 0:o.cssText)!==e&&(null===(a=t.sheet)||void 0===a||a.insertRule(e,r))}catch(e){}}))}catch(e){}}(e.cssTexts,t);else if(e.type===yt.SetProperty){gt(r.cssRules,e.index).style.setProperty(e.property,e.value,e.priority)}else if(e.type===yt.RemoveProperty){gt(r.cssRules,e.index).style.removeProperty(e.property)}}))}!function(e){e[e.Insert=0]="Insert",e[e.Remove=1]="Remove",e[e.Snapshot=2]="Snapshot",e[e.SetProperty=3]="SetProperty",e[e.RemoveProperty=4]="RemoveProperty"}(yt||(yt={}));var wt=new Map;function xt(e,t){var r=wt.get(e);return r||(r=new Map,wt.set(e,r)),r.has(t)||r.set(t,[]),r.get(t)}var Et=["WebGLActiveInfo","WebGLBuffer","WebGLFramebuffer","WebGLProgram","WebGLRenderbuffer","WebGLShader","WebGLShaderPrecisionFormat","WebGLTexture","WebGLUniformLocation","WebGLVertexArrayObject"];function Tt(e,t){return function(r){if(r&&"object"==typeof r&&"rr_type"in r){if("index"in r){var n=r.rr_type,i=r.index;return xt(t,n)[i]}if("args"in r){var s=r.rr_type,l=r.args,c=window[s];return new(c.bind.apply(c,a([void 0],o(l.map(Tt(e,t))),!1)))}if("base64"in r)return function(e){var t,r,n,o,a,i=.75*e.length,s=e.length,l=0;"="===e[e.length-1]&&(i--,"="===e[e.length-2]&&i--);var c=new ArrayBuffer(i),u=new Uint8Array(c);for(t=0;t>4,u[l++]=(15&n)<<4|o>>2,u[l++]=(3&o)<<6|63&a;return c}(r.base64);if("src"in r){var u=e.get(r.src);if(u)return u;var d=new Image;return d.src=r.src,e.set(r.src,d),d}}else if(Array.isArray(r))return r.map(Tt(e,t));return r}}function It(e){var t=e.mutation,r=e.target,n=e.type,o=e.imageMap,a=e.errorHandler;try{var i=function(e,t){try{return t===P.WebGL?e.getContext("webgl")||e.getContext("experimental-webgl"):e.getContext("webgl2")}catch(e){return null}}(r,n);if(!i)return;if(t.setter)return void(i[t.property]=t.args[0]);var s=i[t.property],l=t.args.map(Tt(o,i));!function(e,t){if(null==t?void 0:t.constructor){var r=t.constructor.name;if(Et.includes(r)){var n=xt(e,r);n.includes(t)||n.push(t)}}}(i,s.apply(i,l))}catch(e){a(t,e)}}var Ct=Ke||Ze,Mt="[replayer]",kt={duration:500,lineCap:"round",lineWidth:3,strokeStyle:"red"};function Nt(t){return t.type==e.EventType.IncrementalSnapshot&&(t.data.source==e.IncrementalSource.TouchMove||t.data.source==e.IncrementalSource.MouseInteraction&&t.data.type==e.MouseInteractions.TouchStart)}var Rt=function(){function i(t,r){var o=this;if(this.mouseTail=null,this.tailPositions=[],this.emitter=Ct(),this.legacy_missingNodeRetryMap={},this.cache=H(),this.imageMap=new Map,this.mirror={map:{},getId:function(e){return e&&e.__sn?e.__sn.id:-1},getNode:function(e){return this.map[e]||null},removeNodeFromMap:function(e){var t=this,r=e.__sn&&e.__sn.id;delete this.map[r],e.childNodes&&e.childNodes.forEach((function(e){return t.removeNodeFromMap(e)}))},has:function(e){return this.map.hasOwnProperty(e)},reset:function(){this.map={}}},this.firstFullSnapshot=null,this.newDocumentQueue=[],this.mousePos=null,this.touchActive=null,!(null==r?void 0:r.liveMode)&&t.length<2)throw new Error("Replayer need at least 2 events.");var a={speed:1,maxSpeed:360,root:document.body,loadTimeout:0,skipInactive:!1,showWarning:!0,showDebug:!1,blockClass:"rr-block",liveMode:!1,insertStyleRules:[],triggerFocus:!0,UNSAFE_replayCanvas:!1,pauseAnimation:!0,mouseTail:kt};this.config=Object.assign({},a,r),this.handleResize=this.handleResize.bind(this),this.getCastFn=this.getCastFn.bind(this),this.applyEventsSynchronously=this.applyEventsSynchronously.bind(this),this.emitter.on(e.ReplayerEvents.Resize,this.handleResize),this.setupDom(),this.treeIndex=new ie,this.fragmentParentMap=new Map,this.elementStateMap=new Map,this.virtualStyleRulesMap=new Map,this.emitter.on(e.ReplayerEvents.Flush,(function(){var e,t,r,a,i,s,l,c,u=o.treeIndex.flush(),d=u.scrollMap,f=u.inputMap,p=u.mutationData;o.fragmentParentMap.forEach((function(e,t){return o.restoreRealParent(t,e)}));try{for(var h=n(p.texts),m=h.next();!m.done;m=h.next()){var v=m.value;o.applyText(v,p)}}catch(t){e={error:t}}finally{try{m&&!m.done&&(t=h.return)&&t.call(h)}finally{if(e)throw e.error}}try{for(var y=n(o.virtualStyleRulesMap.keys()),g=y.next();!g.done;g=y.next()){var b=g.value;o.restoreNodeSheet(b)}}catch(e){r={error:e}}finally{try{g&&!g.done&&(a=y.return)&&a.call(y)}finally{if(r)throw r.error}}o.fragmentParentMap.clear(),o.elementStateMap.clear(),o.virtualStyleRulesMap.clear();try{for(var S=n(d.values()),w=S.next();!w.done;w=S.next()){v=w.value;o.applyScroll(v,!0)}}catch(e){i={error:e}}finally{try{w&&!w.done&&(s=S.return)&&s.call(S)}finally{if(i)throw i.error}}try{for(var x=n(f.values()),E=x.next();!E.done;E=x.next()){v=E.value;o.applyInput(v)}}catch(e){l={error:e}}finally{try{E&&!E.done&&(c=x.return)&&c.call(x)}finally{if(l)throw l.error}}})),this.emitter.on(e.ReplayerEvents.PlayBack,(function(){o.firstFullSnapshot=null,o.mirror.reset()}));var i=new rt([],(null==r?void 0:r.speed)||a.speed);this.service=vt({events:t.map((function(e){return r&&r.unpackFn?r.unpackFn(e):e})).sort((function(e,t){return e.timestamp-t.timestamp})),timer:i,timeOffset:0,baselineTime:0,lastPlayedEvent:null},{getCastFn:this.getCastFn,applyEventsSynchronously:this.applyEventsSynchronously,emitter:this.emitter}),this.service.start(),this.service.subscribe((function(t){o.emitter.emit(e.ReplayerEvents.StateChange,{player:t})})),this.speedService=mt(pt({id:"speed",context:{normalSpeed:-1,timer:i},initial:"normal",states:{normal:{on:{FAST_FORWARD:{target:"skipping",actions:["recordSpeed","setSpeed"]},SET_SPEED:{target:"normal",actions:["setSpeed"]}}},skipping:{on:{BACK_TO_NORMAL:{target:"normal",actions:["restoreSpeed"]},SET_SPEED:{target:"normal",actions:["setSpeed"]}}}}},{actions:{setSpeed:function(e,t){"payload"in t&&e.timer.setSpeed(t.payload.speed)},recordSpeed:st({normalSpeed:function(e){return e.timer.speed}}),restoreSpeed:function(e){e.timer.setSpeed(e.normalSpeed)}}})),this.speedService.start(),this.speedService.subscribe((function(t){o.emitter.emit(e.ReplayerEvents.StateChange,{speed:t})}));var s=this.service.state.context.events.find((function(t){return t.type===e.EventType.Meta})),l=this.service.state.context.events.find((function(t){return t.type===e.EventType.FullSnapshot}));if(s){var c=s.data,u=c.width,d=c.height;setTimeout((function(){o.emitter.emit(e.ReplayerEvents.Resize,{width:u,height:d})}),0)}l&&setTimeout((function(){o.firstFullSnapshot||(o.firstFullSnapshot=l,o.rebuildFullSnapshot(l),o.iframe.contentWindow.scrollTo(l.data.initialOffset))}),1),this.service.state.context.events.find(Nt)&&this.mouse.classList.add("touch-device")}return Object.defineProperty(i.prototype,"timer",{get:function(){return this.service.state.context.timer},enumerable:!1,configurable:!0}),i.prototype.on=function(e,t){return this.emitter.on(e,t),this},i.prototype.off=function(e,t){return this.emitter.off(e,t),this},i.prototype.setConfig=function(e){var t=this;Object.keys(e).forEach((function(r){t.config[r]=e[r]})),this.config.skipInactive||this.backToNormal(),void 0!==e.speed&&this.speedService.send({type:"SET_SPEED",payload:{speed:e.speed}}),void 0!==e.mouseTail&&(!1===e.mouseTail?this.mouseTail&&(this.mouseTail.style.display="none"):(this.mouseTail||(this.mouseTail=document.createElement("canvas"),this.mouseTail.width=Number.parseFloat(this.iframe.width),this.mouseTail.height=Number.parseFloat(this.iframe.height),this.mouseTail.classList.add("replayer-mouse-tail"),this.wrapper.insertBefore(this.mouseTail,this.iframe)),this.mouseTail.style.display="inherit"))},i.prototype.getMetaData=function(){var e=this.service.state.context.events[0],t=this.service.state.context.events[this.service.state.context.events.length-1];return{startTime:e.timestamp,endTime:t.timestamp,totalTime:t.timestamp-e.timestamp}},i.prototype.getCurrentTime=function(){return this.timer.timeOffset+this.getTimeOffset()},i.prototype.getTimeOffset=function(){var e=this.service.state.context;return e.baselineTime-e.events[0].timestamp},i.prototype.getMirror=function(){return this.mirror},i.prototype.play=function(t){var r;void 0===t&&(t=0),this.service.state.matches("paused")||this.service.send({type:"PAUSE"}),this.service.send({type:"PLAY",payload:{timeOffset:t}}),null===(r=this.iframe.contentDocument)||void 0===r||r.getElementsByTagName("html")[0].classList.remove("rrweb-paused"),this.emitter.emit(e.ReplayerEvents.Start)},i.prototype.pause=function(t){var r;void 0===t&&this.service.state.matches("playing")&&this.service.send({type:"PAUSE"}),"number"==typeof t&&(this.play(t),this.service.send({type:"PAUSE"})),null===(r=this.iframe.contentDocument)||void 0===r||r.getElementsByTagName("html")[0].classList.add("rrweb-paused"),this.emitter.emit(e.ReplayerEvents.Pause)},i.prototype.resume=function(t){void 0===t&&(t=0),console.warn("The 'resume' will be departed in 1.0. Please use 'play' method which has the same interface."),this.play(t),this.emitter.emit(e.ReplayerEvents.Resume)},i.prototype.startLive=function(e){this.service.send({type:"TO_LIVE",payload:{baselineTime:e}})},i.prototype.addEvent=function(e){var t=this,r=this.config.unpackFn?this.config.unpackFn(e):e;Nt(r)&&this.mouse.classList.add("touch-device"),Promise.resolve().then((function(){return t.service.send({type:"ADD_EVENT",payload:{event:r}})}))},i.prototype.enableInteract=function(){this.iframe.setAttribute("scrolling","auto"),this.iframe.style.pointerEvents="auto"},i.prototype.disableInteract=function(){this.iframe.setAttribute("scrolling","no"),this.iframe.style.pointerEvents="none"},i.prototype.resetCache=function(){this.cache=H()},i.prototype.setupDom=function(){this.wrapper=document.createElement("div"),this.wrapper.classList.add("replayer-wrapper"),this.config.root.appendChild(this.wrapper),this.mouse=document.createElement("div"),this.mouse.classList.add("replayer-mouse"),this.wrapper.appendChild(this.mouse),!1!==this.config.mouseTail&&(this.mouseTail=document.createElement("canvas"),this.mouseTail.classList.add("replayer-mouse-tail"),this.mouseTail.style.display="inherit",this.wrapper.appendChild(this.mouseTail)),this.iframe=document.createElement("iframe");var e=["allow-same-origin"];this.config.UNSAFE_replayCanvas&&e.push("allow-scripts"),this.iframe.style.display="none",this.iframe.setAttribute("sandbox",e.join(" ")),this.disableInteract(),this.wrapper.appendChild(this.iframe),this.iframe.contentWindow&&this.iframe.contentDocument&&(et(this.iframe.contentWindow,this.iframe.contentDocument),ae(this.iframe.contentWindow))},i.prototype.handleResize=function(e){var t,r;this.iframe.style.display="inherit";try{for(var o=n([this.mouseTail,this.iframe]),a=o.next();!a.done;a=o.next()){var i=a.value;i&&(i.setAttribute("width",String(e.width)),i.setAttribute("height",String(e.height)))}}catch(e){t={error:e}}finally{try{a&&!a.done&&(r=o.return)&&r.call(o)}finally{if(t)throw t.error}}},i.prototype.applyEventsSynchronously=function(t){var r,o;try{for(var a=n(t),i=a.next();!i.done;i=a.next()){var s=i.value;switch(s.type){case e.EventType.DomContentLoaded:case e.EventType.Load:case e.EventType.Custom:continue;case e.EventType.FullSnapshot:case e.EventType.Meta:case e.EventType.Plugin:break;case e.EventType.IncrementalSnapshot:switch(s.data.source){case e.IncrementalSource.MediaInteraction:continue}}this.getCastFn(s,!0)()}}catch(e){r={error:e}}finally{try{i&&!i.done&&(o=a.return)&&o.call(a)}finally{if(r)throw r.error}}this.mousePos&&this.moveAndHover(this.mousePos.x,this.mousePos.y,this.mousePos.id,!0,this.mousePos.debugData),this.mousePos=null,!0===this.touchActive?this.mouse.classList.add("touch-active"):!1===this.touchActive&&this.mouse.classList.remove("touch-active"),this.touchActive=null},i.prototype.getCastFn=function(t,r){var o,a=this;switch(void 0===r&&(r=!1),t.type){case e.EventType.DomContentLoaded:case e.EventType.Load:break;case e.EventType.Custom:o=function(){a.emitter.emit(e.ReplayerEvents.CustomEvent,t)};break;case e.EventType.Meta:o=function(){return a.emitter.emit(e.ReplayerEvents.Resize,{width:t.data.width,height:t.data.height})};break;case e.EventType.FullSnapshot:o=function(){if(a.firstFullSnapshot){if(a.firstFullSnapshot===t)return void(a.firstFullSnapshot=!0)}else a.firstFullSnapshot=!0;a.rebuildFullSnapshot(t,r),a.iframe.contentWindow.scrollTo(t.data.initialOffset)};break;case e.EventType.IncrementalSnapshot:o=function(){var o,i;if(a.applyIncremental(t,r),!r&&(t===a.nextUserInteractionEvent&&(a.nextUserInteractionEvent=null,a.backToNormal()),a.config.skipInactive&&!a.nextUserInteractionEvent)){try{for(var s=n(a.service.state.context.events),l=s.next();!l.done;l=s.next()){var c=l.value;if(!(c.timestamp<=t.timestamp)&&a.isUserInteraction(c)){c.delay-t.delay>1e4*a.speedService.state.context.timer.speed&&(a.nextUserInteractionEvent=c);break}}}catch(e){o={error:e}}finally{try{l&&!l.done&&(i=s.return)&&i.call(s)}finally{if(o)throw o.error}}if(a.nextUserInteractionEvent){var u=a.nextUserInteractionEvent.delay-t.delay,d={speed:Math.min(Math.round(u/5e3),a.config.maxSpeed)};a.speedService.send({type:"FAST_FORWARD",payload:d}),a.emitter.emit(e.ReplayerEvents.SkipStart,d)}}}}return function(){var i,s;o&&o();try{for(var l=n(a.config.plugins||[]),c=l.next();!c.done;c=l.next()){c.value.handler(t,r,{replayer:a})}}catch(e){i={error:e}}finally{try{c&&!c.done&&(s=l.return)&&s.call(l)}finally{if(i)throw i.error}}a.service.send({type:"CAST_EVENT",payload:{event:t}});var u=a.service.state.context.events.length-1;if(t===a.service.state.context.events[u]){var d=function(){u0&&(this.service.send({type:"PAUSE"}),this.emitter.emit(e.ReplayerEvents.LoadStylesheetStart),o=setTimeout((function(){i.matches("playing")&&r.play(r.getCurrentTime()),o=-1,l()}),this.config.loadTimeout))}},i.prototype.hasImageArg=function(e){var t,r;try{for(var o=n(e),a=o.next();!a.done;a=o.next()){var i=a.value;if(i&&"object"==typeof i)if("rr_type"in i&&"args"in i){if(this.hasImageArg(i.args))return!0}else{if("rr_type"in i&&"HTMLImageElement"===i.rr_type)return!0;if(i instanceof Array&&this.hasImageArg(i))return!0}else;}}catch(e){t={error:e}}finally{try{a&&!a.done&&(r=o.return)&&r.call(o)}finally{if(t)throw t.error}}return!1},i.prototype.getImageArgs=function(e){var t,r,i=[];try{for(var s=n(e),l=s.next();!l.done;l=s.next()){var c=l.value;c&&"object"==typeof c&&("rr_type"in c&&"args"in c?i.push.apply(i,a([],o(this.getImageArgs(c.args)),!1)):"rr_type"in c&&"HTMLImageElement"===c.rr_type?i.push(c.src):c instanceof Array&&i.push.apply(i,a([],o(this.getImageArgs(c)),!1)))}}catch(e){t={error:e}}finally{try{l&&!l.done&&(r=s.return)&&r.call(s)}finally{if(t)throw t.error}}return i},i.prototype.preloadAllImages=function(){var t,r,o=this;this.service.state;var a=function(){o.service.state};this.emitter.on(e.ReplayerEvents.Start,a),this.emitter.on(e.ReplayerEvents.Pause,a);var i=function(t){t.type===e.EventType.IncrementalSnapshot&&t.data.source===e.IncrementalSource.CanvasMutation&&("commands"in t.data?t.data.commands.forEach((function(e){return o.preloadImages(e,t)})):s.preloadImages(t.data,t))},s=this;try{for(var l=n(this.service.state.context.events),c=l.next();!c.done;c=l.next()){i(c.value)}}catch(e){t={error:e}}finally{try{c&&!c.done&&(r=l.return)&&r.call(l)}finally{if(t)throw t.error}}},i.prototype.preloadImages=function(e,t){var r=this;if("drawImage"!==e.property||"string"!=typeof e.args[0]||this.imageMap.has(t))this.hasImageArg(e.args)&&this.getImageArgs(e.args).forEach((function(e){var t=new Image;t.src=e,r.imageMap.set(e,t)}));else{var n=document.createElement("canvas"),o=n.getContext("2d"),a=null==o?void 0:o.createImageData(n.width,n.height);null==a||a.data,JSON.parse(e.args[0]),null==o||o.putImageData(a,0,0)}},i.prototype.applyIncremental=function(t,n){var o,a,i=this,s=t.data;switch(s.source){case e.IncrementalSource.Mutation:n&&(s.adds.forEach((function(e){return i.treeIndex.add(e)})),s.texts.forEach((function(e){var t=i.mirror.getNode(e.id),r=null==t?void 0:t.parentNode;r&&i.virtualStyleRulesMap.has(r)&&i.virtualStyleRulesMap.delete(r),i.treeIndex.text(e)})),s.attributes.forEach((function(e){return i.treeIndex.attribute(e)})),s.removes.forEach((function(e){return i.treeIndex.remove(e,i.mirror)})));try{this.applyMutation(s,n)}catch(e){this.warn("Exception in mutation ".concat(e.message||e),s)}break;case e.IncrementalSource.Drag:case e.IncrementalSource.TouchMove:case e.IncrementalSource.MouseMove:if(n){var l=s.positions[s.positions.length-1];this.mousePos={x:l.x,y:l.y,id:l.id,debugData:s}}else s.positions.forEach((function(e){var r={doAction:function(){i.moveAndHover(e.x,e.y,e.id,n,s)},delay:e.timeOffset+t.timestamp-i.service.state.context.baselineTime};i.timer.addAction(r)})),this.timer.addAction({doAction:function(){},delay:t.delay-(null===(o=s.positions[0])||void 0===o?void 0:o.timeOffset)});break;case e.IncrementalSource.MouseInteraction:if(-1===s.id)break;var c=new Event(e.MouseInteractions[s.type].toLowerCase());if(!(S=this.mirror.getNode(s.id)))return this.debugNodeNotFound(s,s.id);this.emitter.emit(e.ReplayerEvents.MouseInteraction,{type:s.type,target:S});var u=this.config.triggerFocus;switch(s.type){case e.MouseInteractions.Blur:"blur"in S&&S.blur();break;case e.MouseInteractions.Focus:u&&S.focus&&S.focus({preventScroll:!0});break;case e.MouseInteractions.Click:case e.MouseInteractions.TouchStart:case e.MouseInteractions.TouchEnd:n?(s.type===e.MouseInteractions.TouchStart?this.touchActive=!0:s.type===e.MouseInteractions.TouchEnd&&(this.touchActive=!1),this.mousePos={x:s.x,y:s.y,id:s.id,debugData:s}):(s.type===e.MouseInteractions.TouchStart&&(this.tailPositions.length=0),this.moveAndHover(s.x,s.y,s.id,n,s),s.type===e.MouseInteractions.Click?(this.mouse.classList.remove("active"),this.mouse.offsetWidth,this.mouse.classList.add("active")):s.type===e.MouseInteractions.TouchStart?(this.mouse.offsetWidth,this.mouse.classList.add("touch-active")):s.type===e.MouseInteractions.TouchEnd&&this.mouse.classList.remove("touch-active"));break;case e.MouseInteractions.TouchCancel:n?this.touchActive=!1:this.mouse.classList.remove("touch-active");break;default:S.dispatchEvent(c)}break;case e.IncrementalSource.Scroll:if(-1===s.id)break;if(n){this.treeIndex.scroll(s);break}this.applyScroll(s,!1);break;case e.IncrementalSource.ViewportResize:this.emitter.emit(e.ReplayerEvents.Resize,{width:s.width,height:s.height});break;case e.IncrementalSource.Input:if(-1===s.id)break;if(n){this.treeIndex.input(s);break}this.applyInput(s);break;case e.IncrementalSource.MediaInteraction:if(!(S=this.mirror.getNode(s.id)))return this.debugNodeNotFound(s,s.id);var d=S;try{s.currentTime&&(d.currentTime=s.currentTime),s.volume&&(d.volume=s.volume),s.muted&&(d.muted=s.muted),1===s.type&&d.pause(),0===s.type&&d.play()}catch(e){this.config.showWarning&&console.warn("Failed to replay media interactions: ".concat(e.message||e))}break;case e.IncrementalSource.StyleSheetRule:if(!(S=this.mirror.getNode(s.id)))return this.debugNodeNotFound(s,s.id);var f,p=S,h=S.parentNode,m=this.fragmentParentMap.has(h),v=m?null:p.sheet;v||(this.virtualStyleRulesMap.has(S)?f=this.virtualStyleRulesMap.get(S):(f=[],this.virtualStyleRulesMap.set(S,f))),s.adds&&s.adds.forEach((function(e){var t=e.rule,r=e.index;if(v)try{if(Array.isArray(r)){var n=bt(r),o=n.positions,a=n.index;gt(v.cssRules,o).insertRule(t,a)}else{a=void 0===r?void 0:Math.min(r,v.cssRules.length);v.insertRule(t,a)}}catch(e){}else null==f||f.push({cssText:t,index:r,type:yt.Insert})})),s.removes&&s.removes.forEach((function(e){var t=e.index;if(m)null==f||f.push({index:t,type:yt.Remove});else try{if(Array.isArray(t)){var r=bt(t),n=r.positions,o=r.index;gt(v.cssRules,n).deleteRule(o||0)}else null==v||v.deleteRule(t)}catch(e){}}));break;case e.IncrementalSource.StyleDeclaration:if(!(S=this.mirror.getNode(s.id)))return this.debugNodeNotFound(s,s.id);p=S;var y=S.parentNode,g=this.fragmentParentMap.has(y)?null:p.sheet,b=[];if(g||(this.virtualStyleRulesMap.has(S)?b=this.virtualStyleRulesMap.get(S):(b=[],this.virtualStyleRulesMap.set(S,b))),s.set)if(g)gt(g.rules,s.index).style.setProperty(s.set.property,s.set.value,s.set.priority);else b.push(r({type:yt.SetProperty,index:s.index},s.set));if(s.remove)if(g)gt(g.rules,s.index).style.removeProperty(s.remove.property);else b.push(r({type:yt.RemoveProperty,index:s.index},s.remove));break;case e.IncrementalSource.CanvasMutation:if(!this.config.UNSAFE_replayCanvas)return;var S;if(!(S=this.mirror.getNode(s.id)))return this.debugNodeNotFound(s,s.id);!function(e){var t=e.event,r=e.mutation,n=e.target,o=e.imageMap,a=e.errorHandler;try{var i="commands"in r?r.commands:[r];[P.WebGL,P.WebGL2].includes(r.type)?i.forEach((function(e){It({mutation:e,type:r.type,target:n,imageMap:o,errorHandler:a})})):i.forEach((function(e){!function(e){var t=e.event,r=e.mutation,n=e.target,o=e.imageMap,a=e.errorHandler;try{var i=n.getContext("2d");if(r.setter)return void(i[r.property]=r.args[0]);var s=i[r.property];if("drawImage"===r.property&&"string"==typeof r.args[0]){var l=o.get(t);r.args[0]=l,s.apply(i,r.args)}else s.apply(i,r.args)}catch(e){a(r,e)}}({event:t,mutation:e,target:n,imageMap:o,errorHandler:a})}))}catch(e){a(r,e)}}({event:t,mutation:s,target:S,imageMap:this.imageMap,errorHandler:this.warnCanvasMutationFailed.bind(this)});break;case e.IncrementalSource.Font:try{var w=new FontFace(s.family,s.buffer?new Uint8Array(JSON.parse(s.fontSource)):s.fontSource,s.descriptors);null===(a=this.iframe.contentDocument)||void 0===a||a.fonts.add(w)}catch(e){this.config.showWarning&&console.warn(e)}}},i.prototype.applyMutation=function(e,o){var a,i,s=this;e.removes.forEach((function(t){var r=s.mirror.getNode(t.id);if(!r){if(e.removes.find((function(e){return e.id===t.parentId})))return;return s.warnNodeNotFound(e,t.id)}s.virtualStyleRulesMap.has(r)&&s.virtualStyleRulesMap.delete(r);var n=s.mirror.getNode(t.parentId);if(!n)return s.warnNodeNotFound(e,t.parentId);if(t.isShadow&&de(n)&&(n=n.shadowRoot),s.mirror.removeNodeFromMap(r),n){var o=null,a="__sn"in n?s.fragmentParentMap.get(n):void 0;a&&a.contains(r)?n=a:s.fragmentParentMap.has(r)&&(o=s.fragmentParentMap.get(r),s.fragmentParentMap.delete(r),r=o);try{n.removeChild(r)}catch(t){if(!(t instanceof DOMException))throw t;s.warn("parent could not remove child in mutation",n,a,r,o,e)}}}));var l=r({},this.legacy_missingNodeRetryMap),c=[],u=function(e){var r,a,i,u;if(!s.iframe.contentDocument)return console.warn("Looks like your replayer has been destroyed.");var d=s.mirror.getNode(e.parentId);if(!d)return e.node.type===t.Document?s.newDocumentQueue.push(e):c.push(e);var f=null;s.iframe.contentDocument.contains?f=s.iframe.contentDocument.contains(d):s.iframe.contentDocument.body.contains&&(f=s.iframe.contentDocument.body.contains(d));var p=(null===(u=(i=d).getElementsByTagName)||void 0===u?void 0:u.call(i,"iframe").length)>0;if(o&&f&&!ce(d)&&!p){var h=document.createDocumentFragment();for(s.mirror.map[e.parentId]=h,s.fragmentParentMap.set(h,d),s.storeState(d);d.firstChild;)h.appendChild(d.firstChild);d=h}e.node.isShadow&&(de(d)||d.attachShadow({mode:"open"}),d=d.shadowRoot);var m=null,v=null;if(e.previousId&&(m=s.mirror.getNode(e.previousId)),e.nextId&&(v=s.mirror.getNode(e.nextId)),function(e){var t=null;return e.nextId&&(t=s.mirror.getNode(e.nextId)),null!==e.nextId&&void 0!==e.nextId&&-1!==e.nextId&&!t}(e))return c.push(e);if(!e.node.rootId||s.mirror.getNode(e.node.rootId)){var y=e.node.rootId?s.mirror.getNode(e.node.rootId):s.iframe.contentDocument;if(ce(d))s.attachDocumentToIframe(e,d);else{var g=G(e.node,{doc:y,map:s.mirror.map,skipChild:!0,hackCss:!0,cache:s.cache});if(-1!==e.previousId&&-1!==e.nextId){if("__sn"in d&&d.__sn.type===t.Element&&"textarea"===d.__sn.tagName&&e.node.type===t.Text)try{for(var b=n(Array.from(d.childNodes)),S=b.next();!S.done;S=b.next()){var w=S.value;w.nodeType===d.TEXT_NODE&&d.removeChild(w)}}catch(e){r={error:e}}finally{try{S&&!S.done&&(a=b.return)&&a.call(b)}finally{if(r)throw r.error}}if(m&&m.nextSibling&&m.nextSibling.parentNode)d.insertBefore(g,m.nextSibling);else if(v&&v.parentNode)d.contains(v)?d.insertBefore(g,v):d.insertBefore(g,null);else{if(d===y)for(;y.firstChild;)y.removeChild(y.firstChild);d.appendChild(g)}if(ce(g)){var x=s.newDocumentQueue.find((function(e){return e.parentId===g.__sn.id}));x&&(s.attachDocumentToIframe(x,g),s.newDocumentQueue=s.newDocumentQueue.filter((function(e){return e!==x})))}(e.previousId||e.nextId)&&s.legacy_resolveMissingNode(l,d,g,e)}else l[e.node.id]={node:g,mutation:e}}}};e.adds.forEach((function(e){u(e)}));for(var d=Date.now();c.length;){var f=se(c);if(c.length=0,Date.now()-d>500){this.warn("Timeout in the loop, please check the resolve tree data:",f);break}try{for(var p=(a=void 0,n(f)),h=p.next();!h.done;h=p.next()){var m=h.value;this.mirror.getNode(m.value.parentId)?le(m,(function(e){u(e)})):this.debug("Drop resolve tree since there is no parent for the root node.",m)}}catch(e){a={error:e}}finally{try{h&&!h.done&&(i=p.return)&&i.call(p)}finally{if(a)throw a.error}}}Object.keys(l).length&&Object.assign(this.legacy_missingNodeRetryMap,l),e.texts.forEach((function(t){var r=s.mirror.getNode(t.id);if(!r){if(e.removes.find((function(e){return e.id===t.id})))return;return s.warnNodeNotFound(e,t.id)}s.fragmentParentMap.has(r)&&(r=s.fragmentParentMap.get(r)),r.textContent=t.value})),e.attributes.forEach((function(t){var r=s.mirror.getNode(t.id);if(!r){if(e.removes.find((function(e){return e.id===t.id})))return;return s.warnNodeNotFound(e,t.id)}for(var n in s.fragmentParentMap.has(r)&&(r=s.fragmentParentMap.get(r)),t.attributes)if("string"==typeof n){var o=t.attributes[n];if(null===o)r.removeAttribute(n);else if("string"==typeof o)try{r.setAttribute(n,o)}catch(e){s.config.showWarning&&console.warn("An error occurred may due to the checkout feature.",e)}else if("style"===n){var a=o,i=r;for(var l in a)if(!1===a[l])i.style.removeProperty(l);else if(a[l]instanceof Array){var c=a[l];i.style.setProperty(l,c[0],c[1])}else{var u=a[l];i.style.setProperty(l,u)}}}}))},i.prototype.applyScroll=function(e,r){var n=this.mirror.getNode(e.id);if(!n)return this.debugNodeNotFound(e,e.id);if(n===this.iframe.contentDocument)this.iframe.contentWindow.scrollTo({top:e.y,left:e.x,behavior:r?"auto":"smooth"});else if(n.__sn.type===t.Document)n.defaultView.scrollTo({top:e.y,left:e.x,behavior:r?"auto":"smooth"});else try{n.scrollTop=e.y,n.scrollLeft=e.x}catch(e){}},i.prototype.applyInput=function(e){var t=this.mirror.getNode(e.id);if(!t)return this.debugNodeNotFound(e,e.id);try{t.checked=e.isChecked,t.value=e.text}catch(e){}},i.prototype.applyText=function(e,t){var r=this.mirror.getNode(e.id);if(!r)return this.debugNodeNotFound(t,e.id);try{r.textContent=e.value}catch(e){}},i.prototype.legacy_resolveMissingNode=function(e,t,r,n){var o=n.previousId,a=n.nextId,i=o&&e[o],s=a&&e[a];if(i){var l=i,c=l.node,u=l.mutation;t.insertBefore(c,r),delete e[u.node.id],delete this.legacy_missingNodeRetryMap[u.node.id],(u.previousId||u.nextId)&&this.legacy_resolveMissingNode(e,t,c,u)}if(s){var d=s;c=d.node,u=d.mutation;t.insertBefore(c,r.nextSibling),delete e[u.node.id],delete this.legacy_missingNodeRetryMap[u.node.id],(u.previousId||u.nextId)&&this.legacy_resolveMissingNode(e,t,c,u)}},i.prototype.moveAndHover=function(e,t,r,n,o){var a=this.mirror.getNode(r);if(!a)return this.debugNodeNotFound(o,r);var i=ue(a,this.iframe),s=e*i.absoluteScale+i.x,l=t*i.absoluteScale+i.y;this.mouse.style.left="".concat(s,"px"),this.mouse.style.top="".concat(l,"px"),n||this.drawMouseTail({x:s,y:l}),this.hoverElements(a)},i.prototype.drawMouseTail=function(e){var t=this;if(this.mouseTail){var r=!0===this.config.mouseTail?kt:Object.assign({},kt,this.config.mouseTail),n=r.lineCap,o=r.lineWidth,a=r.strokeStyle,i=r.duration,s=function(){if(t.mouseTail){var e=t.mouseTail.getContext("2d");e&&t.tailPositions.length&&(e.clearRect(0,0,t.mouseTail.width,t.mouseTail.height),e.beginPath(),e.lineWidth=o,e.lineCap=n,e.strokeStyle=a,e.moveTo(t.tailPositions[0].x,t.tailPositions[0].y),t.tailPositions.forEach((function(t){return e.lineTo(t.x,t.y)})),e.stroke())}};this.tailPositions.push(e),s(),setTimeout((function(){t.tailPositions=t.tailPositions.filter((function(t){return t!==e})),s()}),i/this.speedService.state.context.timer.speed)}},i.prototype.hoverElements=function(e){var t;null===(t=this.iframe.contentDocument)||void 0===t||t.querySelectorAll(".\\:hover").forEach((function(e){e.classList.remove(":hover")}));for(var r=e;r;)r.classList&&r.classList.add(":hover"),r=r.parentElement},i.prototype.isUserInteraction=function(t){return t.type===e.EventType.IncrementalSnapshot&&(t.data.source>e.IncrementalSource.Mutation&&t.data.source<=e.IncrementalSource.Input)},i.prototype.backToNormal=function(){this.nextUserInteractionEvent=null,this.speedService.state.matches("normal")||(this.speedService.send({type:"BACK_TO_NORMAL"}),this.emitter.emit(e.ReplayerEvents.SkipEnd,{speed:this.speedService.state.context.normalSpeed}))},i.prototype.restoreRealParent=function(e,r){this.mirror.map[r.__sn.id]=r,r.__sn.type===t.Element&&"textarea"===r.__sn.tagName&&e.textContent&&(r.value=e.textContent),r.appendChild(e),this.restoreState(r)},i.prototype.storeState=function(e){var t,r;if(e&&e.nodeType===e.ELEMENT_NODE){var o=e;(o.scrollLeft||o.scrollTop)&&this.elementStateMap.set(e,{scroll:[o.scrollLeft,o.scrollTop]}),"STYLE"===o.tagName&&function(e,t){var r;try{var n=Array.from((null===(r=e.sheet)||void 0===r?void 0:r.cssRules)||[]).map((function(e){return e.cssText}));t.set(e,[{type:yt.Snapshot,cssTexts:n}])}catch(e){}}(o,this.virtualStyleRulesMap);var a=o.children;try{for(var i=n(Array.from(a)),s=i.next();!s.done;s=i.next()){var l=s.value;this.storeState(l)}}catch(e){t={error:e}}finally{try{s&&!s.done&&(r=i.return)&&r.call(i)}finally{if(t)throw t.error}}}},i.prototype.restoreState=function(e){var t,r;if(e.nodeType===e.ELEMENT_NODE){var o=e;if(this.elementStateMap.has(e)){var a=this.elementStateMap.get(e);a.scroll&&(o.scrollLeft=a.scroll[0],o.scrollTop=a.scroll[1]),this.elementStateMap.delete(e)}var i=o.children;try{for(var s=n(Array.from(i)),l=s.next();!l.done;l=s.next()){var c=l.value;this.restoreState(c)}}catch(e){t={error:e}}finally{try{l&&!l.done&&(r=s.return)&&r.call(s)}finally{if(t)throw t.error}}}},i.prototype.restoreNodeSheet=function(e){var t=this.virtualStyleRulesMap.get(e);"STYLE"===e.nodeName&&(t&&St(t,e))},i.prototype.warnNodeNotFound=function(e,t){this.treeIndex.idRemoved(t)?this.warn("Node with id '".concat(t,"' was previously removed. "),e):this.warn("Node with id '".concat(t,"' not found. "),e)},i.prototype.warnCanvasMutationFailed=function(e,t){this.warn("Has error on canvas update",t,"canvas mutation:",e)},i.prototype.debugNodeNotFound=function(e,t){this.treeIndex.idRemoved(t)?this.debug(Mt,"Node with id '".concat(t,"' was previously removed. "),e):this.debug(Mt,"Node with id '".concat(t,"' not found. "),e)},i.prototype.warn=function(){for(var e=[],t=0;t>>1|(21845&Xt)<<1;qt=(61680&(qt=(52428&qt)>>>2|(13107&qt)<<2))>>>4|(3855&qt)<<4,Yt[Xt]=((65280&qt)>>>8|(255&qt)<<8)>>>1}var Qt=function(e,t,r){for(var n=e.length,o=0,a=new At(t);o>>l]=c}else for(i=new At(n),o=0;o>>15-e[o];return i},$t=new Lt(288);for(Xt=0;Xt<144;++Xt)$t[Xt]=8;for(Xt=144;Xt<256;++Xt)$t[Xt]=9;for(Xt=256;Xt<280;++Xt)$t[Xt]=7;for(Xt=280;Xt<288;++Xt)$t[Xt]=8;var Jt=new Lt(32);for(Xt=0;Xt<32;++Xt)Jt[Xt]=5;var Kt=Qt($t,9,0),Zt=Qt($t,9,1),er=Qt(Jt,5,0),tr=Qt(Jt,5,1),rr=function(e){for(var t=e[0],r=1;rt&&(t=e[r]);return t},nr=function(e,t,r){var n=t/8>>0;return(e[n]|e[n+1]<<8)>>>(7&t)&r},or=function(e,t){var r=t/8>>0;return(e[r]|e[r+1]<<8|e[r+2]<<16)>>>(7&t)},ar=function(e){return(e/8>>0)+(7&e&&1)},ir=function(e,t,r){(null==t||t<0)&&(t=0),(null==r||r>e.length)&&(r=e.length);var n=new(e instanceof At?At:e instanceof Dt?Dt:Lt)(r-t);return n.set(e.subarray(t,r)),n},sr=function(e,t,r){r<<=7&t;var n=t/8>>0;e[n]|=r,e[n+1]|=r>>>8},lr=function(e,t,r){r<<=7&t;var n=t/8>>0;e[n]|=r,e[n+1]|=r>>>8,e[n+2]|=r>>>16},cr=function(e,t){for(var r=[],n=0;nf&&(f=a[n].s);var p=new At(f+1),h=ur(r[u-1],p,0);if(h>t){n=0;var m=0,v=h-t,y=1<t))break;m+=y-(1<>>=v;m>0;){var b=a[n].s;p[b]=0&&m;--n){var S=a[n].s;p[S]==t&&(--p[S],++m)}h=t}return[new Lt(p),h]},ur=function(e,t,r){return-1==e.s?Math.max(ur(e.l,t,r+1),ur(e.r,t,r+1)):t[e.s]=r},dr=function(e){for(var t=e.length;t&&!e[--t];);for(var r=new At(++t),n=0,o=e[0],a=1,i=function(e){r[n++]=e},s=1;s<=t;++s)if(e[s]==o&&s!=t)++a;else{if(!o&&a>2){for(;a>138;a-=138)i(32754);a>2&&(i(a>10?a-11<<5|28690:a-3<<5|12305),a=0)}else if(a>3){for(i(o),--a;a>6;a-=6)i(8304);a>2&&(i(a-3<<5|8208),a=0)}for(;a--;)i(o);a=1,o=e[s]}return[r.subarray(0,n),t]},fr=function(e,t){for(var r=0,n=0;n>>8,e[o+2]=255^e[o],e[o+3]=255^e[o+1];for(var a=0;a4&&!C[Wt[k-1]];--k);var N,R,_,O,L=c+5<<3,A=fr(o,$t)+fr(a,Jt)+i,D=fr(o,f)+fr(a,m)+i+14+3*k+fr(E,C)+(2*E[16]+3*E[17]+7*E[18]);if(L<=A&&L<=D)return pr(t,u,e.subarray(l,l+c));if(sr(t,u,1+(D15&&(sr(t,u,j[T]>>>5&127),u+=j[T]>>>12)}}}else N=Kt,R=$t,_=er,O=Jt;for(T=0;T255){U=n[T]>>>18&31;lr(t,u,N[U+257]),u+=R[U+257],U>7&&(sr(t,u,n[T]>>>23&31),u+=Ft[U]);var z=31&n[T];lr(t,u,_[z]),u+=O[z],z>3&&(lr(t,u,n[T]>>>5&8191),u+=Pt[z])}else lr(t,u,N[n[T]]),u+=R[n[T]];return lr(t,u,N[256]),u+R[256]},mr=new Dt([65540,131080,131088,131104,262176,1048704,1048832,2114560,2117632]),vr=new Lt(0),yr=function(e,t,r,n,o){return function(e,t,r,n,o,a){var i=e.length,s=new Lt(n+i+5*(1+Math.floor(i/7e3))+o),l=s.subarray(n,s.length-o),c=0;if(!t||i<8)for(var u=0;u<=i;u+=65535){var d=u+65535;d>>13,h=8191&f,m=(1<7e3||C>24576)&&O>423){c=hr(e,l,0,w,x,E,I,C,k,u-k,c),C=T=I=0,k=u;for(var L=0;L<286;++L)x[L]=0;for(L=0;L<30;++L)E[L]=0}var A=2,D=0,F=h,P=R-_&32767;if(O>2&&N==S(u-P))for(var W=Math.min(p,O)-1,j=Math.min(32767,u),U=Math.min(258,O);P<=j&&--F&&R!=_;){if(e[u+A]==e[u+A-P]){for(var z=0;zA){if(A=z,D=P,z>W)break;var B=Math.min(P,z-2),H=0;for(L=0;LH&&(H=G,_=V)}}}P+=(R=_)-(_=v[R])+32768&32767}if(D){w[C++]=268435456|Bt[A]<<18|Gt[D];var Y=31&Bt[A],X=31&Gt[D];I+=Ft[Y]+Pt[X],++x[257+Y],++E[X],M=u+A,++T}else w[C++]=e[u],++x[e[u]]}}c=hr(e,l,a,w,x,E,I,C,k,u-k,c),a||(c=pr(l,c,vr))}return ir(s,0,n+ar(c)+o)}(e,null==t.level?6:t.level,null==t.mem?Math.ceil(1.5*Math.max(8,Math.min(13,Math.log(e.length)))):12+t.mem,r,n,!o)};function gr(e,t){void 0===t&&(t={});var r=function(){var e=1,t=0;return{p:function(r){for(var n=e,o=t,a=r.length,i=0;i!=a;){for(var s=Math.min(i+5552,a);i>>8<<16|(255&t)<<8|t>>>8)+2*((255&e)<<23)}}}();r.p(e);var n=yr(e,t,2,4);return function(e,t){var r=t.level,n=0==r?0:r<6?1:9==r?3:2;e[0]=120,e[1]=n<<6|(n?32-2*n:1)}(n,t),function(e,t,r){for(;r;++t)e[t]=r,r>>>=8}(n,n.length-4,r.d()),n}function br(e,t){return function(e,t,r){var n=e.length,o=!t||r,a=!r||r.i;r||(r={}),t||(t=new Lt(3*n));var i=function(e){var r=t.length;if(e>r){var n=new Lt(Math.max(2*r,e));n.set(t),t=n}},s=r.f||0,l=r.p||0,c=r.b||0,u=r.l,d=r.d,f=r.m,p=r.n,h=8*n;do{if(!u){r.f=s=nr(e,l,1);var m=nr(e,l+1,3);if(l+=3,!m){var v=e[(M=ar(l)+4)-4]|e[M-3]<<8,y=M+v;if(y>n){if(a)throw"unexpected EOF";break}o&&i(c+v),t.set(e.subarray(M,y),c),r.b=c+=v,r.p=l=8*y;continue}if(1==m)u=Zt,d=tr,f=9,p=5;else{if(2!=m)throw"invalid block type";var g=nr(e,l,31)+257,b=nr(e,l+10,15)+4,S=g+nr(e,l+5,31)+1;l+=14;for(var w=new Lt(S),x=new Lt(19),E=0;Eh)break;var C=Qt(x,T,1);for(E=0;E>>4)<16)w[E++]=M;else{var N=0,R=0;for(16==M?(R=3+nr(e,l,3),l+=2,N=w[E-1]):17==M?(R=3+nr(e,l,7),l+=3):18==M&&(R=11+nr(e,l,127),l+=7);R--;)w[E++]=N}}var _=w.subarray(0,g),O=w.subarray(g);f=rr(_),p=rr(O),u=Qt(_,f,1),d=Qt(O,p,1)}if(l>h)throw"unexpected EOF"}o&&i(c+131072);for(var L=(1<>>4;if((l+=15&N)>h)throw"unexpected EOF";if(!N)throw"invalid length/literal";if(F<256)t[c++]=F;else{if(256==F){u=null;break}var P=F-254;if(F>264){var W=Ft[E=F-257];P=nr(e,l,(1<>>4;if(!j)throw"invalid distance";if(l+=15&j,O=Vt[U],U>3&&(W=Pt[U],O+=or(e,l)&(1<h)throw"unexpected EOF";o&&i(c+131072);for(var z=c+P;c>>4>7||(e[0]<<8|e[1])%31)throw"invalid zlib data";if(32&e[1])throw"invalid zlib data: preset dictionaries not supported"}(e),e.subarray(2,-4)),t)}function Sr(e,t){var r=e.length;if(!t&&"undefined"!=typeof TextEncoder)return(new TextEncoder).encode(e);for(var n=new Lt(e.length+(e.length>>>1)),o=0,a=function(e){n[o++]=e},i=0;in.length){var s=new Lt(o+8+(r-i<<1));s.set(n),n=s}var l=e.charCodeAt(i);l<128||t?a(l):l<2048?(a(192|l>>>6),a(128|63&l)):l>55295&&l<57344?(a(240|(l=65536+(1047552&l)|1023&e.charCodeAt(++i))>>>18),a(128|l>>>12&63),a(128|l>>>6&63),a(128|63&l)):(a(224|l>>>12),a(128|l>>>6&63),a(128|63&l))}return ir(n,0,o)}function wr(e,t){var r="";if(!t&&"undefined"!=typeof TextDecoder)return(new TextDecoder).decode(e);for(var n=0;n>10,56320|1023&o))}return r}var xr="v1",Er=function(){function e(e){this.fileName=e.fileName||"",this.functionName=e.functionName||"",this.lineNumber=e.lineNumber,this.columnNumber=e.columnNumber}return e.prototype.toString=function(){var e=this.lineNumber||"",t=this.columnNumber||"";return this.functionName?this.functionName+" ("+this.fileName+":"+e+":"+t+")":this.fileName+":"+e+":"+t},e}(),Tr=/(^|@)\S+:\d+/,Ir=/^\s*at .*(\S+:\d+|\(native\))/m,Cr=/^(eval@)?(\[native code])?$/,Mr={parse:function(e){if(!e)return[];if(void 0!==e.stacktrace||void 0!==e["opera#sourceloc"])return this.parseOpera(e);if(e.stack&&e.stack.match(Ir))return this.parseV8OrIE(e);if(e.stack)return this.parseFFOrSafari(e);throw new Error("Cannot parse given Error object")},extractLocation:function(e){if(-1===e.indexOf(":"))return[e];var t=/(.+?)(?::(\d+))?(?::(\d+))?$/.exec(e.replace(/[()]/g,""));if(!t)throw new Error("Cannot parse given url: ".concat(e));return[t[1],t[2]||void 0,t[3]||void 0]},parseV8OrIE:function(e){return e.stack.split("\n").filter((function(e){return!!e.match(Ir)}),this).map((function(e){e.indexOf("(eval ")>-1&&(e=e.replace(/eval code/g,"eval").replace(/(\(eval at [^()]*)|(\),.*$)/g,""));var t=e.replace(/^\s+/,"").replace(/\(eval code/g,"("),r=t.match(/ (\((.+):(\d+):(\d+)\)$)/),n=(t=r?t.replace(r[0],""):t).split(/\s+/).slice(1),o=this.extractLocation(r?r[1]:n.pop()),a=n.join(" ")||void 0,i=["eval",""].indexOf(o[0])>-1?void 0:o[0];return new Er({functionName:a,fileName:i,lineNumber:o[1],columnNumber:o[2]})}),this)},parseFFOrSafari:function(e){return e.stack.split("\n").filter((function(e){return!e.match(Cr)}),this).map((function(e){if(e.indexOf(" > eval")>-1&&(e=e.replace(/ line (\d+)(?: > eval line \d+)* > eval:\d+:\d+/g,":$1")),-1===e.indexOf("@")&&-1===e.indexOf(":"))return new Er({functionName:e});var t=/((.*".+"[^@]*)?[^@]*)(?:@)/,r=e.match(t),n=r&&r[1]?r[1]:void 0,o=this.extractLocation(e.replace(t,""));return new Er({functionName:n,fileName:o[0],lineNumber:o[1],columnNumber:o[2]})}),this)},parseOpera:function(e){return!e.stacktrace||e.message.indexOf("\n")>-1&&e.message.split("\n").length>e.stacktrace.split("\n").length?this.parseOpera9(e):e.stack?this.parseOpera11(e):this.parseOpera10(e)},parseOpera9:function(e){for(var t=/Line (\d+).*script (?:in )?(\S+)/i,r=e.message.split("\n"),n=[],o=2,a=r.length;o/,"$2").replace(/\([^)]*\)/g,"")||void 0;return new Er({functionName:n,fileName:r[0],lineNumber:r[1],columnNumber:r[2]})}),this)}};function kr(e){if(!e||!e.outerHTML)return"";for(var t="";e.parentElement;){var r=e.localName;if(!r)break;r=r.toLowerCase();var n=e.parentElement,o=[];if(n.children&&n.children.length>0)for(var a=0;a1&&(r+=":eq("+o.indexOf(e)+")"),t=r+(t?">"+t:""),e=n}return t}function Nr(e){return"[object Object]"===Object.prototype.toString.call(e)}function Rr(e,t){var r,o;if(0===t)return!0;var a=Object.keys(e);try{for(var i=n(a),s=i.next();!s.done;s=i.next()){var l=s.value;if(Nr(e[l])&&Rr(e[l],t-1))return!0}}catch(e){r={error:e}}finally{try{s&&!s.done&&(o=i.return)&&o.call(i)}finally{if(r)throw r.error}}return!1}function _r(e,t){var r={numOfKeysLimit:50,depthOfLimit:4};Object.assign(r,t);var n=[],o=[];return JSON.stringify(e,(function(e,t){if(n.length>0){var a=n.indexOf(this);~a?n.splice(a+1):n.push(this),~a?o.splice(a,1/0,e):o.push(e),~n.indexOf(t)&&(t=n[0]===t?"[Circular ~]":"[Circular ~."+o.slice(0,n.indexOf(t)).join(".")+"]")}else n.push(t);if(null==t)return t;if(function(e){if(Nr(e)&&Object.keys(e).length>r.numOfKeysLimit)return!0;if("function"==typeof e)return!0;if(Nr(e)&&Rr(e,r.depthOfLimit))return!0;return!1}(t))return function(e){var t=e.toString();r.stringLengthLimit&&t.length>r.stringLengthLimit&&(t="".concat(t.slice(0,r.stringLengthLimit),"..."));return t}(t);if(t instanceof Event){var i={};for(var s in t){var l=t[s];Array.isArray(l)?i[s]=kr(l.length?l[0]:null):i[s]=l}return i}return t instanceof Node?t instanceof HTMLElement?t?t.outerHTML:"":t.nodeName:t instanceof Error?t.stack?t.stack+"\nEnd of stack for Error object":t.name+": "+t.message:t}))}var Or={level:["assert","clear","count","countReset","debug","dir","dirxml","error","group","groupCollapsed","groupEnd","info","log","table","time","timeEnd","timeLog","trace","warn"],lengthThreshold:1e3,logger:"console"};function Lr(e,t,r){var i,s,l,c=r.logger;if(!c)return function(){};l="string"==typeof c?t[c]:c;var u=0,d=[];if(r.level.includes("error")&&window){var f=function(t){var n=t.message,o=t.error,a=Mr.parse(o).map((function(e){return e.toString()})),i=[_r(n,r.stringifyOptions)];e({level:"error",trace:a,payload:i})};window.addEventListener("error",f),d.push((function(){window&&window.removeEventListener("error",f)}))}try{for(var p=n(r.level),h=p.next();!h.done;h=p.next()){var m=h.value;d.push(v(l,m))}}catch(e){i={error:e}}finally{try{h&&!h.done&&(s=p.return)&&s.call(p)}finally{if(i)throw i.error}}return function(){d.forEach((function(e){return e()}))};function v(t,n){var i=this;return t[n]?K(t,n,(function(t){return function(){for(var s=[],l=0;l0)&&!(n=a.next()).done;)i.push(n.value)}catch(e){o={error:e}}finally{try{n&&!n.done&&(r=a.return)&&r.call(a)}finally{if(o)throw o.error}}return i}!function(e){e[e.NotStarted=0]="NotStarted",e[e.Running=1]="Running",e[e.Stopped=2]="Stopped"}(tt||(tt={}));var at={type:"xstate.init"};function it(e){return void 0===e?[]:[].concat(e)}function st(e){return{type:"xstate.assign",assignment:e}}function lt(e,t){return"string"==typeof(e="string"==typeof e&&t&&t[e]?t[e]:e)?{type:e}:"function"==typeof e?{type:e.name,exec:e}:e}function ct(e){return function(t){return e===t}}function ut(e){return"string"==typeof e?{type:e}:e}function dt(e,t){return{value:e,context:t,actions:[],changed:!1,matches:ct(e)}}function ft(e,t,r){var n=t,o=!1;return[e.filter((function(e){if("xstate.assign"===e.type){o=!0;var t=Object.assign({},n);return"function"==typeof e.assignment?t=e.assignment(n,r):Object.keys(e.assignment).forEach((function(o){t[o]="function"==typeof e.assignment[o]?e.assignment[o](n,r):e.assignment[o]})),n=t,!1}return!0})),n,o]}function pt(e,t){void 0===t&&(t={});var r=ot(ft(it(e.states[e.initial].entry).map((function(e){return lt(e,t.actions)})),e.context,at),2),n=r[0],o=r[1],a={config:e,_options:t,initialState:{value:e.initial,actions:n,context:o,matches:ct(e.initial)},transition:function(t,r){var n,o,i="string"==typeof t?{value:t,context:e.context}:t,s=i.value,l=i.context,c=ut(r),u=e.states[s];if(u.on){var d=it(u.on[c.type]);try{for(var f=function(e){var t="function"==typeof Symbol&&Symbol.iterator,r=t&&e[t],n=0;if(r)return r.call(e);if(e&&"number"==typeof e.length)return{next:function(){return e&&n>=e.length&&(e=void 0),{value:e&&e[n++],done:!e}}};throw new TypeError(t?"Object is not iterable.":"Symbol.iterator is not defined.")}(d),p=f.next();!p.done;p=f.next()){var h=p.value;if(void 0===h)return dt(s,l);var m="string"==typeof h?{target:h}:h,v=m.target,y=m.actions,g=void 0===y?[]:y,S=m.cond,b=void 0===S?function(){return!0}:S,w=void 0===v,x=null!=v?v:s,I=e.states[x];if(b(l,c)){var E=ot(ft((w?it(g):[].concat(u.exit,g,I.entry).filter((function(e){return e}))).map((function(e){return lt(e,a._options.actions)})),l,c),3),T=E[0],k=E[1],C=E[2],M=null!=v?v:s;return{value:M,context:k,actions:T,changed:v!==s||T.length>0||C,matches:ct(M)}}}}catch(e){n={error:e}}finally{try{p&&!p.done&&(o=f.return)&&o.call(f)}finally{if(n)throw n.error}}}return dt(s,l)}};return a}var ht=function(e,t){return e.actions.forEach((function(r){var n=r.exec;return n&&n(e.context,t)}))};function mt(e){var t=e.initialState,r=tt.NotStarted,n=new Set,o={_machine:e,send:function(o){r===tt.Running&&(t=e.transition(t,o),ht(t,ut(o)),n.forEach((function(e){return e(t)})))},subscribe:function(e){return n.add(e),e(t),{unsubscribe:function(){return n.delete(e)}}},start:function(n){if(n){var a="object"==typeof n?n:{context:e.config.context,value:n};t={value:a.value,actions:[],context:a.context,matches:ct(a.value)}}return r=tt.Running,ht(t,at),o},stop:function(){return r=tt.Stopped,n.clear(),o},get state(){return t},get status(){return r}};return o}function vt(t,o){var a=o.getCastFn,i=o.applyEventsSynchronously,s=o.emitter;return mt(pt({id:"player",context:t,initial:"paused",states:{playing:{on:{PAUSE:{target:"paused",actions:["pause"]},CAST_EVENT:{target:"playing",actions:"castEvent"},END:{target:"paused",actions:["resetLastPlayedEvent","pause"]},ADD_EVENT:{target:"playing",actions:["addEvent"]}}},paused:{on:{PLAY:{target:"playing",actions:["recordTimeOffset","play"]},CAST_EVENT:{target:"paused",actions:"castEvent"},TO_LIVE:{target:"live",actions:["startLive"]},ADD_EVENT:{target:"paused",actions:["addEvent"]}}},live:{on:{ADD_EVENT:{target:"live",actions:["addEvent"]},CAST_EVENT:{target:"live",actions:["castEvent"]}}}}},{actions:{castEvent:st({lastPlayedEvent:function(e,t){return"CAST_EVENT"===t.type?t.payload.event:e.lastPlayedEvent}}),recordTimeOffset:st((function(e,t){var n=e.timeOffset;return"payload"in t&&"timeOffset"in t.payload&&(n=t.payload.timeOffset),r(r({},e),{timeOffset:n,baselineTime:e.events[0].timestamp+n})})),play:function(t){var r,o,l,c,u,d=t.timer,f=t.events,p=t.baselineTime,h=t.lastPlayedEvent;d.clear();try{for(var m=n(f),v=m.next();!v.done;v=m.next()){nt(v.value,p)}}catch(e){r={error:e}}finally{try{v&&!v.done&&(o=m.return)&&o.call(m)}finally{if(r)throw r.error}}var y=function(t,r){for(var n=t.length-1;n>=0;n--){var o=t[n];if(o.type===e.EventType.Meta&&o.timestamp<=r)return t.slice(n)}return t}(f,p),g=null==h?void 0:h.timestamp;(null==h?void 0:h.type)===e.EventType.IncrementalSnapshot&&h.data.source===e.IncrementalSource.MouseMove&&(g=h.timestamp+(null===(u=h.data.positions[0])||void 0===u?void 0:u.timeOffset)),p<(g||0)&&s.emit(e.ReplayerEvents.PlayBack);var S=new Array,b=new Array,w=function(e){if(g&&gi)try{null===(n=t.sheet)||void 0===n||n.deleteRule(Number(s))}catch(e){}i=c})),e.forEach((function(e,r){var n,o,a;try{(null===(o=null===(n=t.sheet)||void 0===n?void 0:n.cssRules[r])||void 0===o?void 0:o.cssText)!==e&&(null===(a=t.sheet)||void 0===a||a.insertRule(e,r))}catch(e){}}))}catch(e){}}(e.cssTexts,t);else if(e.type===yt.SetProperty){gt(r.cssRules,e.index).style.setProperty(e.property,e.value,e.priority)}else if(e.type===yt.RemoveProperty){gt(r.cssRules,e.index).style.removeProperty(e.property)}}))}!function(e){e[e.Insert=0]="Insert",e[e.Remove=1]="Remove",e[e.Snapshot=2]="Snapshot",e[e.SetProperty=3]="SetProperty",e[e.RemoveProperty=4]="RemoveProperty"}(yt||(yt={}));var wt=new Map;function xt(e,t){var r=wt.get(e);return r||(r=new Map,wt.set(e,r)),r.has(t)||r.set(t,[]),r.get(t)}var It=["WebGLActiveInfo","WebGLBuffer","WebGLFramebuffer","WebGLProgram","WebGLRenderbuffer","WebGLShader","WebGLShaderPrecisionFormat","WebGLTexture","WebGLUniformLocation","WebGLVertexArrayObject"];function Et(e,t){return function(r){if(r&&"object"==typeof r&&"rr_type"in r){if("index"in r){var n=r.rr_type,i=r.index;return xt(t,n)[i]}if("args"in r){var s=r.rr_type,l=r.args,c=window[s];return new(c.bind.apply(c,a([void 0],o(l.map(Et(e,t))),!1)))}if("base64"in r)return function(e){var t,r,n,o,a,i=.75*e.length,s=e.length,l=0;"="===e[e.length-1]&&(i--,"="===e[e.length-2]&&i--);var c=new ArrayBuffer(i),u=new Uint8Array(c);for(t=0;t>4,u[l++]=(15&n)<<4|o>>2,u[l++]=(3&o)<<6|63&a;return c}(r.base64);if("src"in r){var u=e.get(r.src);if(u)return u;var d=new Image;return d.src=r.src,e.set(r.src,d),d}}else if(Array.isArray(r))return r.map(Et(e,t));return r}}function Tt(e){var t=e.mutation,r=e.target,n=e.type,o=e.imageMap,a=e.errorHandler;try{var i=function(e,t){try{return t===P.WebGL?e.getContext("webgl")||e.getContext("experimental-webgl"):e.getContext("webgl2")}catch(e){return null}}(r,n);if(!i)return;if(t.setter)return void(i[t.property]=t.args[0]);var s=i[t.property],l=t.args.map(Et(o,i));!function(e,t){if(null==t?void 0:t.constructor){var r=t.constructor.name;if(It.includes(r)){var n=xt(e,r);n.includes(t)||n.push(t)}}}(i,s.apply(i,l))}catch(e){a(t,e)}}var kt=Ke||Ze,Ct="[replayer]",Mt={duration:500,lineCap:"round",lineWidth:3,strokeStyle:"red"};function Nt(t){return t.type==e.EventType.IncrementalSnapshot&&(t.data.source==e.IncrementalSource.TouchMove||t.data.source==e.IncrementalSource.MouseInteraction&&t.data.type==e.MouseInteractions.TouchStart)}var Rt=function(){function i(t,r){var o=this;if(this.mouseTail=null,this.tailPositions=[],this.emitter=kt(),this.legacy_missingNodeRetryMap={},this.cache=H(),this.imageMap=new Map,this.mirror={map:{},getId:function(e){return e&&e.__sn?e.__sn.id:-1},getNode:function(e){return this.map[e]||null},removeNodeFromMap:function(e){var t=this,r=e.__sn&&e.__sn.id;delete this.map[r],e.childNodes&&e.childNodes.forEach((function(e){return t.removeNodeFromMap(e)}))},has:function(e){return this.map.hasOwnProperty(e)},reset:function(){this.map={}}},this.firstFullSnapshot=null,this.newDocumentQueue=[],this.mousePos=null,this.touchActive=null,!(null==r?void 0:r.liveMode)&&t.length<2)throw new Error("Replayer need at least 2 events.");var a={speed:1,maxSpeed:360,root:document.body,loadTimeout:0,skipInactive:!1,showWarning:!0,showDebug:!1,blockClass:"rr-block",liveMode:!1,insertStyleRules:[],triggerFocus:!0,UNSAFE_replayCanvas:!1,pauseAnimation:!0,mouseTail:Mt};this.config=Object.assign({},a,r),this.handleResize=this.handleResize.bind(this),this.getCastFn=this.getCastFn.bind(this),this.applyEventsSynchronously=this.applyEventsSynchronously.bind(this),this.emitter.on(e.ReplayerEvents.Resize,this.handleResize),this.setupDom(),this.treeIndex=new ie,this.fragmentParentMap=new Map,this.elementStateMap=new Map,this.virtualStyleRulesMap=new Map,this.emitter.on(e.ReplayerEvents.Flush,(function(){var e,t,r,a,i,s,l,c,u=o.treeIndex.flush(),d=u.scrollMap,f=u.inputMap,p=u.mutationData;o.fragmentParentMap.forEach((function(e,t){return o.restoreRealParent(t,e)}));try{for(var h=n(p.texts),m=h.next();!m.done;m=h.next()){var v=m.value;o.applyText(v,p)}}catch(t){e={error:t}}finally{try{m&&!m.done&&(t=h.return)&&t.call(h)}finally{if(e)throw e.error}}try{for(var y=n(o.virtualStyleRulesMap.keys()),g=y.next();!g.done;g=y.next()){var S=g.value;o.restoreNodeSheet(S)}}catch(e){r={error:e}}finally{try{g&&!g.done&&(a=y.return)&&a.call(y)}finally{if(r)throw r.error}}o.fragmentParentMap.clear(),o.elementStateMap.clear(),o.virtualStyleRulesMap.clear();try{for(var b=n(d.values()),w=b.next();!w.done;w=b.next()){v=w.value;o.applyScroll(v,!0)}}catch(e){i={error:e}}finally{try{w&&!w.done&&(s=b.return)&&s.call(b)}finally{if(i)throw i.error}}try{for(var x=n(f.values()),I=x.next();!I.done;I=x.next()){v=I.value;o.applyInput(v)}}catch(e){l={error:e}}finally{try{I&&!I.done&&(c=x.return)&&c.call(x)}finally{if(l)throw l.error}}})),this.emitter.on(e.ReplayerEvents.PlayBack,(function(){o.firstFullSnapshot=null,o.mirror.reset()}));var i=new rt([],(null==r?void 0:r.speed)||a.speed);this.service=vt({events:t.map((function(e){return r&&r.unpackFn?r.unpackFn(e):e})).sort((function(e,t){return e.timestamp-t.timestamp})),timer:i,timeOffset:0,baselineTime:0,lastPlayedEvent:null},{getCastFn:this.getCastFn,applyEventsSynchronously:this.applyEventsSynchronously,emitter:this.emitter}),this.service.start(),this.service.subscribe((function(t){o.emitter.emit(e.ReplayerEvents.StateChange,{player:t})})),this.speedService=mt(pt({id:"speed",context:{normalSpeed:-1,timer:i},initial:"normal",states:{normal:{on:{FAST_FORWARD:{target:"skipping",actions:["recordSpeed","setSpeed"]},SET_SPEED:{target:"normal",actions:["setSpeed"]}}},skipping:{on:{BACK_TO_NORMAL:{target:"normal",actions:["restoreSpeed"]},SET_SPEED:{target:"normal",actions:["setSpeed"]}}}}},{actions:{setSpeed:function(e,t){"payload"in t&&e.timer.setSpeed(t.payload.speed)},recordSpeed:st({normalSpeed:function(e){return e.timer.speed}}),restoreSpeed:function(e){e.timer.setSpeed(e.normalSpeed)}}})),this.speedService.start(),this.speedService.subscribe((function(t){o.emitter.emit(e.ReplayerEvents.StateChange,{speed:t})}));var s=this.service.state.context.events.find((function(t){return t.type===e.EventType.Meta})),l=this.service.state.context.events.find((function(t){return t.type===e.EventType.FullSnapshot}));if(s){var c=s.data,u=c.width,d=c.height;setTimeout((function(){o.emitter.emit(e.ReplayerEvents.Resize,{width:u,height:d})}),0)}l&&setTimeout((function(){o.firstFullSnapshot||(o.firstFullSnapshot=l,o.rebuildFullSnapshot(l),o.iframe.contentWindow.scrollTo(l.data.initialOffset))}),1),this.service.state.context.events.find(Nt)&&this.mouse.classList.add("touch-device")}return Object.defineProperty(i.prototype,"timer",{get:function(){return this.service.state.context.timer},enumerable:!1,configurable:!0}),i.prototype.on=function(e,t){return this.emitter.on(e,t),this},i.prototype.off=function(e,t){return this.emitter.off(e,t),this},i.prototype.setConfig=function(e){var t=this;Object.keys(e).forEach((function(r){t.config[r]=e[r]})),this.config.skipInactive||this.backToNormal(),void 0!==e.speed&&this.speedService.send({type:"SET_SPEED",payload:{speed:e.speed}}),void 0!==e.mouseTail&&(!1===e.mouseTail?this.mouseTail&&(this.mouseTail.style.display="none"):(this.mouseTail||(this.mouseTail=document.createElement("canvas"),this.mouseTail.width=Number.parseFloat(this.iframe.width),this.mouseTail.height=Number.parseFloat(this.iframe.height),this.mouseTail.classList.add("replayer-mouse-tail"),this.wrapper.insertBefore(this.mouseTail,this.iframe)),this.mouseTail.style.display="inherit"))},i.prototype.getMetaData=function(){var e=this.service.state.context.events[0],t=this.service.state.context.events[this.service.state.context.events.length-1];return{startTime:e.timestamp,endTime:t.timestamp,totalTime:t.timestamp-e.timestamp}},i.prototype.getCurrentTime=function(){return this.timer.timeOffset+this.getTimeOffset()},i.prototype.getTimeOffset=function(){var e=this.service.state.context;return e.baselineTime-e.events[0].timestamp},i.prototype.getMirror=function(){return this.mirror},i.prototype.play=function(t){var r;void 0===t&&(t=0),this.service.state.matches("paused")||this.service.send({type:"PAUSE"}),this.service.send({type:"PLAY",payload:{timeOffset:t}}),null===(r=this.iframe.contentDocument)||void 0===r||r.getElementsByTagName("html")[0].classList.remove("rrweb-paused"),this.emitter.emit(e.ReplayerEvents.Start)},i.prototype.pause=function(t){var r;void 0===t&&this.service.state.matches("playing")&&this.service.send({type:"PAUSE"}),"number"==typeof t&&(this.play(t),this.service.send({type:"PAUSE"})),null===(r=this.iframe.contentDocument)||void 0===r||r.getElementsByTagName("html")[0].classList.add("rrweb-paused"),this.emitter.emit(e.ReplayerEvents.Pause)},i.prototype.resume=function(t){void 0===t&&(t=0),console.warn("The 'resume' will be departed in 1.0. Please use 'play' method which has the same interface."),this.play(t),this.emitter.emit(e.ReplayerEvents.Resume)},i.prototype.startLive=function(e){this.service.send({type:"TO_LIVE",payload:{baselineTime:e}})},i.prototype.addEvent=function(e){var t=this,r=this.config.unpackFn?this.config.unpackFn(e):e;Nt(r)&&this.mouse.classList.add("touch-device"),Promise.resolve().then((function(){return t.service.send({type:"ADD_EVENT",payload:{event:r}})}))},i.prototype.enableInteract=function(){this.iframe.setAttribute("scrolling","auto"),this.iframe.style.pointerEvents="auto"},i.prototype.disableInteract=function(){this.iframe.setAttribute("scrolling","no"),this.iframe.style.pointerEvents="none"},i.prototype.resetCache=function(){this.cache=H()},i.prototype.setupDom=function(){this.wrapper=document.createElement("div"),this.wrapper.classList.add("replayer-wrapper"),this.config.root.appendChild(this.wrapper),this.mouse=document.createElement("div"),this.mouse.classList.add("replayer-mouse"),this.wrapper.appendChild(this.mouse),!1!==this.config.mouseTail&&(this.mouseTail=document.createElement("canvas"),this.mouseTail.classList.add("replayer-mouse-tail"),this.mouseTail.style.display="inherit",this.wrapper.appendChild(this.mouseTail)),this.iframe=document.createElement("iframe");var e=["allow-same-origin"];this.config.UNSAFE_replayCanvas&&e.push("allow-scripts"),this.iframe.style.display="none",this.iframe.setAttribute("sandbox",e.join(" ")),this.disableInteract(),this.wrapper.appendChild(this.iframe),this.iframe.contentWindow&&this.iframe.contentDocument&&(et(this.iframe.contentWindow,this.iframe.contentDocument),ae(this.iframe.contentWindow))},i.prototype.handleResize=function(e){var t,r;this.iframe.style.display="inherit";try{for(var o=n([this.mouseTail,this.iframe]),a=o.next();!a.done;a=o.next()){var i=a.value;i&&(i.setAttribute("width",String(e.width)),i.setAttribute("height",String(e.height)))}}catch(e){t={error:e}}finally{try{a&&!a.done&&(r=o.return)&&r.call(o)}finally{if(t)throw t.error}}},i.prototype.applyEventsSynchronously=function(t){var r,o;try{for(var a=n(t),i=a.next();!i.done;i=a.next()){var s=i.value;switch(s.type){case e.EventType.DomContentLoaded:case e.EventType.Load:case e.EventType.Custom:continue;case e.EventType.FullSnapshot:case e.EventType.Meta:case e.EventType.Plugin:break;case e.EventType.IncrementalSnapshot:switch(s.data.source){case e.IncrementalSource.MediaInteraction:continue}}this.getCastFn(s,!0)()}}catch(e){r={error:e}}finally{try{i&&!i.done&&(o=a.return)&&o.call(a)}finally{if(r)throw r.error}}this.mousePos&&this.moveAndHover(this.mousePos.x,this.mousePos.y,this.mousePos.id,!0,this.mousePos.debugData),this.mousePos=null,!0===this.touchActive?this.mouse.classList.add("touch-active"):!1===this.touchActive&&this.mouse.classList.remove("touch-active"),this.touchActive=null},i.prototype.getCastFn=function(t,r){var o,a=this;switch(void 0===r&&(r=!1),t.type){case e.EventType.DomContentLoaded:case e.EventType.Load:break;case e.EventType.Custom:o=function(){a.emitter.emit(e.ReplayerEvents.CustomEvent,t)};break;case e.EventType.Meta:o=function(){return a.emitter.emit(e.ReplayerEvents.Resize,{width:t.data.width,height:t.data.height})};break;case e.EventType.FullSnapshot:o=function(){if(a.firstFullSnapshot){if(a.firstFullSnapshot===t)return void(a.firstFullSnapshot=!0)}else a.firstFullSnapshot=!0;a.rebuildFullSnapshot(t,r),a.iframe.contentWindow.scrollTo(t.data.initialOffset)};break;case e.EventType.IncrementalSnapshot:o=function(){var o,i;if(a.applyIncremental(t,r),!r&&(t===a.nextUserInteractionEvent&&(a.nextUserInteractionEvent=null,a.backToNormal()),a.config.skipInactive&&!a.nextUserInteractionEvent)){try{for(var s=n(a.service.state.context.events),l=s.next();!l.done;l=s.next()){var c=l.value;if(!(c.timestamp<=t.timestamp)&&a.isUserInteraction(c)){c.delay-t.delay>1e4*a.speedService.state.context.timer.speed&&(a.nextUserInteractionEvent=c);break}}}catch(e){o={error:e}}finally{try{l&&!l.done&&(i=s.return)&&i.call(s)}finally{if(o)throw o.error}}if(a.nextUserInteractionEvent){var u=a.nextUserInteractionEvent.delay-t.delay,d={speed:Math.min(Math.round(u/5e3),a.config.maxSpeed)};a.speedService.send({type:"FAST_FORWARD",payload:d}),a.emitter.emit(e.ReplayerEvents.SkipStart,d)}}}}return function(){var i,s;o&&o();try{for(var l=n(a.config.plugins||[]),c=l.next();!c.done;c=l.next()){c.value.handler(t,r,{replayer:a})}}catch(e){i={error:e}}finally{try{c&&!c.done&&(s=l.return)&&s.call(l)}finally{if(i)throw i.error}}a.service.send({type:"CAST_EVENT",payload:{event:t}});var u=a.service.state.context.events.length-1;if(t===a.service.state.context.events[u]){var d=function(){u0&&(this.service.send({type:"PAUSE"}),this.emitter.emit(e.ReplayerEvents.LoadStylesheetStart),o=setTimeout((function(){i.matches("playing")&&r.play(r.getCurrentTime()),o=-1,l()}),this.config.loadTimeout))}},i.prototype.hasImageArg=function(e){var t,r;try{for(var o=n(e),a=o.next();!a.done;a=o.next()){var i=a.value;if(i&&"object"==typeof i)if("rr_type"in i&&"args"in i){if(this.hasImageArg(i.args))return!0}else{if("rr_type"in i&&"HTMLImageElement"===i.rr_type)return!0;if(i instanceof Array&&this.hasImageArg(i))return!0}else;}}catch(e){t={error:e}}finally{try{a&&!a.done&&(r=o.return)&&r.call(o)}finally{if(t)throw t.error}}return!1},i.prototype.getImageArgs=function(e){var t,r,i=[];try{for(var s=n(e),l=s.next();!l.done;l=s.next()){var c=l.value;c&&"object"==typeof c&&("rr_type"in c&&"args"in c?i.push.apply(i,a([],o(this.getImageArgs(c.args)),!1)):"rr_type"in c&&"HTMLImageElement"===c.rr_type?i.push(c.src):c instanceof Array&&i.push.apply(i,a([],o(this.getImageArgs(c)),!1)))}}catch(e){t={error:e}}finally{try{l&&!l.done&&(r=s.return)&&r.call(s)}finally{if(t)throw t.error}}return i},i.prototype.preloadAllImages=function(){var t,r,o=this;this.service.state;var a=function(){o.service.state};this.emitter.on(e.ReplayerEvents.Start,a),this.emitter.on(e.ReplayerEvents.Pause,a);var i=function(t){t.type===e.EventType.IncrementalSnapshot&&t.data.source===e.IncrementalSource.CanvasMutation&&("commands"in t.data?t.data.commands.forEach((function(e){return o.preloadImages(e,t)})):s.preloadImages(t.data,t))},s=this;try{for(var l=n(this.service.state.context.events),c=l.next();!c.done;c=l.next()){i(c.value)}}catch(e){t={error:e}}finally{try{c&&!c.done&&(r=l.return)&&r.call(l)}finally{if(t)throw t.error}}},i.prototype.preloadImages=function(e,t){var r=this;if("drawImage"!==e.property||"string"!=typeof e.args[0]||this.imageMap.has(t))this.hasImageArg(e.args)&&this.getImageArgs(e.args).forEach((function(e){var t=new Image;t.src=e,r.imageMap.set(e,t)}));else{var n=document.createElement("canvas"),o=n.getContext("2d"),a=null==o?void 0:o.createImageData(n.width,n.height);null==a||a.data,JSON.parse(e.args[0]),null==o||o.putImageData(a,0,0)}},i.prototype.applyIncremental=function(t,n){var o,a,i=this,s=t.data;switch(s.source){case e.IncrementalSource.Mutation:n&&(s.adds.forEach((function(e){return i.treeIndex.add(e)})),s.texts.forEach((function(e){var t=i.mirror.getNode(e.id),r=null==t?void 0:t.parentNode;r&&i.virtualStyleRulesMap.has(r)&&i.virtualStyleRulesMap.delete(r),i.treeIndex.text(e)})),s.attributes.forEach((function(e){return i.treeIndex.attribute(e)})),s.removes.forEach((function(e){return i.treeIndex.remove(e,i.mirror)})));try{this.applyMutation(s,n)}catch(e){this.warn("Exception in mutation ".concat(e.message||e),s)}break;case e.IncrementalSource.Drag:case e.IncrementalSource.TouchMove:case e.IncrementalSource.MouseMove:if(n){var l=s.positions[s.positions.length-1];this.mousePos={x:l.x,y:l.y,id:l.id,debugData:s}}else s.positions.forEach((function(e){var r={doAction:function(){i.moveAndHover(e.x,e.y,e.id,n,s)},delay:e.timeOffset+t.timestamp-i.service.state.context.baselineTime};i.timer.addAction(r)})),this.timer.addAction({doAction:function(){},delay:t.delay-(null===(o=s.positions[0])||void 0===o?void 0:o.timeOffset)});break;case e.IncrementalSource.MouseInteraction:if(-1===s.id)break;var c=new Event(e.MouseInteractions[s.type].toLowerCase());if(!(b=this.mirror.getNode(s.id)))return this.debugNodeNotFound(s,s.id);this.emitter.emit(e.ReplayerEvents.MouseInteraction,{type:s.type,target:b});var u=this.config.triggerFocus;switch(s.type){case e.MouseInteractions.Blur:"blur"in b&&b.blur();break;case e.MouseInteractions.Focus:u&&b.focus&&b.focus({preventScroll:!0});break;case e.MouseInteractions.Click:case e.MouseInteractions.TouchStart:case e.MouseInteractions.TouchEnd:n?(s.type===e.MouseInteractions.TouchStart?this.touchActive=!0:s.type===e.MouseInteractions.TouchEnd&&(this.touchActive=!1),this.mousePos={x:s.x,y:s.y,id:s.id,debugData:s}):(s.type===e.MouseInteractions.TouchStart&&(this.tailPositions.length=0),this.moveAndHover(s.x,s.y,s.id,n,s),s.type===e.MouseInteractions.Click?(this.mouse.classList.remove("active"),this.mouse.offsetWidth,this.mouse.classList.add("active")):s.type===e.MouseInteractions.TouchStart?(this.mouse.offsetWidth,this.mouse.classList.add("touch-active")):s.type===e.MouseInteractions.TouchEnd&&this.mouse.classList.remove("touch-active"));break;case e.MouseInteractions.TouchCancel:n?this.touchActive=!1:this.mouse.classList.remove("touch-active");break;default:b.dispatchEvent(c)}break;case e.IncrementalSource.Scroll:if(-1===s.id)break;if(n){this.treeIndex.scroll(s);break}this.applyScroll(s,!1);break;case e.IncrementalSource.ViewportResize:this.emitter.emit(e.ReplayerEvents.Resize,{width:s.width,height:s.height});break;case e.IncrementalSource.Input:if(-1===s.id)break;if(n){this.treeIndex.input(s);break}this.applyInput(s);break;case e.IncrementalSource.MediaInteraction:if(!(b=this.mirror.getNode(s.id)))return this.debugNodeNotFound(s,s.id);var d=b;try{s.currentTime&&(d.currentTime=s.currentTime),s.volume&&(d.volume=s.volume),s.muted&&(d.muted=s.muted),1===s.type&&d.pause(),0===s.type&&d.play()}catch(e){this.config.showWarning&&console.warn("Failed to replay media interactions: ".concat(e.message||e))}break;case e.IncrementalSource.StyleSheetRule:if(!(b=this.mirror.getNode(s.id)))return this.debugNodeNotFound(s,s.id);var f,p=b,h=b.parentNode,m=this.fragmentParentMap.has(h),v=m?null:p.sheet;v||(this.virtualStyleRulesMap.has(b)?f=this.virtualStyleRulesMap.get(b):(f=[],this.virtualStyleRulesMap.set(b,f))),s.adds&&s.adds.forEach((function(e){var t=e.rule,r=e.index;if(v)try{if(Array.isArray(r)){var n=St(r),o=n.positions,a=n.index;gt(v.cssRules,o).insertRule(t,a)}else{a=void 0===r?void 0:Math.min(r,v.cssRules.length);v.insertRule(t,a)}}catch(e){}else null==f||f.push({cssText:t,index:r,type:yt.Insert})})),s.removes&&s.removes.forEach((function(e){var t=e.index;if(m)null==f||f.push({index:t,type:yt.Remove});else try{if(Array.isArray(t)){var r=St(t),n=r.positions,o=r.index;gt(v.cssRules,n).deleteRule(o||0)}else null==v||v.deleteRule(t)}catch(e){}}));break;case e.IncrementalSource.StyleDeclaration:if(!(b=this.mirror.getNode(s.id)))return this.debugNodeNotFound(s,s.id);p=b;var y=b.parentNode,g=this.fragmentParentMap.has(y)?null:p.sheet,S=[];if(g||(this.virtualStyleRulesMap.has(b)?S=this.virtualStyleRulesMap.get(b):(S=[],this.virtualStyleRulesMap.set(b,S))),s.set)if(g)gt(g.rules,s.index).style.setProperty(s.set.property,s.set.value,s.set.priority);else S.push(r({type:yt.SetProperty,index:s.index},s.set));if(s.remove)if(g)gt(g.rules,s.index).style.removeProperty(s.remove.property);else S.push(r({type:yt.RemoveProperty,index:s.index},s.remove));break;case e.IncrementalSource.CanvasMutation:if(!this.config.UNSAFE_replayCanvas)return;var b;if(!(b=this.mirror.getNode(s.id)))return this.debugNodeNotFound(s,s.id);!function(e){var t=e.event,r=e.mutation,n=e.target,o=e.imageMap,a=e.errorHandler;try{var i="commands"in r?r.commands:[r];[P.WebGL,P.WebGL2].includes(r.type)?i.forEach((function(e){Tt({mutation:e,type:r.type,target:n,imageMap:o,errorHandler:a})})):i.forEach((function(e){!function(e){var t=e.event,r=e.mutation,n=e.target,o=e.imageMap,a=e.errorHandler;try{var i=n.getContext("2d");if(r.setter)return void(i[r.property]=r.args[0]);var s=i[r.property];if("drawImage"===r.property&&"string"==typeof r.args[0]){var l=o.get(t);r.args[0]=l,s.apply(i,r.args)}else s.apply(i,r.args)}catch(e){a(r,e)}}({event:t,mutation:e,target:n,imageMap:o,errorHandler:a})}))}catch(e){a(r,e)}}({event:t,mutation:s,target:b,imageMap:this.imageMap,errorHandler:this.warnCanvasMutationFailed.bind(this)});break;case e.IncrementalSource.Font:try{var w=new FontFace(s.family,s.buffer?new Uint8Array(JSON.parse(s.fontSource)):s.fontSource,s.descriptors);null===(a=this.iframe.contentDocument)||void 0===a||a.fonts.add(w)}catch(e){this.config.showWarning&&console.warn(e)}}},i.prototype.applyMutation=function(e,o){var a,i,s=this;e.removes.forEach((function(t){var r=s.mirror.getNode(t.id);if(!r){if(e.removes.find((function(e){return e.id===t.parentId})))return;return s.warnNodeNotFound(e,t.id)}s.virtualStyleRulesMap.has(r)&&s.virtualStyleRulesMap.delete(r);var n=s.mirror.getNode(t.parentId);if(!n)return s.warnNodeNotFound(e,t.parentId);if(t.isShadow&&de(n)&&(n=n.shadowRoot),s.mirror.removeNodeFromMap(r),n){var o=null,a="__sn"in n?s.fragmentParentMap.get(n):void 0;a&&a.contains(r)?n=a:s.fragmentParentMap.has(r)&&(o=s.fragmentParentMap.get(r),s.fragmentParentMap.delete(r),r=o);try{n.removeChild(r)}catch(t){if(!(t instanceof DOMException))throw t;s.warn("parent could not remove child in mutation",n,a,r,o,e)}}}));var l=r({},this.legacy_missingNodeRetryMap),c=[],u=function(e){var r,a,i,u;if(!s.iframe.contentDocument)return console.warn("Looks like your replayer has been destroyed.");var d=s.mirror.getNode(e.parentId);if(!d)return e.node.type===t.Document?s.newDocumentQueue.push(e):c.push(e);var f=null;s.iframe.contentDocument.contains?f=s.iframe.contentDocument.contains(d):s.iframe.contentDocument.body.contains&&(f=s.iframe.contentDocument.body.contains(d));var p=(null===(u=(i=d).getElementsByTagName)||void 0===u?void 0:u.call(i,"iframe").length)>0;if(o&&f&&!ce(d)&&!p){var h=document.createDocumentFragment();for(s.mirror.map[e.parentId]=h,s.fragmentParentMap.set(h,d),s.storeState(d);d.firstChild;)h.appendChild(d.firstChild);d=h}e.node.isShadow&&(de(d)||d.attachShadow({mode:"open"}),d=d.shadowRoot);var m=null,v=null;if(e.previousId&&(m=s.mirror.getNode(e.previousId)),e.nextId&&(v=s.mirror.getNode(e.nextId)),function(e){var t=null;return e.nextId&&(t=s.mirror.getNode(e.nextId)),null!==e.nextId&&void 0!==e.nextId&&-1!==e.nextId&&!t}(e))return c.push(e);if(!e.node.rootId||s.mirror.getNode(e.node.rootId)){var y=e.node.rootId?s.mirror.getNode(e.node.rootId):s.iframe.contentDocument;if(ce(d))s.attachDocumentToIframe(e,d);else{var g=G(e.node,{doc:y,map:s.mirror.map,skipChild:!0,hackCss:!0,cache:s.cache});if(-1!==e.previousId&&-1!==e.nextId){if("__sn"in d&&d.__sn.type===t.Element&&"textarea"===d.__sn.tagName&&e.node.type===t.Text)try{for(var S=n(Array.from(d.childNodes)),b=S.next();!b.done;b=S.next()){var w=b.value;w.nodeType===d.TEXT_NODE&&d.removeChild(w)}}catch(e){r={error:e}}finally{try{b&&!b.done&&(a=S.return)&&a.call(S)}finally{if(r)throw r.error}}if(m&&m.nextSibling&&m.nextSibling.parentNode)d.insertBefore(g,m.nextSibling);else if(v&&v.parentNode)d.contains(v)?d.insertBefore(g,v):d.insertBefore(g,null);else{if(d===y)for(;y.firstChild;)y.removeChild(y.firstChild);d.appendChild(g)}if(ce(g)){var x=s.newDocumentQueue.find((function(e){return e.parentId===g.__sn.id}));x&&(s.attachDocumentToIframe(x,g),s.newDocumentQueue=s.newDocumentQueue.filter((function(e){return e!==x})))}(e.previousId||e.nextId)&&s.legacy_resolveMissingNode(l,d,g,e)}else l[e.node.id]={node:g,mutation:e}}}};e.adds.forEach((function(e){u(e)}));for(var d=Date.now();c.length;){var f=se(c);if(c.length=0,Date.now()-d>500){this.warn("Timeout in the loop, please check the resolve tree data:",f);break}try{for(var p=(a=void 0,n(f)),h=p.next();!h.done;h=p.next()){var m=h.value;this.mirror.getNode(m.value.parentId)?le(m,(function(e){u(e)})):this.debug("Drop resolve tree since there is no parent for the root node.",m)}}catch(e){a={error:e}}finally{try{h&&!h.done&&(i=p.return)&&i.call(p)}finally{if(a)throw a.error}}}Object.keys(l).length&&Object.assign(this.legacy_missingNodeRetryMap,l),e.texts.forEach((function(t){var r=s.mirror.getNode(t.id);if(!r){if(e.removes.find((function(e){return e.id===t.id})))return;return s.warnNodeNotFound(e,t.id)}s.fragmentParentMap.has(r)&&(r=s.fragmentParentMap.get(r)),r.textContent=t.value})),e.attributes.forEach((function(t){var r=s.mirror.getNode(t.id);if(!r){if(e.removes.find((function(e){return e.id===t.id})))return;return s.warnNodeNotFound(e,t.id)}for(var n in s.fragmentParentMap.has(r)&&(r=s.fragmentParentMap.get(r)),t.attributes)if("string"==typeof n){var o=t.attributes[n];if(null===o)r.removeAttribute(n);else if("string"==typeof o)try{r.setAttribute(n,o)}catch(e){s.config.showWarning&&console.warn("An error occurred may due to the checkout feature.",e)}else if("style"===n){var a=o,i=r;for(var l in a)if(!1===a[l])i.style.removeProperty(l);else if(a[l]instanceof Array){var c=a[l];i.style.setProperty(l,c[0],c[1])}else{var u=a[l];i.style.setProperty(l,u)}}}}))},i.prototype.applyScroll=function(e,r){var n=this.mirror.getNode(e.id);if(!n)return this.debugNodeNotFound(e,e.id);if(n===this.iframe.contentDocument)this.iframe.contentWindow.scrollTo({top:e.y,left:e.x,behavior:r?"auto":"smooth"});else if(n.__sn.type===t.Document)n.defaultView.scrollTo({top:e.y,left:e.x,behavior:r?"auto":"smooth"});else try{n.scrollTop=e.y,n.scrollLeft=e.x}catch(e){}},i.prototype.applyInput=function(e){var t=this.mirror.getNode(e.id);if(!t)return this.debugNodeNotFound(e,e.id);try{t.checked=e.isChecked,t.value=e.text}catch(e){}},i.prototype.applyText=function(e,t){var r=this.mirror.getNode(e.id);if(!r)return this.debugNodeNotFound(t,e.id);try{r.textContent=e.value}catch(e){}},i.prototype.legacy_resolveMissingNode=function(e,t,r,n){var o=n.previousId,a=n.nextId,i=o&&e[o],s=a&&e[a];if(i){var l=i,c=l.node,u=l.mutation;t.insertBefore(c,r),delete e[u.node.id],delete this.legacy_missingNodeRetryMap[u.node.id],(u.previousId||u.nextId)&&this.legacy_resolveMissingNode(e,t,c,u)}if(s){var d=s;c=d.node,u=d.mutation;t.insertBefore(c,r.nextSibling),delete e[u.node.id],delete this.legacy_missingNodeRetryMap[u.node.id],(u.previousId||u.nextId)&&this.legacy_resolveMissingNode(e,t,c,u)}},i.prototype.moveAndHover=function(e,t,r,n,o){var a=this.mirror.getNode(r);if(!a)return this.debugNodeNotFound(o,r);var i=ue(a,this.iframe),s=e*i.absoluteScale+i.x,l=t*i.absoluteScale+i.y;this.mouse.style.left="".concat(s,"px"),this.mouse.style.top="".concat(l,"px"),n||this.drawMouseTail({x:s,y:l}),this.hoverElements(a)},i.prototype.drawMouseTail=function(e){var t=this;if(this.mouseTail){var r=!0===this.config.mouseTail?Mt:Object.assign({},Mt,this.config.mouseTail),n=r.lineCap,o=r.lineWidth,a=r.strokeStyle,i=r.duration,s=function(){if(t.mouseTail){var e=t.mouseTail.getContext("2d");e&&t.tailPositions.length&&(e.clearRect(0,0,t.mouseTail.width,t.mouseTail.height),e.beginPath(),e.lineWidth=o,e.lineCap=n,e.strokeStyle=a,e.moveTo(t.tailPositions[0].x,t.tailPositions[0].y),t.tailPositions.forEach((function(t){return e.lineTo(t.x,t.y)})),e.stroke())}};this.tailPositions.push(e),s(),setTimeout((function(){t.tailPositions=t.tailPositions.filter((function(t){return t!==e})),s()}),i/this.speedService.state.context.timer.speed)}},i.prototype.hoverElements=function(e){var t;null===(t=this.iframe.contentDocument)||void 0===t||t.querySelectorAll(".\\:hover").forEach((function(e){e.classList.remove(":hover")}));for(var r=e;r;)r.classList&&r.classList.add(":hover"),r=r.parentElement},i.prototype.isUserInteraction=function(t){return t.type===e.EventType.IncrementalSnapshot&&(t.data.source>e.IncrementalSource.Mutation&&t.data.source<=e.IncrementalSource.Input)},i.prototype.backToNormal=function(){this.nextUserInteractionEvent=null,this.speedService.state.matches("normal")||(this.speedService.send({type:"BACK_TO_NORMAL"}),this.emitter.emit(e.ReplayerEvents.SkipEnd,{speed:this.speedService.state.context.normalSpeed}))},i.prototype.restoreRealParent=function(e,r){this.mirror.map[r.__sn.id]=r,r.__sn.type===t.Element&&"textarea"===r.__sn.tagName&&e.textContent&&(r.value=e.textContent),r.appendChild(e),this.restoreState(r)},i.prototype.storeState=function(e){var t,r;if(e&&e.nodeType===e.ELEMENT_NODE){var o=e;(o.scrollLeft||o.scrollTop)&&this.elementStateMap.set(e,{scroll:[o.scrollLeft,o.scrollTop]}),"STYLE"===o.tagName&&function(e,t){var r;try{var n=Array.from((null===(r=e.sheet)||void 0===r?void 0:r.cssRules)||[]).map((function(e){return e.cssText}));t.set(e,[{type:yt.Snapshot,cssTexts:n}])}catch(e){}}(o,this.virtualStyleRulesMap);var a=o.children;try{for(var i=n(Array.from(a)),s=i.next();!s.done;s=i.next()){var l=s.value;this.storeState(l)}}catch(e){t={error:e}}finally{try{s&&!s.done&&(r=i.return)&&r.call(i)}finally{if(t)throw t.error}}}},i.prototype.restoreState=function(e){var t,r;if(e.nodeType===e.ELEMENT_NODE){var o=e;if(this.elementStateMap.has(e)){var a=this.elementStateMap.get(e);a.scroll&&(o.scrollLeft=a.scroll[0],o.scrollTop=a.scroll[1]),this.elementStateMap.delete(e)}var i=o.children;try{for(var s=n(Array.from(i)),l=s.next();!l.done;l=s.next()){var c=l.value;this.restoreState(c)}}catch(e){t={error:e}}finally{try{l&&!l.done&&(r=s.return)&&r.call(s)}finally{if(t)throw t.error}}}},i.prototype.restoreNodeSheet=function(e){var t=this.virtualStyleRulesMap.get(e);"STYLE"===e.nodeName&&(t&&bt(t,e))},i.prototype.warnNodeNotFound=function(e,t){this.treeIndex.idRemoved(t)?this.warn("Node with id '".concat(t,"' was previously removed. "),e):this.warn("Node with id '".concat(t,"' not found. "),e)},i.prototype.warnCanvasMutationFailed=function(e,t){this.warn("Has error on canvas update",t,"canvas mutation:",e)},i.prototype.debugNodeNotFound=function(e,t){this.treeIndex.idRemoved(t)?this.debug(Ct,"Node with id '".concat(t,"' was previously removed. "),e):this.debug(Ct,"Node with id '".concat(t,"' not found. "),e)},i.prototype.warn=function(){for(var e=[],t=0;t>>1|(21845&Xt)<<1;qt=(61680&(qt=(52428&qt)>>>2|(13107&qt)<<2))>>>4|(3855&qt)<<4,Yt[Xt]=((65280&qt)>>>8|(255&qt)<<8)>>>1}var Qt=function(e,t,r){for(var n=e.length,o=0,a=new At(t);o>>l]=c}else for(i=new At(n),o=0;o>>15-e[o];return i},$t=new Lt(288);for(Xt=0;Xt<144;++Xt)$t[Xt]=8;for(Xt=144;Xt<256;++Xt)$t[Xt]=9;for(Xt=256;Xt<280;++Xt)$t[Xt]=7;for(Xt=280;Xt<288;++Xt)$t[Xt]=8;var Jt=new Lt(32);for(Xt=0;Xt<32;++Xt)Jt[Xt]=5;var Kt=Qt($t,9,0),Zt=Qt($t,9,1),er=Qt(Jt,5,0),tr=Qt(Jt,5,1),rr=function(e){for(var t=e[0],r=1;rt&&(t=e[r]);return t},nr=function(e,t,r){var n=t/8>>0;return(e[n]|e[n+1]<<8)>>>(7&t)&r},or=function(e,t){var r=t/8>>0;return(e[r]|e[r+1]<<8|e[r+2]<<16)>>>(7&t)},ar=function(e){return(e/8>>0)+(7&e&&1)},ir=function(e,t,r){(null==t||t<0)&&(t=0),(null==r||r>e.length)&&(r=e.length);var n=new(e instanceof At?At:e instanceof Dt?Dt:Lt)(r-t);return n.set(e.subarray(t,r)),n},sr=function(e,t,r){r<<=7&t;var n=t/8>>0;e[n]|=r,e[n+1]|=r>>>8},lr=function(e,t,r){r<<=7&t;var n=t/8>>0;e[n]|=r,e[n+1]|=r>>>8,e[n+2]|=r>>>16},cr=function(e,t){for(var r=[],n=0;nf&&(f=a[n].s);var p=new At(f+1),h=ur(r[u-1],p,0);if(h>t){n=0;var m=0,v=h-t,y=1<t))break;m+=y-(1<>>=v;m>0;){var S=a[n].s;p[S]=0&&m;--n){var b=a[n].s;p[b]==t&&(--p[b],++m)}h=t}return[new Lt(p),h]},ur=function(e,t,r){return-1==e.s?Math.max(ur(e.l,t,r+1),ur(e.r,t,r+1)):t[e.s]=r},dr=function(e){for(var t=e.length;t&&!e[--t];);for(var r=new At(++t),n=0,o=e[0],a=1,i=function(e){r[n++]=e},s=1;s<=t;++s)if(e[s]==o&&s!=t)++a;else{if(!o&&a>2){for(;a>138;a-=138)i(32754);a>2&&(i(a>10?a-11<<5|28690:a-3<<5|12305),a=0)}else if(a>3){for(i(o),--a;a>6;a-=6)i(8304);a>2&&(i(a-3<<5|8208),a=0)}for(;a--;)i(o);a=1,o=e[s]}return[r.subarray(0,n),t]},fr=function(e,t){for(var r=0,n=0;n>>8,e[o+2]=255^e[o],e[o+3]=255^e[o+1];for(var a=0;a4&&!k[Wt[M-1]];--M);var N,R,_,O,L=c+5<<3,A=fr(o,$t)+fr(a,Jt)+i,D=fr(o,f)+fr(a,m)+i+14+3*M+fr(I,k)+(2*I[16]+3*I[17]+7*I[18]);if(L<=A&&L<=D)return pr(t,u,e.subarray(l,l+c));if(sr(t,u,1+(D15&&(sr(t,u,j[E]>>>5&127),u+=j[E]>>>12)}}}else N=Kt,R=$t,_=er,O=Jt;for(E=0;E255){U=n[E]>>>18&31;lr(t,u,N[U+257]),u+=R[U+257],U>7&&(sr(t,u,n[E]>>>23&31),u+=Ft[U]);var z=31&n[E];lr(t,u,_[z]),u+=O[z],z>3&&(lr(t,u,n[E]>>>5&8191),u+=Pt[z])}else lr(t,u,N[n[E]]),u+=R[n[E]];return lr(t,u,N[256]),u+R[256]},mr=new Dt([65540,131080,131088,131104,262176,1048704,1048832,2114560,2117632]),vr=new Lt(0),yr=function(e,t,r,n,o){return function(e,t,r,n,o,a){var i=e.length,s=new Lt(n+i+5*(1+Math.floor(i/7e3))+o),l=s.subarray(n,s.length-o),c=0;if(!t||i<8)for(var u=0;u<=i;u+=65535){var d=u+65535;d>>13,h=8191&f,m=(1<7e3||k>24576)&&O>423){c=hr(e,l,0,w,x,I,T,k,M,u-M,c),k=E=T=0,M=u;for(var L=0;L<286;++L)x[L]=0;for(L=0;L<30;++L)I[L]=0}var A=2,D=0,F=h,P=R-_&32767;if(O>2&&N==b(u-P))for(var W=Math.min(p,O)-1,j=Math.min(32767,u),U=Math.min(258,O);P<=j&&--F&&R!=_;){if(e[u+A]==e[u+A-P]){for(var z=0;zA){if(A=z,D=P,z>W)break;var B=Math.min(P,z-2),H=0;for(L=0;LH&&(H=G,_=V)}}}P+=(R=_)-(_=v[R])+32768&32767}if(D){w[k++]=268435456|Bt[A]<<18|Gt[D];var Y=31&Bt[A],X=31&Gt[D];T+=Ft[Y]+Pt[X],++x[257+Y],++I[X],C=u+A,++E}else w[k++]=e[u],++x[e[u]]}}c=hr(e,l,a,w,x,I,T,k,M,u-M,c),a||(c=pr(l,c,vr))}return ir(s,0,n+ar(c)+o)}(e,null==t.level?6:t.level,null==t.mem?Math.ceil(1.5*Math.max(8,Math.min(13,Math.log(e.length)))):12+t.mem,r,n,!o)};function gr(e,t){void 0===t&&(t={});var r=function(){var e=1,t=0;return{p:function(r){for(var n=e,o=t,a=r.length,i=0;i!=a;){for(var s=Math.min(i+5552,a);i>>8<<16|(255&t)<<8|t>>>8)+2*((255&e)<<23)}}}();r.p(e);var n=yr(e,t,2,4);return function(e,t){var r=t.level,n=0==r?0:r<6?1:9==r?3:2;e[0]=120,e[1]=n<<6|(n?32-2*n:1)}(n,t),function(e,t,r){for(;r;++t)e[t]=r,r>>>=8}(n,n.length-4,r.d()),n}function Sr(e,t){return function(e,t,r){var n=e.length,o=!t||r,a=!r||r.i;r||(r={}),t||(t=new Lt(3*n));var i=function(e){var r=t.length;if(e>r){var n=new Lt(Math.max(2*r,e));n.set(t),t=n}},s=r.f||0,l=r.p||0,c=r.b||0,u=r.l,d=r.d,f=r.m,p=r.n,h=8*n;do{if(!u){r.f=s=nr(e,l,1);var m=nr(e,l+1,3);if(l+=3,!m){var v=e[(C=ar(l)+4)-4]|e[C-3]<<8,y=C+v;if(y>n){if(a)throw"unexpected EOF";break}o&&i(c+v),t.set(e.subarray(C,y),c),r.b=c+=v,r.p=l=8*y;continue}if(1==m)u=Zt,d=tr,f=9,p=5;else{if(2!=m)throw"invalid block type";var g=nr(e,l,31)+257,S=nr(e,l+10,15)+4,b=g+nr(e,l+5,31)+1;l+=14;for(var w=new Lt(b),x=new Lt(19),I=0;Ih)break;var k=Qt(x,E,1);for(I=0;I>>4)<16)w[I++]=C;else{var N=0,R=0;for(16==C?(R=3+nr(e,l,3),l+=2,N=w[I-1]):17==C?(R=3+nr(e,l,7),l+=3):18==C&&(R=11+nr(e,l,127),l+=7);R--;)w[I++]=N}}var _=w.subarray(0,g),O=w.subarray(g);f=rr(_),p=rr(O),u=Qt(_,f,1),d=Qt(O,p,1)}if(l>h)throw"unexpected EOF"}o&&i(c+131072);for(var L=(1<>>4;if((l+=15&N)>h)throw"unexpected EOF";if(!N)throw"invalid length/literal";if(F<256)t[c++]=F;else{if(256==F){u=null;break}var P=F-254;if(F>264){var W=Ft[I=F-257];P=nr(e,l,(1<>>4;if(!j)throw"invalid distance";if(l+=15&j,O=Vt[U],U>3&&(W=Pt[U],O+=or(e,l)&(1<h)throw"unexpected EOF";o&&i(c+131072);for(var z=c+P;c>>4>7||(e[0]<<8|e[1])%31)throw"invalid zlib data";if(32&e[1])throw"invalid zlib data: preset dictionaries not supported"}(e),e.subarray(2,-4)),t)}function br(e,t){var r=e.length;if(!t&&"undefined"!=typeof TextEncoder)return(new TextEncoder).encode(e);for(var n=new Lt(e.length+(e.length>>>1)),o=0,a=function(e){n[o++]=e},i=0;in.length){var s=new Lt(o+8+(r-i<<1));s.set(n),n=s}var l=e.charCodeAt(i);l<128||t?a(l):l<2048?(a(192|l>>>6),a(128|63&l)):l>55295&&l<57344?(a(240|(l=65536+(1047552&l)|1023&e.charCodeAt(++i))>>>18),a(128|l>>>12&63),a(128|l>>>6&63),a(128|63&l)):(a(224|l>>>12),a(128|l>>>6&63),a(128|63&l))}return ir(n,0,o)}function wr(e,t){var r="";if(!t&&"undefined"!=typeof TextDecoder)return(new TextDecoder).decode(e);for(var n=0;n>10,56320|1023&o))}return r}var xr="v1",Ir=function(){function e(e){this.fileName=e.fileName||"",this.functionName=e.functionName||"",this.lineNumber=e.lineNumber,this.columnNumber=e.columnNumber}return e.prototype.toString=function(){var e=this.lineNumber||"",t=this.columnNumber||"";return this.functionName?this.functionName+" ("+this.fileName+":"+e+":"+t+")":this.fileName+":"+e+":"+t},e}(),Er=/(^|@)\S+:\d+/,Tr=/^\s*at .*(\S+:\d+|\(native\))/m,kr=/^(eval@)?(\[native code])?$/,Cr={parse:function(e){if(!e)return[];if(void 0!==e.stacktrace||void 0!==e["opera#sourceloc"])return this.parseOpera(e);if(e.stack&&e.stack.match(Tr))return this.parseV8OrIE(e);if(e.stack)return this.parseFFOrSafari(e);throw new Error("Cannot parse given Error object")},extractLocation:function(e){if(-1===e.indexOf(":"))return[e];var t=/(.+?)(?::(\d+))?(?::(\d+))?$/.exec(e.replace(/[()]/g,""));if(!t)throw new Error("Cannot parse given url: ".concat(e));return[t[1],t[2]||void 0,t[3]||void 0]},parseV8OrIE:function(e){return e.stack.split("\n").filter((function(e){return!!e.match(Tr)}),this).map((function(e){e.indexOf("(eval ")>-1&&(e=e.replace(/eval code/g,"eval").replace(/(\(eval at [^()]*)|(\),.*$)/g,""));var t=e.replace(/^\s+/,"").replace(/\(eval code/g,"("),r=t.match(/ (\((.+):(\d+):(\d+)\)$)/),n=(t=r?t.replace(r[0],""):t).split(/\s+/).slice(1),o=this.extractLocation(r?r[1]:n.pop()),a=n.join(" ")||void 0,i=["eval",""].indexOf(o[0])>-1?void 0:o[0];return new Ir({functionName:a,fileName:i,lineNumber:o[1],columnNumber:o[2]})}),this)},parseFFOrSafari:function(e){return e.stack.split("\n").filter((function(e){return!e.match(kr)}),this).map((function(e){if(e.indexOf(" > eval")>-1&&(e=e.replace(/ line (\d+)(?: > eval line \d+)* > eval:\d+:\d+/g,":$1")),-1===e.indexOf("@")&&-1===e.indexOf(":"))return new Ir({functionName:e});var t=/((.*".+"[^@]*)?[^@]*)(?:@)/,r=e.match(t),n=r&&r[1]?r[1]:void 0,o=this.extractLocation(e.replace(t,""));return new Ir({functionName:n,fileName:o[0],lineNumber:o[1],columnNumber:o[2]})}),this)},parseOpera:function(e){return!e.stacktrace||e.message.indexOf("\n")>-1&&e.message.split("\n").length>e.stacktrace.split("\n").length?this.parseOpera9(e):e.stack?this.parseOpera11(e):this.parseOpera10(e)},parseOpera9:function(e){for(var t=/Line (\d+).*script (?:in )?(\S+)/i,r=e.message.split("\n"),n=[],o=2,a=r.length;o/,"$2").replace(/\([^)]*\)/g,"")||void 0;return new Ir({functionName:n,fileName:r[0],lineNumber:r[1],columnNumber:r[2]})}),this)}};function Mr(e){if(!e||!e.outerHTML)return"";for(var t="";e.parentElement;){var r=e.localName;if(!r)break;r=r.toLowerCase();var n=e.parentElement,o=[];if(n.children&&n.children.length>0)for(var a=0;a1&&(r+=":eq("+o.indexOf(e)+")"),t=r+(t?">"+t:""),e=n}return t}function Nr(e){return"[object Object]"===Object.prototype.toString.call(e)}function Rr(e,t){var r,o;if(0===t)return!0;var a=Object.keys(e);try{for(var i=n(a),s=i.next();!s.done;s=i.next()){var l=s.value;if(Nr(e[l])&&Rr(e[l],t-1))return!0}}catch(e){r={error:e}}finally{try{s&&!s.done&&(o=i.return)&&o.call(i)}finally{if(r)throw r.error}}return!1}function _r(e,t){var r={numOfKeysLimit:50,depthOfLimit:4};Object.assign(r,t);var n=[],o=[];return JSON.stringify(e,(function(e,t){if(n.length>0){var a=n.indexOf(this);~a?n.splice(a+1):n.push(this),~a?o.splice(a,1/0,e):o.push(e),~n.indexOf(t)&&(t=n[0]===t?"[Circular ~]":"[Circular ~."+o.slice(0,n.indexOf(t)).join(".")+"]")}else n.push(t);if(null==t)return t;if(function(e){if(Nr(e)&&Object.keys(e).length>r.numOfKeysLimit)return!0;if("function"==typeof e)return!0;if(Nr(e)&&Rr(e,r.depthOfLimit))return!0;return!1}(t))return function(e){var t=e.toString();r.stringLengthLimit&&t.length>r.stringLengthLimit&&(t="".concat(t.slice(0,r.stringLengthLimit),"..."));return t}(t);if(t instanceof Event){var i={};for(var s in t){var l=t[s];Array.isArray(l)?i[s]=Mr(l.length?l[0]:null):i[s]=l}return i}return t instanceof Node?t instanceof HTMLElement?t?t.outerHTML:"":t.nodeName:t instanceof Error?t.stack?t.stack+"\nEnd of stack for Error object":t.name+": "+t.message:t}))}var Or={level:["assert","clear","count","countReset","debug","dir","dirxml","error","group","groupCollapsed","groupEnd","info","log","table","time","timeEnd","timeLog","trace","warn"],lengthThreshold:1e3,logger:"console"};function Lr(e,t,r){var i,s,l,c=r.logger;if(!c)return function(){};l="string"==typeof c?t[c]:c;var u=0,d=[];if(r.level.includes("error")&&window){var f=function(t){var n=t.message,o=t.error,a=Cr.parse(o).map((function(e){return e.toString()})),i=[_r(n,r.stringifyOptions)];e({level:"error",trace:a,payload:i})};window.addEventListener("error",f),d.push((function(){window&&window.removeEventListener("error",f)}))}try{for(var p=n(r.level),h=p.next();!h.done;h=p.next()){var m=h.value;d.push(v(l,m))}}catch(e){i={error:e}}finally{try{h&&!h.done&&(s=p.return)&&s.call(p)}finally{if(i)throw i.error}}return function(){d.forEach((function(e){return e()}))};function v(t,n){var i=this;return t[n]?K(t,n,(function(t){return function(){for(var s=[],l=0;l= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r;\r\n return c > 3 && r && Object.defineProperty(target, key, r), r;\r\n}\r\n\r\nexport function __param(paramIndex, decorator) {\r\n return function (target, key) { decorator(target, key, paramIndex); }\r\n}\r\n\r\nexport function __metadata(metadataKey, metadataValue) {\r\n if (typeof Reflect === \"object\" && typeof Reflect.metadata === \"function\") return Reflect.metadata(metadataKey, metadataValue);\r\n}\r\n\r\nexport function __awaiter(thisArg, _arguments, P, generator) {\r\n function adopt(value) { return value instanceof P ? value : new P(function (resolve) { resolve(value); }); }\r\n return new (P || (P = Promise))(function (resolve, reject) {\r\n function fulfilled(value) { try { step(generator.next(value)); } catch (e) { reject(e); } }\r\n function rejected(value) { try { step(generator[\"throw\"](value)); } catch (e) { reject(e); } }\r\n function step(result) { result.done ? resolve(result.value) : adopt(result.value).then(fulfilled, rejected); }\r\n step((generator = generator.apply(thisArg, _arguments || [])).next());\r\n });\r\n}\r\n\r\nexport function __generator(thisArg, body) {\r\n var _ = { label: 0, sent: function() { if (t[0] & 1) throw t[1]; return t[1]; }, trys: [], ops: [] }, f, y, t, g;\r\n return g = { next: verb(0), \"throw\": verb(1), \"return\": verb(2) }, typeof Symbol === \"function\" && (g[Symbol.iterator] = function() { return this; }), g;\r\n function verb(n) { return function (v) { return step([n, v]); }; }\r\n function step(op) {\r\n if (f) throw new TypeError(\"Generator is already executing.\");\r\n while (_) try {\r\n if (f = 1, y && (t = op[0] & 2 ? y[\"return\"] : op[0] ? y[\"throw\"] || ((t = y[\"return\"]) && t.call(y), 0) : y.next) && !(t = t.call(y, op[1])).done) return t;\r\n if (y = 0, t) op = [op[0] & 2, t.value];\r\n switch (op[0]) {\r\n case 0: case 1: t = op; break;\r\n case 4: _.label++; return { value: op[1], done: false };\r\n case 5: _.label++; y = op[1]; op = [0]; continue;\r\n case 7: op = _.ops.pop(); _.trys.pop(); continue;\r\n default:\r\n if (!(t = _.trys, t = t.length > 0 && t[t.length - 1]) && (op[0] === 6 || op[0] === 2)) { _ = 0; continue; }\r\n if (op[0] === 3 && (!t || (op[1] > t[0] && op[1] < t[3]))) { _.label = op[1]; break; }\r\n if (op[0] === 6 && _.label < t[1]) { _.label = t[1]; t = op; break; }\r\n if (t && _.label < t[2]) { _.label = t[2]; _.ops.push(op); break; }\r\n if (t[2]) _.ops.pop();\r\n _.trys.pop(); continue;\r\n }\r\n op = body.call(thisArg, _);\r\n } catch (e) { op = [6, e]; y = 0; } finally { f = t = 0; }\r\n if (op[0] & 5) throw op[1]; return { value: op[0] ? op[1] : void 0, done: true };\r\n }\r\n}\r\n\r\nexport var __createBinding = Object.create ? (function(o, m, k, k2) {\r\n if (k2 === undefined) k2 = k;\r\n Object.defineProperty(o, k2, { enumerable: true, get: function() { return m[k]; } });\r\n}) : (function(o, m, k, k2) {\r\n if (k2 === undefined) k2 = k;\r\n o[k2] = m[k];\r\n});\r\n\r\nexport function __exportStar(m, o) {\r\n for (var p in m) if (p !== \"default\" && !Object.prototype.hasOwnProperty.call(o, p)) __createBinding(o, m, p);\r\n}\r\n\r\nexport function __values(o) {\r\n var s = typeof Symbol === \"function\" && Symbol.iterator, m = s && o[s], i = 0;\r\n if (m) return m.call(o);\r\n if (o && typeof o.length === \"number\") return {\r\n next: function () {\r\n if (o && i >= o.length) o = void 0;\r\n return { value: o && o[i++], done: !o };\r\n }\r\n };\r\n throw new TypeError(s ? \"Object is not iterable.\" : \"Symbol.iterator is not defined.\");\r\n}\r\n\r\nexport function __read(o, n) {\r\n var m = typeof Symbol === \"function\" && o[Symbol.iterator];\r\n if (!m) return o;\r\n var i = m.call(o), r, ar = [], e;\r\n try {\r\n while ((n === void 0 || n-- > 0) && !(r = i.next()).done) ar.push(r.value);\r\n }\r\n catch (error) { e = { error: error }; }\r\n finally {\r\n try {\r\n if (r && !r.done && (m = i[\"return\"])) m.call(i);\r\n }\r\n finally { if (e) throw e.error; }\r\n }\r\n return ar;\r\n}\r\n\r\n/** @deprecated */\r\nexport function __spread() {\r\n for (var ar = [], i = 0; i < arguments.length; i++)\r\n ar = ar.concat(__read(arguments[i]));\r\n return ar;\r\n}\r\n\r\n/** @deprecated */\r\nexport function __spreadArrays() {\r\n for (var s = 0, i = 0, il = arguments.length; i < il; i++) s += arguments[i].length;\r\n for (var r = Array(s), k = 0, i = 0; i < il; i++)\r\n for (var a = arguments[i], j = 0, jl = a.length; j < jl; j++, k++)\r\n r[k] = a[j];\r\n return r;\r\n}\r\n\r\nexport function __spreadArray(to, from, pack) {\r\n if (pack || arguments.length === 2) for (var i = 0, l = from.length, ar; i < l; i++) {\r\n if (ar || !(i in from)) {\r\n if (!ar) ar = Array.prototype.slice.call(from, 0, i);\r\n ar[i] = from[i];\r\n }\r\n }\r\n return to.concat(ar || Array.prototype.slice.call(from));\r\n}\r\n\r\nexport function __await(v) {\r\n return this instanceof __await ? (this.v = v, this) : new __await(v);\r\n}\r\n\r\nexport function __asyncGenerator(thisArg, _arguments, generator) {\r\n if (!Symbol.asyncIterator) throw new TypeError(\"Symbol.asyncIterator is not defined.\");\r\n var g = generator.apply(thisArg, _arguments || []), i, q = [];\r\n return i = {}, verb(\"next\"), verb(\"throw\"), verb(\"return\"), i[Symbol.asyncIterator] = function () { return this; }, i;\r\n function verb(n) { if (g[n]) i[n] = function (v) { return new Promise(function (a, b) { q.push([n, v, a, b]) > 1 || resume(n, v); }); }; }\r\n function resume(n, v) { try { step(g[n](v)); } catch (e) { settle(q[0][3], e); } }\r\n function step(r) { r.value instanceof __await ? Promise.resolve(r.value.v).then(fulfill, reject) : settle(q[0][2], r); }\r\n function fulfill(value) { resume(\"next\", value); }\r\n function reject(value) { resume(\"throw\", value); }\r\n function settle(f, v) { if (f(v), q.shift(), q.length) resume(q[0][0], q[0][1]); }\r\n}\r\n\r\nexport function __asyncDelegator(o) {\r\n var i, p;\r\n return i = {}, verb(\"next\"), verb(\"throw\", function (e) { throw e; }), verb(\"return\"), i[Symbol.iterator] = function () { return this; }, i;\r\n function verb(n, f) { i[n] = o[n] ? function (v) { return (p = !p) ? { value: __await(o[n](v)), done: n === \"return\" } : f ? f(v) : v; } : f; }\r\n}\r\n\r\nexport function __asyncValues(o) {\r\n if (!Symbol.asyncIterator) throw new TypeError(\"Symbol.asyncIterator is not defined.\");\r\n var m = o[Symbol.asyncIterator], i;\r\n return m ? m.call(o) : (o = typeof __values === \"function\" ? __values(o) : o[Symbol.iterator](), i = {}, verb(\"next\"), verb(\"throw\"), verb(\"return\"), i[Symbol.asyncIterator] = function () { return this; }, i);\r\n function verb(n) { i[n] = o[n] && function (v) { return new Promise(function (resolve, reject) { v = o[n](v), settle(resolve, reject, v.done, v.value); }); }; }\r\n function settle(resolve, reject, d, v) { Promise.resolve(v).then(function(v) { resolve({ value: v, done: d }); }, reject); }\r\n}\r\n\r\nexport function __makeTemplateObject(cooked, raw) {\r\n if (Object.defineProperty) { Object.defineProperty(cooked, \"raw\", { value: raw }); } else { cooked.raw = raw; }\r\n return cooked;\r\n};\r\n\r\nvar __setModuleDefault = Object.create ? (function(o, v) {\r\n Object.defineProperty(o, \"default\", { enumerable: true, value: v });\r\n}) : function(o, v) {\r\n o[\"default\"] = v;\r\n};\r\n\r\nexport function __importStar(mod) {\r\n if (mod && mod.__esModule) return mod;\r\n var result = {};\r\n if (mod != null) for (var k in mod) if (k !== \"default\" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding(result, mod, k);\r\n __setModuleDefault(result, mod);\r\n return result;\r\n}\r\n\r\nexport function __importDefault(mod) {\r\n return (mod && mod.__esModule) ? mod : { default: mod };\r\n}\r\n\r\nexport function __classPrivateFieldGet(receiver, state, kind, f) {\r\n if (kind === \"a\" && !f) throw new TypeError(\"Private accessor was defined without a getter\");\r\n if (typeof state === \"function\" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError(\"Cannot read private member from an object whose class did not declare it\");\r\n return kind === \"m\" ? f : kind === \"a\" ? f.call(receiver) : f ? f.value : state.get(receiver);\r\n}\r\n\r\nexport function __classPrivateFieldSet(receiver, state, value, kind, f) {\r\n if (kind === \"m\") throw new TypeError(\"Private method is not writable\");\r\n if (kind === \"a\" && !f) throw new TypeError(\"Private accessor was defined without a setter\");\r\n if (typeof state === \"function\" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError(\"Cannot write private member to an object whose class did not declare it\");\r\n return (kind === \"a\" ? f.call(receiver, value) : f ? f.value = value : state.set(receiver, value)), value;\r\n}\r\n","var NodeType;\n(function (NodeType) {\n NodeType[NodeType[\"Document\"] = 0] = \"Document\";\n NodeType[NodeType[\"DocumentType\"] = 1] = \"DocumentType\";\n NodeType[NodeType[\"Element\"] = 2] = \"Element\";\n NodeType[NodeType[\"Text\"] = 3] = \"Text\";\n NodeType[NodeType[\"CDATA\"] = 4] = \"CDATA\";\n NodeType[NodeType[\"Comment\"] = 5] = \"Comment\";\n})(NodeType || (NodeType = {}));\n\nfunction isElement(n) {\n return n.nodeType === n.ELEMENT_NODE;\n}\nfunction isShadowRoot(n) {\n var _a;\n var host = (_a = n) === null || _a === void 0 ? void 0 : _a.host;\n return Boolean(host && host.shadowRoot && host.shadowRoot === n);\n}\nfunction maskInputValue(_a) {\n var maskInputOptions = _a.maskInputOptions, tagName = _a.tagName, type = _a.type, value = _a.value, maskInputFn = _a.maskInputFn;\n var text = value || '';\n if (maskInputOptions[tagName.toLowerCase()] ||\n maskInputOptions[type]) {\n if (maskInputFn) {\n text = maskInputFn(text);\n }\n else {\n text = '*'.repeat(text.length);\n }\n }\n return text;\n}\nvar ORIGINAL_ATTRIBUTE_NAME = '__rrweb_original__';\nfunction is2DCanvasBlank(canvas) {\n var ctx = canvas.getContext('2d');\n if (!ctx)\n return true;\n var chunkSize = 50;\n for (var x = 0; x < canvas.width; x += chunkSize) {\n for (var y = 0; y < canvas.height; y += chunkSize) {\n var getImageData = ctx.getImageData;\n var originalGetImageData = ORIGINAL_ATTRIBUTE_NAME in getImageData\n ? getImageData[ORIGINAL_ATTRIBUTE_NAME]\n : getImageData;\n var pixelBuffer = new Uint32Array(originalGetImageData.call(ctx, x, y, Math.min(chunkSize, canvas.width - x), Math.min(chunkSize, canvas.height - y)).data.buffer);\n if (pixelBuffer.some(function (pixel) { return pixel !== 0; }))\n return false;\n }\n }\n return true;\n}\n\nvar _id = 1;\nvar tagNameRegex = new RegExp('[^a-z0-9-_:]');\nvar IGNORED_NODE = -2;\nfunction genId() {\n return _id++;\n}\nfunction getValidTagName(element) {\n if (element instanceof HTMLFormElement) {\n return 'form';\n }\n var processedTagName = element.tagName.toLowerCase().trim();\n if (tagNameRegex.test(processedTagName)) {\n return 'div';\n }\n return processedTagName;\n}\nfunction getCssRulesString(s) {\n try {\n var rules = s.rules || s.cssRules;\n return rules ? Array.from(rules).map(getCssRuleString).join('') : null;\n }\n catch (error) {\n return null;\n }\n}\nfunction getCssRuleString(rule) {\n var cssStringified = rule.cssText;\n if (isCSSImportRule(rule)) {\n try {\n cssStringified = getCssRulesString(rule.styleSheet) || cssStringified;\n }\n catch (_a) {\n }\n }\n return cssStringified;\n}\nfunction isCSSImportRule(rule) {\n return 'styleSheet' in rule;\n}\nfunction stringifyStyleSheet(sheet) {\n return sheet.cssRules\n ? Array.from(sheet.cssRules)\n .map(function (rule) { return rule.cssText || ''; })\n .join('')\n : '';\n}\nfunction extractOrigin(url) {\n var origin = '';\n if (url.indexOf('//') > -1) {\n origin = url.split('/').slice(0, 3).join('/');\n }\n else {\n origin = url.split('/')[0];\n }\n origin = origin.split('?')[0];\n return origin;\n}\nvar canvasService;\nvar canvasCtx;\nvar URL_IN_CSS_REF = /url\\((?:(')([^']*)'|(\")(.*?)\"|([^)]*))\\)/gm;\nvar RELATIVE_PATH = /^(?!www\\.|(?:http|ftp)s?:\\/\\/|[A-Za-z]:\\\\|\\/\\/|#).*/;\nvar DATA_URI = /^(data:)([^,]*),(.*)/i;\nfunction absoluteToStylesheet(cssText, href) {\n return (cssText || '').replace(URL_IN_CSS_REF, function (origin, quote1, path1, quote2, path2, path3) {\n var filePath = path1 || path2 || path3;\n var maybeQuote = quote1 || quote2 || '';\n if (!filePath) {\n return origin;\n }\n if (!RELATIVE_PATH.test(filePath)) {\n return \"url(\" + maybeQuote + filePath + maybeQuote + \")\";\n }\n if (DATA_URI.test(filePath)) {\n return \"url(\" + maybeQuote + filePath + maybeQuote + \")\";\n }\n if (filePath[0] === '/') {\n return \"url(\" + maybeQuote + (extractOrigin(href) + filePath) + maybeQuote + \")\";\n }\n var stack = href.split('/');\n var parts = filePath.split('/');\n stack.pop();\n for (var _i = 0, parts_1 = parts; _i < parts_1.length; _i++) {\n var part = parts_1[_i];\n if (part === '.') {\n continue;\n }\n else if (part === '..') {\n stack.pop();\n }\n else {\n stack.push(part);\n }\n }\n return \"url(\" + maybeQuote + stack.join('/') + maybeQuote + \")\";\n });\n}\nvar SRCSET_NOT_SPACES = /^[^ \\t\\n\\r\\u000c]+/;\nvar SRCSET_COMMAS_OR_SPACES = /^[, \\t\\n\\r\\u000c]+/;\nfunction getAbsoluteSrcsetString(doc, attributeValue) {\n if (attributeValue.trim() === '') {\n return attributeValue;\n }\n var pos = 0;\n function collectCharacters(regEx) {\n var chars;\n var match = regEx.exec(attributeValue.substring(pos));\n if (match) {\n chars = match[0];\n pos += chars.length;\n return chars;\n }\n return '';\n }\n var output = [];\n while (true) {\n collectCharacters(SRCSET_COMMAS_OR_SPACES);\n if (pos >= attributeValue.length) {\n break;\n }\n var url = collectCharacters(SRCSET_NOT_SPACES);\n if (url.slice(-1) === ',') {\n url = absoluteToDoc(doc, url.substring(0, url.length - 1));\n output.push(url);\n }\n else {\n var descriptorsStr = '';\n url = absoluteToDoc(doc, url);\n var inParens = false;\n while (true) {\n var c = attributeValue.charAt(pos);\n if (c === '') {\n output.push((url + descriptorsStr).trim());\n break;\n }\n else if (!inParens) {\n if (c === ',') {\n pos += 1;\n output.push((url + descriptorsStr).trim());\n break;\n }\n else if (c === '(') {\n inParens = true;\n }\n }\n else {\n if (c === ')') {\n inParens = false;\n }\n }\n descriptorsStr += c;\n pos += 1;\n }\n }\n }\n return output.join(', ');\n}\nfunction absoluteToDoc(doc, attributeValue) {\n if (!attributeValue || attributeValue.trim() === '') {\n return attributeValue;\n }\n var a = doc.createElement('a');\n a.href = attributeValue;\n return a.href;\n}\nfunction isSVGElement(el) {\n return Boolean(el.tagName === 'svg' || el.ownerSVGElement);\n}\nfunction getHref() {\n var a = document.createElement('a');\n a.href = '';\n return a.href;\n}\nfunction transformAttribute(doc, tagName, name, value) {\n if (name === 'src' || (name === 'href' && value)) {\n return absoluteToDoc(doc, value);\n }\n else if (name === 'xlink:href' && value && value[0] !== '#') {\n return absoluteToDoc(doc, value);\n }\n else if (name === 'background' &&\n value &&\n (tagName === 'table' || tagName === 'td' || tagName === 'th')) {\n return absoluteToDoc(doc, value);\n }\n else if (name === 'srcset' && value) {\n return getAbsoluteSrcsetString(doc, value);\n }\n else if (name === 'style' && value) {\n return absoluteToStylesheet(value, getHref());\n }\n else if (tagName === 'object' && name === 'data' && value) {\n return absoluteToDoc(doc, value);\n }\n else {\n return value;\n }\n}\nfunction _isBlockedElement(element, blockClass, blockSelector) {\n if (typeof blockClass === 'string') {\n if (element.classList.contains(blockClass)) {\n return true;\n }\n }\n else {\n for (var eIndex = 0; eIndex < element.classList.length; eIndex++) {\n var className = element.classList[eIndex];\n if (blockClass.test(className)) {\n return true;\n }\n }\n }\n if (blockSelector) {\n return element.matches(blockSelector);\n }\n return false;\n}\nfunction needMaskingText(node, maskTextClass, maskTextSelector) {\n if (!node) {\n return false;\n }\n if (node.nodeType === node.ELEMENT_NODE) {\n if (typeof maskTextClass === 'string') {\n if (node.classList.contains(maskTextClass)) {\n return true;\n }\n }\n else {\n for (var eIndex = 0; eIndex < node.classList.length; eIndex++) {\n var className = node.classList[eIndex];\n if (maskTextClass.test(className)) {\n return true;\n }\n }\n }\n if (maskTextSelector) {\n if (node.matches(maskTextSelector)) {\n return true;\n }\n }\n return needMaskingText(node.parentNode, maskTextClass, maskTextSelector);\n }\n if (node.nodeType === node.TEXT_NODE) {\n return needMaskingText(node.parentNode, maskTextClass, maskTextSelector);\n }\n return needMaskingText(node.parentNode, maskTextClass, maskTextSelector);\n}\nfunction onceIframeLoaded(iframeEl, listener, iframeLoadTimeout) {\n var win = iframeEl.contentWindow;\n if (!win) {\n return;\n }\n var fired = false;\n var readyState;\n try {\n readyState = win.document.readyState;\n }\n catch (error) {\n return;\n }\n if (readyState !== 'complete') {\n var timer_1 = setTimeout(function () {\n if (!fired) {\n listener();\n fired = true;\n }\n }, iframeLoadTimeout);\n iframeEl.addEventListener('load', function () {\n clearTimeout(timer_1);\n fired = true;\n listener();\n });\n return;\n }\n var blankUrl = 'about:blank';\n if (win.location.href !== blankUrl ||\n iframeEl.src === blankUrl ||\n iframeEl.src === '') {\n setTimeout(listener, 0);\n return;\n }\n iframeEl.addEventListener('load', listener);\n}\nfunction serializeNode(n, options) {\n var _a;\n var doc = options.doc, blockClass = options.blockClass, blockSelector = options.blockSelector, maskTextClass = options.maskTextClass, maskTextSelector = options.maskTextSelector, inlineStylesheet = options.inlineStylesheet, _b = options.maskInputOptions, maskInputOptions = _b === void 0 ? {} : _b, maskTextFn = options.maskTextFn, maskInputFn = options.maskInputFn, _c = options.dataURLOptions, dataURLOptions = _c === void 0 ? {} : _c, inlineImages = options.inlineImages, recordCanvas = options.recordCanvas, keepIframeSrcFn = options.keepIframeSrcFn;\n var rootId;\n if (doc.__sn) {\n var docId = doc.__sn.id;\n rootId = docId === 1 ? undefined : docId;\n }\n switch (n.nodeType) {\n case n.DOCUMENT_NODE:\n if (n.compatMode !== 'CSS1Compat') {\n return {\n type: NodeType.Document,\n childNodes: [],\n compatMode: n.compatMode,\n rootId: rootId\n };\n }\n else {\n return {\n type: NodeType.Document,\n childNodes: [],\n rootId: rootId\n };\n }\n case n.DOCUMENT_TYPE_NODE:\n return {\n type: NodeType.DocumentType,\n name: n.name,\n publicId: n.publicId,\n systemId: n.systemId,\n rootId: rootId\n };\n case n.ELEMENT_NODE:\n var needBlock = _isBlockedElement(n, blockClass, blockSelector);\n var tagName = getValidTagName(n);\n var attributes_1 = {};\n for (var _i = 0, _d = Array.from(n.attributes); _i < _d.length; _i++) {\n var _e = _d[_i], name_1 = _e.name, value = _e.value;\n attributes_1[name_1] = transformAttribute(doc, tagName, name_1, value);\n }\n if (tagName === 'link' && inlineStylesheet) {\n var stylesheet = Array.from(doc.styleSheets).find(function (s) {\n return s.href === n.href;\n });\n var cssText = null;\n if (stylesheet) {\n cssText = getCssRulesString(stylesheet);\n }\n if (cssText) {\n delete attributes_1.rel;\n delete attributes_1.href;\n attributes_1._cssText = absoluteToStylesheet(cssText, stylesheet.href);\n }\n }\n if (tagName === 'style' &&\n n.sheet &&\n !(n.innerText ||\n n.textContent ||\n '').trim().length) {\n var cssText = getCssRulesString(n.sheet);\n if (cssText) {\n attributes_1._cssText = absoluteToStylesheet(cssText, getHref());\n }\n }\n if (tagName === 'input' ||\n tagName === 'textarea' ||\n tagName === 'select') {\n var value = n.value;\n if (attributes_1.type !== 'radio' &&\n attributes_1.type !== 'checkbox' &&\n attributes_1.type !== 'submit' &&\n attributes_1.type !== 'button' &&\n value) {\n attributes_1.value = maskInputValue({\n type: attributes_1.type,\n tagName: tagName,\n value: value,\n maskInputOptions: maskInputOptions,\n maskInputFn: maskInputFn\n });\n }\n else if (n.checked) {\n attributes_1.checked = n.checked;\n }\n }\n if (tagName === 'option') {\n if (n.selected && !maskInputOptions['select']) {\n attributes_1.selected = true;\n }\n else {\n delete attributes_1.selected;\n }\n }\n if (tagName === 'canvas' && recordCanvas) {\n if (n.__context === '2d') {\n if (!is2DCanvasBlank(n)) {\n attributes_1.rr_dataURL = n.toDataURL(dataURLOptions.type, dataURLOptions.quality);\n }\n }\n else if (!('__context' in n)) {\n var canvasDataURL = n.toDataURL(dataURLOptions.type, dataURLOptions.quality);\n var blankCanvas = document.createElement('canvas');\n blankCanvas.width = n.width;\n blankCanvas.height = n.height;\n var blankCanvasDataURL = blankCanvas.toDataURL(dataURLOptions.type, dataURLOptions.quality);\n if (canvasDataURL !== blankCanvasDataURL) {\n attributes_1.rr_dataURL = canvasDataURL;\n }\n }\n }\n if (tagName === 'img' && inlineImages) {\n if (!canvasService) {\n canvasService = doc.createElement('canvas');\n canvasCtx = canvasService.getContext('2d');\n }\n var image_1 = n;\n var oldValue_1 = image_1.crossOrigin;\n image_1.crossOrigin = 'anonymous';\n var recordInlineImage = function () {\n try {\n canvasService.width = image_1.naturalWidth;\n canvasService.height = image_1.naturalHeight;\n canvasCtx.drawImage(image_1, 0, 0);\n attributes_1.rr_dataURL = canvasService.toDataURL(dataURLOptions.type, dataURLOptions.quality);\n }\n catch (err) {\n console.warn(\"Cannot inline img src=\" + image_1.currentSrc + \"! Error: \" + err);\n }\n oldValue_1\n ? (attributes_1.crossOrigin = oldValue_1)\n : delete attributes_1.crossOrigin;\n };\n if (image_1.complete && image_1.naturalWidth !== 0)\n recordInlineImage();\n else\n image_1.onload = recordInlineImage;\n }\n if (tagName === 'audio' || tagName === 'video') {\n attributes_1.rr_mediaState = n.paused\n ? 'paused'\n : 'played';\n attributes_1.rr_mediaCurrentTime = n.currentTime;\n }\n if (n.scrollLeft) {\n attributes_1.rr_scrollLeft = n.scrollLeft;\n }\n if (n.scrollTop) {\n attributes_1.rr_scrollTop = n.scrollTop;\n }\n if (needBlock) {\n var _f = n.getBoundingClientRect(), width = _f.width, height = _f.height;\n attributes_1 = {\n \"class\": attributes_1[\"class\"],\n rr_width: width + \"px\",\n rr_height: height + \"px\"\n };\n }\n if (tagName === 'iframe' && !keepIframeSrcFn(attributes_1.src)) {\n if (!n.contentDocument) {\n attributes_1.rr_src = attributes_1.src;\n }\n delete attributes_1.src;\n }\n return {\n type: NodeType.Element,\n tagName: tagName,\n attributes: attributes_1,\n childNodes: [],\n isSVG: isSVGElement(n) || undefined,\n needBlock: needBlock,\n rootId: rootId\n };\n case n.TEXT_NODE:\n var parentTagName = n.parentNode && n.parentNode.tagName;\n var textContent = n.textContent;\n var isStyle = parentTagName === 'STYLE' ? true : undefined;\n var isScript = parentTagName === 'SCRIPT' ? true : undefined;\n if (isStyle && textContent) {\n try {\n if (n.nextSibling || n.previousSibling) {\n }\n else if ((_a = n.parentNode.sheet) === null || _a === void 0 ? void 0 : _a.cssRules) {\n textContent = stringifyStyleSheet(n.parentNode.sheet);\n }\n }\n catch (err) {\n console.warn(\"Cannot get CSS styles from text's parentNode. Error: \" + err, n);\n }\n textContent = absoluteToStylesheet(textContent, getHref());\n }\n if (isScript) {\n textContent = 'SCRIPT_PLACEHOLDER';\n }\n if (!isStyle &&\n !isScript &&\n needMaskingText(n, maskTextClass, maskTextSelector) &&\n textContent) {\n textContent = maskTextFn\n ? maskTextFn(textContent)\n : textContent.replace(/[\\S]/g, '*');\n }\n return {\n type: NodeType.Text,\n textContent: textContent || '',\n isStyle: isStyle,\n rootId: rootId\n };\n case n.CDATA_SECTION_NODE:\n return {\n type: NodeType.CDATA,\n textContent: '',\n rootId: rootId\n };\n case n.COMMENT_NODE:\n return {\n type: NodeType.Comment,\n textContent: n.textContent || '',\n rootId: rootId\n };\n default:\n return false;\n }\n}\nfunction lowerIfExists(maybeAttr) {\n if (maybeAttr === undefined) {\n return '';\n }\n else {\n return maybeAttr.toLowerCase();\n }\n}\nfunction slimDOMExcluded(sn, slimDOMOptions) {\n if (slimDOMOptions.comment && sn.type === NodeType.Comment) {\n return true;\n }\n else if (sn.type === NodeType.Element) {\n if (slimDOMOptions.script &&\n (sn.tagName === 'script' ||\n (sn.tagName === 'link' &&\n sn.attributes.rel === 'preload' &&\n sn.attributes.as === 'script') ||\n (sn.tagName === 'link' &&\n sn.attributes.rel === 'prefetch' &&\n typeof sn.attributes.href === 'string' &&\n sn.attributes.href.endsWith('.js')))) {\n return true;\n }\n else if (slimDOMOptions.headFavicon &&\n ((sn.tagName === 'link' && sn.attributes.rel === 'shortcut icon') ||\n (sn.tagName === 'meta' &&\n (lowerIfExists(sn.attributes.name).match(/^msapplication-tile(image|color)$/) ||\n lowerIfExists(sn.attributes.name) === 'application-name' ||\n lowerIfExists(sn.attributes.rel) === 'icon' ||\n lowerIfExists(sn.attributes.rel) === 'apple-touch-icon' ||\n lowerIfExists(sn.attributes.rel) === 'shortcut icon')))) {\n return true;\n }\n else if (sn.tagName === 'meta') {\n if (slimDOMOptions.headMetaDescKeywords &&\n lowerIfExists(sn.attributes.name).match(/^description|keywords$/)) {\n return true;\n }\n else if (slimDOMOptions.headMetaSocial &&\n (lowerIfExists(sn.attributes.property).match(/^(og|twitter|fb):/) ||\n lowerIfExists(sn.attributes.name).match(/^(og|twitter):/) ||\n lowerIfExists(sn.attributes.name) === 'pinterest')) {\n return true;\n }\n else if (slimDOMOptions.headMetaRobots &&\n (lowerIfExists(sn.attributes.name) === 'robots' ||\n lowerIfExists(sn.attributes.name) === 'googlebot' ||\n lowerIfExists(sn.attributes.name) === 'bingbot')) {\n return true;\n }\n else if (slimDOMOptions.headMetaHttpEquiv &&\n sn.attributes['http-equiv'] !== undefined) {\n return true;\n }\n else if (slimDOMOptions.headMetaAuthorship &&\n (lowerIfExists(sn.attributes.name) === 'author' ||\n lowerIfExists(sn.attributes.name) === 'generator' ||\n lowerIfExists(sn.attributes.name) === 'framework' ||\n lowerIfExists(sn.attributes.name) === 'publisher' ||\n lowerIfExists(sn.attributes.name) === 'progid' ||\n lowerIfExists(sn.attributes.property).match(/^article:/) ||\n lowerIfExists(sn.attributes.property).match(/^product:/))) {\n return true;\n }\n else if (slimDOMOptions.headMetaVerification &&\n (lowerIfExists(sn.attributes.name) === 'google-site-verification' ||\n lowerIfExists(sn.attributes.name) === 'yandex-verification' ||\n lowerIfExists(sn.attributes.name) === 'csrf-token' ||\n lowerIfExists(sn.attributes.name) === 'p:domain_verify' ||\n lowerIfExists(sn.attributes.name) === 'verify-v1' ||\n lowerIfExists(sn.attributes.name) === 'verification' ||\n lowerIfExists(sn.attributes.name) === 'shopify-checkout-api-token')) {\n return true;\n }\n }\n }\n return false;\n}\nfunction serializeNodeWithId(n, options) {\n var doc = options.doc, map = options.map, blockClass = options.blockClass, blockSelector = options.blockSelector, maskTextClass = options.maskTextClass, maskTextSelector = options.maskTextSelector, _a = options.skipChild, skipChild = _a === void 0 ? false : _a, _b = options.inlineStylesheet, inlineStylesheet = _b === void 0 ? true : _b, _c = options.maskInputOptions, maskInputOptions = _c === void 0 ? {} : _c, maskTextFn = options.maskTextFn, maskInputFn = options.maskInputFn, slimDOMOptions = options.slimDOMOptions, _d = options.dataURLOptions, dataURLOptions = _d === void 0 ? {} : _d, _e = options.inlineImages, inlineImages = _e === void 0 ? false : _e, _f = options.recordCanvas, recordCanvas = _f === void 0 ? false : _f, onSerialize = options.onSerialize, onIframeLoad = options.onIframeLoad, _g = options.iframeLoadTimeout, iframeLoadTimeout = _g === void 0 ? 5000 : _g, _h = options.keepIframeSrcFn, keepIframeSrcFn = _h === void 0 ? function () { return false; } : _h;\n var _j = options.preserveWhiteSpace, preserveWhiteSpace = _j === void 0 ? true : _j;\n var _serializedNode = serializeNode(n, {\n doc: doc,\n blockClass: blockClass,\n blockSelector: blockSelector,\n maskTextClass: maskTextClass,\n maskTextSelector: maskTextSelector,\n inlineStylesheet: inlineStylesheet,\n maskInputOptions: maskInputOptions,\n maskTextFn: maskTextFn,\n maskInputFn: maskInputFn,\n dataURLOptions: dataURLOptions,\n inlineImages: inlineImages,\n recordCanvas: recordCanvas,\n keepIframeSrcFn: keepIframeSrcFn\n });\n if (!_serializedNode) {\n console.warn(n, 'not serialized');\n return null;\n }\n var id;\n if ('__sn' in n) {\n id = n.__sn.id;\n }\n else if (slimDOMExcluded(_serializedNode, slimDOMOptions) ||\n (!preserveWhiteSpace &&\n _serializedNode.type === NodeType.Text &&\n !_serializedNode.isStyle &&\n !_serializedNode.textContent.replace(/^\\s+|\\s+$/gm, '').length)) {\n id = IGNORED_NODE;\n }\n else {\n id = genId();\n }\n var serializedNode = Object.assign(_serializedNode, { id: id });\n n.__sn = serializedNode;\n if (id === IGNORED_NODE) {\n return null;\n }\n map[id] = n;\n if (onSerialize) {\n onSerialize(n);\n }\n var recordChild = !skipChild;\n if (serializedNode.type === NodeType.Element) {\n recordChild = recordChild && !serializedNode.needBlock;\n delete serializedNode.needBlock;\n if (n.shadowRoot)\n serializedNode.isShadowHost = true;\n }\n if ((serializedNode.type === NodeType.Document ||\n serializedNode.type === NodeType.Element) &&\n recordChild) {\n if (slimDOMOptions.headWhitespace &&\n _serializedNode.type === NodeType.Element &&\n _serializedNode.tagName === 'head') {\n preserveWhiteSpace = false;\n }\n var bypassOptions = {\n doc: doc,\n map: map,\n blockClass: blockClass,\n blockSelector: blockSelector,\n maskTextClass: maskTextClass,\n maskTextSelector: maskTextSelector,\n skipChild: skipChild,\n inlineStylesheet: inlineStylesheet,\n maskInputOptions: maskInputOptions,\n maskTextFn: maskTextFn,\n maskInputFn: maskInputFn,\n slimDOMOptions: slimDOMOptions,\n dataURLOptions: dataURLOptions,\n inlineImages: inlineImages,\n recordCanvas: recordCanvas,\n preserveWhiteSpace: preserveWhiteSpace,\n onSerialize: onSerialize,\n onIframeLoad: onIframeLoad,\n iframeLoadTimeout: iframeLoadTimeout,\n keepIframeSrcFn: keepIframeSrcFn\n };\n for (var _i = 0, _k = Array.from(n.childNodes); _i < _k.length; _i++) {\n var childN = _k[_i];\n var serializedChildNode = serializeNodeWithId(childN, bypassOptions);\n if (serializedChildNode) {\n serializedNode.childNodes.push(serializedChildNode);\n }\n }\n if (isElement(n) && n.shadowRoot) {\n for (var _l = 0, _m = Array.from(n.shadowRoot.childNodes); _l < _m.length; _l++) {\n var childN = _m[_l];\n var serializedChildNode = serializeNodeWithId(childN, bypassOptions);\n if (serializedChildNode) {\n serializedChildNode.isShadow = true;\n serializedNode.childNodes.push(serializedChildNode);\n }\n }\n }\n }\n if (n.parentNode && isShadowRoot(n.parentNode)) {\n serializedNode.isShadow = true;\n }\n if (serializedNode.type === NodeType.Element &&\n serializedNode.tagName === 'iframe') {\n onceIframeLoaded(n, function () {\n var iframeDoc = n.contentDocument;\n if (iframeDoc && onIframeLoad) {\n var serializedIframeNode = serializeNodeWithId(iframeDoc, {\n doc: iframeDoc,\n map: map,\n blockClass: blockClass,\n blockSelector: blockSelector,\n maskTextClass: maskTextClass,\n maskTextSelector: maskTextSelector,\n skipChild: false,\n inlineStylesheet: inlineStylesheet,\n maskInputOptions: maskInputOptions,\n maskTextFn: maskTextFn,\n maskInputFn: maskInputFn,\n slimDOMOptions: slimDOMOptions,\n dataURLOptions: dataURLOptions,\n inlineImages: inlineImages,\n recordCanvas: recordCanvas,\n preserveWhiteSpace: preserveWhiteSpace,\n onSerialize: onSerialize,\n onIframeLoad: onIframeLoad,\n iframeLoadTimeout: iframeLoadTimeout,\n keepIframeSrcFn: keepIframeSrcFn\n });\n if (serializedIframeNode) {\n onIframeLoad(n, serializedIframeNode);\n }\n }\n }, iframeLoadTimeout);\n }\n return serializedNode;\n}\nfunction snapshot(n, options) {\n var _a = options || {}, _b = _a.blockClass, blockClass = _b === void 0 ? 'rr-block' : _b, _c = _a.blockSelector, blockSelector = _c === void 0 ? null : _c, _d = _a.maskTextClass, maskTextClass = _d === void 0 ? 'rr-mask' : _d, _e = _a.maskTextSelector, maskTextSelector = _e === void 0 ? null : _e, _f = _a.inlineStylesheet, inlineStylesheet = _f === void 0 ? true : _f, _g = _a.inlineImages, inlineImages = _g === void 0 ? false : _g, _h = _a.recordCanvas, recordCanvas = _h === void 0 ? false : _h, _j = _a.maskAllInputs, maskAllInputs = _j === void 0 ? false : _j, maskTextFn = _a.maskTextFn, maskInputFn = _a.maskInputFn, _k = _a.slimDOM, slimDOM = _k === void 0 ? false : _k, dataURLOptions = _a.dataURLOptions, preserveWhiteSpace = _a.preserveWhiteSpace, onSerialize = _a.onSerialize, onIframeLoad = _a.onIframeLoad, iframeLoadTimeout = _a.iframeLoadTimeout, _l = _a.keepIframeSrcFn, keepIframeSrcFn = _l === void 0 ? function () { return false; } : _l;\n var idNodeMap = {};\n var maskInputOptions = maskAllInputs === true\n ? {\n color: true,\n date: true,\n 'datetime-local': true,\n email: true,\n month: true,\n number: true,\n range: true,\n search: true,\n tel: true,\n text: true,\n time: true,\n url: true,\n week: true,\n textarea: true,\n select: true,\n password: true\n }\n : maskAllInputs === false\n ? {\n password: true\n }\n : maskAllInputs;\n var slimDOMOptions = slimDOM === true || slimDOM === 'all'\n ?\n {\n script: true,\n comment: true,\n headFavicon: true,\n headWhitespace: true,\n headMetaDescKeywords: slimDOM === 'all',\n headMetaSocial: true,\n headMetaRobots: true,\n headMetaHttpEquiv: true,\n headMetaAuthorship: true,\n headMetaVerification: true\n }\n : slimDOM === false\n ? {}\n : slimDOM;\n return [\n serializeNodeWithId(n, {\n doc: n,\n map: idNodeMap,\n blockClass: blockClass,\n blockSelector: blockSelector,\n maskTextClass: maskTextClass,\n maskTextSelector: maskTextSelector,\n skipChild: false,\n inlineStylesheet: inlineStylesheet,\n maskInputOptions: maskInputOptions,\n maskTextFn: maskTextFn,\n maskInputFn: maskInputFn,\n slimDOMOptions: slimDOMOptions,\n dataURLOptions: dataURLOptions,\n inlineImages: inlineImages,\n recordCanvas: recordCanvas,\n preserveWhiteSpace: preserveWhiteSpace,\n onSerialize: onSerialize,\n onIframeLoad: onIframeLoad,\n iframeLoadTimeout: iframeLoadTimeout,\n keepIframeSrcFn: keepIframeSrcFn\n }),\n idNodeMap,\n ];\n}\nfunction visitSnapshot(node, onVisit) {\n function walk(current) {\n onVisit(current);\n if (current.type === NodeType.Document ||\n current.type === NodeType.Element) {\n current.childNodes.forEach(walk);\n }\n }\n walk(node);\n}\nfunction cleanupSnapshot() {\n _id = 1;\n}\n\nvar commentre = /\\/\\*[^*]*\\*+([^/*][^*]*\\*+)*\\//g;\nfunction parse(css, options) {\n if (options === void 0) { options = {}; }\n var lineno = 1;\n var column = 1;\n function updatePosition(str) {\n var lines = str.match(/\\n/g);\n if (lines) {\n lineno += lines.length;\n }\n var i = str.lastIndexOf('\\n');\n column = i === -1 ? column + str.length : str.length - i;\n }\n function position() {\n var start = { line: lineno, column: column };\n return function (node) {\n node.position = new Position(start);\n whitespace();\n return node;\n };\n }\n var Position = (function () {\n function Position(start) {\n this.start = start;\n this.end = { line: lineno, column: column };\n this.source = options.source;\n }\n return Position;\n }());\n Position.prototype.content = css;\n var errorsList = [];\n function error(msg) {\n var err = new Error(options.source + ':' + lineno + ':' + column + ': ' + msg);\n err.reason = msg;\n err.filename = options.source;\n err.line = lineno;\n err.column = column;\n err.source = css;\n if (options.silent) {\n errorsList.push(err);\n }\n else {\n throw err;\n }\n }\n function stylesheet() {\n var rulesList = rules();\n return {\n type: 'stylesheet',\n stylesheet: {\n source: options.source,\n rules: rulesList,\n parsingErrors: errorsList\n }\n };\n }\n function open() {\n return match(/^{\\s*/);\n }\n function close() {\n return match(/^}/);\n }\n function rules() {\n var node;\n var rules = [];\n whitespace();\n comments(rules);\n while (css.length && css.charAt(0) !== '}' && (node = atrule() || rule())) {\n if (node !== false) {\n rules.push(node);\n comments(rules);\n }\n }\n return rules;\n }\n function match(re) {\n var m = re.exec(css);\n if (!m) {\n return;\n }\n var str = m[0];\n updatePosition(str);\n css = css.slice(str.length);\n return m;\n }\n function whitespace() {\n match(/^\\s*/);\n }\n function comments(rules) {\n if (rules === void 0) { rules = []; }\n var c;\n while ((c = comment())) {\n if (c !== false) {\n rules.push(c);\n }\n c = comment();\n }\n return rules;\n }\n function comment() {\n var pos = position();\n if ('/' !== css.charAt(0) || '*' !== css.charAt(1)) {\n return;\n }\n var i = 2;\n while ('' !== css.charAt(i) &&\n ('*' !== css.charAt(i) || '/' !== css.charAt(i + 1))) {\n ++i;\n }\n i += 2;\n if ('' === css.charAt(i - 1)) {\n return error('End of comment missing');\n }\n var str = css.slice(2, i - 2);\n column += 2;\n updatePosition(str);\n css = css.slice(i);\n column += 2;\n return pos({\n type: 'comment',\n comment: str\n });\n }\n function selector() {\n var m = match(/^([^{]+)/);\n if (!m) {\n return;\n }\n return trim(m[0])\n .replace(/\\/\\*([^*]|[\\r\\n]|(\\*+([^*/]|[\\r\\n])))*\\*\\/+/g, '')\n .replace(/\"(?:\\\\\"|[^\"])*\"|'(?:\\\\'|[^'])*'/g, function (m) {\n return m.replace(/,/g, '\\u200C');\n })\n .split(/\\s*(?![^(]*\\)),\\s*/)\n .map(function (s) {\n return s.replace(/\\u200C/g, ',');\n });\n }\n function declaration() {\n var pos = position();\n var propMatch = match(/^(\\*?[-#\\/\\*\\\\\\w]+(\\[[0-9a-z_-]+\\])?)\\s*/);\n if (!propMatch) {\n return;\n }\n var prop = trim(propMatch[0]);\n if (!match(/^:\\s*/)) {\n return error(\"property missing ':'\");\n }\n var val = match(/^((?:'(?:\\\\'|.)*?'|\"(?:\\\\\"|.)*?\"|\\([^\\)]*?\\)|[^};])+)/);\n var ret = pos({\n type: 'declaration',\n property: prop.replace(commentre, ''),\n value: val ? trim(val[0]).replace(commentre, '') : ''\n });\n match(/^[;\\s]*/);\n return ret;\n }\n function declarations() {\n var decls = [];\n if (!open()) {\n return error(\"missing '{'\");\n }\n comments(decls);\n var decl;\n while ((decl = declaration())) {\n if (decl !== false) {\n decls.push(decl);\n comments(decls);\n }\n decl = declaration();\n }\n if (!close()) {\n return error(\"missing '}'\");\n }\n return decls;\n }\n function keyframe() {\n var m;\n var vals = [];\n var pos = position();\n while ((m = match(/^((\\d+\\.\\d+|\\.\\d+|\\d+)%?|[a-z]+)\\s*/))) {\n vals.push(m[1]);\n match(/^,\\s*/);\n }\n if (!vals.length) {\n return;\n }\n return pos({\n type: 'keyframe',\n values: vals,\n declarations: declarations()\n });\n }\n function atkeyframes() {\n var pos = position();\n var m = match(/^@([-\\w]+)?keyframes\\s*/);\n if (!m) {\n return;\n }\n var vendor = m[1];\n m = match(/^([-\\w]+)\\s*/);\n if (!m) {\n return error('@keyframes missing name');\n }\n var name = m[1];\n if (!open()) {\n return error(\"@keyframes missing '{'\");\n }\n var frame;\n var frames = comments();\n while ((frame = keyframe())) {\n frames.push(frame);\n frames = frames.concat(comments());\n }\n if (!close()) {\n return error(\"@keyframes missing '}'\");\n }\n return pos({\n type: 'keyframes',\n name: name,\n vendor: vendor,\n keyframes: frames\n });\n }\n function atsupports() {\n var pos = position();\n var m = match(/^@supports *([^{]+)/);\n if (!m) {\n return;\n }\n var supports = trim(m[1]);\n if (!open()) {\n return error(\"@supports missing '{'\");\n }\n var style = comments().concat(rules());\n if (!close()) {\n return error(\"@supports missing '}'\");\n }\n return pos({\n type: 'supports',\n supports: supports,\n rules: style\n });\n }\n function athost() {\n var pos = position();\n var m = match(/^@host\\s*/);\n if (!m) {\n return;\n }\n if (!open()) {\n return error(\"@host missing '{'\");\n }\n var style = comments().concat(rules());\n if (!close()) {\n return error(\"@host missing '}'\");\n }\n return pos({\n type: 'host',\n rules: style\n });\n }\n function atmedia() {\n var pos = position();\n var m = match(/^@media *([^{]+)/);\n if (!m) {\n return;\n }\n var media = trim(m[1]);\n if (!open()) {\n return error(\"@media missing '{'\");\n }\n var style = comments().concat(rules());\n if (!close()) {\n return error(\"@media missing '}'\");\n }\n return pos({\n type: 'media',\n media: media,\n rules: style\n });\n }\n function atcustommedia() {\n var pos = position();\n var m = match(/^@custom-media\\s+(--[^\\s]+)\\s*([^{;]+);/);\n if (!m) {\n return;\n }\n return pos({\n type: 'custom-media',\n name: trim(m[1]),\n media: trim(m[2])\n });\n }\n function atpage() {\n var pos = position();\n var m = match(/^@page */);\n if (!m) {\n return;\n }\n var sel = selector() || [];\n if (!open()) {\n return error(\"@page missing '{'\");\n }\n var decls = comments();\n var decl;\n while ((decl = declaration())) {\n decls.push(decl);\n decls = decls.concat(comments());\n }\n if (!close()) {\n return error(\"@page missing '}'\");\n }\n return pos({\n type: 'page',\n selectors: sel,\n declarations: decls\n });\n }\n function atdocument() {\n var pos = position();\n var m = match(/^@([-\\w]+)?document *([^{]+)/);\n if (!m) {\n return;\n }\n var vendor = trim(m[1]);\n var doc = trim(m[2]);\n if (!open()) {\n return error(\"@document missing '{'\");\n }\n var style = comments().concat(rules());\n if (!close()) {\n return error(\"@document missing '}'\");\n }\n return pos({\n type: 'document',\n document: doc,\n vendor: vendor,\n rules: style\n });\n }\n function atfontface() {\n var pos = position();\n var m = match(/^@font-face\\s*/);\n if (!m) {\n return;\n }\n if (!open()) {\n return error(\"@font-face missing '{'\");\n }\n var decls = comments();\n var decl;\n while ((decl = declaration())) {\n decls.push(decl);\n decls = decls.concat(comments());\n }\n if (!close()) {\n return error(\"@font-face missing '}'\");\n }\n return pos({\n type: 'font-face',\n declarations: decls\n });\n }\n var atimport = _compileAtrule('import');\n var atcharset = _compileAtrule('charset');\n var atnamespace = _compileAtrule('namespace');\n function _compileAtrule(name) {\n var re = new RegExp('^@' + name + '\\\\s*([^;]+);');\n return function () {\n var pos = position();\n var m = match(re);\n if (!m) {\n return;\n }\n var ret = { type: name };\n ret[name] = m[1].trim();\n return pos(ret);\n };\n }\n function atrule() {\n if (css[0] !== '@') {\n return;\n }\n return (atkeyframes() ||\n atmedia() ||\n atcustommedia() ||\n atsupports() ||\n atimport() ||\n atcharset() ||\n atnamespace() ||\n atdocument() ||\n atpage() ||\n athost() ||\n atfontface());\n }\n function rule() {\n var pos = position();\n var sel = selector();\n if (!sel) {\n return error('selector missing');\n }\n comments();\n return pos({\n type: 'rule',\n selectors: sel,\n declarations: declarations()\n });\n }\n return addParent(stylesheet());\n}\nfunction trim(str) {\n return str ? str.replace(/^\\s+|\\s+$/g, '') : '';\n}\nfunction addParent(obj, parent) {\n var isNode = obj && typeof obj.type === 'string';\n var childParent = isNode ? obj : parent;\n for (var _i = 0, _a = Object.keys(obj); _i < _a.length; _i++) {\n var k = _a[_i];\n var value = obj[k];\n if (Array.isArray(value)) {\n value.forEach(function (v) {\n addParent(v, childParent);\n });\n }\n else if (value && typeof value === 'object') {\n addParent(value, childParent);\n }\n }\n if (isNode) {\n Object.defineProperty(obj, 'parent', {\n configurable: true,\n writable: true,\n enumerable: false,\n value: parent || null\n });\n }\n return obj;\n}\n\nvar tagMap = {\n script: 'noscript',\n altglyph: 'altGlyph',\n altglyphdef: 'altGlyphDef',\n altglyphitem: 'altGlyphItem',\n animatecolor: 'animateColor',\n animatemotion: 'animateMotion',\n animatetransform: 'animateTransform',\n clippath: 'clipPath',\n feblend: 'feBlend',\n fecolormatrix: 'feColorMatrix',\n fecomponenttransfer: 'feComponentTransfer',\n fecomposite: 'feComposite',\n feconvolvematrix: 'feConvolveMatrix',\n fediffuselighting: 'feDiffuseLighting',\n fedisplacementmap: 'feDisplacementMap',\n fedistantlight: 'feDistantLight',\n fedropshadow: 'feDropShadow',\n feflood: 'feFlood',\n fefunca: 'feFuncA',\n fefuncb: 'feFuncB',\n fefuncg: 'feFuncG',\n fefuncr: 'feFuncR',\n fegaussianblur: 'feGaussianBlur',\n feimage: 'feImage',\n femerge: 'feMerge',\n femergenode: 'feMergeNode',\n femorphology: 'feMorphology',\n feoffset: 'feOffset',\n fepointlight: 'fePointLight',\n fespecularlighting: 'feSpecularLighting',\n fespotlight: 'feSpotLight',\n fetile: 'feTile',\n feturbulence: 'feTurbulence',\n foreignobject: 'foreignObject',\n glyphref: 'glyphRef',\n lineargradient: 'linearGradient',\n radialgradient: 'radialGradient'\n};\nfunction getTagName(n) {\n var tagName = tagMap[n.tagName] ? tagMap[n.tagName] : n.tagName;\n if (tagName === 'link' && n.attributes._cssText) {\n tagName = 'style';\n }\n return tagName;\n}\nfunction escapeRegExp(str) {\n return str.replace(/[.*+?^${}()|[\\]\\\\]/g, '\\\\$&');\n}\nvar HOVER_SELECTOR = /([^\\\\]):hover/;\nvar HOVER_SELECTOR_GLOBAL = new RegExp(HOVER_SELECTOR.source, 'g');\nfunction addHoverClass(cssText, cache) {\n var cachedStyle = cache === null || cache === void 0 ? void 0 : cache.stylesWithHoverClass.get(cssText);\n if (cachedStyle)\n return cachedStyle;\n var ast = parse(cssText, {\n silent: true\n });\n if (!ast.stylesheet) {\n return cssText;\n }\n var selectors = [];\n ast.stylesheet.rules.forEach(function (rule) {\n if ('selectors' in rule) {\n (rule.selectors || []).forEach(function (selector) {\n if (HOVER_SELECTOR.test(selector)) {\n selectors.push(selector);\n }\n });\n }\n });\n if (selectors.length === 0) {\n return cssText;\n }\n var selectorMatcher = new RegExp(selectors\n .filter(function (selector, index) { return selectors.indexOf(selector) === index; })\n .sort(function (a, b) { return b.length - a.length; })\n .map(function (selector) {\n return escapeRegExp(selector);\n })\n .join('|'), 'g');\n var result = cssText.replace(selectorMatcher, function (selector) {\n var newSelector = selector.replace(HOVER_SELECTOR_GLOBAL, '$1.\\\\:hover');\n return selector + \", \" + newSelector;\n });\n cache === null || cache === void 0 ? void 0 : cache.stylesWithHoverClass.set(cssText, result);\n return result;\n}\nfunction createCache() {\n var stylesWithHoverClass = new Map();\n return {\n stylesWithHoverClass: stylesWithHoverClass\n };\n}\nfunction buildNode(n, options) {\n var doc = options.doc, hackCss = options.hackCss, cache = options.cache;\n switch (n.type) {\n case NodeType.Document:\n return doc.implementation.createDocument(null, '', null);\n case NodeType.DocumentType:\n return doc.implementation.createDocumentType(n.name || 'html', n.publicId, n.systemId);\n case NodeType.Element:\n var tagName = getTagName(n);\n var node_1;\n if (n.isSVG) {\n node_1 = doc.createElementNS('http://www.w3.org/2000/svg', tagName);\n }\n else {\n node_1 = doc.createElement(tagName);\n }\n var _loop_1 = function (name_1) {\n if (!n.attributes.hasOwnProperty(name_1)) {\n return \"continue\";\n }\n var value = n.attributes[name_1];\n if (tagName === 'option' && name_1 === 'selected' && value === false) {\n return \"continue\";\n }\n value =\n typeof value === 'boolean' || typeof value === 'number' ? '' : value;\n if (!name_1.startsWith('rr_')) {\n var isTextarea = tagName === 'textarea' && name_1 === 'value';\n var isRemoteOrDynamicCss = tagName === 'style' && name_1 === '_cssText';\n if (isRemoteOrDynamicCss && hackCss) {\n value = addHoverClass(value, cache);\n }\n if (isTextarea || isRemoteOrDynamicCss) {\n var child = doc.createTextNode(value);\n for (var _i = 0, _a = Array.from(node_1.childNodes); _i < _a.length; _i++) {\n var c = _a[_i];\n if (c.nodeType === node_1.TEXT_NODE) {\n node_1.removeChild(c);\n }\n }\n node_1.appendChild(child);\n return \"continue\";\n }\n try {\n if (n.isSVG && name_1 === 'xlink:href') {\n node_1.setAttributeNS('http://www.w3.org/1999/xlink', name_1, value);\n }\n else if (name_1 === 'onload' ||\n name_1 === 'onclick' ||\n name_1.substring(0, 7) === 'onmouse') {\n node_1.setAttribute('_' + name_1, value);\n }\n else if (tagName === 'meta' &&\n n.attributes['http-equiv'] === 'Content-Security-Policy' &&\n name_1 === 'content') {\n node_1.setAttribute('csp-content', value);\n return \"continue\";\n }\n else if (tagName === 'link' &&\n n.attributes.rel === 'preload' &&\n n.attributes.as === 'script') {\n }\n else if (tagName === 'link' &&\n n.attributes.rel === 'prefetch' &&\n typeof n.attributes.href === 'string' &&\n n.attributes.href.endsWith('.js')) {\n }\n else if (tagName === 'img' &&\n n.attributes.srcset &&\n n.attributes.rr_dataURL) {\n node_1.setAttribute('rrweb-original-srcset', n.attributes.srcset);\n }\n else {\n node_1.setAttribute(name_1, value);\n }\n }\n catch (error) {\n }\n }\n else {\n if (tagName === 'canvas' && name_1 === 'rr_dataURL') {\n var image_1 = document.createElement('img');\n image_1.src = value;\n image_1.onload = function () {\n var ctx = node_1.getContext('2d');\n if (ctx) {\n ctx.drawImage(image_1, 0, 0, image_1.width, image_1.height);\n }\n };\n }\n else if (tagName === 'img' && name_1 === 'rr_dataURL') {\n var image = node_1;\n if (!image.currentSrc.startsWith('data:')) {\n image.setAttribute('rrweb-original-src', n.attributes.src);\n image.src = value;\n }\n }\n if (name_1 === 'rr_width') {\n node_1.style.width = value;\n }\n else if (name_1 === 'rr_height') {\n node_1.style.height = value;\n }\n else if (name_1 === 'rr_mediaCurrentTime') {\n node_1.currentTime = n.attributes\n .rr_mediaCurrentTime;\n }\n else if (name_1 === 'rr_mediaState') {\n switch (value) {\n case 'played':\n node_1\n .play()[\"catch\"](function (e) { return console.warn('media playback error', e); });\n break;\n case 'paused':\n node_1.pause();\n break;\n }\n }\n }\n };\n for (var name_1 in n.attributes) {\n _loop_1(name_1);\n }\n if (n.isShadowHost) {\n if (!node_1.shadowRoot) {\n node_1.attachShadow({ mode: 'open' });\n }\n else {\n while (node_1.shadowRoot.firstChild) {\n node_1.shadowRoot.removeChild(node_1.shadowRoot.firstChild);\n }\n }\n }\n return node_1;\n case NodeType.Text:\n return doc.createTextNode(n.isStyle && hackCss\n ? addHoverClass(n.textContent, cache)\n : n.textContent);\n case NodeType.CDATA:\n return doc.createCDATASection(n.textContent);\n case NodeType.Comment:\n return doc.createComment(n.textContent);\n default:\n return null;\n }\n}\nfunction buildNodeWithSN(n, options) {\n var doc = options.doc, map = options.map, _a = options.skipChild, skipChild = _a === void 0 ? false : _a, _b = options.hackCss, hackCss = _b === void 0 ? true : _b, afterAppend = options.afterAppend, cache = options.cache;\n var node = buildNode(n, { doc: doc, hackCss: hackCss, cache: cache });\n if (!node) {\n return null;\n }\n if (n.rootId) {\n console.assert(map[n.rootId] === doc, 'Target document should has the same root id.');\n }\n if (n.type === NodeType.Document) {\n doc.close();\n doc.open();\n if (n.compatMode === 'BackCompat' &&\n n.childNodes &&\n n.childNodes[0].type !== NodeType.DocumentType) {\n if (n.childNodes[0].type === NodeType.Element &&\n 'xmlns' in n.childNodes[0].attributes &&\n n.childNodes[0].attributes.xmlns === 'http://www.w3.org/1999/xhtml') {\n doc.write('');\n }\n else {\n doc.write('');\n }\n }\n node = doc;\n }\n node.__sn = n;\n map[n.id] = node;\n if ((n.type === NodeType.Document || n.type === NodeType.Element) &&\n !skipChild) {\n for (var _i = 0, _c = n.childNodes; _i < _c.length; _i++) {\n var childN = _c[_i];\n var childNode = buildNodeWithSN(childN, {\n doc: doc,\n map: map,\n skipChild: false,\n hackCss: hackCss,\n afterAppend: afterAppend,\n cache: cache\n });\n if (!childNode) {\n console.warn('Failed to rebuild', childN);\n continue;\n }\n if (childN.isShadow && isElement(node) && node.shadowRoot) {\n node.shadowRoot.appendChild(childNode);\n }\n else {\n node.appendChild(childNode);\n }\n if (afterAppend) {\n afterAppend(childNode);\n }\n }\n }\n return node;\n}\nfunction visit(idNodeMap, onVisit) {\n function walk(node) {\n onVisit(node);\n }\n for (var key in idNodeMap) {\n if (idNodeMap[key]) {\n walk(idNodeMap[key]);\n }\n }\n}\nfunction handleScroll(node) {\n var n = node.__sn;\n if (n.type !== NodeType.Element) {\n return;\n }\n var el = node;\n for (var name_2 in n.attributes) {\n if (!(n.attributes.hasOwnProperty(name_2) && name_2.startsWith('rr_'))) {\n continue;\n }\n var value = n.attributes[name_2];\n if (name_2 === 'rr_scrollLeft') {\n el.scrollLeft = value;\n }\n if (name_2 === 'rr_scrollTop') {\n el.scrollTop = value;\n }\n }\n}\nfunction rebuild(n, options) {\n var doc = options.doc, onVisit = options.onVisit, _a = options.hackCss, hackCss = _a === void 0 ? true : _a, afterAppend = options.afterAppend, cache = options.cache;\n var idNodeMap = {};\n var node = buildNodeWithSN(n, {\n doc: doc,\n map: idNodeMap,\n skipChild: false,\n hackCss: hackCss,\n afterAppend: afterAppend,\n cache: cache\n });\n visit(idNodeMap, function (visitedNode) {\n if (onVisit) {\n onVisit(visitedNode);\n }\n handleScroll(visitedNode);\n });\n return [node, idNodeMap];\n}\n\nexport { IGNORED_NODE, NodeType, addHoverClass, buildNodeWithSN, cleanupSnapshot, createCache, is2DCanvasBlank, isElement, isShadowRoot, maskInputValue, needMaskingText, rebuild, serializeNodeWithId, snapshot, transformAttribute, visitSnapshot };\n","import {\n serializedNodeWithId,\n idNodeMap,\n INode,\n MaskInputOptions,\n SlimDOMOptions,\n MaskInputFn,\n MaskTextFn,\n} from 'rrweb-snapshot';\nimport { PackFn, UnpackFn } from './packer/base';\nimport { IframeManager } from './record/iframe-manager';\nimport { ShadowDomManager } from './record/shadow-dom-manager';\nimport type { Replayer } from './replay';\nimport { CanvasManager } from './record/observers/canvas/canvas-manager';\n\nexport enum EventType {\n DomContentLoaded,\n Load,\n FullSnapshot,\n IncrementalSnapshot,\n Meta,\n Custom,\n Plugin,\n}\n\nexport type domContentLoadedEvent = {\n type: EventType.DomContentLoaded;\n data: {};\n};\n\nexport type loadedEvent = {\n type: EventType.Load;\n data: {};\n};\n\nexport type fullSnapshotEvent = {\n type: EventType.FullSnapshot;\n data: {\n node: serializedNodeWithId;\n initialOffset: {\n top: number;\n left: number;\n };\n };\n};\n\nexport type incrementalSnapshotEvent = {\n type: EventType.IncrementalSnapshot;\n data: incrementalData;\n};\n\nexport type metaEvent = {\n type: EventType.Meta;\n data: {\n href: string;\n width: number;\n height: number;\n };\n};\n\nexport type customEvent = {\n type: EventType.Custom;\n data: {\n tag: string;\n payload: T;\n };\n};\n\nexport type pluginEvent = {\n type: EventType.Plugin;\n data: {\n plugin: string;\n payload: T;\n };\n};\n\nexport type styleSheetEvent = {};\n\nexport enum IncrementalSource {\n Mutation,\n MouseMove,\n MouseInteraction,\n Scroll,\n ViewportResize,\n Input,\n TouchMove,\n MediaInteraction,\n StyleSheetRule,\n CanvasMutation,\n Font,\n Log,\n Drag,\n StyleDeclaration,\n}\n\nexport type mutationData = {\n source: IncrementalSource.Mutation;\n} & mutationCallbackParam;\n\nexport type mousemoveData = {\n source:\n | IncrementalSource.MouseMove\n | IncrementalSource.TouchMove\n | IncrementalSource.Drag;\n positions: mousePosition[];\n};\n\nexport type mouseInteractionData = {\n source: IncrementalSource.MouseInteraction;\n} & mouseInteractionParam;\n\nexport type scrollData = {\n source: IncrementalSource.Scroll;\n} & scrollPosition;\n\nexport type viewportResizeData = {\n source: IncrementalSource.ViewportResize;\n} & viewportResizeDimension;\n\nexport type inputData = {\n source: IncrementalSource.Input;\n id: number;\n} & inputValue;\n\nexport type mediaInteractionData = {\n source: IncrementalSource.MediaInteraction;\n} & mediaInteractionParam;\n\nexport type styleSheetRuleData = {\n source: IncrementalSource.StyleSheetRule;\n} & styleSheetRuleParam;\n\nexport type styleDeclarationData = {\n source: IncrementalSource.StyleDeclaration;\n} & styleDeclarationParam;\n\nexport type canvasMutationData = {\n source: IncrementalSource.CanvasMutation;\n} & canvasMutationParam;\n\nexport type fontData = {\n source: IncrementalSource.Font;\n} & fontParam;\n\nexport type incrementalData =\n | mutationData\n | mousemoveData\n | mouseInteractionData\n | scrollData\n | viewportResizeData\n | inputData\n | mediaInteractionData\n | styleSheetRuleData\n | canvasMutationData\n | fontData\n | styleDeclarationData;\n\nexport type event =\n | domContentLoadedEvent\n | loadedEvent\n | fullSnapshotEvent\n | incrementalSnapshotEvent\n | metaEvent\n | customEvent\n | pluginEvent;\n\nexport type eventWithTime = event & {\n timestamp: number;\n delay?: number;\n};\n\nexport type blockClass = string | RegExp;\n\nexport type maskTextClass = string | RegExp;\n\nexport type SamplingStrategy = Partial<{\n /**\n * false means not to record mouse/touch move events\n * number is the throttle threshold of recording mouse/touch move\n */\n mousemove: boolean | number;\n /**\n * number is the throttle threshold of mouse/touch move callback\n */\n mousemoveCallback: number;\n /**\n * false means not to record mouse interaction events\n * can also specify record some kinds of mouse interactions\n */\n mouseInteraction: boolean | Record;\n /**\n * number is the throttle threshold of recording scroll\n */\n scroll: number;\n /**\n * number is the throttle threshold of recording media interactions\n */\n media: number;\n /**\n * 'all' will record all the input events\n * 'last' will only record the last input value while input a sequence of chars\n */\n input: 'all' | 'last';\n}>;\n\nexport type RecordPlugin = {\n name: string;\n observer?: (cb: Function, win: IWindow, options: TOptions) => listenerHandler;\n eventProcessor?: (event: eventWithTime) => eventWithTime & TExtend;\n options: TOptions;\n};\n\nexport type recordOptions = {\n emit?: (e: T, isCheckout?: boolean) => void;\n checkoutEveryNth?: number;\n checkoutEveryNms?: number;\n blockClass?: blockClass;\n blockSelector?: string;\n ignoreClass?: string;\n maskTextClass?: maskTextClass;\n maskTextSelector?: string;\n maskAllInputs?: boolean;\n maskInputOptions?: MaskInputOptions;\n maskInputFn?: MaskInputFn;\n maskTextFn?: MaskTextFn;\n slimDOMOptions?: SlimDOMOptions | 'all' | true;\n inlineStylesheet?: boolean;\n hooks?: hooksParam;\n packFn?: PackFn;\n sampling?: SamplingStrategy;\n recordCanvas?: boolean;\n userTriggeredOnInput?: boolean;\n collectFonts?: boolean;\n inlineImages?: boolean;\n plugins?: RecordPlugin[];\n // departed, please use sampling options\n mousemoveWait?: number;\n keepIframeSrcFn?: KeepIframeSrcFn;\n};\n\nexport type observerParam = {\n mutationCb: mutationCallBack;\n mousemoveCb: mousemoveCallBack;\n mouseInteractionCb: mouseInteractionCallBack;\n scrollCb: scrollCallback;\n viewportResizeCb: viewportResizeCallback;\n inputCb: inputCallback;\n mediaInteractionCb: mediaInteractionCallback;\n blockClass: blockClass;\n blockSelector: string | null;\n ignoreClass: string;\n maskTextClass: maskTextClass;\n maskTextSelector: string | null;\n maskInputOptions: MaskInputOptions;\n maskInputFn?: MaskInputFn;\n maskTextFn?: MaskTextFn;\n inlineStylesheet: boolean;\n styleSheetRuleCb: styleSheetRuleCallback;\n styleDeclarationCb: styleDeclarationCallback;\n canvasMutationCb: canvasMutationCallback;\n fontCb: fontCallback;\n sampling: SamplingStrategy;\n recordCanvas: boolean;\n inlineImages: boolean;\n userTriggeredOnInput: boolean;\n collectFonts: boolean;\n slimDOMOptions: SlimDOMOptions;\n doc: Document;\n mirror: Mirror;\n iframeManager: IframeManager;\n shadowDomManager: ShadowDomManager;\n canvasManager: CanvasManager;\n plugins: Array<{\n observer: Function;\n callback: Function;\n options: unknown;\n }>;\n};\n\nexport type MutationBufferParam = Pick<\n observerParam,\n | 'mutationCb'\n | 'blockClass'\n | 'blockSelector'\n | 'maskTextClass'\n | 'maskTextSelector'\n | 'inlineStylesheet'\n | 'maskInputOptions'\n | 'maskTextFn'\n | 'maskInputFn'\n | 'recordCanvas'\n | 'inlineImages'\n | 'slimDOMOptions'\n | 'doc'\n | 'mirror'\n | 'iframeManager'\n | 'shadowDomManager'\n | 'canvasManager'\n>;\n\nexport type hooksParam = {\n mutation?: mutationCallBack;\n mousemove?: mousemoveCallBack;\n mouseInteraction?: mouseInteractionCallBack;\n scroll?: scrollCallback;\n viewportResize?: viewportResizeCallback;\n input?: inputCallback;\n mediaInteaction?: mediaInteractionCallback;\n styleSheetRule?: styleSheetRuleCallback;\n styleDeclaration?: styleDeclarationCallback;\n canvasMutation?: canvasMutationCallback;\n font?: fontCallback;\n};\n\n// https://dom.spec.whatwg.org/#interface-mutationrecord\nexport type mutationRecord = {\n type: string;\n target: Node;\n oldValue: string | null;\n addedNodes: NodeList;\n removedNodes: NodeList;\n attributeName: string | null;\n};\n\nexport type textCursor = {\n node: Node;\n value: string | null;\n};\nexport type textMutation = {\n id: number;\n value: string | null;\n};\n\nexport type styleAttributeValue = {\n [key: string]: styleValueWithPriority | string | false;\n};\n\nexport type styleValueWithPriority = [string, string];\n\nexport type attributeCursor = {\n node: Node;\n attributes: {\n [key: string]: string | styleAttributeValue | null;\n };\n};\nexport type attributeMutation = {\n id: number;\n attributes: {\n [key: string]: string | styleAttributeValue | null;\n };\n};\n\nexport type removedNodeMutation = {\n parentId: number;\n id: number;\n isShadow?: boolean;\n};\n\nexport type addedNodeMutation = {\n parentId: number;\n // Newly recorded mutations will not have previousId any more, just for compatibility\n previousId?: number | null;\n nextId: number | null;\n node: serializedNodeWithId;\n};\n\nexport type mutationCallbackParam = {\n texts: textMutation[];\n attributes: attributeMutation[];\n removes: removedNodeMutation[];\n adds: addedNodeMutation[];\n isAttachIframe?: true;\n};\n\nexport type mutationCallBack = (m: mutationCallbackParam) => void;\n\nexport type mousemoveCallBack = (\n p: mousePosition[],\n source:\n | IncrementalSource.MouseMove\n | IncrementalSource.TouchMove\n | IncrementalSource.Drag,\n) => void;\n\nexport type mousePosition = {\n x: number;\n y: number;\n id: number;\n timeOffset: number;\n};\n\nexport type mouseMovePos = {\n x: number;\n y: number;\n id: number;\n debugData: incrementalData;\n};\n\nexport enum MouseInteractions {\n MouseUp,\n MouseDown,\n Click,\n ContextMenu,\n DblClick,\n Focus,\n Blur,\n TouchStart,\n TouchMove_Departed, // we will start a separate observer for touch move event\n TouchEnd,\n TouchCancel,\n}\n\nexport enum CanvasContext {\n '2D',\n WebGL,\n WebGL2,\n}\n\nexport type SerializedWebGlArg =\n | {\n rr_type: 'ArrayBuffer';\n base64: string; // base64\n }\n | {\n rr_type: string;\n src: string; // url of image\n }\n | {\n rr_type: string;\n args: SerializedWebGlArg[];\n }\n | {\n rr_type: string;\n index: number;\n }\n | string\n | number\n | boolean\n | null\n | SerializedWebGlArg[];\n\ntype mouseInteractionParam = {\n type: MouseInteractions;\n id: number;\n x: number;\n y: number;\n};\n\nexport type mouseInteractionCallBack = (d: mouseInteractionParam) => void;\n\nexport type scrollPosition = {\n id: number;\n x: number;\n y: number;\n};\n\nexport type scrollCallback = (p: scrollPosition) => void;\n\nexport type styleSheetAddRule = {\n rule: string;\n index?: number | number[];\n};\n\nexport type styleSheetDeleteRule = {\n index: number | number[];\n};\n\nexport type styleSheetRuleParam = {\n id: number;\n removes?: styleSheetDeleteRule[];\n adds?: styleSheetAddRule[];\n};\n\nexport type styleSheetRuleCallback = (s: styleSheetRuleParam) => void;\n\nexport type styleDeclarationParam = {\n id: number;\n index: number[];\n set?: {\n property: string;\n value: string | null;\n priority: string | undefined;\n };\n remove?: {\n property: string;\n };\n};\n\nexport type styleDeclarationCallback = (s: styleDeclarationParam) => void;\n\nexport type canvasMutationCommand = {\n property: string;\n args: Array;\n setter?: true;\n};\n\nexport type canvasMutationParam =\n | {\n id: number;\n type: CanvasContext;\n commands: canvasMutationCommand[];\n }\n | ({\n id: number;\n type: CanvasContext;\n } & canvasMutationCommand);\n\nexport type canvasMutationWithType = {\n type: CanvasContext;\n} & canvasMutationCommand;\n\nexport type canvasMutationCallback = (p: canvasMutationParam) => void;\n\nexport type canvasManagerMutationCallback = (\n target: HTMLCanvasElement,\n p: canvasMutationWithType,\n) => void;\n\nexport type fontParam = {\n family: string;\n fontSource: string;\n buffer: boolean;\n descriptors?: FontFaceDescriptors;\n};\n\nexport type fontCallback = (p: fontParam) => void;\n\nexport type viewportResizeDimension = {\n width: number;\n height: number;\n};\n\nexport type viewportResizeCallback = (d: viewportResizeDimension) => void;\n\nexport type inputValue = {\n text: string;\n isChecked: boolean;\n\n // `userTriggered` indicates if this event was triggered directly by user (userTriggered: true)\n // or was triggered indirectly (userTriggered: false)\n // Example of `userTriggered` in action:\n // User clicks on radio element (userTriggered: true) which triggers the other radio element to change (userTriggered: false)\n userTriggered?: boolean;\n};\n\nexport type inputCallback = (v: inputValue & { id: number }) => void;\n\nexport const enum MediaInteractions {\n Play,\n Pause,\n Seeked,\n VolumeChange,\n}\n\nexport type mediaInteractionParam = {\n type: MediaInteractions;\n id: number;\n currentTime?: number;\n volume?: number;\n muted?: boolean;\n};\n\nexport type mediaInteractionCallback = (p: mediaInteractionParam) => void;\n\nexport type DocumentDimension = {\n x: number;\n y: number;\n // scale value relative to its parent iframe\n relativeScale: number;\n // scale value relative to the root iframe\n absoluteScale: number;\n};\n\nexport type Mirror = {\n map: idNodeMap;\n getId: (n: INode) => number;\n getNode: (id: number) => INode | null;\n removeNodeFromMap: (n: INode) => void;\n has: (id: number) => boolean;\n reset: () => void;\n};\n\nexport type throttleOptions = {\n leading?: boolean;\n trailing?: boolean;\n};\n\nexport type listenerHandler = () => void;\nexport type hookResetter = () => void;\n\nexport type ReplayPlugin = {\n handler: (\n event: eventWithTime,\n isSync: boolean,\n context: { replayer: Replayer },\n ) => void;\n};\nexport type playerConfig = {\n speed: number;\n maxSpeed: number;\n root: Element;\n loadTimeout: number;\n skipInactive: boolean;\n showWarning: boolean;\n showDebug: boolean;\n blockClass: string;\n liveMode: boolean;\n insertStyleRules: string[];\n triggerFocus: boolean;\n UNSAFE_replayCanvas: boolean;\n pauseAnimation?: boolean;\n mouseTail:\n | boolean\n | {\n duration?: number;\n lineCap?: string;\n lineWidth?: number;\n strokeStyle?: string;\n };\n unpackFn?: UnpackFn;\n plugins?: ReplayPlugin[];\n};\n\nexport type playerMetaData = {\n startTime: number;\n endTime: number;\n totalTime: number;\n};\n\nexport type missingNode = {\n node: Node;\n mutation: addedNodeMutation;\n};\nexport type missingNodeMap = {\n [id: number]: missingNode;\n};\n\nexport type actionWithDelay = {\n doAction: () => void;\n delay: number;\n};\n\nexport type Handler = (event?: unknown) => void;\n\nexport type Emitter = {\n on(type: string, handler: Handler): void;\n emit(type: string, event?: unknown): void;\n off(type: string, handler: Handler): void;\n};\n\nexport type Arguments = T extends (...payload: infer U) => unknown\n ? U\n : unknown;\n\nexport enum ReplayerEvents {\n Start = 'start',\n Pause = 'pause',\n Resume = 'resume',\n Resize = 'resize',\n Finish = 'finish',\n FullsnapshotRebuilded = 'fullsnapshot-rebuilded',\n LoadStylesheetStart = 'load-stylesheet-start',\n LoadStylesheetEnd = 'load-stylesheet-end',\n SkipStart = 'skip-start',\n SkipEnd = 'skip-end',\n MouseInteraction = 'mouse-interaction',\n EventCast = 'event-cast',\n CustomEvent = 'custom-event',\n Flush = 'flush',\n StateChange = 'state-change',\n PlayBack = 'play-back',\n}\n\n// store the state that would be changed during the process(unmount from dom and mount again)\nexport type ElementState = {\n // [scrollLeft,scrollTop]\n scroll?: [number, number];\n};\n\nexport type KeepIframeSrcFn = (src: string) => boolean;\n\ndeclare global {\n interface Window {\n FontFace: typeof FontFace;\n }\n}\n\nexport type IWindow = Window & typeof globalThis;\n\nexport type Optional = Pick, K> & Omit;\n","import {\n Mirror,\n throttleOptions,\n listenerHandler,\n hookResetter,\n blockClass,\n IncrementalSource,\n addedNodeMutation,\n removedNodeMutation,\n textMutation,\n attributeMutation,\n mutationData,\n scrollData,\n inputData,\n DocumentDimension,\n IWindow,\n} from './types';\nimport {\n INode,\n IGNORED_NODE,\n serializedNodeWithId,\n NodeType,\n isShadowRoot,\n} from 'rrweb-snapshot';\n\nexport function on(\n type: string,\n fn: EventListenerOrEventListenerObject,\n target: Document | IWindow = document,\n): listenerHandler {\n const options = { capture: true, passive: true };\n target.addEventListener(type, fn, options);\n return () => target.removeEventListener(type, fn, options);\n}\n\nexport function createMirror(): Mirror {\n return {\n map: {},\n getId(n) {\n // if n is not a serialized INode, use -1 as its id.\n if (!n || !n.__sn) {\n return -1;\n }\n return n.__sn.id;\n },\n getNode(id) {\n return this.map[id] || null;\n },\n // TODO: use a weakmap to get rid of manually memory management\n removeNodeFromMap(n) {\n const id = n.__sn && n.__sn.id;\n delete this.map[id];\n if (n.childNodes) {\n n.childNodes.forEach((child) =>\n this.removeNodeFromMap((child as Node) as INode),\n );\n }\n },\n has(id) {\n return this.map.hasOwnProperty(id);\n },\n reset() {\n this.map = {};\n },\n };\n}\n\n// https://github.com/rrweb-io/rrweb/pull/407\nconst DEPARTED_MIRROR_ACCESS_WARNING =\n 'Please stop import mirror directly. Instead of that,' +\n '\\r\\n' +\n 'now you can use replayer.getMirror() to access the mirror instance of a replayer,' +\n '\\r\\n' +\n 'or you can use record.mirror to access the mirror instance during recording.';\nexport let _mirror: Mirror = {\n map: {},\n getId() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n return -1;\n },\n getNode() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n return null;\n },\n removeNodeFromMap() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n },\n has() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n return false;\n },\n reset() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n },\n};\nif (typeof window !== 'undefined' && window.Proxy && window.Reflect) {\n _mirror = new Proxy(_mirror, {\n get(target, prop, receiver) {\n if (prop === 'map') {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n }\n return Reflect.get(target, prop, receiver);\n },\n });\n}\n\n// copy from underscore and modified\nexport function throttle(\n func: (arg: T) => void,\n wait: number,\n options: throttleOptions = {},\n) {\n let timeout: ReturnType | null = null;\n let previous = 0;\n // tslint:disable-next-line: only-arrow-functions\n return function (arg: T) {\n let now = Date.now();\n if (!previous && options.leading === false) {\n previous = now;\n }\n let remaining = wait - (now - previous);\n let context = this;\n let args = arguments;\n if (remaining <= 0 || remaining > wait) {\n if (timeout) {\n clearTimeout(timeout);\n timeout = null;\n }\n previous = now;\n func.apply(context, args);\n } else if (!timeout && options.trailing !== false) {\n timeout = setTimeout(() => {\n previous = options.leading === false ? 0 : Date.now();\n timeout = null;\n func.apply(context, args);\n }, remaining);\n }\n };\n}\n\nexport function hookSetter(\n target: T,\n key: string | number | symbol,\n d: PropertyDescriptor,\n isRevoked?: boolean,\n win = window,\n): hookResetter {\n const original = win.Object.getOwnPropertyDescriptor(target, key);\n win.Object.defineProperty(\n target,\n key,\n isRevoked\n ? d\n : {\n set(value) {\n // put hooked setter into event loop to avoid of set latency\n setTimeout(() => {\n d.set!.call(this, value);\n }, 0);\n if (original && original.set) {\n original.set.call(this, value);\n }\n },\n },\n );\n return () => hookSetter(target, key, original || {}, true);\n}\n\n// copy from https://github.com/getsentry/sentry-javascript/blob/b2109071975af8bf0316d3b5b38f519bdaf5dc15/packages/utils/src/object.ts\nexport function patch(\n // tslint:disable-next-line:no-any\n source: { [key: string]: any },\n name: string,\n // tslint:disable-next-line:no-any\n replacement: (...args: any[]) => any,\n): () => void {\n try {\n if (!(name in source)) {\n return () => {};\n }\n\n const original = source[name] as () => unknown;\n const wrapped = replacement(original);\n\n // Make sure it's a function first, as we need to attach an empty prototype for `defineProperties` to work\n // otherwise it'll throw \"TypeError: Object.defineProperties called on non-object\"\n // tslint:disable-next-line:strict-type-predicates\n if (typeof wrapped === 'function') {\n wrapped.prototype = wrapped.prototype || {};\n Object.defineProperties(wrapped, {\n __rrweb_original__: {\n enumerable: false,\n value: original,\n },\n });\n }\n\n source[name] = wrapped;\n\n return () => {\n source[name] = original;\n };\n } catch {\n return () => {};\n // This can throw if multiple fill happens on a global object like XMLHttpRequest\n // Fixes https://github.com/getsentry/sentry-javascript/issues/2043\n }\n}\n\nexport function getWindowHeight(): number {\n return (\n window.innerHeight ||\n (document.documentElement && document.documentElement.clientHeight) ||\n (document.body && document.body.clientHeight)\n );\n}\n\nexport function getWindowWidth(): number {\n return (\n window.innerWidth ||\n (document.documentElement && document.documentElement.clientWidth) ||\n (document.body && document.body.clientWidth)\n );\n}\n\nexport function isBlocked(node: Node | null, blockClass: blockClass): boolean {\n if (!node) {\n return false;\n }\n if (node.nodeType === node.ELEMENT_NODE) {\n let needBlock = false;\n if (typeof blockClass === 'string') {\n if ((node as HTMLElement).closest !== undefined) {\n return (node as HTMLElement).closest('.' + blockClass) !== null;\n } else {\n needBlock = (node as HTMLElement).classList.contains(blockClass);\n }\n } else {\n (node as HTMLElement).classList.forEach((className) => {\n if (blockClass.test(className)) {\n needBlock = true;\n }\n });\n }\n return needBlock || isBlocked(node.parentNode, blockClass);\n }\n if (node.nodeType === node.TEXT_NODE) {\n // check parent node since text node do not have class name\n return isBlocked(node.parentNode, blockClass);\n }\n return isBlocked(node.parentNode, blockClass);\n}\n\nexport function isIgnored(n: Node | INode): boolean {\n if ('__sn' in n) {\n return (n as INode).__sn.id === IGNORED_NODE;\n }\n // The main part of the slimDOM check happens in\n // rrweb-snapshot::serializeNodeWithId\n return false;\n}\n\nexport function isAncestorRemoved(target: INode, mirror: Mirror): boolean {\n if (isShadowRoot(target)) {\n return false;\n }\n const id = mirror.getId(target);\n if (!mirror.has(id)) {\n return true;\n }\n if (\n target.parentNode &&\n target.parentNode.nodeType === target.DOCUMENT_NODE\n ) {\n return false;\n }\n // if the root is not document, it means the node is not in the DOM tree anymore\n if (!target.parentNode) {\n return true;\n }\n return isAncestorRemoved((target.parentNode as unknown) as INode, mirror);\n}\n\nexport function isTouchEvent(\n event: MouseEvent | TouchEvent,\n): event is TouchEvent {\n return Boolean((event as TouchEvent).changedTouches);\n}\n\nexport function polyfill(win = window) {\n if ('NodeList' in win && !win.NodeList.prototype.forEach) {\n win.NodeList.prototype.forEach = (Array.prototype\n .forEach as unknown) as NodeList['forEach'];\n }\n\n if ('DOMTokenList' in win && !win.DOMTokenList.prototype.forEach) {\n win.DOMTokenList.prototype.forEach = (Array.prototype\n .forEach as unknown) as DOMTokenList['forEach'];\n }\n\n // https://github.com/Financial-Times/polyfill-service/pull/183\n if (!Node.prototype.contains) {\n Node.prototype.contains = function contains(node) {\n if (!(0 in arguments)) {\n throw new TypeError('1 argument is required');\n }\n\n do {\n if (this === node) {\n return true;\n }\n // tslint:disable-next-line: no-conditional-assignment\n } while ((node = node && node.parentNode));\n\n return false;\n };\n }\n}\n\nexport type TreeNode = {\n id: number;\n mutation: addedNodeMutation;\n parent?: TreeNode;\n children: Record;\n texts: textMutation[];\n attributes: attributeMutation[];\n};\nexport class TreeIndex {\n public tree!: Record;\n\n private removeNodeMutations!: removedNodeMutation[];\n private textMutations!: textMutation[];\n private attributeMutations!: attributeMutation[];\n private indexes!: Map;\n private removeIdSet!: Set;\n private scrollMap!: Map;\n private inputMap!: Map;\n\n constructor() {\n this.reset();\n }\n\n public add(mutation: addedNodeMutation) {\n const parentTreeNode = this.indexes.get(mutation.parentId);\n const treeNode: TreeNode = {\n id: mutation.node.id,\n mutation,\n children: [],\n texts: [],\n attributes: [],\n };\n if (!parentTreeNode) {\n this.tree[treeNode.id] = treeNode;\n } else {\n treeNode.parent = parentTreeNode;\n parentTreeNode.children[treeNode.id] = treeNode;\n }\n this.indexes.set(treeNode.id, treeNode);\n }\n\n public remove(mutation: removedNodeMutation, mirror: Mirror) {\n const parentTreeNode = this.indexes.get(mutation.parentId);\n const treeNode = this.indexes.get(mutation.id);\n\n const deepRemoveFromMirror = (id: number) => {\n this.removeIdSet.add(id);\n const node = mirror.getNode(id);\n node?.childNodes.forEach((childNode) => {\n if ('__sn' in childNode) {\n deepRemoveFromMirror(((childNode as unknown) as INode).__sn.id);\n }\n });\n };\n const deepRemoveFromTreeIndex = (node: TreeNode) => {\n this.removeIdSet.add(node.id);\n Object.values(node.children).forEach((n) => deepRemoveFromTreeIndex(n));\n const _treeNode = this.indexes.get(node.id);\n if (_treeNode) {\n const _parentTreeNode = _treeNode.parent;\n if (_parentTreeNode) {\n delete _treeNode.parent;\n delete _parentTreeNode.children[_treeNode.id];\n this.indexes.delete(mutation.id);\n }\n }\n };\n\n if (!treeNode) {\n this.removeNodeMutations.push(mutation);\n deepRemoveFromMirror(mutation.id);\n } else if (!parentTreeNode) {\n delete this.tree[treeNode.id];\n this.indexes.delete(treeNode.id);\n deepRemoveFromTreeIndex(treeNode);\n } else {\n delete treeNode.parent;\n delete parentTreeNode.children[treeNode.id];\n this.indexes.delete(mutation.id);\n deepRemoveFromTreeIndex(treeNode);\n }\n }\n\n public text(mutation: textMutation) {\n const treeNode = this.indexes.get(mutation.id);\n if (treeNode) {\n treeNode.texts.push(mutation);\n } else {\n this.textMutations.push(mutation);\n }\n }\n\n public attribute(mutation: attributeMutation) {\n const treeNode = this.indexes.get(mutation.id);\n if (treeNode) {\n treeNode.attributes.push(mutation);\n } else {\n this.attributeMutations.push(mutation);\n }\n }\n\n public scroll(d: scrollData) {\n this.scrollMap.set(d.id, d);\n }\n\n public input(d: inputData) {\n this.inputMap.set(d.id, d);\n }\n\n public flush(): {\n mutationData: mutationData;\n scrollMap: TreeIndex['scrollMap'];\n inputMap: TreeIndex['inputMap'];\n } {\n const {\n tree,\n removeNodeMutations,\n textMutations,\n attributeMutations,\n } = this;\n\n const batchMutationData: mutationData = {\n source: IncrementalSource.Mutation,\n removes: removeNodeMutations,\n texts: textMutations,\n attributes: attributeMutations,\n adds: [],\n };\n\n const walk = (treeNode: TreeNode, removed: boolean) => {\n if (removed) {\n this.removeIdSet.add(treeNode.id);\n }\n batchMutationData.texts = batchMutationData.texts\n .concat(removed ? [] : treeNode.texts)\n .filter((m) => !this.removeIdSet.has(m.id));\n batchMutationData.attributes = batchMutationData.attributes\n .concat(removed ? [] : treeNode.attributes)\n .filter((m) => !this.removeIdSet.has(m.id));\n if (\n !this.removeIdSet.has(treeNode.id) &&\n !this.removeIdSet.has(treeNode.mutation.parentId) &&\n !removed\n ) {\n batchMutationData.adds.push(treeNode.mutation);\n if (treeNode.children) {\n Object.values(treeNode.children).forEach((n) => walk(n, false));\n }\n } else {\n Object.values(treeNode.children).forEach((n) => walk(n, true));\n }\n };\n\n Object.values(tree).forEach((n) => walk(n, false));\n\n for (const id of this.scrollMap.keys()) {\n if (this.removeIdSet.has(id)) {\n this.scrollMap.delete(id);\n }\n }\n for (const id of this.inputMap.keys()) {\n if (this.removeIdSet.has(id)) {\n this.inputMap.delete(id);\n }\n }\n\n const scrollMap = new Map(this.scrollMap);\n const inputMap = new Map(this.inputMap);\n\n this.reset();\n\n return {\n mutationData: batchMutationData,\n scrollMap,\n inputMap,\n };\n }\n\n private reset() {\n this.tree = [];\n this.indexes = new Map();\n this.removeNodeMutations = [];\n this.textMutations = [];\n this.attributeMutations = [];\n this.removeIdSet = new Set();\n this.scrollMap = new Map();\n this.inputMap = new Map();\n }\n\n public idRemoved(id: number): boolean {\n return this.removeIdSet.has(id);\n }\n}\n\ntype ResolveTree = {\n value: addedNodeMutation;\n children: ResolveTree[];\n parent: ResolveTree | null;\n};\n\nexport function queueToResolveTrees(queue: addedNodeMutation[]): ResolveTree[] {\n const queueNodeMap: Record = {};\n const putIntoMap = (\n m: addedNodeMutation,\n parent: ResolveTree | null,\n ): ResolveTree => {\n const nodeInTree: ResolveTree = {\n value: m,\n parent,\n children: [],\n };\n queueNodeMap[m.node.id] = nodeInTree;\n return nodeInTree;\n };\n\n const queueNodeTrees: ResolveTree[] = [];\n for (const mutation of queue) {\n const { nextId, parentId } = mutation;\n if (nextId && nextId in queueNodeMap) {\n const nextInTree = queueNodeMap[nextId];\n if (nextInTree.parent) {\n const idx = nextInTree.parent.children.indexOf(nextInTree);\n nextInTree.parent.children.splice(\n idx,\n 0,\n putIntoMap(mutation, nextInTree.parent),\n );\n } else {\n const idx = queueNodeTrees.indexOf(nextInTree);\n queueNodeTrees.splice(idx, 0, putIntoMap(mutation, null));\n }\n continue;\n }\n if (parentId in queueNodeMap) {\n const parentInTree = queueNodeMap[parentId];\n parentInTree.children.push(putIntoMap(mutation, parentInTree));\n continue;\n }\n queueNodeTrees.push(putIntoMap(mutation, null));\n }\n\n return queueNodeTrees;\n}\n\nexport function iterateResolveTree(\n tree: ResolveTree,\n cb: (mutation: addedNodeMutation) => unknown,\n) {\n cb(tree.value);\n /**\n * The resolve tree was designed to reflect the DOM layout,\n * but we need append next sibling first, so we do a reverse\n * loop here.\n */\n for (let i = tree.children.length - 1; i >= 0; i--) {\n iterateResolveTree(tree.children[i], cb);\n }\n}\n\ntype HTMLIFrameINode = HTMLIFrameElement & {\n __sn: serializedNodeWithId;\n};\nexport type AppendedIframe = {\n mutationInQueue: addedNodeMutation;\n builtNode: HTMLIFrameINode;\n};\n\nexport function isIframeINode(\n node: INode | ShadowRoot,\n): node is HTMLIFrameINode {\n if ('__sn' in node) {\n return (\n node.__sn.type === NodeType.Element && node.__sn.tagName === 'iframe'\n );\n }\n // node can be document fragment when using the virtual parent feature\n return false;\n}\n\nexport function getBaseDimension(\n node: Node,\n rootIframe: Node,\n): DocumentDimension {\n const frameElement = node.ownerDocument?.defaultView?.frameElement;\n if (!frameElement || frameElement === rootIframe) {\n return {\n x: 0,\n y: 0,\n relativeScale: 1,\n absoluteScale: 1,\n };\n }\n\n const frameDimension = frameElement.getBoundingClientRect();\n const frameBaseDimension = getBaseDimension(frameElement, rootIframe);\n // the iframe element may have a scale transform\n const relativeScale = frameDimension.height / frameElement.clientHeight;\n return {\n x:\n frameDimension.x * frameBaseDimension.relativeScale +\n frameBaseDimension.x,\n y:\n frameDimension.y * frameBaseDimension.relativeScale +\n frameBaseDimension.y,\n relativeScale,\n absoluteScale: frameBaseDimension.absoluteScale * relativeScale,\n };\n}\n\nexport function hasShadowRoot(\n n: T,\n): n is T & { shadowRoot: ShadowRoot } {\n return Boolean(((n as unknown) as Element)?.shadowRoot);\n}\n","import {\n INode,\n serializeNodeWithId,\n transformAttribute,\n IGNORED_NODE,\n isShadowRoot,\n needMaskingText,\n maskInputValue,\n} from 'rrweb-snapshot';\nimport {\n mutationRecord,\n textCursor,\n attributeCursor,\n removedNodeMutation,\n addedNodeMutation,\n Mirror,\n styleAttributeValue,\n observerParam,\n MutationBufferParam,\n Optional,\n} from '../types';\nimport {\n isBlocked,\n isAncestorRemoved,\n isIgnored,\n isIframeINode,\n hasShadowRoot,\n} from '../utils';\n\ntype DoubleLinkedListNode = {\n previous: DoubleLinkedListNode | null;\n next: DoubleLinkedListNode | null;\n value: NodeInLinkedList;\n};\ntype NodeInLinkedList = Node & {\n __ln: DoubleLinkedListNode;\n};\n\nfunction isNodeInLinkedList(n: Node | NodeInLinkedList): n is NodeInLinkedList {\n return '__ln' in n;\n}\nclass DoubleLinkedList {\n public length = 0;\n public head: DoubleLinkedListNode | null = null;\n\n public get(position: number) {\n if (position >= this.length) {\n throw new Error('Position outside of list range');\n }\n\n let current = this.head;\n for (let index = 0; index < position; index++) {\n current = current?.next || null;\n }\n return current;\n }\n\n public addNode(n: Node) {\n const node: DoubleLinkedListNode = {\n value: n as NodeInLinkedList,\n previous: null,\n next: null,\n };\n (n as NodeInLinkedList).__ln = node;\n if (n.previousSibling && isNodeInLinkedList(n.previousSibling)) {\n const current = n.previousSibling.__ln.next;\n node.next = current;\n node.previous = n.previousSibling.__ln;\n n.previousSibling.__ln.next = node;\n if (current) {\n current.previous = node;\n }\n } else if (\n n.nextSibling &&\n isNodeInLinkedList(n.nextSibling) &&\n n.nextSibling.__ln.previous\n ) {\n const current = n.nextSibling.__ln.previous;\n node.previous = current;\n node.next = n.nextSibling.__ln;\n n.nextSibling.__ln.previous = node;\n if (current) {\n current.next = node;\n }\n } else {\n if (this.head) {\n this.head.previous = node;\n }\n node.next = this.head;\n this.head = node;\n }\n this.length++;\n }\n\n public removeNode(n: NodeInLinkedList) {\n const current = n.__ln;\n if (!this.head) {\n return;\n }\n\n if (!current.previous) {\n this.head = current.next;\n if (this.head) {\n this.head.previous = null;\n }\n } else {\n current.previous.next = current.next;\n if (current.next) {\n current.next.previous = current.previous;\n }\n }\n if (n.__ln) {\n delete (n as Optional).__ln;\n }\n this.length--;\n }\n}\n\nconst moveKey = (id: number, parentId: number) => `${id}@${parentId}`;\nfunction isINode(n: Node | INode): n is INode {\n return '__sn' in n;\n}\n\n/**\n * controls behaviour of a MutationObserver\n */\nexport default class MutationBuffer {\n private frozen: boolean = false;\n private locked: boolean = false;\n\n private texts: textCursor[] = [];\n private attributes: attributeCursor[] = [];\n private removes: removedNodeMutation[] = [];\n private mapRemoves: Node[] = [];\n\n private movedMap: Record = {};\n\n /**\n * the browser MutationObserver emits multiple mutations after\n * a delay for performance reasons, making tracing added nodes hard\n * in our `processMutations` callback function.\n * For example, if we append an element el_1 into body, and then append\n * another element el_2 into el_1, these two mutations may be passed to the\n * callback function together when the two operations were done.\n * Generally we need to trace child nodes of newly added nodes, but in this\n * case if we count el_2 as el_1's child node in the first mutation record,\n * then we will count el_2 again in the second mutation record which was\n * duplicated.\n * To avoid of duplicate counting added nodes, we use a Set to store\n * added nodes and its child nodes during iterate mutation records. Then\n * collect added nodes from the Set which have no duplicate copy. But\n * this also causes newly added nodes will not be serialized with id ASAP,\n * which means all the id related calculation should be lazy too.\n */\n private addedSet = new Set();\n private movedSet = new Set();\n private droppedSet = new Set();\n\n private mutationCb: observerParam['mutationCb'];\n private blockClass: observerParam['blockClass'];\n private blockSelector: observerParam['blockSelector'];\n private maskTextClass: observerParam['maskTextClass'];\n private maskTextSelector: observerParam['maskTextSelector'];\n private inlineStylesheet: observerParam['inlineStylesheet'];\n private maskInputOptions: observerParam['maskInputOptions'];\n private maskTextFn: observerParam['maskTextFn'];\n private maskInputFn: observerParam['maskInputFn'];\n private recordCanvas: observerParam['recordCanvas'];\n private inlineImages: observerParam['inlineImages'];\n private slimDOMOptions: observerParam['slimDOMOptions'];\n private doc: observerParam['doc'];\n private mirror: observerParam['mirror'];\n private iframeManager: observerParam['iframeManager'];\n private shadowDomManager: observerParam['shadowDomManager'];\n private canvasManager: observerParam['canvasManager'];\n\n public init(options: MutationBufferParam) {\n ([\n 'mutationCb',\n 'blockClass',\n 'blockSelector',\n 'maskTextClass',\n 'maskTextSelector',\n 'inlineStylesheet',\n 'maskInputOptions',\n 'maskTextFn',\n 'maskInputFn',\n 'recordCanvas',\n 'inlineImages',\n 'slimDOMOptions',\n 'doc',\n 'mirror',\n 'iframeManager',\n 'shadowDomManager',\n 'canvasManager',\n ] as const).forEach((key) => {\n // just a type trick, the runtime result is correct\n this[key] = options[key] as never;\n });\n }\n\n public freeze() {\n this.frozen = true;\n this.canvasManager.freeze();\n }\n\n public unfreeze() {\n this.frozen = false;\n this.canvasManager.unfreeze();\n this.emit();\n }\n\n public isFrozen() {\n return this.frozen;\n }\n\n public lock() {\n this.locked = true;\n this.canvasManager.lock();\n }\n\n public unlock() {\n this.locked = false;\n this.canvasManager.unlock();\n this.emit();\n }\n\n public reset() {\n this.shadowDomManager.reset();\n this.canvasManager.reset();\n }\n\n public processMutations = (mutations: mutationRecord[]) => {\n mutations.forEach(this.processMutation); // adds mutations to the buffer\n this.emit(); // clears buffer if not locked/frozen\n };\n\n public emit = () => {\n if (this.frozen || this.locked) {\n return;\n }\n\n // delay any modification of the mirror until this function\n // so that the mirror for takeFullSnapshot doesn't get mutated while it's event is being processed\n\n const adds: addedNodeMutation[] = [];\n\n /**\n * Sometimes child node may be pushed before its newly added\n * parent, so we init a queue to store these nodes.\n */\n const addList = new DoubleLinkedList();\n const getNextId = (n: Node): number | null => {\n let ns: Node | null = n;\n let nextId: number | null = IGNORED_NODE; // slimDOM: ignored\n while (nextId === IGNORED_NODE) {\n ns = ns && ns.nextSibling;\n nextId = ns && this.mirror.getId((ns as unknown) as INode);\n }\n return nextId;\n };\n const pushAdd = (n: Node) => {\n const shadowHost: Element | null = n.getRootNode\n ? (n.getRootNode() as ShadowRoot)?.host\n : null;\n // If n is in a nested shadow dom.\n let rootShadowHost = shadowHost;\n while ((rootShadowHost?.getRootNode?.() as ShadowRoot | undefined)?.host)\n rootShadowHost =\n (rootShadowHost?.getRootNode?.() as ShadowRoot | undefined)?.host ||\n null;\n // ensure shadowHost is a Node, or doc.contains will throw an error\n const notInDoc =\n !this.doc.contains(n) &&\n (rootShadowHost === null || !this.doc.contains(rootShadowHost));\n if (!n.parentNode || notInDoc) {\n return;\n }\n const parentId = isShadowRoot(n.parentNode)\n ? this.mirror.getId((shadowHost as unknown) as INode)\n : this.mirror.getId((n.parentNode as Node) as INode);\n const nextId = getNextId(n);\n if (parentId === -1 || nextId === -1) {\n return addList.addNode(n);\n }\n let sn = serializeNodeWithId(n, {\n doc: this.doc,\n map: this.mirror.map,\n blockClass: this.blockClass,\n blockSelector: this.blockSelector,\n maskTextClass: this.maskTextClass,\n maskTextSelector: this.maskTextSelector,\n skipChild: true,\n inlineStylesheet: this.inlineStylesheet,\n maskInputOptions: this.maskInputOptions,\n maskTextFn: this.maskTextFn,\n maskInputFn: this.maskInputFn,\n slimDOMOptions: this.slimDOMOptions,\n recordCanvas: this.recordCanvas,\n inlineImages: this.inlineImages,\n onSerialize: (currentN) => {\n if (isIframeINode(currentN)) {\n this.iframeManager.addIframe(currentN);\n }\n if (hasShadowRoot(n)) {\n this.shadowDomManager.addShadowRoot(n.shadowRoot, document);\n }\n },\n onIframeLoad: (iframe, childSn) => {\n this.iframeManager.attachIframe(iframe, childSn);\n this.shadowDomManager.observeAttachShadow(\n (iframe as Node) as HTMLIFrameElement,\n );\n },\n });\n if (sn) {\n adds.push({\n parentId,\n nextId,\n node: sn,\n });\n }\n };\n\n while (this.mapRemoves.length) {\n this.mirror.removeNodeFromMap(this.mapRemoves.shift() as INode);\n }\n\n for (const n of this.movedSet) {\n if (\n isParentRemoved(this.removes, n, this.mirror) &&\n !this.movedSet.has(n.parentNode!)\n ) {\n continue;\n }\n pushAdd(n);\n }\n\n for (const n of this.addedSet) {\n if (\n !isAncestorInSet(this.droppedSet, n) &&\n !isParentRemoved(this.removes, n, this.mirror)\n ) {\n pushAdd(n);\n } else if (isAncestorInSet(this.movedSet, n)) {\n pushAdd(n);\n } else {\n this.droppedSet.add(n);\n }\n }\n\n let candidate: DoubleLinkedListNode | null = null;\n while (addList.length) {\n let node: DoubleLinkedListNode | null = null;\n if (candidate) {\n const parentId = this.mirror.getId(\n (candidate.value.parentNode as Node) as INode,\n );\n const nextId = getNextId(candidate.value);\n if (parentId !== -1 && nextId !== -1) {\n node = candidate;\n }\n }\n if (!node) {\n for (let index = addList.length - 1; index >= 0; index--) {\n const _node = addList.get(index)!;\n // ensure _node is defined before attempting to find value\n if (_node) {\n const parentId = this.mirror.getId(\n (_node.value.parentNode as Node) as INode,\n );\n const nextId = getNextId(_node.value);\n if (parentId !== -1 && nextId !== -1) {\n node = _node;\n break;\n }\n }\n }\n }\n if (!node) {\n /**\n * If all nodes in queue could not find a serialized parent,\n * it may be a bug or corner case. We need to escape the\n * dead while loop at once.\n */\n while (addList.head) {\n addList.removeNode(addList.head.value);\n }\n break;\n }\n candidate = node.previous;\n addList.removeNode(node.value);\n pushAdd(node.value);\n }\n\n const payload = {\n texts: this.texts\n .map((text) => ({\n id: this.mirror.getId(text.node as INode),\n value: text.value,\n }))\n // text mutation's id was not in the mirror map means the target node has been removed\n .filter((text) => this.mirror.has(text.id)),\n attributes: this.attributes\n .map((attribute) => ({\n id: this.mirror.getId(attribute.node as INode),\n attributes: attribute.attributes,\n }))\n // attribute mutation's id was not in the mirror map means the target node has been removed\n .filter((attribute) => this.mirror.has(attribute.id)),\n removes: this.removes,\n adds,\n };\n // payload may be empty if the mutations happened in some blocked elements\n if (\n !payload.texts.length &&\n !payload.attributes.length &&\n !payload.removes.length &&\n !payload.adds.length\n ) {\n return;\n }\n\n // reset\n this.texts = [];\n this.attributes = [];\n this.removes = [];\n this.addedSet = new Set();\n this.movedSet = new Set();\n this.droppedSet = new Set();\n this.movedMap = {};\n\n this.mutationCb(payload);\n };\n\n private processMutation = (m: mutationRecord) => {\n if (isIgnored(m.target)) {\n return;\n }\n switch (m.type) {\n case 'characterData': {\n const value = m.target.textContent;\n if (!isBlocked(m.target, this.blockClass) && value !== m.oldValue) {\n this.texts.push({\n value:\n needMaskingText(\n m.target,\n this.maskTextClass,\n this.maskTextSelector,\n ) && value\n ? this.maskTextFn\n ? this.maskTextFn(value)\n : value.replace(/[\\S]/g, '*')\n : value,\n node: m.target,\n });\n }\n break;\n }\n case 'attributes': {\n const target = m.target as HTMLElement;\n let value = (m.target as HTMLElement).getAttribute(m.attributeName!);\n if (m.attributeName === 'value') {\n value = maskInputValue({\n maskInputOptions: this.maskInputOptions,\n tagName: (m.target as HTMLElement).tagName,\n type: (m.target as HTMLElement).getAttribute('type'),\n value,\n maskInputFn: this.maskInputFn,\n });\n }\n if (isBlocked(m.target, this.blockClass) || value === m.oldValue) {\n return;\n }\n let item: attributeCursor | undefined = this.attributes.find(\n (a) => a.node === m.target,\n );\n if (!item) {\n item = {\n node: m.target,\n attributes: {},\n };\n this.attributes.push(item);\n }\n if (m.attributeName === 'style') {\n const old = this.doc.createElement('span');\n if (m.oldValue) {\n old.setAttribute('style', m.oldValue);\n }\n if (\n item.attributes.style === undefined ||\n item.attributes.style === null\n ) {\n item.attributes.style = {};\n }\n const styleObj = item.attributes.style as styleAttributeValue;\n for (const pname of Array.from(target.style)) {\n const newValue = target.style.getPropertyValue(pname);\n const newPriority = target.style.getPropertyPriority(pname);\n if (\n newValue !== old.style.getPropertyValue(pname) ||\n newPriority !== old.style.getPropertyPriority(pname)\n ) {\n if (newPriority === '') {\n styleObj[pname] = newValue;\n } else {\n styleObj[pname] = [newValue, newPriority];\n }\n }\n }\n for (const pname of Array.from(old.style)) {\n if (target.style.getPropertyValue(pname) === '') {\n // \"if not set, returns the empty string\"\n styleObj[pname] = false; // delete\n }\n }\n } else {\n // overwrite attribute if the mutations was triggered in same time\n item.attributes[m.attributeName!] = transformAttribute(\n this.doc,\n (m.target as HTMLElement).tagName,\n m.attributeName!,\n value!,\n );\n }\n break;\n }\n case 'childList': {\n m.addedNodes.forEach((n) => this.genAdds(n, m.target));\n m.removedNodes.forEach((n) => {\n const nodeId = this.mirror.getId(n as INode);\n const parentId = isShadowRoot(m.target)\n ? this.mirror.getId((m.target.host as unknown) as INode)\n : this.mirror.getId(m.target as INode);\n if (isBlocked(m.target, this.blockClass) || isIgnored(n)) {\n return;\n }\n // removed node has not been serialized yet, just remove it from the Set\n if (this.addedSet.has(n)) {\n deepDelete(this.addedSet, n);\n this.droppedSet.add(n);\n } else if (this.addedSet.has(m.target) && nodeId === -1) {\n /**\n * If target was newly added and removed child node was\n * not serialized, it means the child node has been removed\n * before callback fired, so we can ignore it because\n * newly added node will be serialized without child nodes.\n * TODO: verify this\n */\n } else if (isAncestorRemoved(m.target as INode, this.mirror)) {\n /**\n * If parent id was not in the mirror map any more, it\n * means the parent node has already been removed. So\n * the node is also removed which we do not need to track\n * and replay.\n */\n } else if (\n this.movedSet.has(n) &&\n this.movedMap[moveKey(nodeId, parentId)]\n ) {\n deepDelete(this.movedSet, n);\n } else {\n this.removes.push({\n parentId,\n id: nodeId,\n isShadow: isShadowRoot(m.target) ? true : undefined,\n });\n }\n this.mapRemoves.push(n);\n });\n break;\n }\n default:\n break;\n }\n };\n\n private genAdds = (n: Node | INode, target?: Node | INode) => {\n // parent was blocked, so we can ignore this node\n if (target && isBlocked(target, this.blockClass)) {\n return;\n }\n if (isINode(n)) {\n if (isIgnored(n)) {\n return;\n }\n this.movedSet.add(n);\n let targetId: number | null = null;\n if (target && isINode(target)) {\n targetId = target.__sn.id;\n }\n if (targetId) {\n this.movedMap[moveKey(n.__sn.id, targetId)] = true;\n }\n } else {\n this.addedSet.add(n);\n this.droppedSet.delete(n);\n }\n\n // if this node is blocked `serializeNode` will turn it into a placeholder element\n // but we have to remove it's children otherwise they will be added as placeholders too\n if (!isBlocked(n, this.blockClass))\n n.childNodes.forEach((childN) => this.genAdds(childN));\n };\n}\n\n/**\n * Some utils to handle the mutation observer DOM records.\n * It should be more clear to extend the native data structure\n * like Set and Map, but currently Typescript does not support\n * that.\n */\nfunction deepDelete(addsSet: Set, n: Node) {\n addsSet.delete(n);\n n.childNodes.forEach((childN) => deepDelete(addsSet, childN));\n}\n\nfunction isParentRemoved(\n removes: removedNodeMutation[],\n n: Node,\n mirror: Mirror,\n): boolean {\n const { parentNode } = n;\n if (!parentNode) {\n return false;\n }\n const parentId = mirror.getId((parentNode as Node) as INode);\n if (removes.some((r) => r.id === parentId)) {\n return true;\n }\n return isParentRemoved(removes, parentNode, mirror);\n}\n\nfunction isAncestorInSet(set: Set, n: Node): boolean {\n const { parentNode } = n;\n if (!parentNode) {\n return false;\n }\n if (set.has(parentNode)) {\n return true;\n }\n return isAncestorInSet(set, parentNode);\n}\n","import { INode, MaskInputOptions, maskInputValue } from 'rrweb-snapshot';\nimport { FontFaceSet } from 'css-font-loading-module';\nimport {\n throttle,\n on,\n hookSetter,\n getWindowHeight,\n getWindowWidth,\n isBlocked,\n isTouchEvent,\n patch,\n} from '../utils';\nimport {\n mutationCallBack,\n observerParam,\n mousemoveCallBack,\n mousePosition,\n mouseInteractionCallBack,\n MouseInteractions,\n listenerHandler,\n scrollCallback,\n styleSheetRuleCallback,\n viewportResizeCallback,\n inputValue,\n inputCallback,\n hookResetter,\n IncrementalSource,\n hooksParam,\n Arguments,\n mediaInteractionCallback,\n MediaInteractions,\n canvasMutationCallback,\n fontCallback,\n fontParam,\n styleDeclarationCallback,\n IWindow,\n MutationBufferParam,\n} from '../types';\nimport MutationBuffer from './mutation';\n\ntype WindowWithStoredMutationObserver = IWindow & {\n __rrMutationObserver?: MutationObserver;\n};\ntype WindowWithAngularZone = IWindow & {\n Zone?: {\n __symbol__?: (key: string) => string;\n };\n};\n\nexport const mutationBuffers: MutationBuffer[] = [];\n\nconst isCSSGroupingRuleSupported = typeof CSSGroupingRule !== 'undefined';\nconst isCSSMediaRuleSupported = typeof CSSMediaRule !== 'undefined';\nconst isCSSSupportsRuleSupported = typeof CSSSupportsRule !== 'undefined';\nconst isCSSConditionRuleSupported = typeof CSSConditionRule !== 'undefined';\n\n// Event.path is non-standard and used in some older browsers\ntype NonStandardEvent = Omit & {\n path: EventTarget[];\n};\n\nfunction getEventTarget(event: Event | NonStandardEvent): EventTarget | null {\n try {\n if ('composedPath' in event) {\n const path = event.composedPath();\n if (path.length) {\n return path[0];\n }\n } else if ('path' in event && event.path.length) {\n return event.path[0];\n }\n return event.target;\n } catch {\n return event.target;\n }\n}\n\nexport function initMutationObserver(\n options: MutationBufferParam,\n rootEl: Node,\n): MutationObserver {\n const mutationBuffer = new MutationBuffer();\n mutationBuffers.push(mutationBuffer);\n // see mutation.ts for details\n mutationBuffer.init(options);\n let mutationObserverCtor =\n window.MutationObserver ||\n /**\n * Some websites may disable MutationObserver by removing it from the window object.\n * If someone is using rrweb to build a browser extention or things like it, they\n * could not change the website's code but can have an opportunity to inject some\n * code before the website executing its JS logic.\n * Then they can do this to store the native MutationObserver:\n * window.__rrMutationObserver = MutationObserver\n */\n (window as WindowWithStoredMutationObserver).__rrMutationObserver;\n const angularZoneSymbol = (window as WindowWithAngularZone)?.Zone?.__symbol__?.(\n 'MutationObserver',\n );\n if (\n angularZoneSymbol &&\n ((window as unknown) as Record)[\n angularZoneSymbol\n ]\n ) {\n mutationObserverCtor = ((window as unknown) as Record<\n string,\n typeof MutationObserver\n >)[angularZoneSymbol];\n }\n const observer = new mutationObserverCtor(\n mutationBuffer.processMutations.bind(mutationBuffer),\n );\n observer.observe(rootEl, {\n attributes: true,\n attributeOldValue: true,\n characterData: true,\n characterDataOldValue: true,\n childList: true,\n subtree: true,\n });\n return observer;\n}\n\nfunction initMoveObserver({\n mousemoveCb,\n sampling,\n doc,\n mirror,\n}: observerParam): listenerHandler {\n if (sampling.mousemove === false) {\n return () => {};\n }\n\n const threshold =\n typeof sampling.mousemove === 'number' ? sampling.mousemove : 50;\n const callbackThreshold =\n typeof sampling.mousemoveCallback === 'number'\n ? sampling.mousemoveCallback\n : 500;\n\n let positions: mousePosition[] = [];\n let timeBaseline: number | null;\n const wrappedCb = throttle(\n (\n source:\n | IncrementalSource.MouseMove\n | IncrementalSource.TouchMove\n | IncrementalSource.Drag,\n ) => {\n const totalOffset = Date.now() - timeBaseline!;\n mousemoveCb(\n positions.map((p) => {\n p.timeOffset -= totalOffset;\n return p;\n }),\n source,\n );\n positions = [];\n timeBaseline = null;\n },\n callbackThreshold,\n );\n const updatePosition = throttle(\n (evt) => {\n const target = getEventTarget(evt);\n const { clientX, clientY } = isTouchEvent(evt)\n ? evt.changedTouches[0]\n : evt;\n if (!timeBaseline) {\n timeBaseline = Date.now();\n }\n positions.push({\n x: clientX,\n y: clientY,\n id: mirror.getId(target as INode),\n timeOffset: Date.now() - timeBaseline,\n });\n // it is possible DragEvent is undefined even on devices\n // that support event 'drag'\n wrappedCb(\n typeof DragEvent !== 'undefined' && evt instanceof DragEvent\n ? IncrementalSource.Drag\n : evt instanceof MouseEvent\n ? IncrementalSource.MouseMove\n : IncrementalSource.TouchMove,\n );\n },\n threshold,\n {\n trailing: false,\n },\n );\n const handlers = [\n on('mousemove', updatePosition, doc),\n on('touchmove', updatePosition, doc),\n on('drag', updatePosition, doc),\n ];\n return () => {\n handlers.forEach((h) => h());\n };\n}\n\nfunction initMouseInteractionObserver({\n mouseInteractionCb,\n doc,\n mirror,\n blockClass,\n sampling,\n}: observerParam): listenerHandler {\n if (sampling.mouseInteraction === false) {\n return () => {};\n }\n const disableMap: Record =\n sampling.mouseInteraction === true ||\n sampling.mouseInteraction === undefined\n ? {}\n : sampling.mouseInteraction;\n\n const handlers: listenerHandler[] = [];\n const getHandler = (eventKey: keyof typeof MouseInteractions) => {\n return (event: MouseEvent | TouchEvent) => {\n const target = getEventTarget(event) as Node;\n if (isBlocked(target as Node, blockClass)) {\n return;\n }\n const e = isTouchEvent(event) ? event.changedTouches[0] : event;\n if (!e) {\n return;\n }\n const id = mirror.getId(target as INode);\n const { clientX, clientY } = e;\n mouseInteractionCb({\n type: MouseInteractions[eventKey],\n id,\n x: clientX,\n y: clientY,\n });\n };\n };\n Object.keys(MouseInteractions)\n .filter(\n (key) =>\n Number.isNaN(Number(key)) &&\n !key.endsWith('_Departed') &&\n disableMap[key] !== false,\n )\n .forEach((eventKey: keyof typeof MouseInteractions) => {\n const eventName = eventKey.toLowerCase();\n const handler = getHandler(eventKey);\n handlers.push(on(eventName, handler, doc));\n });\n return () => {\n handlers.forEach((h) => h());\n };\n}\n\nexport function initScrollObserver({\n scrollCb,\n doc,\n mirror,\n blockClass,\n sampling,\n}: Pick<\n observerParam,\n 'scrollCb' | 'doc' | 'mirror' | 'blockClass' | 'sampling'\n>): listenerHandler {\n const updatePosition = throttle((evt) => {\n const target = getEventTarget(evt);\n if (!target || isBlocked(target as Node, blockClass)) {\n return;\n }\n const id = mirror.getId(target as INode);\n if (target === doc) {\n const scrollEl = (doc.scrollingElement || doc.documentElement)!;\n scrollCb({\n id,\n x: scrollEl.scrollLeft,\n y: scrollEl.scrollTop,\n });\n } else {\n scrollCb({\n id,\n x: (target as HTMLElement).scrollLeft,\n y: (target as HTMLElement).scrollTop,\n });\n }\n }, sampling.scroll || 100);\n return on('scroll', updatePosition, doc);\n}\n\nfunction initViewportResizeObserver({\n viewportResizeCb,\n}: observerParam): listenerHandler {\n let lastH = -1;\n let lastW = -1;\n const updateDimension = throttle(() => {\n const height = getWindowHeight();\n const width = getWindowWidth();\n if (lastH !== height || lastW !== width) {\n viewportResizeCb({\n width: Number(width),\n height: Number(height),\n });\n lastH = height;\n lastW = width;\n }\n }, 200);\n return on('resize', updateDimension, window);\n}\n\nfunction wrapEventWithUserTriggeredFlag(\n v: inputValue,\n enable: boolean,\n): inputValue {\n const value = { ...v };\n if (!enable) delete value.userTriggered;\n return value;\n}\n\nexport const INPUT_TAGS = ['INPUT', 'TEXTAREA', 'SELECT'];\nconst lastInputValueMap: WeakMap = new WeakMap();\nfunction initInputObserver({\n inputCb,\n doc,\n mirror,\n blockClass,\n ignoreClass,\n maskInputOptions,\n maskInputFn,\n sampling,\n userTriggeredOnInput,\n}: observerParam): listenerHandler {\n function eventHandler(event: Event) {\n let target = getEventTarget(event);\n const userTriggered = event.isTrusted;\n /**\n * If a site changes the value 'selected' of an option element, the value of its parent element, usually a select element, will be changed as well.\n * We can treat this change as a value change of the select element the current target belongs to.\n */\n if (target && (target as Element).tagName === 'OPTION')\n target = (target as Element).parentElement;\n if (\n !target ||\n !(target as Element).tagName ||\n INPUT_TAGS.indexOf((target as Element).tagName) < 0 ||\n isBlocked(target as Node, blockClass)\n ) {\n return;\n }\n const type: string | undefined = (target as HTMLInputElement).type;\n if ((target as HTMLElement).classList.contains(ignoreClass)) {\n return;\n }\n let text = (target as HTMLInputElement).value;\n let isChecked = false;\n if (type === 'radio' || type === 'checkbox') {\n isChecked = (target as HTMLInputElement).checked;\n } else if (\n maskInputOptions[\n (target as Element).tagName.toLowerCase() as keyof MaskInputOptions\n ] ||\n maskInputOptions[type as keyof MaskInputOptions]\n ) {\n text = maskInputValue({\n maskInputOptions,\n tagName: (target as HTMLElement).tagName,\n type,\n value: text,\n maskInputFn,\n });\n }\n cbWithDedup(\n target,\n wrapEventWithUserTriggeredFlag(\n { text, isChecked, userTriggered },\n userTriggeredOnInput,\n ),\n );\n // if a radio was checked\n // the other radios with the same name attribute will be unchecked.\n const name: string | undefined = (target as HTMLInputElement).name;\n if (type === 'radio' && name && isChecked) {\n doc\n .querySelectorAll(`input[type=\"radio\"][name=\"${name}\"]`)\n .forEach((el) => {\n if (el !== target) {\n cbWithDedup(\n el,\n wrapEventWithUserTriggeredFlag(\n {\n text: (el as HTMLInputElement).value,\n isChecked: !isChecked,\n userTriggered: false,\n },\n userTriggeredOnInput,\n ),\n );\n }\n });\n }\n }\n function cbWithDedup(target: EventTarget, v: inputValue) {\n const lastInputValue = lastInputValueMap.get(target);\n if (\n !lastInputValue ||\n lastInputValue.text !== v.text ||\n lastInputValue.isChecked !== v.isChecked\n ) {\n lastInputValueMap.set(target, v);\n const id = mirror.getId(target as INode);\n inputCb({\n ...v,\n id,\n });\n }\n }\n const events = sampling.input === 'last' ? ['change'] : ['input', 'change'];\n const handlers: Array<\n listenerHandler | hookResetter\n > = events.map((eventName) => on(eventName, eventHandler, doc));\n const propertyDescriptor = Object.getOwnPropertyDescriptor(\n HTMLInputElement.prototype,\n 'value',\n );\n const hookProperties: Array<[HTMLElement, string]> = [\n [HTMLInputElement.prototype, 'value'],\n [HTMLInputElement.prototype, 'checked'],\n [HTMLSelectElement.prototype, 'value'],\n [HTMLTextAreaElement.prototype, 'value'],\n // Some UI library use selectedIndex to set select value\n [HTMLSelectElement.prototype, 'selectedIndex'],\n [HTMLOptionElement.prototype, 'selected'],\n ];\n if (propertyDescriptor && propertyDescriptor.set) {\n handlers.push(\n ...hookProperties.map((p) =>\n hookSetter(p[0], p[1], {\n set() {\n // mock to a normal event\n eventHandler({ target: this } as Event);\n },\n }),\n ),\n );\n }\n return () => {\n handlers.forEach((h) => h());\n };\n}\n\ntype GroupingCSSRule =\n | CSSGroupingRule\n | CSSMediaRule\n | CSSSupportsRule\n | CSSConditionRule;\ntype GroupingCSSRuleTypes =\n | typeof CSSGroupingRule\n | typeof CSSMediaRule\n | typeof CSSSupportsRule\n | typeof CSSConditionRule;\n\nfunction getNestedCSSRulePositions(rule: CSSRule): number[] {\n const positions: number[] = [];\n function recurse(childRule: CSSRule, pos: number[]) {\n if (\n (isCSSGroupingRuleSupported &&\n childRule.parentRule instanceof CSSGroupingRule) ||\n (isCSSMediaRuleSupported &&\n childRule.parentRule instanceof CSSMediaRule) ||\n (isCSSSupportsRuleSupported &&\n childRule.parentRule instanceof CSSSupportsRule) ||\n (isCSSConditionRuleSupported &&\n childRule.parentRule instanceof CSSConditionRule)\n ) {\n const rules = Array.from(\n (childRule.parentRule as GroupingCSSRule).cssRules,\n );\n const index = rules.indexOf(childRule);\n pos.unshift(index);\n } else {\n const rules = Array.from(childRule.parentStyleSheet!.cssRules);\n const index = rules.indexOf(childRule);\n pos.unshift(index);\n }\n return pos;\n }\n return recurse(rule, positions);\n}\n\nfunction initStyleSheetObserver(\n { styleSheetRuleCb, mirror }: observerParam,\n { win }: { win: IWindow },\n): listenerHandler {\n const insertRule = win.CSSStyleSheet.prototype.insertRule;\n win.CSSStyleSheet.prototype.insertRule = function (\n rule: string,\n index?: number,\n ) {\n const id = mirror.getId(this.ownerNode as INode);\n if (id !== -1) {\n styleSheetRuleCb({\n id,\n adds: [{ rule, index }],\n });\n }\n return insertRule.apply(this, arguments);\n };\n\n const deleteRule = win.CSSStyleSheet.prototype.deleteRule;\n win.CSSStyleSheet.prototype.deleteRule = function (index: number) {\n const id = mirror.getId(this.ownerNode as INode);\n if (id !== -1) {\n styleSheetRuleCb({\n id,\n removes: [{ index }],\n });\n }\n return deleteRule.apply(this, arguments);\n };\n\n const supportedNestedCSSRuleTypes: {\n [key: string]: GroupingCSSRuleTypes;\n } = {};\n if (isCSSGroupingRuleSupported) {\n supportedNestedCSSRuleTypes.CSSGroupingRule = win.CSSGroupingRule;\n } else {\n // Some browsers (Safari) don't support CSSGroupingRule\n // https://caniuse.com/?search=cssgroupingrule\n // fall back to monkey patching classes that would have inherited from CSSGroupingRule\n\n if (isCSSMediaRuleSupported) {\n supportedNestedCSSRuleTypes.CSSMediaRule = win.CSSMediaRule;\n }\n if (isCSSConditionRuleSupported) {\n supportedNestedCSSRuleTypes.CSSConditionRule = win.CSSConditionRule;\n }\n if (isCSSSupportsRuleSupported) {\n supportedNestedCSSRuleTypes.CSSSupportsRule = win.CSSSupportsRule;\n }\n }\n\n const unmodifiedFunctions: {\n [key: string]: {\n insertRule: (rule: string, index?: number) => number;\n deleteRule: (index: number) => void;\n };\n } = {};\n\n Object.entries(supportedNestedCSSRuleTypes).forEach(([typeKey, type]) => {\n unmodifiedFunctions[typeKey] = {\n insertRule: (type as GroupingCSSRuleTypes).prototype.insertRule,\n deleteRule: (type as GroupingCSSRuleTypes).prototype.deleteRule,\n };\n\n type.prototype.insertRule = function (rule: string, index?: number) {\n const id = mirror.getId(this.parentStyleSheet.ownerNode as INode);\n if (id !== -1) {\n styleSheetRuleCb({\n id,\n adds: [\n {\n rule,\n index: [\n ...getNestedCSSRulePositions(this),\n index || 0, // defaults to 0\n ],\n },\n ],\n });\n }\n return unmodifiedFunctions[typeKey].insertRule.apply(this, arguments);\n };\n\n type.prototype.deleteRule = function (index: number) {\n const id = mirror.getId(this.parentStyleSheet.ownerNode as INode);\n if (id !== -1) {\n styleSheetRuleCb({\n id,\n removes: [{ index: [...getNestedCSSRulePositions(this), index] }],\n });\n }\n return unmodifiedFunctions[typeKey].deleteRule.apply(this, arguments);\n };\n });\n\n return () => {\n win.CSSStyleSheet.prototype.insertRule = insertRule;\n win.CSSStyleSheet.prototype.deleteRule = deleteRule;\n Object.entries(supportedNestedCSSRuleTypes).forEach(([typeKey, type]) => {\n type.prototype.insertRule = unmodifiedFunctions[typeKey].insertRule;\n type.prototype.deleteRule = unmodifiedFunctions[typeKey].deleteRule;\n });\n };\n}\n\nfunction initStyleDeclarationObserver(\n { styleDeclarationCb, mirror }: observerParam,\n { win }: { win: IWindow },\n): listenerHandler {\n const setProperty = win.CSSStyleDeclaration.prototype.setProperty;\n win.CSSStyleDeclaration.prototype.setProperty = function (\n this: CSSStyleDeclaration,\n property: string,\n value: string,\n priority: string,\n ) {\n const id = mirror.getId(\n (this.parentRule?.parentStyleSheet?.ownerNode as unknown) as INode,\n );\n if (id !== -1) {\n styleDeclarationCb({\n id,\n set: {\n property,\n value,\n priority,\n },\n index: getNestedCSSRulePositions(this.parentRule!),\n });\n }\n return setProperty.apply(this, arguments);\n };\n\n const removeProperty = win.CSSStyleDeclaration.prototype.removeProperty;\n win.CSSStyleDeclaration.prototype.removeProperty = function (\n this: CSSStyleDeclaration,\n property: string,\n ) {\n const id = mirror.getId(\n (this.parentRule?.parentStyleSheet?.ownerNode as unknown) as INode,\n );\n if (id !== -1) {\n styleDeclarationCb({\n id,\n remove: {\n property,\n },\n index: getNestedCSSRulePositions(this.parentRule!),\n });\n }\n return removeProperty.apply(this, arguments);\n };\n\n return () => {\n win.CSSStyleDeclaration.prototype.setProperty = setProperty;\n win.CSSStyleDeclaration.prototype.removeProperty = removeProperty;\n };\n}\n\nfunction initMediaInteractionObserver({\n mediaInteractionCb,\n blockClass,\n mirror,\n sampling,\n}: observerParam): listenerHandler {\n const handler = (type: MediaInteractions) =>\n throttle((event: Event) => {\n const target = getEventTarget(event);\n if (!target || isBlocked(target as Node, blockClass)) {\n return;\n }\n const { currentTime, volume, muted } = target as HTMLMediaElement;\n mediaInteractionCb({\n type,\n id: mirror.getId(target as INode),\n currentTime,\n volume,\n muted,\n });\n }, sampling.media || 500);\n const handlers = [\n on('play', handler(MediaInteractions.Play)),\n on('pause', handler(MediaInteractions.Pause)),\n on('seeked', handler(MediaInteractions.Seeked)),\n on('volumechange', handler(MediaInteractions.VolumeChange)),\n ];\n return () => {\n handlers.forEach((h) => h());\n };\n}\n\nfunction initFontObserver({ fontCb, doc }: observerParam): listenerHandler {\n const win = doc.defaultView as IWindow;\n if (!win) {\n return () => {};\n }\n\n const handlers: listenerHandler[] = [];\n\n const fontMap = new WeakMap();\n\n const originalFontFace = win.FontFace;\n win.FontFace = (function FontFace(\n family: string,\n source: string | ArrayBufferView,\n descriptors?: FontFaceDescriptors,\n ) {\n const fontFace = new originalFontFace(family, source, descriptors);\n fontMap.set(fontFace, {\n family,\n buffer: typeof source !== 'string',\n descriptors,\n fontSource:\n typeof source === 'string'\n ? source\n : // tslint:disable-next-line: no-any\n JSON.stringify(Array.from(new Uint8Array(source as any))),\n });\n return fontFace;\n } as unknown) as typeof FontFace;\n\n const restoreHandler = patch(doc.fonts, 'add', function (original) {\n return function (this: FontFaceSet, fontFace: FontFace) {\n setTimeout(() => {\n const p = fontMap.get(fontFace);\n if (p) {\n fontCb(p);\n fontMap.delete(fontFace);\n }\n }, 0);\n return original.apply(this, [fontFace]);\n };\n });\n\n handlers.push(() => {\n win.FontFace = originalFontFace;\n });\n handlers.push(restoreHandler);\n\n return () => {\n handlers.forEach((h) => h());\n };\n}\n\nfunction mergeHooks(o: observerParam, hooks: hooksParam) {\n const {\n mutationCb,\n mousemoveCb,\n mouseInteractionCb,\n scrollCb,\n viewportResizeCb,\n inputCb,\n mediaInteractionCb,\n styleSheetRuleCb,\n styleDeclarationCb,\n canvasMutationCb,\n fontCb,\n } = o;\n o.mutationCb = (...p: Arguments) => {\n if (hooks.mutation) {\n hooks.mutation(...p);\n }\n mutationCb(...p);\n };\n o.mousemoveCb = (...p: Arguments) => {\n if (hooks.mousemove) {\n hooks.mousemove(...p);\n }\n mousemoveCb(...p);\n };\n o.mouseInteractionCb = (...p: Arguments) => {\n if (hooks.mouseInteraction) {\n hooks.mouseInteraction(...p);\n }\n mouseInteractionCb(...p);\n };\n o.scrollCb = (...p: Arguments) => {\n if (hooks.scroll) {\n hooks.scroll(...p);\n }\n scrollCb(...p);\n };\n o.viewportResizeCb = (...p: Arguments) => {\n if (hooks.viewportResize) {\n hooks.viewportResize(...p);\n }\n viewportResizeCb(...p);\n };\n o.inputCb = (...p: Arguments) => {\n if (hooks.input) {\n hooks.input(...p);\n }\n inputCb(...p);\n };\n o.mediaInteractionCb = (...p: Arguments) => {\n if (hooks.mediaInteaction) {\n hooks.mediaInteaction(...p);\n }\n mediaInteractionCb(...p);\n };\n o.styleSheetRuleCb = (...p: Arguments) => {\n if (hooks.styleSheetRule) {\n hooks.styleSheetRule(...p);\n }\n styleSheetRuleCb(...p);\n };\n o.styleDeclarationCb = (...p: Arguments) => {\n if (hooks.styleDeclaration) {\n hooks.styleDeclaration(...p);\n }\n styleDeclarationCb(...p);\n };\n o.canvasMutationCb = (...p: Arguments) => {\n if (hooks.canvasMutation) {\n hooks.canvasMutation(...p);\n }\n canvasMutationCb(...p);\n };\n o.fontCb = (...p: Arguments) => {\n if (hooks.font) {\n hooks.font(...p);\n }\n fontCb(...p);\n };\n}\n\nexport function initObservers(\n o: observerParam,\n hooks: hooksParam = {},\n): listenerHandler {\n const currentWindow = o.doc.defaultView; // basically document.window\n if (!currentWindow) {\n return () => {};\n }\n\n mergeHooks(o, hooks);\n const mutationObserver = initMutationObserver(o, o.doc);\n const mousemoveHandler = initMoveObserver(o);\n const mouseInteractionHandler = initMouseInteractionObserver(o);\n const scrollHandler = initScrollObserver(o);\n const viewportResizeHandler = initViewportResizeObserver(o);\n const inputHandler = initInputObserver(o);\n const mediaInteractionHandler = initMediaInteractionObserver(o);\n\n const styleSheetObserver = initStyleSheetObserver(o, { win: currentWindow });\n const styleDeclarationObserver = initStyleDeclarationObserver(o, {\n win: currentWindow,\n });\n const fontObserver = o.collectFonts ? initFontObserver(o) : () => {};\n // plugins\n const pluginHandlers: listenerHandler[] = [];\n for (const plugin of o.plugins) {\n pluginHandlers.push(\n plugin.observer(plugin.callback, currentWindow, plugin.options),\n );\n }\n\n return () => {\n mutationBuffers.forEach((b) => b.reset());\n mutationObserver.disconnect();\n mousemoveHandler();\n mouseInteractionHandler();\n scrollHandler();\n viewportResizeHandler();\n inputHandler();\n mediaInteractionHandler();\n styleSheetObserver();\n styleDeclarationObserver();\n fontObserver();\n pluginHandlers.forEach((h) => h());\n };\n}\n","import { serializedNodeWithId, INode } from 'rrweb-snapshot';\nimport { mutationCallBack } from '../types';\n\nexport class IframeManager {\n private iframes: WeakMap = new WeakMap();\n private mutationCb: mutationCallBack;\n private loadListener?: (iframeEl: HTMLIFrameElement) => unknown;\n\n constructor(options: { mutationCb: mutationCallBack }) {\n this.mutationCb = options.mutationCb;\n }\n\n public addIframe(iframeEl: HTMLIFrameElement) {\n this.iframes.set(iframeEl, true);\n }\n\n public addLoadListener(cb: (iframeEl: HTMLIFrameElement) => unknown) {\n this.loadListener = cb;\n }\n\n public attachIframe(iframeEl: INode, childSn: serializedNodeWithId) {\n this.mutationCb({\n adds: [\n {\n parentId: iframeEl.__sn.id,\n nextId: null,\n node: childSn,\n },\n ],\n removes: [],\n texts: [],\n attributes: [],\n isAttachIframe: true,\n });\n this.loadListener?.((iframeEl as unknown) as HTMLIFrameElement);\n }\n}\n","import {\n mutationCallBack,\n Mirror,\n scrollCallback,\n MutationBufferParam,\n SamplingStrategy,\n} from '../types';\nimport { initMutationObserver, initScrollObserver } from './observer';\nimport { patch } from '../utils';\n\ntype BypassOptions = Omit<\n MutationBufferParam,\n 'doc' | 'mutationCb' | 'mirror' | 'shadowDomManager'\n> & {\n sampling: SamplingStrategy;\n};\n\nexport class ShadowDomManager {\n private mutationCb: mutationCallBack;\n private scrollCb: scrollCallback;\n private bypassOptions: BypassOptions;\n private mirror: Mirror;\n private restorePatches: (() => void)[] = [];\n\n constructor(options: {\n mutationCb: mutationCallBack;\n scrollCb: scrollCallback;\n bypassOptions: BypassOptions;\n mirror: Mirror;\n }) {\n this.mutationCb = options.mutationCb;\n this.scrollCb = options.scrollCb;\n this.bypassOptions = options.bypassOptions;\n this.mirror = options.mirror;\n\n // Patch 'attachShadow' to observe newly added shadow doms.\n const manager = this;\n this.restorePatches.push(\n patch(HTMLElement.prototype, 'attachShadow', function (original) {\n return function () {\n const shadowRoot = original.apply(this, arguments);\n if (this.shadowRoot)\n manager.addShadowRoot(this.shadowRoot, this.ownerDocument);\n return shadowRoot;\n };\n }),\n );\n }\n\n public addShadowRoot(shadowRoot: ShadowRoot, doc: Document) {\n initMutationObserver(\n {\n ...this.bypassOptions,\n doc,\n mutationCb: this.mutationCb,\n mirror: this.mirror,\n shadowDomManager: this,\n },\n shadowRoot,\n );\n initScrollObserver({\n ...this.bypassOptions,\n scrollCb: this.scrollCb,\n // https://gist.github.com/praveenpuglia/0832da687ed5a5d7a0907046c9ef1813\n // scroll is not allowed to pass the boundary, so we need to listen the shadow document\n doc: (shadowRoot as unknown) as Document,\n mirror: this.mirror,\n });\n }\n\n /**\n * Monkey patch 'attachShadow' of an IFrameElement to observe newly added shadow doms.\n */\n public observeAttachShadow(iframeElement: HTMLIFrameElement) {\n if (iframeElement.contentWindow) {\n const manager = this;\n this.restorePatches.push(\n patch(\n (iframeElement.contentWindow as Window & {\n HTMLElement: { prototype: HTMLElement };\n }).HTMLElement.prototype,\n 'attachShadow',\n function (original) {\n return function () {\n const shadowRoot = original.apply(this, arguments);\n if (this.shadowRoot)\n manager.addShadowRoot(\n this.shadowRoot,\n iframeElement.contentDocument as Document,\n );\n return shadowRoot;\n };\n },\n ),\n );\n }\n }\n\n public reset() {\n this.restorePatches.forEach((restorePatch) => restorePatch());\n }\n}\n","/*\n * base64-arraybuffer 1.0.1 \n * Copyright (c) 2021 Niklas von Hertzen \n * Released under MIT License\n */\nvar chars = 'ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/';\n// Use a lookup table to find the index.\nvar lookup = typeof Uint8Array === 'undefined' ? [] : new Uint8Array(256);\nfor (var i = 0; i < chars.length; i++) {\n lookup[chars.charCodeAt(i)] = i;\n}\nvar encode = function (arraybuffer) {\n var bytes = new Uint8Array(arraybuffer), i, len = bytes.length, base64 = '';\n for (i = 0; i < len; i += 3) {\n base64 += chars[bytes[i] >> 2];\n base64 += chars[((bytes[i] & 3) << 4) | (bytes[i + 1] >> 4)];\n base64 += chars[((bytes[i + 1] & 15) << 2) | (bytes[i + 2] >> 6)];\n base64 += chars[bytes[i + 2] & 63];\n }\n if (len % 3 === 2) {\n base64 = base64.substring(0, base64.length - 1) + '=';\n }\n else if (len % 3 === 1) {\n base64 = base64.substring(0, base64.length - 2) + '==';\n }\n return base64;\n};\nvar decode = function (base64) {\n var bufferLength = base64.length * 0.75, len = base64.length, i, p = 0, encoded1, encoded2, encoded3, encoded4;\n if (base64[base64.length - 1] === '=') {\n bufferLength--;\n if (base64[base64.length - 2] === '=') {\n bufferLength--;\n }\n }\n var arraybuffer = new ArrayBuffer(bufferLength), bytes = new Uint8Array(arraybuffer);\n for (i = 0; i < len; i += 4) {\n encoded1 = lookup[base64.charCodeAt(i)];\n encoded2 = lookup[base64.charCodeAt(i + 1)];\n encoded3 = lookup[base64.charCodeAt(i + 2)];\n encoded4 = lookup[base64.charCodeAt(i + 3)];\n bytes[p++] = (encoded1 << 2) | (encoded2 >> 4);\n bytes[p++] = ((encoded2 & 15) << 4) | (encoded3 >> 2);\n bytes[p++] = ((encoded3 & 3) << 6) | (encoded4 & 63);\n }\n return arraybuffer;\n};\n\nexport { decode, encode };\n//# sourceMappingURL=base64-arraybuffer.es5.js.map\n","import { encode } from 'base64-arraybuffer';\nimport { IWindow, SerializedWebGlArg } from '../../../types';\n\n// TODO: unify with `replay/webgl.ts`\ntype GLVarMap = Map;\nconst webGLVarMap: Map<\n WebGLRenderingContext | WebGL2RenderingContext,\n GLVarMap\n> = new Map();\nexport function variableListFor(\n ctx: WebGLRenderingContext | WebGL2RenderingContext,\n ctor: string,\n) {\n let contextMap = webGLVarMap.get(ctx);\n if (!contextMap) {\n contextMap = new Map();\n webGLVarMap.set(ctx, contextMap);\n }\n if (!contextMap.has(ctor)) {\n contextMap.set(ctor, []);\n }\n return contextMap.get(ctor) as any[];\n}\n\nexport const saveWebGLVar = (\n value: any,\n win: IWindow,\n ctx: WebGL2RenderingContext | WebGLRenderingContext,\n): number | void => {\n if (\n !value ||\n !(isInstanceOfWebGLObject(value, win) || typeof value === 'object')\n )\n return;\n\n const name = value.constructor.name;\n const list = variableListFor(ctx, name);\n let index = list.indexOf(value);\n\n if (index === -1) {\n index = list.length;\n list.push(value);\n }\n return index;\n};\n\n// from webgl-recorder: https://github.com/evanw/webgl-recorder/blob/bef0e65596e981ee382126587e2dcbe0fc7748e2/webgl-recorder.js#L50-L77\nexport function serializeArg(\n value: any,\n win: IWindow,\n ctx: WebGL2RenderingContext | WebGLRenderingContext,\n): SerializedWebGlArg {\n if (value instanceof Array) {\n return value.map((arg) => serializeArg(arg, win, ctx));\n } else if (value === null) {\n return value;\n } else if (\n value instanceof Float32Array ||\n value instanceof Float64Array ||\n value instanceof Int32Array ||\n value instanceof Uint32Array ||\n value instanceof Uint8Array ||\n value instanceof Uint16Array ||\n value instanceof Int16Array ||\n value instanceof Int8Array ||\n value instanceof Uint8ClampedArray\n ) {\n const name = value.constructor.name;\n return {\n rr_type: name,\n args: [Object.values(value)],\n };\n } else if (\n // SharedArrayBuffer disabled on most browsers due to spectre.\n // More info: https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/SharedArrayBuffer/SharedArrayBuffer\n // value instanceof SharedArrayBuffer ||\n value instanceof ArrayBuffer\n ) {\n const name = value.constructor.name as 'ArrayBuffer';\n const base64 = encode(value);\n\n return {\n rr_type: name,\n base64,\n };\n } else if (value instanceof DataView) {\n const name = value.constructor.name;\n return {\n rr_type: name,\n args: [\n serializeArg(value.buffer, win, ctx),\n value.byteOffset,\n value.byteLength,\n ],\n };\n } else if (value instanceof HTMLImageElement) {\n const name = value.constructor.name;\n const { src } = value;\n return {\n rr_type: name,\n src,\n };\n } else if (value instanceof ImageData) {\n const name = value.constructor.name;\n return {\n rr_type: name,\n args: [serializeArg(value.data, win, ctx), value.width, value.height],\n };\n } else if (isInstanceOfWebGLObject(value, win) || typeof value === 'object') {\n const name = value.constructor.name;\n const index = saveWebGLVar(value, win, ctx) as number;\n\n return {\n rr_type: name,\n index: index,\n };\n }\n\n return value;\n}\n\nexport const serializeArgs = (\n args: Array,\n win: IWindow,\n ctx: WebGLRenderingContext | WebGL2RenderingContext,\n) => {\n return [...args].map((arg) => serializeArg(arg, win, ctx));\n};\n\nexport const isInstanceOfWebGLObject = (\n value: any,\n win: IWindow,\n): value is\n | WebGLActiveInfo\n | WebGLBuffer\n | WebGLFramebuffer\n | WebGLProgram\n | WebGLRenderbuffer\n | WebGLShader\n | WebGLShaderPrecisionFormat\n | WebGLTexture\n | WebGLUniformLocation\n | WebGLVertexArrayObject => {\n const webGLConstructorNames: string[] = [\n 'WebGLActiveInfo',\n 'WebGLBuffer',\n 'WebGLFramebuffer',\n 'WebGLProgram',\n 'WebGLRenderbuffer',\n 'WebGLShader',\n 'WebGLShaderPrecisionFormat',\n 'WebGLTexture',\n 'WebGLUniformLocation',\n 'WebGLVertexArrayObject',\n // In old Chrome versions, value won't be an instanceof WebGLVertexArrayObject.\n 'WebGLVertexArrayObjectOES',\n ];\n const supportedWebGLConstructorNames = webGLConstructorNames.filter(\n (name: string) => typeof win[name as keyof Window] === 'function',\n );\n return Boolean(\n supportedWebGLConstructorNames.find(\n (name: string) => value instanceof win[name as keyof Window],\n ),\n );\n};\n","import { INode } from 'rrweb-snapshot';\nimport {\n blockClass,\n CanvasContext,\n canvasManagerMutationCallback,\n canvasMutationWithType,\n IWindow,\n listenerHandler,\n Mirror,\n} from '../../../types';\nimport { hookSetter, isBlocked, patch } from '../../../utils';\nimport { saveWebGLVar, serializeArgs } from './serialize-args';\n\nfunction patchGLPrototype(\n prototype: WebGLRenderingContext | WebGL2RenderingContext,\n type: CanvasContext,\n cb: canvasManagerMutationCallback,\n blockClass: blockClass,\n mirror: Mirror,\n win: IWindow,\n): listenerHandler[] {\n const handlers: listenerHandler[] = [];\n\n const props = Object.getOwnPropertyNames(prototype);\n\n for (const prop of props) {\n try {\n if (typeof prototype[prop as keyof typeof prototype] !== 'function') {\n continue;\n }\n const restoreHandler = patch(prototype, prop, function (original) {\n return function (this: typeof prototype, ...args: Array) {\n const result = original.apply(this, args);\n saveWebGLVar(result, win, prototype);\n if (!isBlocked((this.canvas as unknown) as INode, blockClass)) {\n const id = mirror.getId((this.canvas as unknown) as INode);\n\n const recordArgs = serializeArgs([...args], win, prototype);\n const mutation: canvasMutationWithType = {\n type,\n property: prop,\n args: recordArgs,\n };\n // TODO: this could potentially also be an OffscreenCanvas as well as HTMLCanvasElement\n cb(this.canvas as HTMLCanvasElement, mutation);\n }\n\n return result;\n };\n });\n handlers.push(restoreHandler);\n } catch {\n const hookHandler = hookSetter(prototype, prop, {\n set(v) {\n // TODO: this could potentially also be an OffscreenCanvas as well as HTMLCanvasElement\n cb(this.canvas as HTMLCanvasElement, {\n type,\n property: prop,\n args: [v],\n setter: true,\n });\n },\n });\n handlers.push(hookHandler);\n }\n }\n\n return handlers;\n}\n\nexport default function initCanvasWebGLMutationObserver(\n cb: canvasManagerMutationCallback,\n win: IWindow,\n blockClass: blockClass,\n mirror: Mirror,\n): listenerHandler {\n const handlers: listenerHandler[] = [];\n\n handlers.push(\n ...patchGLPrototype(\n win.WebGLRenderingContext.prototype,\n CanvasContext.WebGL,\n cb,\n blockClass,\n mirror,\n win,\n ),\n );\n\n if (typeof win.WebGL2RenderingContext !== 'undefined') {\n handlers.push(\n ...patchGLPrototype(\n win.WebGL2RenderingContext.prototype,\n CanvasContext.WebGL2,\n cb,\n blockClass,\n mirror,\n win,\n ),\n );\n }\n\n return () => {\n handlers.forEach((h) => h());\n };\n}\n","import { INode } from 'rrweb-snapshot';\nimport {\n blockClass,\n canvasManagerMutationCallback,\n canvasMutationCallback,\n canvasMutationCommand,\n canvasMutationWithType,\n IWindow,\n listenerHandler,\n Mirror,\n} from '../../../types';\nimport initCanvas2DMutationObserver from './2d';\nimport initCanvasContextObserver from './canvas';\nimport initCanvasWebGLMutationObserver from './webgl';\n\nexport type RafStamps = { latestId: number; invokeId: number | null };\n\ntype pendingCanvasMutationsMap = Map<\n HTMLCanvasElement,\n canvasMutationWithType[]\n>;\n\nexport class CanvasManager {\n private pendingCanvasMutations: pendingCanvasMutationsMap = new Map();\n private rafStamps: RafStamps = { latestId: 0, invokeId: null };\n private mirror: Mirror;\n\n private mutationCb: canvasMutationCallback;\n private resetObservers?: listenerHandler;\n private frozen: boolean = false;\n private locked: boolean = false;\n\n public reset() {\n this.pendingCanvasMutations.clear();\n this.resetObservers && this.resetObservers();\n }\n\n public freeze() {\n this.frozen = true;\n }\n\n public unfreeze() {\n this.frozen = false;\n }\n\n public lock() {\n this.locked = true;\n }\n\n public unlock() {\n this.locked = false;\n }\n\n constructor(options: {\n recordCanvas: boolean | number;\n mutationCb: canvasMutationCallback;\n win: IWindow;\n blockClass: blockClass;\n mirror: Mirror;\n }) {\n this.mutationCb = options.mutationCb;\n this.mirror = options.mirror;\n\n if (options.recordCanvas === true)\n this.initCanvasMutationObserver(options.win, options.blockClass);\n }\n\n private processMutation: canvasManagerMutationCallback = function (\n target,\n mutation,\n ) {\n const newFrame =\n this.rafStamps.invokeId &&\n this.rafStamps.latestId !== this.rafStamps.invokeId;\n if (newFrame || !this.rafStamps.invokeId)\n this.rafStamps.invokeId = this.rafStamps.latestId;\n\n if (!this.pendingCanvasMutations.has(target)) {\n this.pendingCanvasMutations.set(target, []);\n }\n\n this.pendingCanvasMutations.get(target)!.push(mutation);\n };\n\n private initCanvasMutationObserver(\n win: IWindow,\n blockClass: blockClass,\n ): void {\n this.startRAFTimestamping();\n this.startPendingCanvasMutationFlusher();\n\n const canvasContextReset = initCanvasContextObserver(win, blockClass);\n const canvas2DReset = initCanvas2DMutationObserver(\n this.processMutation.bind(this),\n win,\n blockClass,\n this.mirror,\n );\n\n const canvasWebGL1and2Reset = initCanvasWebGLMutationObserver(\n this.processMutation.bind(this),\n win,\n blockClass,\n this.mirror,\n );\n\n this.resetObservers = () => {\n canvasContextReset();\n canvas2DReset();\n canvasWebGL1and2Reset();\n };\n }\n\n private startPendingCanvasMutationFlusher() {\n requestAnimationFrame(() => this.flushPendingCanvasMutations());\n }\n\n private startRAFTimestamping() {\n const setLatestRAFTimestamp = (timestamp: DOMHighResTimeStamp) => {\n this.rafStamps.latestId = timestamp;\n requestAnimationFrame(setLatestRAFTimestamp);\n };\n requestAnimationFrame(setLatestRAFTimestamp);\n }\n\n flushPendingCanvasMutations() {\n this.pendingCanvasMutations.forEach(\n (values: canvasMutationCommand[], canvas: HTMLCanvasElement) => {\n const id = this.mirror.getId((canvas as unknown) as INode);\n this.flushPendingCanvasMutationFor(canvas, id);\n },\n );\n requestAnimationFrame(() => this.flushPendingCanvasMutations());\n }\n\n flushPendingCanvasMutationFor(canvas: HTMLCanvasElement, id: number) {\n if (this.frozen || this.locked) {\n return;\n }\n\n const valuesWithType = this.pendingCanvasMutations.get(canvas);\n if (!valuesWithType || id === -1) return;\n\n const values = valuesWithType.map((value) => {\n const { type, ...rest } = value;\n return rest;\n });\n const { type } = valuesWithType[0];\n\n this.mutationCb({ id, type, commands: values });\n\n this.pendingCanvasMutations.delete(canvas);\n }\n}\n","import { snapshot, MaskInputOptions, SlimDOMOptions } from 'rrweb-snapshot';\nimport { initObservers, mutationBuffers } from './observer';\nimport {\n on,\n getWindowWidth,\n getWindowHeight,\n polyfill,\n isIframeINode,\n hasShadowRoot,\n createMirror,\n} from '../utils';\nimport {\n EventType,\n event,\n eventWithTime,\n recordOptions,\n IncrementalSource,\n listenerHandler,\n mutationCallbackParam,\n scrollCallback,\n canvasMutationParam,\n} from '../types';\nimport { IframeManager } from './iframe-manager';\nimport { ShadowDomManager } from './shadow-dom-manager';\nimport { CanvasManager } from './observers/canvas/canvas-manager';\n\nfunction wrapEvent(e: event): eventWithTime {\n return {\n ...e,\n timestamp: Date.now(),\n };\n}\n\nlet wrappedEmit!: (e: eventWithTime, isCheckout?: boolean) => void;\n\nlet takeFullSnapshot!: (isCheckout?: boolean) => void;\n\nconst mirror = createMirror();\nfunction record(\n options: recordOptions = {},\n): listenerHandler | undefined {\n const {\n emit,\n checkoutEveryNms,\n checkoutEveryNth,\n blockClass = 'rr-block',\n blockSelector = null,\n ignoreClass = 'rr-ignore',\n maskTextClass = 'rr-mask',\n maskTextSelector = null,\n inlineStylesheet = true,\n maskAllInputs,\n maskInputOptions: _maskInputOptions,\n slimDOMOptions: _slimDOMOptions,\n maskInputFn,\n maskTextFn,\n hooks,\n packFn,\n sampling = {},\n mousemoveWait,\n recordCanvas = false,\n userTriggeredOnInput = false,\n collectFonts = false,\n inlineImages = false,\n plugins,\n keepIframeSrcFn = () => false,\n } = options;\n // runtime checks for user options\n if (!emit) {\n throw new Error('emit function is required');\n }\n // move departed options to new options\n if (mousemoveWait !== undefined && sampling.mousemove === undefined) {\n sampling.mousemove = mousemoveWait;\n }\n\n const maskInputOptions: MaskInputOptions =\n maskAllInputs === true\n ? {\n color: true,\n date: true,\n 'datetime-local': true,\n email: true,\n month: true,\n number: true,\n range: true,\n search: true,\n tel: true,\n text: true,\n time: true,\n url: true,\n week: true,\n textarea: true,\n select: true,\n password: true,\n }\n : _maskInputOptions !== undefined\n ? _maskInputOptions\n : { password: true };\n\n const slimDOMOptions: SlimDOMOptions =\n _slimDOMOptions === true || _slimDOMOptions === 'all'\n ? {\n script: true,\n comment: true,\n headFavicon: true,\n headWhitespace: true,\n headMetaSocial: true,\n headMetaRobots: true,\n headMetaHttpEquiv: true,\n headMetaVerification: true,\n // the following are off for slimDOMOptions === true,\n // as they destroy some (hidden) info:\n headMetaAuthorship: _slimDOMOptions === 'all',\n headMetaDescKeywords: _slimDOMOptions === 'all',\n }\n : _slimDOMOptions\n ? _slimDOMOptions\n : {};\n\n polyfill();\n\n let lastFullSnapshotEvent: eventWithTime;\n let incrementalSnapshotCount = 0;\n const eventProcessor = (e: eventWithTime): T => {\n for (const plugin of plugins || []) {\n if (plugin.eventProcessor) {\n e = plugin.eventProcessor(e);\n }\n }\n if (packFn) {\n e = (packFn(e) as unknown) as eventWithTime;\n }\n return (e as unknown) as T;\n };\n wrappedEmit = (e: eventWithTime, isCheckout?: boolean) => {\n if (\n mutationBuffers[0]?.isFrozen() &&\n e.type !== EventType.FullSnapshot &&\n !(\n e.type === EventType.IncrementalSnapshot &&\n e.data.source === IncrementalSource.Mutation\n )\n ) {\n // we've got a user initiated event so first we need to apply\n // all DOM changes that have been buffering during paused state\n mutationBuffers.forEach((buf) => buf.unfreeze());\n }\n\n emit(eventProcessor(e), isCheckout);\n if (e.type === EventType.FullSnapshot) {\n lastFullSnapshotEvent = e;\n incrementalSnapshotCount = 0;\n } else if (e.type === EventType.IncrementalSnapshot) {\n // attach iframe should be considered as full snapshot\n if (\n e.data.source === IncrementalSource.Mutation &&\n e.data.isAttachIframe\n ) {\n return;\n }\n\n incrementalSnapshotCount++;\n const exceedCount =\n checkoutEveryNth && incrementalSnapshotCount >= checkoutEveryNth;\n const exceedTime =\n checkoutEveryNms &&\n e.timestamp - lastFullSnapshotEvent.timestamp > checkoutEveryNms;\n if (exceedCount || exceedTime) {\n takeFullSnapshot(true);\n }\n }\n };\n\n const wrappedMutationEmit = (m: mutationCallbackParam) => {\n wrappedEmit(\n wrapEvent({\n type: EventType.IncrementalSnapshot,\n data: {\n source: IncrementalSource.Mutation,\n ...m,\n },\n }),\n );\n };\n const wrappedScrollEmit: scrollCallback = (p) =>\n wrappedEmit(\n wrapEvent({\n type: EventType.IncrementalSnapshot,\n data: {\n source: IncrementalSource.Scroll,\n ...p,\n },\n }),\n );\n const wrappedCanvasMutationEmit = (p: canvasMutationParam) =>\n wrappedEmit(\n wrapEvent({\n type: EventType.IncrementalSnapshot,\n data: {\n source: IncrementalSource.CanvasMutation,\n ...p,\n },\n }),\n );\n\n const iframeManager = new IframeManager({\n mutationCb: wrappedMutationEmit,\n });\n\n const canvasManager = new CanvasManager({\n recordCanvas,\n mutationCb: wrappedCanvasMutationEmit,\n win: window,\n blockClass,\n mirror,\n });\n\n const shadowDomManager = new ShadowDomManager({\n mutationCb: wrappedMutationEmit,\n scrollCb: wrappedScrollEmit,\n bypassOptions: {\n blockClass,\n blockSelector,\n maskTextClass,\n maskTextSelector,\n inlineStylesheet,\n maskInputOptions,\n maskTextFn,\n maskInputFn,\n recordCanvas,\n inlineImages,\n sampling,\n slimDOMOptions,\n iframeManager,\n canvasManager,\n },\n mirror,\n });\n\n takeFullSnapshot = (isCheckout = false) => {\n wrappedEmit(\n wrapEvent({\n type: EventType.Meta,\n data: {\n href: window.location.href,\n width: getWindowWidth(),\n height: getWindowHeight(),\n },\n }),\n isCheckout,\n );\n\n mutationBuffers.forEach((buf) => buf.lock()); // don't allow any mirror modifications during snapshotting\n const [node, idNodeMap] = snapshot(document, {\n blockClass,\n blockSelector,\n maskTextClass,\n maskTextSelector,\n inlineStylesheet,\n maskAllInputs: maskInputOptions,\n maskTextFn,\n slimDOM: slimDOMOptions,\n recordCanvas,\n inlineImages,\n onSerialize: (n) => {\n if (isIframeINode(n)) {\n iframeManager.addIframe(n);\n }\n if (hasShadowRoot(n)) {\n shadowDomManager.addShadowRoot(n.shadowRoot, document);\n }\n },\n onIframeLoad: (iframe, childSn) => {\n iframeManager.attachIframe(iframe, childSn);\n shadowDomManager.observeAttachShadow(\n (iframe as Node) as HTMLIFrameElement,\n );\n },\n keepIframeSrcFn,\n });\n\n if (!node) {\n return console.warn('Failed to snapshot the document');\n }\n\n mirror.map = idNodeMap;\n wrappedEmit(\n wrapEvent({\n type: EventType.FullSnapshot,\n data: {\n node,\n initialOffset: {\n left:\n window.pageXOffset !== undefined\n ? window.pageXOffset\n : document?.documentElement.scrollLeft ||\n document?.body?.parentElement?.scrollLeft ||\n document?.body.scrollLeft ||\n 0,\n top:\n window.pageYOffset !== undefined\n ? window.pageYOffset\n : document?.documentElement.scrollTop ||\n document?.body?.parentElement?.scrollTop ||\n document?.body.scrollTop ||\n 0,\n },\n },\n }),\n );\n mutationBuffers.forEach((buf) => buf.unlock()); // generate & emit any mutations that happened during snapshotting, as can now apply against the newly built mirror\n };\n\n try {\n const handlers: listenerHandler[] = [];\n handlers.push(\n on('DOMContentLoaded', () => {\n wrappedEmit(\n wrapEvent({\n type: EventType.DomContentLoaded,\n data: {},\n }),\n );\n }),\n );\n\n const observe = (doc: Document) => {\n return initObservers(\n {\n mutationCb: wrappedMutationEmit,\n mousemoveCb: (positions, source) =>\n wrappedEmit(\n wrapEvent({\n type: EventType.IncrementalSnapshot,\n data: {\n source,\n positions,\n },\n }),\n ),\n mouseInteractionCb: (d) =>\n wrappedEmit(\n wrapEvent({\n type: EventType.IncrementalSnapshot,\n data: {\n source: IncrementalSource.MouseInteraction,\n ...d,\n },\n }),\n ),\n scrollCb: wrappedScrollEmit,\n viewportResizeCb: (d) =>\n wrappedEmit(\n wrapEvent({\n type: EventType.IncrementalSnapshot,\n data: {\n source: IncrementalSource.ViewportResize,\n ...d,\n },\n }),\n ),\n inputCb: (v) =>\n wrappedEmit(\n wrapEvent({\n type: EventType.IncrementalSnapshot,\n data: {\n source: IncrementalSource.Input,\n ...v,\n },\n }),\n ),\n mediaInteractionCb: (p) =>\n wrappedEmit(\n wrapEvent({\n type: EventType.IncrementalSnapshot,\n data: {\n source: IncrementalSource.MediaInteraction,\n ...p,\n },\n }),\n ),\n styleSheetRuleCb: (r) =>\n wrappedEmit(\n wrapEvent({\n type: EventType.IncrementalSnapshot,\n data: {\n source: IncrementalSource.StyleSheetRule,\n ...r,\n },\n }),\n ),\n styleDeclarationCb: (r) =>\n wrappedEmit(\n wrapEvent({\n type: EventType.IncrementalSnapshot,\n data: {\n source: IncrementalSource.StyleDeclaration,\n ...r,\n },\n }),\n ),\n canvasMutationCb: wrappedCanvasMutationEmit,\n fontCb: (p) =>\n wrappedEmit(\n wrapEvent({\n type: EventType.IncrementalSnapshot,\n data: {\n source: IncrementalSource.Font,\n ...p,\n },\n }),\n ),\n blockClass,\n ignoreClass,\n maskTextClass,\n maskTextSelector,\n maskInputOptions,\n inlineStylesheet,\n sampling,\n recordCanvas,\n inlineImages,\n userTriggeredOnInput,\n collectFonts,\n doc,\n maskInputFn,\n maskTextFn,\n blockSelector,\n slimDOMOptions,\n mirror,\n iframeManager,\n shadowDomManager,\n canvasManager,\n plugins:\n plugins\n ?.filter((p) => p.observer)\n ?.map((p) => ({\n observer: p.observer!,\n options: p.options,\n callback: (payload: object) =>\n wrappedEmit(\n wrapEvent({\n type: EventType.Plugin,\n data: {\n plugin: p.name,\n payload,\n },\n }),\n ),\n })) || [],\n },\n hooks,\n );\n };\n\n iframeManager.addLoadListener((iframeEl) => {\n handlers.push(observe(iframeEl.contentDocument!));\n });\n\n const init = () => {\n takeFullSnapshot();\n handlers.push(observe(document));\n };\n if (\n document.readyState === 'interactive' ||\n document.readyState === 'complete'\n ) {\n init();\n } else {\n handlers.push(\n on(\n 'load',\n () => {\n wrappedEmit(\n wrapEvent({\n type: EventType.Load,\n data: {},\n }),\n );\n init();\n },\n window,\n ),\n );\n }\n return () => {\n handlers.forEach((h) => h());\n };\n } catch (error) {\n // TODO: handle internal error\n console.warn(error);\n }\n}\n\nrecord.addCustomEvent = (tag: string, payload: T) => {\n if (!wrappedEmit) {\n throw new Error('please add custom event after start recording');\n }\n wrappedEmit(\n wrapEvent({\n type: EventType.Custom,\n data: {\n tag,\n payload,\n },\n }),\n );\n};\n\nrecord.freezePage = () => {\n mutationBuffers.forEach((buf) => buf.freeze());\n};\n\nrecord.takeFullSnapshot = (isCheckout?: boolean) => {\n if (!takeFullSnapshot) {\n throw new Error('please take full snapshot after start recording');\n }\n takeFullSnapshot(isCheckout);\n};\n\nrecord.mirror = mirror;\n\nexport default record;\n","import { INode, ICanvas } from 'rrweb-snapshot';\nimport { blockClass, IWindow, listenerHandler } from '../../../types';\nimport { isBlocked, patch } from '../../../utils';\n\nexport default function initCanvasContextObserver(\n win: IWindow,\n blockClass: blockClass,\n): listenerHandler {\n const handlers: listenerHandler[] = [];\n try {\n const restoreHandler = patch(\n win.HTMLCanvasElement.prototype,\n 'getContext',\n function (original) {\n return function (\n this: ICanvas,\n contextType: string,\n ...args: Array\n ) {\n if (!isBlocked((this as unknown) as INode, blockClass)) {\n if (!('__context' in this))\n (this as ICanvas).__context = contextType;\n }\n return original.apply(this, [contextType, ...args]);\n };\n },\n );\n handlers.push(restoreHandler);\n } catch {\n console.error('failed to patch HTMLCanvasElement.prototype.getContext');\n }\n return () => {\n handlers.forEach((h) => h());\n };\n}\n","import { INode } from 'rrweb-snapshot';\nimport {\n blockClass,\n CanvasContext,\n canvasManagerMutationCallback,\n IWindow,\n listenerHandler,\n Mirror,\n} from '../../../types';\nimport { hookSetter, isBlocked, patch } from '../../../utils';\n\nexport default function initCanvas2DMutationObserver(\n cb: canvasManagerMutationCallback,\n win: IWindow,\n blockClass: blockClass,\n mirror: Mirror,\n): listenerHandler {\n const handlers: listenerHandler[] = [];\n const props2D = Object.getOwnPropertyNames(\n win.CanvasRenderingContext2D.prototype,\n );\n for (const prop of props2D) {\n try {\n if (\n typeof win.CanvasRenderingContext2D.prototype[\n prop as keyof CanvasRenderingContext2D\n ] !== 'function'\n ) {\n continue;\n }\n const restoreHandler = patch(\n win.CanvasRenderingContext2D.prototype,\n prop,\n function (original) {\n return function (\n this: CanvasRenderingContext2D,\n ...args: Array\n ) {\n if (!isBlocked((this.canvas as unknown) as INode, blockClass)) {\n // Using setTimeout as getImageData + JSON.stringify can be heavy\n // and we'd rather not block the main thread\n setTimeout(() => {\n const recordArgs = [...args];\n if (prop === 'drawImage') {\n if (\n recordArgs[0] &&\n recordArgs[0] instanceof HTMLCanvasElement\n ) {\n const canvas = recordArgs[0];\n const ctx = canvas.getContext('2d');\n let imgd = ctx?.getImageData(\n 0,\n 0,\n canvas.width,\n canvas.height,\n );\n let pix = imgd?.data;\n recordArgs[0] = JSON.stringify(pix);\n }\n }\n cb(this.canvas, {\n type: CanvasContext['2D'],\n property: prop,\n args: recordArgs,\n });\n }, 0);\n }\n return original.apply(this, args);\n };\n },\n );\n handlers.push(restoreHandler);\n } catch {\n const hookHandler = hookSetter(\n win.CanvasRenderingContext2D.prototype,\n prop,\n {\n set(v) {\n cb(this.canvas, {\n type: CanvasContext['2D'],\n property: prop,\n args: [v],\n setter: true,\n });\n },\n },\n );\n handlers.push(hookHandler);\n }\n }\n return () => {\n handlers.forEach((h) => h());\n };\n}\n","// \n// An event handler can take an optional event argument\n// and should not return a value\n \n \n\n// An array of all currently registered event handlers for a type\n \n \n// A map of event types and their corresponding event handlers.\n \n \n \n \n\n/** Mitt: Tiny (~200b) functional event emitter / pubsub.\n * @name mitt\n * @returns {Mitt}\n */\nfunction mitt(all ) {\n\tall = all || Object.create(null);\n\n\treturn {\n\t\t/**\n\t\t * Register an event handler for the given type.\n\t\t *\n\t\t * @param {String} type\tType of event to listen for, or `\"*\"` for all events\n\t\t * @param {Function} handler Function to call in response to given event\n\t\t * @memberOf mitt\n\t\t */\n\t\ton: function on(type , handler ) {\n\t\t\t(all[type] || (all[type] = [])).push(handler);\n\t\t},\n\n\t\t/**\n\t\t * Remove an event handler for the given type.\n\t\t *\n\t\t * @param {String} type\tType of event to unregister `handler` from, or `\"*\"`\n\t\t * @param {Function} handler Handler function to remove\n\t\t * @memberOf mitt\n\t\t */\n\t\toff: function off(type , handler ) {\n\t\t\tif (all[type]) {\n\t\t\t\tall[type].splice(all[type].indexOf(handler) >>> 0, 1);\n\t\t\t}\n\t\t},\n\n\t\t/**\n\t\t * Invoke all handlers for the given type.\n\t\t * If present, `\"*\"` handlers are invoked after type-matched handlers.\n\t\t *\n\t\t * @param {String} type The event type to invoke\n\t\t * @param {Any} [evt] Any value (object is recommended and powerful), passed to each handler\n\t\t * @memberOf mitt\n\t\t */\n\t\temit: function emit(type , evt ) {\n\t\t\t(all[type] || []).slice().map(function (handler) { handler(evt); });\n\t\t\t(all['*'] || []).slice().map(function (handler) { handler(type, evt); });\n\t\t}\n\t};\n}\n\nexport default mitt;\n//# sourceMappingURL=mitt.es.js.map\n","/**\n * A fork version of https://github.com/iamdustan/smoothscroll\n * Add support of customize target window and document\n */\n\n// @ts-nocheck\n// tslint:disable\nexport function polyfill(w: Window = window, d = document) {\n // return if scroll behavior is supported and polyfill is not forced\n if (\n 'scrollBehavior' in d.documentElement.style &&\n w.__forceSmoothScrollPolyfill__ !== true\n ) {\n return;\n }\n\n // globals\n var Element = w.HTMLElement || w.Element;\n var SCROLL_TIME = 468;\n\n // object gathering original scroll methods\n var original = {\n scroll: w.scroll || w.scrollTo,\n scrollBy: w.scrollBy,\n elementScroll: Element.prototype.scroll || scrollElement,\n scrollIntoView: Element.prototype.scrollIntoView,\n };\n\n // define timing method\n var now =\n w.performance && w.performance.now\n ? w.performance.now.bind(w.performance)\n : Date.now;\n\n /**\n * indicates if a the current browser is made by Microsoft\n * @method isMicrosoftBrowser\n * @param {String} userAgent\n * @returns {Boolean}\n */\n function isMicrosoftBrowser(userAgent) {\n var userAgentPatterns = ['MSIE ', 'Trident/', 'Edge/'];\n\n return new RegExp(userAgentPatterns.join('|')).test(userAgent);\n }\n\n /*\n * IE has rounding bug rounding down clientHeight and clientWidth and\n * rounding up scrollHeight and scrollWidth causing false positives\n * on hasScrollableSpace\n */\n var ROUNDING_TOLERANCE = isMicrosoftBrowser(w.navigator.userAgent) ? 1 : 0;\n\n /**\n * changes scroll position inside an element\n * @method scrollElement\n * @param {Number} x\n * @param {Number} y\n * @returns {undefined}\n */\n function scrollElement(x, y) {\n this.scrollLeft = x;\n this.scrollTop = y;\n }\n\n /**\n * returns result of applying ease math function to a number\n * @method ease\n * @param {Number} k\n * @returns {Number}\n */\n function ease(k) {\n return 0.5 * (1 - Math.cos(Math.PI * k));\n }\n\n /**\n * indicates if a smooth behavior should be applied\n * @method shouldBailOut\n * @param {Number|Object} firstArg\n * @returns {Boolean}\n */\n function shouldBailOut(firstArg) {\n if (\n firstArg === null ||\n typeof firstArg !== 'object' ||\n firstArg.behavior === undefined ||\n firstArg.behavior === 'auto' ||\n firstArg.behavior === 'instant'\n ) {\n // first argument is not an object/null\n // or behavior is auto, instant or undefined\n return true;\n }\n\n if (typeof firstArg === 'object' && firstArg.behavior === 'smooth') {\n // first argument is an object and behavior is smooth\n return false;\n }\n\n // throw error when behavior is not supported\n throw new TypeError(\n 'behavior member of ScrollOptions ' +\n firstArg.behavior +\n ' is not a valid value for enumeration ScrollBehavior.',\n );\n }\n\n /**\n * indicates if an element has scrollable space in the provided axis\n * @method hasScrollableSpace\n * @param {Node} el\n * @param {String} axis\n * @returns {Boolean}\n */\n function hasScrollableSpace(el, axis) {\n if (axis === 'Y') {\n return el.clientHeight + ROUNDING_TOLERANCE < el.scrollHeight;\n }\n\n if (axis === 'X') {\n return el.clientWidth + ROUNDING_TOLERANCE < el.scrollWidth;\n }\n }\n\n /**\n * indicates if an element has a scrollable overflow property in the axis\n * @method canOverflow\n * @param {Node} el\n * @param {String} axis\n * @returns {Boolean}\n */\n function canOverflow(el, axis) {\n var overflowValue = w.getComputedStyle(el, null)['overflow' + axis];\n\n return overflowValue === 'auto' || overflowValue === 'scroll';\n }\n\n /**\n * indicates if an element can be scrolled in either axis\n * @method isScrollable\n * @param {Node} el\n * @param {String} axis\n * @returns {Boolean}\n */\n function isScrollable(el) {\n var isScrollableY = hasScrollableSpace(el, 'Y') && canOverflow(el, 'Y');\n var isScrollableX = hasScrollableSpace(el, 'X') && canOverflow(el, 'X');\n\n return isScrollableY || isScrollableX;\n }\n\n /**\n * finds scrollable parent of an element\n * @method findScrollableParent\n * @param {Node} el\n * @returns {Node} el\n */\n function findScrollableParent(el) {\n while (el !== d.body && isScrollable(el) === false) {\n el = el.parentNode || el.host;\n }\n\n return el;\n }\n\n /**\n * self invoked function that, given a context, steps through scrolling\n * @method step\n * @param {Object} context\n * @returns {undefined}\n */\n function step(context) {\n var time = now();\n var value;\n var currentX;\n var currentY;\n var elapsed = (time - context.startTime) / SCROLL_TIME;\n\n // avoid elapsed times higher than one\n elapsed = elapsed > 1 ? 1 : elapsed;\n\n // apply easing to elapsed time\n value = ease(elapsed);\n\n currentX = context.startX + (context.x - context.startX) * value;\n currentY = context.startY + (context.y - context.startY) * value;\n\n context.method.call(context.scrollable, currentX, currentY);\n\n // scroll more if we have not reached our destination\n if (currentX !== context.x || currentY !== context.y) {\n w.requestAnimationFrame(step.bind(w, context));\n }\n }\n\n /**\n * scrolls window or element with a smooth behavior\n * @method smoothScroll\n * @param {Object|Node} el\n * @param {Number} x\n * @param {Number} y\n * @returns {undefined}\n */\n function smoothScroll(el, x, y) {\n var scrollable;\n var startX;\n var startY;\n var method;\n var startTime = now();\n\n // define scroll context\n if (el === d.body) {\n scrollable = w;\n startX = w.scrollX || w.pageXOffset;\n startY = w.scrollY || w.pageYOffset;\n method = original.scroll;\n } else {\n scrollable = el;\n startX = el.scrollLeft;\n startY = el.scrollTop;\n method = scrollElement;\n }\n\n // scroll looping over a frame\n step({\n scrollable: scrollable,\n method: method,\n startTime: startTime,\n startX: startX,\n startY: startY,\n x: x,\n y: y,\n });\n }\n\n // ORIGINAL METHODS OVERRIDES\n // w.scroll and w.scrollTo\n w.scroll = w.scrollTo = function () {\n // avoid action when no arguments are passed\n if (arguments[0] === undefined) {\n return;\n }\n\n // avoid smooth behavior if not required\n if (shouldBailOut(arguments[0]) === true) {\n original.scroll.call(\n w,\n arguments[0].left !== undefined\n ? arguments[0].left\n : typeof arguments[0] !== 'object'\n ? arguments[0]\n : w.scrollX || w.pageXOffset,\n // use top prop, second argument if present or fallback to scrollY\n arguments[0].top !== undefined\n ? arguments[0].top\n : arguments[1] !== undefined\n ? arguments[1]\n : w.scrollY || w.pageYOffset,\n );\n\n return;\n }\n\n // LET THE SMOOTHNESS BEGIN!\n smoothScroll.call(\n w,\n d.body,\n arguments[0].left !== undefined\n ? ~~arguments[0].left\n : w.scrollX || w.pageXOffset,\n arguments[0].top !== undefined\n ? ~~arguments[0].top\n : w.scrollY || w.pageYOffset,\n );\n };\n\n // w.scrollBy\n w.scrollBy = function () {\n // avoid action when no arguments are passed\n if (arguments[0] === undefined) {\n return;\n }\n\n // avoid smooth behavior if not required\n if (shouldBailOut(arguments[0])) {\n original.scrollBy.call(\n w,\n arguments[0].left !== undefined\n ? arguments[0].left\n : typeof arguments[0] !== 'object'\n ? arguments[0]\n : 0,\n arguments[0].top !== undefined\n ? arguments[0].top\n : arguments[1] !== undefined\n ? arguments[1]\n : 0,\n );\n\n return;\n }\n\n // LET THE SMOOTHNESS BEGIN!\n smoothScroll.call(\n w,\n d.body,\n ~~arguments[0].left + (w.scrollX || w.pageXOffset),\n ~~arguments[0].top + (w.scrollY || w.pageYOffset),\n );\n };\n\n // Element.prototype.scroll and Element.prototype.scrollTo\n Element.prototype.scroll = Element.prototype.scrollTo = function () {\n // avoid action when no arguments are passed\n if (arguments[0] === undefined) {\n return;\n }\n\n // avoid smooth behavior if not required\n if (shouldBailOut(arguments[0]) === true) {\n // if one number is passed, throw error to match Firefox implementation\n if (typeof arguments[0] === 'number' && arguments[1] === undefined) {\n throw new SyntaxError('Value could not be converted');\n }\n\n original.elementScroll.call(\n this,\n // use left prop, first number argument or fallback to scrollLeft\n arguments[0].left !== undefined\n ? ~~arguments[0].left\n : typeof arguments[0] !== 'object'\n ? ~~arguments[0]\n : this.scrollLeft,\n // use top prop, second argument or fallback to scrollTop\n arguments[0].top !== undefined\n ? ~~arguments[0].top\n : arguments[1] !== undefined\n ? ~~arguments[1]\n : this.scrollTop,\n );\n\n return;\n }\n\n var left = arguments[0].left;\n var top = arguments[0].top;\n\n // LET THE SMOOTHNESS BEGIN!\n smoothScroll.call(\n this,\n this,\n typeof left === 'undefined' ? this.scrollLeft : ~~left,\n typeof top === 'undefined' ? this.scrollTop : ~~top,\n );\n };\n\n // Element.prototype.scrollBy\n Element.prototype.scrollBy = function () {\n // avoid action when no arguments are passed\n if (arguments[0] === undefined) {\n return;\n }\n\n // avoid smooth behavior if not required\n if (shouldBailOut(arguments[0]) === true) {\n original.elementScroll.call(\n this,\n arguments[0].left !== undefined\n ? ~~arguments[0].left + this.scrollLeft\n : ~~arguments[0] + this.scrollLeft,\n arguments[0].top !== undefined\n ? ~~arguments[0].top + this.scrollTop\n : ~~arguments[1] + this.scrollTop,\n );\n\n return;\n }\n\n this.scroll({\n left: ~~arguments[0].left + this.scrollLeft,\n top: ~~arguments[0].top + this.scrollTop,\n behavior: arguments[0].behavior,\n });\n };\n\n // Element.prototype.scrollIntoView\n Element.prototype.scrollIntoView = function () {\n // avoid smooth behavior if not required\n if (shouldBailOut(arguments[0]) === true) {\n original.scrollIntoView.call(\n this,\n arguments[0] === undefined ? true : arguments[0],\n );\n\n return;\n }\n\n // LET THE SMOOTHNESS BEGIN!\n var scrollableParent = findScrollableParent(this);\n var parentRects = scrollableParent.getBoundingClientRect();\n var clientRects = this.getBoundingClientRect();\n\n if (scrollableParent !== d.body) {\n // reveal element inside parent\n smoothScroll.call(\n this,\n scrollableParent,\n scrollableParent.scrollLeft + clientRects.left - parentRects.left,\n scrollableParent.scrollTop + clientRects.top - parentRects.top,\n );\n\n // reveal parent in viewport unless is fixed\n if (w.getComputedStyle(scrollableParent).position !== 'fixed') {\n w.scrollBy({\n left: parentRects.left,\n top: parentRects.top,\n behavior: 'smooth',\n });\n }\n } else {\n // reveal element in viewport\n w.scrollBy({\n left: clientRects.left,\n top: clientRects.top,\n behavior: 'smooth',\n });\n }\n };\n}\n","import {\n actionWithDelay,\n eventWithTime,\n EventType,\n IncrementalSource,\n} from '../types';\n\nexport class Timer {\n public timeOffset: number = 0;\n public speed: number;\n\n private actions: actionWithDelay[];\n private raf: number | null = null;\n private liveMode: boolean;\n\n constructor(actions: actionWithDelay[] = [], speed: number) {\n this.actions = actions;\n this.speed = speed;\n }\n /**\n * Add an action after the timer starts.\n * @param action\n */\n public addAction(action: actionWithDelay) {\n const index = this.findActionIndex(action);\n this.actions.splice(index, 0, action);\n }\n /**\n * Add all actions before the timer starts\n * @param actions\n */\n public addActions(actions: actionWithDelay[]) {\n this.actions = this.actions.concat(actions);\n }\n\n public start() {\n this.timeOffset = 0;\n let lastTimestamp = performance.now();\n const { actions } = this;\n const self = this;\n function check() {\n const time = performance.now();\n self.timeOffset += (time - lastTimestamp) * self.speed;\n lastTimestamp = time;\n while (actions.length) {\n const action = actions[0];\n\n if (self.timeOffset >= action.delay) {\n actions.shift();\n action.doAction();\n } else {\n break;\n }\n }\n if (actions.length > 0 || self.liveMode) {\n self.raf = requestAnimationFrame(check);\n }\n }\n this.raf = requestAnimationFrame(check);\n }\n\n public clear() {\n if (this.raf) {\n cancelAnimationFrame(this.raf);\n this.raf = null;\n }\n this.actions.length = 0;\n }\n\n public setSpeed(speed: number) {\n this.speed = speed;\n }\n\n public toggleLiveMode(mode: boolean) {\n this.liveMode = mode;\n }\n\n public isActive() {\n return this.raf !== null;\n }\n\n private findActionIndex(action: actionWithDelay): number {\n let start = 0;\n let end = this.actions.length - 1;\n while (start <= end) {\n let mid = Math.floor((start + end) / 2);\n if (this.actions[mid].delay < action.delay) {\n start = mid + 1;\n } else if (this.actions[mid].delay > action.delay) {\n end = mid - 1;\n } else {\n // already an action with same delay (timestamp)\n // the plus one will splice the new one after the existing one\n return mid + 1;\n }\n }\n return start;\n }\n}\n\n// TODO: add speed to mouse move timestamp calculation\nexport function addDelay(event: eventWithTime, baselineTime: number): number {\n // Mouse move events was recorded in a throttle function,\n // so we need to find the real timestamp by traverse the time offsets.\n if (\n event.type === EventType.IncrementalSnapshot &&\n event.data.source === IncrementalSource.MouseMove\n ) {\n const firstOffset = event.data.positions[0].timeOffset;\n // timeOffset is a negative offset to event.timestamp\n const firstTimestamp = event.timestamp + firstOffset;\n event.delay = firstTimestamp - baselineTime;\n return firstTimestamp - baselineTime;\n }\n\n event.delay = event.timestamp - baselineTime;\n return event.delay;\n}\n","/*! *****************************************************************************\nCopyright (c) Microsoft Corporation.\n\nPermission to use, copy, modify, and/or distribute this software for any\npurpose with or without fee is hereby granted.\n\nTHE SOFTWARE IS PROVIDED \"AS IS\" AND THE AUTHOR DISCLAIMS ALL WARRANTIES WITH\nREGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF MERCHANTABILITY\nAND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR ANY SPECIAL, DIRECT,\nINDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES WHATSOEVER RESULTING FROM\nLOSS OF USE, DATA OR PROFITS, WHETHER IN AN ACTION OF CONTRACT, NEGLIGENCE OR\nOTHER TORTIOUS ACTION, ARISING OUT OF OR IN CONNECTION WITH THE USE OR\nPERFORMANCE OF THIS SOFTWARE.\n***************************************************************************** */\nfunction t(t,n){var e=\"function\"==typeof Symbol&&t[Symbol.iterator];if(!e)return t;var r,o,i=e.call(t),a=[];try{for(;(void 0===n||n-- >0)&&!(r=i.next()).done;)a.push(r.value)}catch(t){o={error:t}}finally{try{r&&!r.done&&(e=i.return)&&e.call(i)}finally{if(o)throw o.error}}return a}var n;!function(t){t[t.NotStarted=0]=\"NotStarted\",t[t.Running=1]=\"Running\",t[t.Stopped=2]=\"Stopped\"}(n||(n={}));var e={type:\"xstate.init\"};function r(t){return void 0===t?[]:[].concat(t)}function o(t){return{type:\"xstate.assign\",assignment:t}}function i(t,n){return\"string\"==typeof(t=\"string\"==typeof t&&n&&n[t]?n[t]:t)?{type:t}:\"function\"==typeof t?{type:t.name,exec:t}:t}function a(t){return function(n){return t===n}}function u(t){return\"string\"==typeof t?{type:t}:t}function c(t,n){return{value:t,context:n,actions:[],changed:!1,matches:a(t)}}function f(t,n,e){var r=n,o=!1;return[t.filter((function(t){if(\"xstate.assign\"===t.type){o=!0;var n=Object.assign({},r);return\"function\"==typeof t.assignment?n=t.assignment(r,e):Object.keys(t.assignment).forEach((function(o){n[o]=\"function\"==typeof t.assignment[o]?t.assignment[o](r,e):t.assignment[o]})),r=n,!1}return!0})),r,o]}function s(n,o){void 0===o&&(o={});var s=t(f(r(n.states[n.initial].entry).map((function(t){return i(t,o.actions)})),n.context,e),2),l=s[0],v=s[1],y={config:n,_options:o,initialState:{value:n.initial,actions:l,context:v,matches:a(n.initial)},transition:function(e,o){var s,l,v=\"string\"==typeof e?{value:e,context:n.context}:e,p=v.value,g=v.context,d=u(o),x=n.states[p];if(x.on){var m=r(x.on[d.type]);try{for(var h=function(t){var n=\"function\"==typeof Symbol&&Symbol.iterator,e=n&&t[n],r=0;if(e)return e.call(t);if(t&&\"number\"==typeof t.length)return{next:function(){return t&&r>=t.length&&(t=void 0),{value:t&&t[r++],done:!t}}};throw new TypeError(n?\"Object is not iterable.\":\"Symbol.iterator is not defined.\")}(m),b=h.next();!b.done;b=h.next()){var S=b.value;if(void 0===S)return c(p,g);var w=\"string\"==typeof S?{target:S}:S,j=w.target,E=w.actions,R=void 0===E?[]:E,N=w.cond,O=void 0===N?function(){return!0}:N,_=void 0===j,k=null!=j?j:p,T=n.states[k];if(O(g,d)){var q=t(f((_?r(R):[].concat(x.exit,R,T.entry).filter((function(t){return t}))).map((function(t){return i(t,y._options.actions)})),g,d),3),z=q[0],A=q[1],B=q[2],C=null!=j?j:p;return{value:C,context:A,actions:z,changed:j!==p||z.length>0||B,matches:a(C)}}}}catch(t){s={error:t}}finally{try{b&&!b.done&&(l=h.return)&&l.call(h)}finally{if(s)throw s.error}}}return c(p,g)}};return y}var l=function(t,n){return t.actions.forEach((function(e){var r=e.exec;return r&&r(t.context,n)}))};function v(t){var r=t.initialState,o=n.NotStarted,i=new Set,c={_machine:t,send:function(e){o===n.Running&&(r=t.transition(r,e),l(r,u(e)),i.forEach((function(t){return t(r)})))},subscribe:function(t){return i.add(t),t(r),{unsubscribe:function(){return i.delete(t)}}},start:function(i){if(i){var u=\"object\"==typeof i?i:{context:t.config.context,value:i};r={value:u.value,actions:[],context:u.context,matches:a(u.value)}}return o=n.Running,l(r,e),c},stop:function(){return o=n.Stopped,i.clear(),c},get state(){return r},get status(){return o}};return c}export{n as InterpreterStatus,o as assign,s as createMachine,v as interpret};\n","import { createMachine, interpret, assign, StateMachine } from '@xstate/fsm';\nimport {\n playerConfig,\n eventWithTime,\n actionWithDelay,\n ReplayerEvents,\n EventType,\n Emitter,\n IncrementalSource,\n} from '../types';\nimport { Timer, addDelay } from './timer';\n\nexport type PlayerContext = {\n events: eventWithTime[];\n timer: Timer;\n timeOffset: number;\n baselineTime: number;\n lastPlayedEvent: eventWithTime | null;\n};\nexport type PlayerEvent =\n | {\n type: 'PLAY';\n payload: {\n timeOffset: number;\n };\n }\n | {\n type: 'CAST_EVENT';\n payload: {\n event: eventWithTime;\n };\n }\n | { type: 'PAUSE' }\n | { type: 'TO_LIVE'; payload: { baselineTime?: number } }\n | {\n type: 'ADD_EVENT';\n payload: {\n event: eventWithTime;\n };\n }\n | {\n type: 'END';\n };\nexport type PlayerState =\n | {\n value: 'playing';\n context: PlayerContext;\n }\n | {\n value: 'paused';\n context: PlayerContext;\n }\n | {\n value: 'live';\n context: PlayerContext;\n };\n\n/**\n * If the array have multiple meta and fullsnapshot events,\n * return the events from last meta to the end.\n */\nexport function discardPriorSnapshots(\n events: eventWithTime[],\n baselineTime: number,\n): eventWithTime[] {\n for (let idx = events.length - 1; idx >= 0; idx--) {\n const event = events[idx];\n if (event.type === EventType.Meta) {\n if (event.timestamp <= baselineTime) {\n return events.slice(idx);\n }\n }\n }\n return events;\n}\n\ntype PlayerAssets = {\n emitter: Emitter;\n applyEventsSynchronously(events: Array): void;\n getCastFn(event: eventWithTime, isSync: boolean): () => void;\n};\nexport function createPlayerService(\n context: PlayerContext,\n { getCastFn, applyEventsSynchronously, emitter }: PlayerAssets,\n) {\n const playerMachine = createMachine(\n {\n id: 'player',\n context,\n initial: 'paused',\n states: {\n playing: {\n on: {\n PAUSE: {\n target: 'paused',\n actions: ['pause'],\n },\n CAST_EVENT: {\n target: 'playing',\n actions: 'castEvent',\n },\n END: {\n target: 'paused',\n actions: ['resetLastPlayedEvent', 'pause'],\n },\n ADD_EVENT: {\n target: 'playing',\n actions: ['addEvent'],\n },\n },\n },\n paused: {\n on: {\n PLAY: {\n target: 'playing',\n actions: ['recordTimeOffset', 'play'],\n },\n CAST_EVENT: {\n target: 'paused',\n actions: 'castEvent',\n },\n TO_LIVE: {\n target: 'live',\n actions: ['startLive'],\n },\n ADD_EVENT: {\n target: 'paused',\n actions: ['addEvent'],\n },\n },\n },\n live: {\n on: {\n ADD_EVENT: {\n target: 'live',\n actions: ['addEvent'],\n },\n CAST_EVENT: {\n target: 'live',\n actions: ['castEvent'],\n },\n },\n },\n },\n },\n {\n actions: {\n castEvent: assign({\n lastPlayedEvent: (ctx, event) => {\n if (event.type === 'CAST_EVENT') {\n return event.payload.event;\n }\n return ctx.lastPlayedEvent;\n },\n }),\n recordTimeOffset: assign((ctx, event) => {\n let timeOffset = ctx.timeOffset;\n if ('payload' in event && 'timeOffset' in event.payload) {\n timeOffset = event.payload.timeOffset;\n }\n return {\n ...ctx,\n timeOffset,\n baselineTime: ctx.events[0].timestamp + timeOffset,\n };\n }),\n play(ctx) {\n const { timer, events, baselineTime, lastPlayedEvent } = ctx;\n timer.clear();\n\n for (const event of events) {\n // TODO: improve this API\n addDelay(event, baselineTime);\n }\n const neededEvents = discardPriorSnapshots(events, baselineTime);\n\n let lastPlayedTimestamp = lastPlayedEvent?.timestamp;\n if (\n lastPlayedEvent?.type === EventType.IncrementalSnapshot &&\n lastPlayedEvent.data.source === IncrementalSource.MouseMove\n ) {\n lastPlayedTimestamp =\n lastPlayedEvent.timestamp +\n lastPlayedEvent.data.positions[0]?.timeOffset;\n }\n if (baselineTime < (lastPlayedTimestamp || 0)) {\n emitter.emit(ReplayerEvents.PlayBack);\n }\n\n const syncEvents = new Array();\n const actions = new Array();\n for (const event of neededEvents) {\n if (\n lastPlayedTimestamp &&\n lastPlayedTimestamp < baselineTime &&\n (event.timestamp <= lastPlayedTimestamp ||\n event === lastPlayedEvent)\n ) {\n continue;\n }\n if (event.timestamp < baselineTime) {\n syncEvents.push(event);\n } else {\n const castFn = getCastFn(event, false);\n actions.push({\n doAction: () => {\n castFn();\n },\n delay: event.delay!,\n });\n }\n }\n applyEventsSynchronously(syncEvents);\n emitter.emit(ReplayerEvents.Flush);\n timer.addActions(actions);\n timer.start();\n },\n pause(ctx) {\n ctx.timer.clear();\n },\n resetLastPlayedEvent: assign((ctx) => {\n return {\n ...ctx,\n lastPlayedEvent: null,\n };\n }),\n startLive: assign({\n baselineTime: (ctx, event) => {\n ctx.timer.toggleLiveMode(true);\n ctx.timer.start();\n if (event.type === 'TO_LIVE' && event.payload.baselineTime) {\n return event.payload.baselineTime;\n }\n return Date.now();\n },\n }),\n addEvent: assign((ctx, machineEvent) => {\n const { baselineTime, timer, events } = ctx;\n if (machineEvent.type === 'ADD_EVENT') {\n const { event } = machineEvent.payload;\n addDelay(event, baselineTime);\n\n let end = events.length - 1;\n if (!events[end] || events[end].timestamp <= event.timestamp) {\n // fast track\n events.push(event);\n } else {\n let insertionIndex = -1;\n let start = 0;\n while (start <= end) {\n let mid = Math.floor((start + end) / 2);\n if (events[mid].timestamp <= event.timestamp) {\n start = mid + 1;\n } else {\n end = mid - 1;\n }\n }\n if (insertionIndex === -1) {\n insertionIndex = start;\n }\n events.splice(insertionIndex, 0, event);\n }\n\n const isSync = event.timestamp < baselineTime;\n const castFn = getCastFn(event, isSync);\n if (isSync) {\n castFn();\n } else if (timer.isActive()) {\n timer.addAction({\n doAction: () => {\n castFn();\n },\n delay: event.delay!,\n });\n }\n }\n return { ...ctx, events };\n }),\n },\n },\n );\n return interpret(playerMachine);\n}\n\nexport type SpeedContext = {\n normalSpeed: playerConfig['speed'];\n timer: Timer;\n};\n\nexport type SpeedEvent =\n | {\n type: 'FAST_FORWARD';\n payload: { speed: playerConfig['speed'] };\n }\n | {\n type: 'BACK_TO_NORMAL';\n }\n | {\n type: 'SET_SPEED';\n payload: { speed: playerConfig['speed'] };\n };\n\nexport type SpeedState =\n | {\n value: 'normal';\n context: SpeedContext;\n }\n | {\n value: 'skipping';\n context: SpeedContext;\n };\n\nexport function createSpeedService(context: SpeedContext) {\n const speedMachine = createMachine(\n {\n id: 'speed',\n context,\n initial: 'normal',\n states: {\n normal: {\n on: {\n FAST_FORWARD: {\n target: 'skipping',\n actions: ['recordSpeed', 'setSpeed'],\n },\n SET_SPEED: {\n target: 'normal',\n actions: ['setSpeed'],\n },\n },\n },\n skipping: {\n on: {\n BACK_TO_NORMAL: {\n target: 'normal',\n actions: ['restoreSpeed'],\n },\n SET_SPEED: {\n target: 'normal',\n actions: ['setSpeed'],\n },\n },\n },\n },\n },\n {\n actions: {\n setSpeed: (ctx, event) => {\n if ('payload' in event) {\n ctx.timer.setSpeed(event.payload.speed);\n }\n },\n recordSpeed: assign({\n normalSpeed: (ctx) => ctx.timer.speed,\n }),\n restoreSpeed: (ctx) => {\n ctx.timer.setSpeed(ctx.normalSpeed);\n },\n },\n },\n );\n\n return interpret(speedMachine);\n}\n\nexport type PlayerMachineState = StateMachine.State<\n PlayerContext,\n PlayerEvent,\n PlayerState\n>;\n\nexport type SpeedMachineState = StateMachine.State<\n SpeedContext,\n SpeedEvent,\n SpeedState\n>;\n","const rules: (blockClass: string) => string[] = (blockClass: string) => [\n `.${blockClass} { background: currentColor }`,\n 'noscript { display: none !important; }',\n];\n\nexport default rules;\n","import { INode } from 'rrweb-snapshot';\n\nexport enum StyleRuleType {\n Insert,\n Remove,\n Snapshot,\n SetProperty,\n RemoveProperty,\n}\n\ntype InsertRule = {\n cssText: string;\n type: StyleRuleType.Insert;\n index?: number | number[];\n};\ntype RemoveRule = {\n type: StyleRuleType.Remove;\n index: number | number[];\n};\ntype SnapshotRule = {\n type: StyleRuleType.Snapshot;\n cssTexts: string[];\n};\ntype SetPropertyRule = {\n type: StyleRuleType.SetProperty;\n index: number[];\n property: string;\n value: string | null;\n priority: string | undefined;\n};\ntype RemovePropertyRule = {\n type: StyleRuleType.RemoveProperty;\n index: number[];\n property: string;\n};\n\nexport type VirtualStyleRules = Array<\n InsertRule | RemoveRule | SnapshotRule | SetPropertyRule | RemovePropertyRule\n>;\nexport type VirtualStyleRulesMap = Map;\n\nexport function getNestedRule(\n rules: CSSRuleList,\n position: number[],\n): CSSGroupingRule {\n const rule = rules[position[0]] as CSSGroupingRule;\n if (position.length === 1) {\n return rule;\n } else {\n return getNestedRule(\n ((rule as CSSGroupingRule).cssRules[position[1]] as CSSGroupingRule)\n .cssRules,\n position.slice(2),\n );\n }\n}\n\nexport function getPositionsAndIndex(nestedIndex: number[]) {\n const positions = [...nestedIndex];\n const index = positions.pop();\n return { positions, index };\n}\n\nexport function applyVirtualStyleRulesToNode(\n storedRules: VirtualStyleRules,\n styleNode: HTMLStyleElement,\n) {\n const { sheet } = styleNode;\n if (!sheet) {\n // styleNode without sheet means the DOM has been removed\n // so the rules no longer need to be applied\n return;\n }\n\n storedRules.forEach((rule) => {\n if (rule.type === StyleRuleType.Insert) {\n try {\n if (Array.isArray(rule.index)) {\n const { positions, index } = getPositionsAndIndex(rule.index);\n const nestedRule = getNestedRule(sheet.cssRules, positions);\n nestedRule.insertRule(rule.cssText, index);\n } else {\n sheet.insertRule(rule.cssText, rule.index);\n }\n } catch (e) {\n /**\n * sometimes we may capture rules with browser prefix\n * insert rule with prefixs in other browsers may cause Error\n */\n }\n } else if (rule.type === StyleRuleType.Remove) {\n try {\n if (Array.isArray(rule.index)) {\n const { positions, index } = getPositionsAndIndex(rule.index);\n const nestedRule = getNestedRule(sheet.cssRules, positions);\n nestedRule.deleteRule(index || 0);\n } else {\n sheet.deleteRule(rule.index);\n }\n } catch (e) {\n /**\n * accessing styleSheet rules may cause SecurityError\n * for specific access control settings\n */\n }\n } else if (rule.type === StyleRuleType.Snapshot) {\n restoreSnapshotOfStyleRulesToNode(rule.cssTexts, styleNode);\n } else if (rule.type === StyleRuleType.SetProperty) {\n const nativeRule = (getNestedRule(\n sheet.cssRules,\n rule.index,\n ) as unknown) as CSSStyleRule;\n nativeRule.style.setProperty(rule.property, rule.value, rule.priority);\n } else if (rule.type === StyleRuleType.RemoveProperty) {\n const nativeRule = (getNestedRule(\n sheet.cssRules,\n rule.index,\n ) as unknown) as CSSStyleRule;\n nativeRule.style.removeProperty(rule.property);\n }\n });\n}\n\nfunction restoreSnapshotOfStyleRulesToNode(\n cssTexts: string[],\n styleNode: HTMLStyleElement,\n) {\n try {\n const existingRules = Array.from(styleNode.sheet?.cssRules || []).map(\n (rule) => rule.cssText,\n );\n const existingRulesReversed = Object.entries(existingRules).reverse();\n let lastMatch = existingRules.length;\n existingRulesReversed.forEach(([index, rule]) => {\n const indexOf = cssTexts.indexOf(rule);\n if (indexOf === -1 || indexOf > lastMatch) {\n try {\n styleNode.sheet?.deleteRule(Number(index));\n } catch (e) {\n /**\n * accessing styleSheet rules may cause SecurityError\n * for specific access control settings\n */\n }\n }\n lastMatch = indexOf;\n });\n cssTexts.forEach((cssText, index) => {\n try {\n if (styleNode.sheet?.cssRules[index]?.cssText !== cssText) {\n styleNode.sheet?.insertRule(cssText, index);\n }\n } catch (e) {\n /**\n * sometimes we may capture rules with browser prefix\n * insert rule with prefixs in other browsers may cause Error\n */\n }\n });\n } catch (e) {\n /**\n * accessing styleSheet rules may cause SecurityError\n * for specific access control settings\n */\n }\n}\n\nexport function storeCSSRules(\n parentElement: HTMLStyleElement,\n virtualStyleRulesMap: VirtualStyleRulesMap,\n) {\n try {\n const cssTexts = Array.from(\n (parentElement as HTMLStyleElement).sheet?.cssRules || [],\n ).map((rule) => rule.cssText);\n virtualStyleRulesMap.set((parentElement as unknown) as INode, [\n {\n type: StyleRuleType.Snapshot,\n cssTexts,\n },\n ]);\n } catch (e) {\n /**\n * accessing styleSheet rules may cause SecurityError\n * for specific access control settings\n */\n }\n}\n","import { decode } from 'base64-arraybuffer';\nimport { Replayer } from '../';\nimport {\n CanvasContext,\n canvasMutationCommand,\n SerializedWebGlArg,\n} from '../../types';\n\n// TODO: add ability to wipe this list\ntype GLVarMap = Map;\nconst webGLVarMap: Map<\n WebGLRenderingContext | WebGL2RenderingContext,\n GLVarMap\n> = new Map();\nexport function variableListFor(\n ctx: WebGLRenderingContext | WebGL2RenderingContext,\n ctor: string,\n) {\n let contextMap = webGLVarMap.get(ctx);\n if (!contextMap) {\n contextMap = new Map();\n webGLVarMap.set(ctx, contextMap);\n }\n if (!contextMap.has(ctor)) {\n contextMap.set(ctor, []);\n }\n return contextMap.get(ctor) as any[];\n}\n\nfunction getContext(\n target: HTMLCanvasElement,\n type: CanvasContext,\n): WebGLRenderingContext | WebGL2RenderingContext | null {\n // Note to whomever is going to implement support for `contextAttributes`:\n // if `preserveDrawingBuffer` is set to true,\n // you might have to do `ctx.flush()` before every webgl canvas event\n try {\n if (type === CanvasContext.WebGL) {\n return (\n target.getContext('webgl')! || target.getContext('experimental-webgl')\n );\n }\n return target.getContext('webgl2')!;\n } catch (e) {\n return null;\n }\n}\n\nconst WebGLVariableConstructorsNames = [\n 'WebGLActiveInfo',\n 'WebGLBuffer',\n 'WebGLFramebuffer',\n 'WebGLProgram',\n 'WebGLRenderbuffer',\n 'WebGLShader',\n 'WebGLShaderPrecisionFormat',\n 'WebGLTexture',\n 'WebGLUniformLocation',\n 'WebGLVertexArrayObject',\n];\n\nfunction saveToWebGLVarMap(\n ctx: WebGLRenderingContext | WebGL2RenderingContext,\n result: any,\n) {\n if (!result?.constructor) return; // probably null or undefined\n\n const { name } = result.constructor;\n if (!WebGLVariableConstructorsNames.includes(name)) return; // not a WebGL variable\n\n const variables = variableListFor(ctx, name);\n if (!variables.includes(result)) variables.push(result);\n}\n\nexport function deserializeArg(\n imageMap: Replayer['imageMap'],\n ctx: WebGLRenderingContext | WebGL2RenderingContext,\n): (arg: SerializedWebGlArg) => any {\n return (arg: SerializedWebGlArg): any => {\n if (arg && typeof arg === 'object' && 'rr_type' in arg) {\n if ('index' in arg) {\n const { rr_type: name, index } = arg;\n return variableListFor(ctx, name)[index];\n } else if ('args' in arg) {\n const { rr_type: name, args } = arg;\n const ctor = window[name as keyof Window];\n\n return new ctor(...args.map(deserializeArg(imageMap, ctx)));\n } else if ('base64' in arg) {\n return decode(arg.base64);\n } else if ('src' in arg) {\n const image = imageMap.get(arg.src);\n if (image) {\n return image;\n } else {\n const image = new Image();\n image.src = arg.src;\n imageMap.set(arg.src, image);\n return image;\n }\n }\n } else if (Array.isArray(arg)) {\n return arg.map(deserializeArg(imageMap, ctx));\n }\n return arg;\n };\n}\n\nexport default function webglMutation({\n mutation,\n target,\n type,\n imageMap,\n errorHandler,\n}: {\n mutation: canvasMutationCommand;\n target: HTMLCanvasElement;\n type: CanvasContext;\n imageMap: Replayer['imageMap'];\n errorHandler: Replayer['warnCanvasMutationFailed'];\n}): void {\n try {\n const ctx = getContext(target, type);\n if (!ctx) return;\n\n // NOTE: if `preserveDrawingBuffer` is set to true,\n // we must flush the buffers on every new canvas event\n // if (mutation.newFrame) ctx.flush();\n\n if (mutation.setter) {\n // skip some read-only type checks\n // tslint:disable-next-line:no-any\n (ctx as any)[mutation.property] = mutation.args[0];\n return;\n }\n const original = ctx[\n mutation.property as Exclude\n ] as Function;\n\n const args = mutation.args.map(deserializeArg(imageMap, ctx));\n const result = original.apply(ctx, args);\n saveToWebGLVarMap(ctx, result);\n\n // Slows down replay considerably, only use for debugging\n const debugMode = false;\n if (debugMode) {\n if (mutation.property === 'compileShader') {\n if (!ctx.getShaderParameter(args[0], ctx.COMPILE_STATUS))\n console.warn(\n 'something went wrong in replay',\n ctx.getShaderInfoLog(args[0]),\n );\n } else if (mutation.property === 'linkProgram') {\n ctx.validateProgram(args[0]);\n if (!ctx.getProgramParameter(args[0], ctx.LINK_STATUS))\n console.warn(\n 'something went wrong in replay',\n ctx.getProgramInfoLog(args[0]),\n );\n }\n const webglError = ctx.getError();\n if (webglError !== ctx.NO_ERROR) {\n console.warn(\n 'WEBGL ERROR',\n webglError,\n 'on command:',\n mutation.property,\n ...args,\n );\n }\n }\n } catch (error) {\n errorHandler(mutation, error);\n }\n}\n","import {\n rebuild,\n buildNodeWithSN,\n INode,\n NodeType,\n BuildCache,\n createCache,\n} from 'rrweb-snapshot';\nimport * as mittProxy from 'mitt';\nimport { polyfill as smoothscrollPolyfill } from './smoothscroll';\nimport { Timer } from './timer';\nimport { createPlayerService, createSpeedService } from './machine';\nimport {\n EventType,\n IncrementalSource,\n fullSnapshotEvent,\n eventWithTime,\n MouseInteractions,\n playerConfig,\n playerMetaData,\n viewportResizeDimension,\n missingNodeMap,\n addedNodeMutation,\n missingNode,\n incrementalSnapshotEvent,\n incrementalData,\n ReplayerEvents,\n Handler,\n Emitter,\n MediaInteractions,\n metaEvent,\n mutationData,\n scrollData,\n inputData,\n canvasMutationData,\n Mirror,\n ElementState,\n styleAttributeValue,\n styleValueWithPriority,\n mouseMovePos,\n IWindow,\n canvasMutationCommand,\n textMutation,\n} from '../types';\nimport {\n createMirror,\n polyfill,\n TreeIndex,\n queueToResolveTrees,\n iterateResolveTree,\n AppendedIframe,\n isIframeINode,\n getBaseDimension,\n hasShadowRoot,\n} from '../utils';\nimport getInjectStyleRules from './styles/inject-style';\nimport './styles/style.css';\nimport {\n applyVirtualStyleRulesToNode,\n storeCSSRules,\n StyleRuleType,\n VirtualStyleRules,\n VirtualStyleRulesMap,\n getNestedRule,\n getPositionsAndIndex,\n} from './virtual-styles';\nimport canvasMutation from './canvas';\n\nconst SKIP_TIME_THRESHOLD = 10 * 1000;\nconst SKIP_TIME_INTERVAL = 5 * 1000;\n\n// https://github.com/rollup/rollup/issues/1267#issuecomment-296395734\n// tslint:disable-next-line\nconst mitt = (mittProxy as any).default || mittProxy;\n\nconst REPLAY_CONSOLE_PREFIX = '[replayer]';\n\nconst defaultMouseTailConfig = {\n duration: 500,\n lineCap: 'round',\n lineWidth: 3,\n strokeStyle: 'red',\n} as const;\n\nfunction indicatesTouchDevice(e: eventWithTime) {\n return (\n e.type == EventType.IncrementalSnapshot &&\n (e.data.source == IncrementalSource.TouchMove ||\n (e.data.source == IncrementalSource.MouseInteraction &&\n e.data.type == MouseInteractions.TouchStart))\n );\n}\n\nexport class Replayer {\n public wrapper: HTMLDivElement;\n public iframe: HTMLIFrameElement;\n\n public service: ReturnType;\n public speedService: ReturnType;\n public get timer() {\n return this.service.state.context.timer;\n }\n\n public config: playerConfig;\n\n private mouse: HTMLDivElement;\n private mouseTail: HTMLCanvasElement | null = null;\n private tailPositions: Array<{ x: number; y: number }> = [];\n\n private emitter: Emitter = mitt();\n\n private nextUserInteractionEvent: eventWithTime | null;\n\n // tslint:disable-next-line: variable-name\n private legacy_missingNodeRetryMap: missingNodeMap = {};\n\n private treeIndex!: TreeIndex;\n private fragmentParentMap!: Map;\n private elementStateMap!: Map;\n // Hold the list of CSSRules for in-memory state restoration\n private virtualStyleRulesMap!: VirtualStyleRulesMap;\n\n // The replayer uses the cache to speed up replay and scrubbing.\n private cache: BuildCache = createCache();\n\n private imageMap: Map = new Map();\n\n private mirror: Mirror = createMirror();\n\n private firstFullSnapshot: eventWithTime | true | null = null;\n\n private newDocumentQueue: addedNodeMutation[] = [];\n\n private mousePos: mouseMovePos | null = null;\n private touchActive: boolean | null = null;\n\n constructor(\n events: Array,\n config?: Partial,\n ) {\n if (!config?.liveMode && events.length < 2) {\n throw new Error('Replayer need at least 2 events.');\n }\n const defaultConfig: playerConfig = {\n speed: 1,\n maxSpeed: 360,\n root: document.body,\n loadTimeout: 0,\n skipInactive: false,\n showWarning: true,\n showDebug: false,\n blockClass: 'rr-block',\n liveMode: false,\n insertStyleRules: [],\n triggerFocus: true,\n UNSAFE_replayCanvas: false,\n pauseAnimation: true,\n mouseTail: defaultMouseTailConfig,\n };\n this.config = Object.assign({}, defaultConfig, config);\n\n this.handleResize = this.handleResize.bind(this);\n this.getCastFn = this.getCastFn.bind(this);\n this.applyEventsSynchronously = this.applyEventsSynchronously.bind(this);\n this.emitter.on(ReplayerEvents.Resize, this.handleResize as Handler);\n\n this.setupDom();\n\n this.treeIndex = new TreeIndex();\n this.fragmentParentMap = new Map();\n this.elementStateMap = new Map();\n this.virtualStyleRulesMap = new Map();\n\n this.emitter.on(ReplayerEvents.Flush, () => {\n const { scrollMap, inputMap, mutationData } = this.treeIndex.flush();\n\n this.fragmentParentMap.forEach((parent, frag) =>\n this.restoreRealParent(frag, parent),\n );\n // apply text needs to happen before virtual style rules gets applied\n // as it can overwrite the contents of a stylesheet\n for (const d of mutationData.texts) {\n this.applyText(d, mutationData);\n }\n\n for (const node of this.virtualStyleRulesMap.keys()) {\n // restore css rules of style elements after they are mounted\n this.restoreNodeSheet(node);\n }\n this.fragmentParentMap.clear();\n this.elementStateMap.clear();\n this.virtualStyleRulesMap.clear();\n\n for (const d of scrollMap.values()) {\n this.applyScroll(d, true);\n }\n for (const d of inputMap.values()) {\n this.applyInput(d);\n }\n });\n this.emitter.on(ReplayerEvents.PlayBack, () => {\n this.firstFullSnapshot = null;\n this.mirror.reset();\n });\n\n const timer = new Timer([], config?.speed || defaultConfig.speed);\n this.service = createPlayerService(\n {\n events: events\n .map((e) => {\n if (config && config.unpackFn) {\n return config.unpackFn(e as string);\n }\n return e as eventWithTime;\n })\n .sort((a1, a2) => a1.timestamp - a2.timestamp),\n timer,\n timeOffset: 0,\n baselineTime: 0,\n lastPlayedEvent: null,\n },\n {\n getCastFn: this.getCastFn,\n applyEventsSynchronously: this.applyEventsSynchronously,\n emitter: this.emitter,\n },\n );\n this.service.start();\n this.service.subscribe((state) => {\n this.emitter.emit(ReplayerEvents.StateChange, {\n player: state,\n });\n });\n this.speedService = createSpeedService({\n normalSpeed: -1,\n timer,\n });\n this.speedService.start();\n this.speedService.subscribe((state) => {\n this.emitter.emit(ReplayerEvents.StateChange, {\n speed: state,\n });\n });\n\n // rebuild first full snapshot as the poster of the player\n // maybe we can cache it for performance optimization\n const firstMeta = this.service.state.context.events.find(\n (e) => e.type === EventType.Meta,\n );\n const firstFullsnapshot = this.service.state.context.events.find(\n (e) => e.type === EventType.FullSnapshot,\n );\n if (firstMeta) {\n const { width, height } = firstMeta.data as metaEvent['data'];\n setTimeout(() => {\n this.emitter.emit(ReplayerEvents.Resize, {\n width,\n height,\n });\n }, 0);\n }\n if (firstFullsnapshot) {\n setTimeout(() => {\n // when something has been played, there is no need to rebuild poster\n if (this.firstFullSnapshot) {\n // true if any other fullSnapshot has been executed by Timer already\n return;\n }\n this.firstFullSnapshot = firstFullsnapshot;\n this.rebuildFullSnapshot(\n firstFullsnapshot as fullSnapshotEvent & { timestamp: number },\n );\n this.iframe.contentWindow!.scrollTo(\n (firstFullsnapshot as fullSnapshotEvent).data.initialOffset,\n );\n }, 1);\n }\n if (this.service.state.context.events.find(indicatesTouchDevice)) {\n this.mouse.classList.add('touch-device');\n }\n }\n\n public on(event: string, handler: Handler) {\n this.emitter.on(event, handler);\n return this;\n }\n\n public off(event: string, handler: Handler) {\n this.emitter.off(event, handler);\n return this;\n }\n\n public setConfig(config: Partial) {\n Object.keys(config).forEach((key) => {\n // @ts-ignore\n this.config[key] = config[key];\n });\n if (!this.config.skipInactive) {\n this.backToNormal();\n }\n if (typeof config.speed !== 'undefined') {\n this.speedService.send({\n type: 'SET_SPEED',\n payload: {\n speed: config.speed!,\n },\n });\n }\n if (typeof config.mouseTail !== 'undefined') {\n if (config.mouseTail === false) {\n if (this.mouseTail) {\n this.mouseTail.style.display = 'none';\n }\n } else {\n if (!this.mouseTail) {\n this.mouseTail = document.createElement('canvas');\n this.mouseTail.width = Number.parseFloat(this.iframe.width);\n this.mouseTail.height = Number.parseFloat(this.iframe.height);\n this.mouseTail.classList.add('replayer-mouse-tail');\n this.wrapper.insertBefore(this.mouseTail, this.iframe);\n }\n this.mouseTail.style.display = 'inherit';\n }\n }\n }\n\n public getMetaData(): playerMetaData {\n const firstEvent = this.service.state.context.events[0];\n const lastEvent = this.service.state.context.events[\n this.service.state.context.events.length - 1\n ];\n return {\n startTime: firstEvent.timestamp,\n endTime: lastEvent.timestamp,\n totalTime: lastEvent.timestamp - firstEvent.timestamp,\n };\n }\n\n public getCurrentTime(): number {\n return this.timer.timeOffset + this.getTimeOffset();\n }\n\n public getTimeOffset(): number {\n const { baselineTime, events } = this.service.state.context;\n return baselineTime - events[0].timestamp;\n }\n\n public getMirror(): Mirror {\n return this.mirror;\n }\n\n /**\n * This API was designed to be used as play at any time offset.\n * Since we minimized the data collected from recorder, we do not\n * have the ability of undo an event.\n * So the implementation of play at any time offset will always iterate\n * all of the events, cast event before the offset synchronously\n * and cast event after the offset asynchronously with timer.\n * @param timeOffset number\n */\n public play(timeOffset = 0) {\n if (this.service.state.matches('paused')) {\n this.service.send({ type: 'PLAY', payload: { timeOffset } });\n } else {\n this.service.send({ type: 'PAUSE' });\n this.service.send({ type: 'PLAY', payload: { timeOffset } });\n }\n this.iframe.contentDocument\n ?.getElementsByTagName('html')[0]\n .classList.remove('rrweb-paused');\n this.emitter.emit(ReplayerEvents.Start);\n }\n\n public pause(timeOffset?: number) {\n if (timeOffset === undefined && this.service.state.matches('playing')) {\n this.service.send({ type: 'PAUSE' });\n }\n if (typeof timeOffset === 'number') {\n this.play(timeOffset);\n this.service.send({ type: 'PAUSE' });\n }\n this.iframe.contentDocument\n ?.getElementsByTagName('html')[0]\n .classList.add('rrweb-paused');\n this.emitter.emit(ReplayerEvents.Pause);\n }\n\n public resume(timeOffset = 0) {\n console.warn(\n `The 'resume' will be departed in 1.0. Please use 'play' method which has the same interface.`,\n );\n this.play(timeOffset);\n this.emitter.emit(ReplayerEvents.Resume);\n }\n\n public startLive(baselineTime?: number) {\n this.service.send({ type: 'TO_LIVE', payload: { baselineTime } });\n }\n\n public addEvent(rawEvent: eventWithTime | string) {\n const event = this.config.unpackFn\n ? this.config.unpackFn(rawEvent as string)\n : (rawEvent as eventWithTime);\n if (indicatesTouchDevice(event)) {\n this.mouse.classList.add('touch-device');\n }\n Promise.resolve().then(() =>\n this.service.send({ type: 'ADD_EVENT', payload: { event } }),\n );\n }\n\n public enableInteract() {\n this.iframe.setAttribute('scrolling', 'auto');\n this.iframe.style.pointerEvents = 'auto';\n }\n\n public disableInteract() {\n this.iframe.setAttribute('scrolling', 'no');\n this.iframe.style.pointerEvents = 'none';\n }\n\n /**\n * Empties the replayer's cache and reclaims memory.\n * The replayer will use this cache to speed up the playback.\n */\n public resetCache() {\n this.cache = createCache();\n }\n\n private setupDom() {\n this.wrapper = document.createElement('div');\n this.wrapper.classList.add('replayer-wrapper');\n this.config.root!.appendChild(this.wrapper);\n\n this.mouse = document.createElement('div');\n this.mouse.classList.add('replayer-mouse');\n this.wrapper.appendChild(this.mouse);\n\n if (this.config.mouseTail !== false) {\n this.mouseTail = document.createElement('canvas');\n this.mouseTail.classList.add('replayer-mouse-tail');\n this.mouseTail.style.display = 'inherit';\n this.wrapper.appendChild(this.mouseTail);\n }\n\n this.iframe = document.createElement('iframe');\n const attributes = ['allow-same-origin'];\n if (this.config.UNSAFE_replayCanvas) {\n attributes.push('allow-scripts');\n }\n // hide iframe before first meta event\n this.iframe.style.display = 'none';\n this.iframe.setAttribute('sandbox', attributes.join(' '));\n this.disableInteract();\n this.wrapper.appendChild(this.iframe);\n if (this.iframe.contentWindow && this.iframe.contentDocument) {\n smoothscrollPolyfill(\n this.iframe.contentWindow,\n this.iframe.contentDocument,\n );\n\n polyfill(this.iframe.contentWindow as IWindow);\n }\n }\n\n private handleResize(dimension: viewportResizeDimension) {\n this.iframe.style.display = 'inherit';\n for (const el of [this.mouseTail, this.iframe]) {\n if (!el) {\n continue;\n }\n el.setAttribute('width', String(dimension.width));\n el.setAttribute('height', String(dimension.height));\n }\n }\n\n private applyEventsSynchronously(events: Array) {\n for (const event of events) {\n switch (event.type) {\n case EventType.DomContentLoaded:\n case EventType.Load:\n case EventType.Custom:\n continue;\n case EventType.FullSnapshot:\n case EventType.Meta:\n case EventType.Plugin:\n break;\n case EventType.IncrementalSnapshot:\n switch (event.data.source) {\n case IncrementalSource.MediaInteraction:\n continue;\n default:\n break;\n }\n break;\n default:\n break;\n }\n const castFn = this.getCastFn(event, true);\n castFn();\n }\n if (this.mousePos) {\n this.moveAndHover(\n this.mousePos.x,\n this.mousePos.y,\n this.mousePos.id,\n true,\n this.mousePos.debugData,\n );\n }\n this.mousePos = null;\n if (this.touchActive === true) {\n this.mouse.classList.add('touch-active');\n } else if (this.touchActive === false) {\n this.mouse.classList.remove('touch-active');\n }\n this.touchActive = null;\n }\n\n private getCastFn(event: eventWithTime, isSync = false) {\n let castFn: undefined | (() => void);\n switch (event.type) {\n case EventType.DomContentLoaded:\n case EventType.Load:\n break;\n case EventType.Custom:\n castFn = () => {\n /**\n * emit custom-event and pass the event object.\n *\n * This will add more value to the custom event and allows the client to react for custom-event.\n */\n this.emitter.emit(ReplayerEvents.CustomEvent, event);\n };\n break;\n case EventType.Meta:\n castFn = () =>\n this.emitter.emit(ReplayerEvents.Resize, {\n width: event.data.width,\n height: event.data.height,\n });\n break;\n case EventType.FullSnapshot:\n castFn = () => {\n if (this.firstFullSnapshot) {\n if (this.firstFullSnapshot === event) {\n // we've already built this exact FullSnapshot when the player was mounted, and haven't built any other FullSnapshot since\n this.firstFullSnapshot = true; // forget as we might need to re-execute this FullSnapshot later e.g. to rebuild after scrubbing\n return;\n }\n } else {\n // Timer (requestAnimationFrame) can be faster than setTimeout(..., 1)\n this.firstFullSnapshot = true;\n }\n this.rebuildFullSnapshot(event, isSync);\n this.iframe.contentWindow!.scrollTo(event.data.initialOffset);\n };\n break;\n case EventType.IncrementalSnapshot:\n castFn = () => {\n this.applyIncremental(event, isSync);\n if (isSync) {\n // do not check skip in sync\n return;\n }\n if (event === this.nextUserInteractionEvent) {\n this.nextUserInteractionEvent = null;\n this.backToNormal();\n }\n if (this.config.skipInactive && !this.nextUserInteractionEvent) {\n for (const _event of this.service.state.context.events) {\n if (_event.timestamp! <= event.timestamp!) {\n continue;\n }\n if (this.isUserInteraction(_event)) {\n if (\n _event.delay! - event.delay! >\n SKIP_TIME_THRESHOLD *\n this.speedService.state.context.timer.speed\n ) {\n this.nextUserInteractionEvent = _event;\n }\n break;\n }\n }\n if (this.nextUserInteractionEvent) {\n const skipTime =\n this.nextUserInteractionEvent.delay! - event.delay!;\n const payload = {\n speed: Math.min(\n Math.round(skipTime / SKIP_TIME_INTERVAL),\n this.config.maxSpeed,\n ),\n };\n this.speedService.send({ type: 'FAST_FORWARD', payload });\n this.emitter.emit(ReplayerEvents.SkipStart, payload);\n }\n }\n };\n break;\n default:\n }\n const wrappedCastFn = () => {\n if (castFn) {\n castFn();\n }\n\n for (const plugin of this.config.plugins || []) {\n plugin.handler(event, isSync, { replayer: this });\n }\n\n this.service.send({ type: 'CAST_EVENT', payload: { event } });\n\n // events are kept sorted by timestamp, check if this is the last event\n let last_index = this.service.state.context.events.length - 1;\n if (event === this.service.state.context.events[last_index]) {\n const finish = () => {\n if (last_index < this.service.state.context.events.length - 1) {\n // more events have been added since the setTimeout\n return;\n }\n this.backToNormal();\n this.service.send('END');\n this.emitter.emit(ReplayerEvents.Finish);\n };\n if (\n event.type === EventType.IncrementalSnapshot &&\n event.data.source === IncrementalSource.MouseMove &&\n event.data.positions.length\n ) {\n // defer finish event if the last event is a mouse move\n setTimeout(() => {\n finish();\n }, Math.max(0, -event.data.positions[0].timeOffset + 50)); // Add 50 to make sure the timer would check the last mousemove event. Otherwise, the timer may be stopped by the service before checking the last event.\n } else {\n finish();\n }\n }\n\n this.emitter.emit(ReplayerEvents.EventCast, event);\n };\n return wrappedCastFn;\n }\n\n private rebuildFullSnapshot(\n event: fullSnapshotEvent & { timestamp: number },\n isSync: boolean = false,\n ) {\n if (!this.iframe.contentDocument) {\n return console.warn('Looks like your replayer has been destroyed.');\n }\n if (Object.keys(this.legacy_missingNodeRetryMap).length) {\n console.warn(\n 'Found unresolved missing node map',\n this.legacy_missingNodeRetryMap,\n );\n }\n this.legacy_missingNodeRetryMap = {};\n const collected: AppendedIframe[] = [];\n this.mirror.map = rebuild(event.data.node, {\n doc: this.iframe.contentDocument,\n afterAppend: (builtNode) => {\n this.collectIframeAndAttachDocument(collected, builtNode);\n },\n cache: this.cache,\n })[1];\n for (const { mutationInQueue, builtNode } of collected) {\n this.attachDocumentToIframe(mutationInQueue, builtNode);\n this.newDocumentQueue = this.newDocumentQueue.filter(\n (m) => m !== mutationInQueue,\n );\n }\n const { documentElement, head } = this.iframe.contentDocument;\n this.insertStyleRules(documentElement, head);\n if (!this.service.state.matches('playing')) {\n this.iframe.contentDocument\n .getElementsByTagName('html')[0]\n .classList.add('rrweb-paused');\n }\n this.emitter.emit(ReplayerEvents.FullsnapshotRebuilded, event);\n if (!isSync) {\n this.waitForStylesheetLoad();\n }\n if (this.config.UNSAFE_replayCanvas) {\n this.preloadAllImages();\n }\n }\n\n private insertStyleRules(\n documentElement: HTMLElement,\n head: HTMLHeadElement,\n ) {\n const styleEl = document.createElement('style');\n documentElement!.insertBefore(styleEl, head);\n const injectStylesRules = getInjectStyleRules(\n this.config.blockClass,\n ).concat(this.config.insertStyleRules);\n if (this.config.pauseAnimation) {\n injectStylesRules.push(\n 'html.rrweb-paused *, html.rrweb-paused *:before, html.rrweb-paused *:after { animation-play-state: paused !important; }',\n );\n }\n for (let idx = 0; idx < injectStylesRules.length; idx++) {\n (styleEl.sheet! as CSSStyleSheet).insertRule(injectStylesRules[idx], idx);\n }\n }\n\n private attachDocumentToIframe(\n mutation: addedNodeMutation,\n iframeEl: HTMLIFrameElement,\n ) {\n const collected: AppendedIframe[] = [];\n // If iframeEl is detached from dom, iframeEl.contentDocument is null.\n if (!iframeEl.contentDocument) {\n let parent = iframeEl.parentNode;\n while (parent) {\n // The parent of iframeEl is virtual parent and we need to mount it on the dom.\n if (this.fragmentParentMap.has((parent as unknown) as INode)) {\n const frag = (parent as unknown) as INode;\n const realParent = this.fragmentParentMap.get(frag)!;\n this.restoreRealParent(frag, realParent);\n break;\n }\n parent = parent.parentNode;\n }\n }\n buildNodeWithSN(mutation.node, {\n doc: iframeEl.contentDocument!,\n map: this.mirror.map,\n hackCss: true,\n skipChild: false,\n afterAppend: (builtNode) => {\n this.collectIframeAndAttachDocument(collected, builtNode);\n if (\n builtNode.__sn.type === NodeType.Element &&\n builtNode.__sn.tagName.toUpperCase() === 'HTML'\n ) {\n const { documentElement, head } = iframeEl.contentDocument!;\n this.insertStyleRules(documentElement, head);\n }\n },\n cache: this.cache,\n });\n for (const { mutationInQueue, builtNode } of collected) {\n this.attachDocumentToIframe(mutationInQueue, builtNode);\n this.newDocumentQueue = this.newDocumentQueue.filter(\n (m) => m !== mutationInQueue,\n );\n }\n }\n\n private collectIframeAndAttachDocument(\n collected: AppendedIframe[],\n builtNode: INode,\n ) {\n if (isIframeINode(builtNode)) {\n const mutationInQueue = this.newDocumentQueue.find(\n (m) => m.parentId === builtNode.__sn.id,\n );\n if (mutationInQueue) {\n collected.push({ mutationInQueue, builtNode });\n }\n }\n }\n\n /**\n * pause when loading style sheet, resume when loaded all timeout exceed\n */\n private waitForStylesheetLoad() {\n const head = this.iframe.contentDocument?.head;\n if (head) {\n const unloadSheets: Set = new Set();\n let timer: ReturnType | -1;\n let beforeLoadState = this.service.state;\n const stateHandler = () => {\n beforeLoadState = this.service.state;\n };\n this.emitter.on(ReplayerEvents.Start, stateHandler);\n this.emitter.on(ReplayerEvents.Pause, stateHandler);\n const unsubscribe = () => {\n this.emitter.off(ReplayerEvents.Start, stateHandler);\n this.emitter.off(ReplayerEvents.Pause, stateHandler);\n };\n head\n .querySelectorAll('link[rel=\"stylesheet\"]')\n .forEach((css: HTMLLinkElement) => {\n if (!css.sheet) {\n unloadSheets.add(css);\n css.addEventListener('load', () => {\n unloadSheets.delete(css);\n // all loaded and timer not released yet\n if (unloadSheets.size === 0 && timer !== -1) {\n if (beforeLoadState.matches('playing')) {\n this.play(this.getCurrentTime());\n }\n this.emitter.emit(ReplayerEvents.LoadStylesheetEnd);\n if (timer) {\n clearTimeout(timer);\n }\n unsubscribe();\n }\n });\n }\n });\n\n if (unloadSheets.size > 0) {\n // find some unload sheets after iterate\n this.service.send({ type: 'PAUSE' });\n this.emitter.emit(ReplayerEvents.LoadStylesheetStart);\n timer = setTimeout(() => {\n if (beforeLoadState.matches('playing')) {\n this.play(this.getCurrentTime());\n }\n // mark timer was called\n timer = -1;\n unsubscribe();\n }, this.config.loadTimeout);\n }\n }\n }\n\n private hasImageArg(args: any[]): boolean {\n for (const arg of args) {\n if (!arg || typeof arg !== 'object') {\n // do nothing\n } else if ('rr_type' in arg && 'args' in arg) {\n if (this.hasImageArg(arg.args)) return true;\n } else if ('rr_type' in arg && arg.rr_type === 'HTMLImageElement') {\n return true; // has image!\n } else if (arg instanceof Array) {\n if (this.hasImageArg(arg)) return true;\n }\n }\n return false;\n }\n\n private getImageArgs(args: any[]): string[] {\n const images: string[] = [];\n for (const arg of args) {\n if (!arg || typeof arg !== 'object') {\n // do nothing\n } else if ('rr_type' in arg && 'args' in arg) {\n images.push(...this.getImageArgs(arg.args));\n } else if ('rr_type' in arg && arg.rr_type === 'HTMLImageElement') {\n images.push(arg.src);\n } else if (arg instanceof Array) {\n images.push(...this.getImageArgs(arg));\n }\n }\n return images;\n }\n\n /**\n * pause when there are some canvas drawImage args need to be loaded\n */\n private preloadAllImages() {\n let beforeLoadState = this.service.state;\n const stateHandler = () => {\n beforeLoadState = this.service.state;\n };\n this.emitter.on(ReplayerEvents.Start, stateHandler);\n this.emitter.on(ReplayerEvents.Pause, stateHandler);\n for (const event of this.service.state.context.events) {\n if (\n event.type === EventType.IncrementalSnapshot &&\n event.data.source === IncrementalSource.CanvasMutation\n )\n if ('commands' in event.data) {\n event.data.commands.forEach((c) => this.preloadImages(c, event));\n } else {\n this.preloadImages(event.data, event);\n }\n }\n }\n\n private preloadImages(data: canvasMutationCommand, event: eventWithTime) {\n if (\n data.property === 'drawImage' &&\n typeof data.args[0] === 'string' &&\n !this.imageMap.has(event)\n ) {\n const canvas = document.createElement('canvas');\n const ctx = canvas.getContext('2d');\n const imgd = ctx?.createImageData(canvas.width, canvas.height);\n let d = imgd?.data;\n d = JSON.parse(data.args[0]);\n ctx?.putImageData(imgd!, 0, 0);\n } else if (this.hasImageArg(data.args)) {\n this.getImageArgs(data.args).forEach((url) => {\n const image = new Image();\n image.src = url; // this preloads the image\n this.imageMap.set(url, image);\n });\n }\n }\n\n private applyIncremental(\n e: incrementalSnapshotEvent & { timestamp: number; delay?: number },\n isSync: boolean,\n ) {\n const { data: d } = e;\n switch (d.source) {\n case IncrementalSource.Mutation: {\n if (isSync) {\n d.adds.forEach((m) => this.treeIndex.add(m));\n d.texts.forEach((m) => {\n const target = this.mirror.getNode(m.id);\n const parent = (target?.parentNode as unknown) as INode | null;\n // remove any style rules that pending\n // for stylesheets where the contents get replaced\n if (parent && this.virtualStyleRulesMap.has(parent))\n this.virtualStyleRulesMap.delete(parent);\n\n this.treeIndex.text(m);\n });\n d.attributes.forEach((m) => this.treeIndex.attribute(m));\n d.removes.forEach((m) => this.treeIndex.remove(m, this.mirror));\n }\n try {\n this.applyMutation(d, isSync);\n } catch (error) {\n this.warn(`Exception in mutation ${error.message || error}`, d);\n }\n break;\n }\n case IncrementalSource.Drag:\n case IncrementalSource.TouchMove:\n case IncrementalSource.MouseMove:\n if (isSync) {\n const lastPosition = d.positions[d.positions.length - 1];\n this.mousePos = {\n x: lastPosition.x,\n y: lastPosition.y,\n id: lastPosition.id,\n debugData: d,\n };\n } else {\n d.positions.forEach((p) => {\n const action = {\n doAction: () => {\n this.moveAndHover(p.x, p.y, p.id, isSync, d);\n },\n delay:\n p.timeOffset +\n e.timestamp -\n this.service.state.context.baselineTime,\n };\n this.timer.addAction(action);\n });\n // add a dummy action to keep timer alive\n this.timer.addAction({\n doAction() {},\n delay: e.delay! - d.positions[0]?.timeOffset,\n });\n }\n break;\n case IncrementalSource.MouseInteraction: {\n /**\n * Same as the situation of missing input target.\n */\n if (d.id === -1) {\n break;\n }\n const event = new Event(MouseInteractions[d.type].toLowerCase());\n const target = this.mirror.getNode(d.id);\n if (!target) {\n return this.debugNodeNotFound(d, d.id);\n }\n this.emitter.emit(ReplayerEvents.MouseInteraction, {\n type: d.type,\n target,\n });\n const { triggerFocus } = this.config;\n switch (d.type) {\n case MouseInteractions.Blur:\n if ('blur' in ((target as Node) as HTMLElement)) {\n ((target as Node) as HTMLElement).blur();\n }\n break;\n case MouseInteractions.Focus:\n if (triggerFocus && ((target as Node) as HTMLElement).focus) {\n ((target as Node) as HTMLElement).focus({\n preventScroll: true,\n });\n }\n break;\n case MouseInteractions.Click:\n case MouseInteractions.TouchStart:\n case MouseInteractions.TouchEnd:\n if (isSync) {\n if (d.type === MouseInteractions.TouchStart) {\n this.touchActive = true;\n } else if (d.type === MouseInteractions.TouchEnd) {\n this.touchActive = false;\n }\n this.mousePos = {\n x: d.x,\n y: d.y,\n id: d.id,\n debugData: d,\n };\n } else {\n if (d.type === MouseInteractions.TouchStart) {\n // don't draw a trail as user has lifted finger and is placing at a new point\n this.tailPositions.length = 0;\n }\n this.moveAndHover(d.x, d.y, d.id, isSync, d);\n if (d.type === MouseInteractions.Click) {\n /*\n * don't want target.click() here as could trigger an iframe navigation\n * instead any effects of the click should already be covered by mutations\n */\n /*\n * removal and addition of .active class (along with void line to trigger repaint)\n * triggers the 'click' css animation in styles/style.css\n */\n this.mouse.classList.remove('active');\n // tslint:disable-next-line\n void this.mouse.offsetWidth;\n this.mouse.classList.add('active');\n } else if (d.type === MouseInteractions.TouchStart) {\n void this.mouse.offsetWidth; // needed for the position update of moveAndHover to apply without the .touch-active transition\n this.mouse.classList.add('touch-active');\n } else if (d.type === MouseInteractions.TouchEnd) {\n this.mouse.classList.remove('touch-active');\n }\n }\n break;\n case MouseInteractions.TouchCancel:\n if (isSync) {\n this.touchActive = false;\n } else {\n this.mouse.classList.remove('touch-active');\n }\n break;\n default:\n target.dispatchEvent(event);\n }\n break;\n }\n case IncrementalSource.Scroll: {\n /**\n * Same as the situation of missing input target.\n */\n if (d.id === -1) {\n break;\n }\n if (isSync) {\n this.treeIndex.scroll(d);\n break;\n }\n this.applyScroll(d, false);\n break;\n }\n case IncrementalSource.ViewportResize:\n this.emitter.emit(ReplayerEvents.Resize, {\n width: d.width,\n height: d.height,\n });\n break;\n case IncrementalSource.Input: {\n /**\n * Input event on an unserialized node usually means the event\n * was synchrony triggered programmatically after the node was\n * created. This means there was not an user observable interaction\n * and we do not need to replay it.\n */\n if (d.id === -1) {\n break;\n }\n if (isSync) {\n this.treeIndex.input(d);\n break;\n }\n this.applyInput(d);\n break;\n }\n case IncrementalSource.MediaInteraction: {\n const target = this.mirror.getNode(d.id);\n if (!target) {\n return this.debugNodeNotFound(d, d.id);\n }\n const mediaEl = (target as Node) as HTMLMediaElement;\n try {\n if (d.currentTime) {\n mediaEl.currentTime = d.currentTime;\n }\n if (d.volume) {\n mediaEl.volume = d.volume;\n }\n if (d.muted) {\n mediaEl.muted = d.muted;\n }\n if (d.type === MediaInteractions.Pause) {\n mediaEl.pause();\n }\n if (d.type === MediaInteractions.Play) {\n // remove listener for 'canplay' event because play() is async and returns a promise\n // i.e. media will evntualy start to play when data is loaded\n // 'canplay' event fires even when currentTime attribute changes which may lead to\n // unexpeted behavior\n mediaEl.play();\n }\n } catch (error) {\n if (this.config.showWarning) {\n console.warn(\n `Failed to replay media interactions: ${error.message || error}`,\n );\n }\n }\n break;\n }\n case IncrementalSource.StyleSheetRule: {\n const target = this.mirror.getNode(d.id);\n if (!target) {\n return this.debugNodeNotFound(d, d.id);\n }\n\n const styleEl = (target as Node) as HTMLStyleElement;\n const parent = (target.parentNode as unknown) as INode;\n const usingVirtualParent = this.fragmentParentMap.has(parent);\n\n /**\n * Always use existing DOM node, when it's there.\n * In in-memory replay, there is virtual node, but it's `sheet` is inaccessible.\n * Hence, we buffer all style changes in virtualStyleRulesMap.\n */\n const styleSheet = usingVirtualParent ? null : styleEl.sheet;\n let rules: VirtualStyleRules;\n\n if (!styleSheet) {\n /**\n * styleEl.sheet is only accessible if the styleEl is part of the\n * dom. This doesn't work on DocumentFragments so we have to add the\n * style mutations to the virtualStyleRulesMap.\n */\n\n if (this.virtualStyleRulesMap.has(target)) {\n rules = this.virtualStyleRulesMap.get(target) as VirtualStyleRules;\n } else {\n rules = [];\n this.virtualStyleRulesMap.set(target, rules);\n }\n }\n\n if (d.adds) {\n d.adds.forEach(({ rule, index: nestedIndex }) => {\n if (styleSheet) {\n try {\n if (Array.isArray(nestedIndex)) {\n const { positions, index } = getPositionsAndIndex(\n nestedIndex,\n );\n const nestedRule = getNestedRule(\n styleSheet.cssRules,\n positions,\n );\n nestedRule.insertRule(rule, index);\n } else {\n const index =\n nestedIndex === undefined\n ? undefined\n : Math.min(nestedIndex, styleSheet.cssRules.length);\n styleSheet.insertRule(rule, index);\n }\n } catch (e) {\n /**\n * sometimes we may capture rules with browser prefix\n * insert rule with prefixs in other browsers may cause Error\n */\n /**\n * accessing styleSheet rules may cause SecurityError\n * for specific access control settings\n */\n }\n } else {\n rules?.push({\n cssText: rule,\n index: nestedIndex,\n type: StyleRuleType.Insert,\n });\n }\n });\n }\n\n if (d.removes) {\n d.removes.forEach(({ index: nestedIndex }) => {\n if (usingVirtualParent) {\n rules?.push({ index: nestedIndex, type: StyleRuleType.Remove });\n } else {\n try {\n if (Array.isArray(nestedIndex)) {\n const { positions, index } = getPositionsAndIndex(\n nestedIndex,\n );\n const nestedRule = getNestedRule(\n styleSheet!.cssRules,\n positions,\n );\n nestedRule.deleteRule(index || 0);\n } else {\n styleSheet?.deleteRule(nestedIndex);\n }\n } catch (e) {\n /**\n * same as insertRule\n */\n }\n }\n });\n }\n break;\n }\n case IncrementalSource.StyleDeclaration: {\n // same with StyleSheetRule\n const target = this.mirror.getNode(d.id);\n if (!target) {\n return this.debugNodeNotFound(d, d.id);\n }\n\n const styleEl = (target as Node) as HTMLStyleElement;\n const parent = (target.parentNode as unknown) as INode;\n const usingVirtualParent = this.fragmentParentMap.has(parent);\n\n const styleSheet = usingVirtualParent ? null : styleEl.sheet;\n let rules: VirtualStyleRules = [];\n\n if (!styleSheet) {\n if (this.virtualStyleRulesMap.has(target)) {\n rules = this.virtualStyleRulesMap.get(target) as VirtualStyleRules;\n } else {\n rules = [];\n this.virtualStyleRulesMap.set(target, rules);\n }\n }\n\n if (d.set) {\n if (styleSheet) {\n const rule = (getNestedRule(\n styleSheet.rules,\n d.index,\n ) as unknown) as CSSStyleRule;\n rule.style.setProperty(d.set.property, d.set.value, d.set.priority);\n } else {\n rules.push({\n type: StyleRuleType.SetProperty,\n index: d.index,\n ...d.set,\n });\n }\n }\n\n if (d.remove) {\n if (styleSheet) {\n const rule = (getNestedRule(\n styleSheet.rules,\n d.index,\n ) as unknown) as CSSStyleRule;\n rule.style.removeProperty(d.remove.property);\n } else {\n rules.push({\n type: StyleRuleType.RemoveProperty,\n index: d.index,\n ...d.remove,\n });\n }\n }\n break;\n }\n case IncrementalSource.CanvasMutation: {\n if (!this.config.UNSAFE_replayCanvas) {\n return;\n }\n const target = this.mirror.getNode(d.id);\n if (!target) {\n return this.debugNodeNotFound(d, d.id);\n }\n\n canvasMutation({\n event: e,\n mutation: d,\n target: (target as unknown) as HTMLCanvasElement,\n imageMap: this.imageMap,\n errorHandler: this.warnCanvasMutationFailed.bind(this),\n });\n\n break;\n }\n case IncrementalSource.Font: {\n try {\n const fontFace = new FontFace(\n d.family,\n d.buffer ? new Uint8Array(JSON.parse(d.fontSource)) : d.fontSource,\n d.descriptors,\n );\n this.iframe.contentDocument?.fonts.add(fontFace);\n } catch (error) {\n if (this.config.showWarning) {\n console.warn(error);\n }\n }\n break;\n }\n default:\n }\n }\n\n private applyMutation(d: mutationData, useVirtualParent: boolean) {\n d.removes.forEach((mutation) => {\n let target = this.mirror.getNode(mutation.id);\n if (!target) {\n if (d.removes.find((r) => r.id === mutation.parentId)) {\n // no need to warn, parent was already removed\n return;\n }\n return this.warnNodeNotFound(d, mutation.id);\n }\n if (this.virtualStyleRulesMap.has(target)) {\n this.virtualStyleRulesMap.delete(target);\n }\n let parent: INode | null | ShadowRoot = this.mirror.getNode(\n mutation.parentId,\n );\n if (!parent) {\n return this.warnNodeNotFound(d, mutation.parentId);\n }\n if (mutation.isShadow && hasShadowRoot(parent)) {\n parent = parent.shadowRoot;\n }\n // target may be removed with its parents before\n this.mirror.removeNodeFromMap(target);\n if (parent) {\n let realTarget = null;\n const realParent =\n '__sn' in parent ? this.fragmentParentMap.get(parent) : undefined;\n if (realParent && realParent.contains(target)) {\n parent = realParent;\n } else if (this.fragmentParentMap.has(target)) {\n /**\n * the target itself is a fragment document and it's not in the dom\n * so we should remove the real target from its parent\n */\n realTarget = this.fragmentParentMap.get(target)!;\n this.fragmentParentMap.delete(target);\n target = realTarget;\n }\n try {\n parent.removeChild(target);\n } catch (error) {\n if (error instanceof DOMException) {\n this.warn(\n 'parent could not remove child in mutation',\n parent,\n realParent,\n target,\n realTarget,\n d,\n );\n } else {\n throw error;\n }\n }\n }\n });\n\n // tslint:disable-next-line: variable-name\n const legacy_missingNodeMap: missingNodeMap = {\n ...this.legacy_missingNodeRetryMap,\n };\n const queue: addedNodeMutation[] = [];\n\n // next not present at this moment\n const nextNotInDOM = (mutation: addedNodeMutation) => {\n let next: Node | null = null;\n if (mutation.nextId) {\n next = this.mirror.getNode(mutation.nextId) as Node;\n }\n // next not present at this moment\n if (\n mutation.nextId !== null &&\n mutation.nextId !== undefined &&\n mutation.nextId !== -1 &&\n !next\n ) {\n return true;\n }\n return false;\n };\n\n const appendNode = (mutation: addedNodeMutation) => {\n if (!this.iframe.contentDocument) {\n return console.warn('Looks like your replayer has been destroyed.');\n }\n let parent: INode | null | ShadowRoot = this.mirror.getNode(\n mutation.parentId,\n );\n if (!parent) {\n if (mutation.node.type === NodeType.Document) {\n // is newly added document, maybe the document node of an iframe\n return this.newDocumentQueue.push(mutation);\n }\n return queue.push(mutation);\n }\n\n let parentInDocument = null;\n if (this.iframe.contentDocument.contains) {\n parentInDocument = this.iframe.contentDocument.contains(parent);\n } else if (this.iframe.contentDocument.body.contains) {\n // fix for IE\n // refer 'Internet Explorer notes' at https://developer.mozilla.org/zh-CN/docs/Web/API/Document\n parentInDocument = this.iframe.contentDocument.body.contains(parent);\n }\n\n const hasIframeChild =\n ((parent as unknown) as HTMLElement).getElementsByTagName?.('iframe')\n .length > 0;\n /**\n * Why !isIframeINode(parent)? If parent element is an iframe, iframe document can't be appended to virtual parent.\n * Why !hasIframeChild? If we move iframe elements from dom to fragment document, we will lose the contentDocument of iframe. So we need to disable the virtual dom optimization if a parent node contains iframe elements.\n */\n if (\n useVirtualParent &&\n parentInDocument &&\n !isIframeINode(parent) &&\n !hasIframeChild\n ) {\n const virtualParent = (document.createDocumentFragment() as unknown) as INode;\n this.mirror.map[mutation.parentId] = virtualParent;\n this.fragmentParentMap.set(virtualParent, parent);\n\n // store the state, like scroll position, of child nodes before they are unmounted from dom\n this.storeState(parent);\n\n while (parent.firstChild) {\n virtualParent.appendChild(parent.firstChild);\n }\n parent = virtualParent;\n }\n\n if (mutation.node.isShadow) {\n // If the parent is attached a shadow dom after it's created, it won't have a shadow root.\n if (!hasShadowRoot(parent)) {\n ((parent as Node) as HTMLElement).attachShadow({ mode: 'open' });\n parent = ((parent as Node) as HTMLElement).shadowRoot!;\n } else parent = parent.shadowRoot;\n }\n\n let previous: Node | null = null;\n let next: Node | null = null;\n if (mutation.previousId) {\n previous = this.mirror.getNode(mutation.previousId) as Node;\n }\n if (mutation.nextId) {\n next = this.mirror.getNode(mutation.nextId) as Node;\n }\n if (nextNotInDOM(mutation)) {\n return queue.push(mutation);\n }\n\n if (mutation.node.rootId && !this.mirror.getNode(mutation.node.rootId)) {\n return;\n }\n\n const targetDoc = mutation.node.rootId\n ? this.mirror.getNode(mutation.node.rootId)\n : this.iframe.contentDocument;\n if (isIframeINode(parent)) {\n this.attachDocumentToIframe(mutation, parent);\n return;\n }\n const target = buildNodeWithSN(mutation.node, {\n doc: targetDoc as Document,\n map: this.mirror.map,\n skipChild: true,\n hackCss: true,\n cache: this.cache,\n }) as INode;\n\n // legacy data, we should not have -1 siblings any more\n if (mutation.previousId === -1 || mutation.nextId === -1) {\n legacy_missingNodeMap[mutation.node.id] = {\n node: target,\n mutation,\n };\n return;\n }\n\n if (\n '__sn' in parent &&\n parent.__sn.type === NodeType.Element &&\n parent.__sn.tagName === 'textarea' &&\n mutation.node.type === NodeType.Text\n ) {\n // https://github.com/rrweb-io/rrweb/issues/745\n // parent is textarea, will only keep one child node as the value\n for (const c of Array.from(parent.childNodes)) {\n if (c.nodeType === parent.TEXT_NODE) {\n parent.removeChild(c);\n }\n }\n }\n\n if (previous && previous.nextSibling && previous.nextSibling.parentNode) {\n parent.insertBefore(target, previous.nextSibling);\n } else if (next && next.parentNode) {\n // making sure the parent contains the reference nodes\n // before we insert target before next.\n parent.contains(next)\n ? parent.insertBefore(target, next)\n : parent.insertBefore(target, null);\n } else {\n /**\n * Sometimes the document changes and the MutationObserver is disconnected, so the removal of child elements can't be detected and recorded. After the change of document, we may get another mutation which adds a new html element, while the old html element still exists in the dom, and we need to remove the old html element first to avoid collision.\n */\n if (parent === targetDoc) {\n while (targetDoc.firstChild) {\n targetDoc.removeChild(targetDoc.firstChild);\n }\n }\n\n parent.appendChild(target);\n }\n\n if (isIframeINode(target)) {\n const mutationInQueue = this.newDocumentQueue.find(\n (m) => m.parentId === target.__sn.id,\n );\n if (mutationInQueue) {\n this.attachDocumentToIframe(mutationInQueue, target);\n this.newDocumentQueue = this.newDocumentQueue.filter(\n (m) => m !== mutationInQueue,\n );\n }\n }\n\n if (mutation.previousId || mutation.nextId) {\n this.legacy_resolveMissingNode(\n legacy_missingNodeMap,\n parent,\n target,\n mutation,\n );\n }\n };\n\n d.adds.forEach((mutation) => {\n appendNode(mutation);\n });\n\n let startTime = Date.now();\n while (queue.length) {\n // transform queue to resolve tree\n const resolveTrees = queueToResolveTrees(queue);\n queue.length = 0;\n if (Date.now() - startTime > 500) {\n this.warn(\n 'Timeout in the loop, please check the resolve tree data:',\n resolveTrees,\n );\n break;\n }\n for (const tree of resolveTrees) {\n let parent = this.mirror.getNode(tree.value.parentId);\n if (!parent) {\n this.debug(\n 'Drop resolve tree since there is no parent for the root node.',\n tree,\n );\n } else {\n iterateResolveTree(tree, (mutation) => {\n appendNode(mutation);\n });\n }\n }\n }\n\n if (Object.keys(legacy_missingNodeMap).length) {\n Object.assign(this.legacy_missingNodeRetryMap, legacy_missingNodeMap);\n }\n\n d.texts.forEach((mutation) => {\n let target = this.mirror.getNode(mutation.id);\n if (!target) {\n if (d.removes.find((r) => r.id === mutation.id)) {\n // no need to warn, element was already removed\n return;\n }\n return this.warnNodeNotFound(d, mutation.id);\n }\n /**\n * apply text content to real parent directly\n */\n if (this.fragmentParentMap.has(target)) {\n target = this.fragmentParentMap.get(target)!;\n }\n target.textContent = mutation.value;\n });\n d.attributes.forEach((mutation) => {\n let target = this.mirror.getNode(mutation.id);\n if (!target) {\n if (d.removes.find((r) => r.id === mutation.id)) {\n // no need to warn, element was already removed\n return;\n }\n return this.warnNodeNotFound(d, mutation.id);\n }\n if (this.fragmentParentMap.has(target)) {\n target = this.fragmentParentMap.get(target)!;\n }\n for (const attributeName in mutation.attributes) {\n if (typeof attributeName === 'string') {\n const value = mutation.attributes[attributeName];\n if (value === null) {\n ((target as Node) as Element).removeAttribute(attributeName);\n } else if (typeof value === 'string') {\n try {\n ((target as Node) as Element).setAttribute(attributeName, value);\n } catch (error) {\n if (this.config.showWarning) {\n console.warn(\n 'An error occurred may due to the checkout feature.',\n error,\n );\n }\n }\n } else if (attributeName === 'style') {\n let styleValues = value as styleAttributeValue;\n const targetEl = (target as Node) as HTMLElement;\n for (var s in styleValues) {\n if (styleValues[s] === false) {\n targetEl.style.removeProperty(s);\n } else if (styleValues[s] instanceof Array) {\n const svp = styleValues[s] as styleValueWithPriority;\n targetEl.style.setProperty(s, svp[0], svp[1]);\n } else {\n const svs = styleValues[s] as string;\n targetEl.style.setProperty(s, svs);\n }\n }\n }\n }\n }\n });\n }\n\n /**\n * Apply the scroll data on real elements.\n * If the replayer is in sync mode, smooth scroll behavior should be disabled.\n * @param d the scroll data\n * @param isSync whether the replayer is in sync mode(fast-forward)\n */\n private applyScroll(d: scrollData, isSync: boolean) {\n const target = this.mirror.getNode(d.id);\n if (!target) {\n return this.debugNodeNotFound(d, d.id);\n }\n if ((target as Node) === this.iframe.contentDocument) {\n this.iframe.contentWindow!.scrollTo({\n top: d.y,\n left: d.x,\n behavior: isSync ? 'auto' : 'smooth',\n });\n } else if (target.__sn.type === NodeType.Document) {\n // nest iframe content document\n ((target as unknown) as Document).defaultView!.scrollTo({\n top: d.y,\n left: d.x,\n behavior: isSync ? 'auto' : 'smooth',\n });\n } else {\n try {\n ((target as Node) as Element).scrollTop = d.y;\n ((target as Node) as Element).scrollLeft = d.x;\n } catch (error) {\n /**\n * Seldomly we may found scroll target was removed before\n * its last scroll event.\n */\n }\n }\n }\n\n private applyInput(d: inputData) {\n const target = this.mirror.getNode(d.id);\n if (!target) {\n return this.debugNodeNotFound(d, d.id);\n }\n try {\n ((target as Node) as HTMLInputElement).checked = d.isChecked;\n ((target as Node) as HTMLInputElement).value = d.text;\n } catch (error) {\n // for safe\n }\n }\n\n private applyText(d: textMutation, mutation: mutationData) {\n const target = this.mirror.getNode(d.id);\n if (!target) {\n return this.debugNodeNotFound(mutation, d.id);\n }\n try {\n ((target as Node) as HTMLElement).textContent = d.value;\n } catch (error) {\n // for safe\n }\n }\n\n private legacy_resolveMissingNode(\n map: missingNodeMap,\n parent: Node,\n target: Node,\n targetMutation: addedNodeMutation,\n ) {\n const { previousId, nextId } = targetMutation;\n const previousInMap = previousId && map[previousId];\n const nextInMap = nextId && map[nextId];\n if (previousInMap) {\n const { node, mutation } = previousInMap as missingNode;\n parent.insertBefore(node, target);\n delete map[mutation.node.id];\n delete this.legacy_missingNodeRetryMap[mutation.node.id];\n if (mutation.previousId || mutation.nextId) {\n this.legacy_resolveMissingNode(map, parent, node as Node, mutation);\n }\n }\n if (nextInMap) {\n const { node, mutation } = nextInMap as missingNode;\n parent.insertBefore(node, target.nextSibling);\n delete map[mutation.node.id];\n delete this.legacy_missingNodeRetryMap[mutation.node.id];\n if (mutation.previousId || mutation.nextId) {\n this.legacy_resolveMissingNode(map, parent, node as Node, mutation);\n }\n }\n }\n\n private moveAndHover(\n x: number,\n y: number,\n id: number,\n isSync: boolean,\n debugData: incrementalData,\n ) {\n const target = this.mirror.getNode(id);\n if (!target) {\n return this.debugNodeNotFound(debugData, id);\n }\n\n const base = getBaseDimension(target, this.iframe);\n const _x = x * base.absoluteScale + base.x;\n const _y = y * base.absoluteScale + base.y;\n\n this.mouse.style.left = `${_x}px`;\n this.mouse.style.top = `${_y}px`;\n if (!isSync) {\n this.drawMouseTail({ x: _x, y: _y });\n }\n this.hoverElements((target as Node) as Element);\n }\n\n private drawMouseTail(position: { x: number; y: number }) {\n if (!this.mouseTail) {\n return;\n }\n\n const { lineCap, lineWidth, strokeStyle, duration } =\n this.config.mouseTail === true\n ? defaultMouseTailConfig\n : Object.assign({}, defaultMouseTailConfig, this.config.mouseTail);\n\n const draw = () => {\n if (!this.mouseTail) {\n return;\n }\n const ctx = this.mouseTail.getContext('2d');\n if (!ctx || !this.tailPositions.length) {\n return;\n }\n ctx.clearRect(0, 0, this.mouseTail.width, this.mouseTail.height);\n ctx.beginPath();\n ctx.lineWidth = lineWidth;\n ctx.lineCap = lineCap;\n ctx.strokeStyle = strokeStyle;\n ctx.moveTo(this.tailPositions[0].x, this.tailPositions[0].y);\n this.tailPositions.forEach((p) => ctx.lineTo(p.x, p.y));\n ctx.stroke();\n };\n\n this.tailPositions.push(position);\n draw();\n setTimeout(() => {\n this.tailPositions = this.tailPositions.filter((p) => p !== position);\n draw();\n }, duration / this.speedService.state.context.timer.speed);\n }\n\n private hoverElements(el: Element) {\n this.iframe.contentDocument\n ?.querySelectorAll('.\\\\:hover')\n .forEach((hoveredEl) => {\n hoveredEl.classList.remove(':hover');\n });\n let currentEl: Element | null = el;\n while (currentEl) {\n if (currentEl.classList) {\n currentEl.classList.add(':hover');\n }\n currentEl = currentEl.parentElement;\n }\n }\n\n private isUserInteraction(event: eventWithTime): boolean {\n if (event.type !== EventType.IncrementalSnapshot) {\n return false;\n }\n return (\n event.data.source > IncrementalSource.Mutation &&\n event.data.source <= IncrementalSource.Input\n );\n }\n\n private backToNormal() {\n this.nextUserInteractionEvent = null;\n if (this.speedService.state.matches('normal')) {\n return;\n }\n this.speedService.send({ type: 'BACK_TO_NORMAL' });\n this.emitter.emit(ReplayerEvents.SkipEnd, {\n speed: this.speedService.state.context.normalSpeed,\n });\n }\n\n /**\n * Replace the virtual parent with the real parent.\n * @param frag fragment document, the virtual parent\n * @param parent real parent element\n */\n private restoreRealParent(frag: INode, parent: INode) {\n this.mirror.map[parent.__sn.id] = parent;\n /**\n * If we have already set value attribute on textarea,\n * then we could not apply text content as default value any more.\n */\n if (\n parent.__sn.type === NodeType.Element &&\n parent.__sn.tagName === 'textarea' &&\n frag.textContent\n ) {\n ((parent as unknown) as HTMLTextAreaElement).value = frag.textContent;\n }\n parent.appendChild(frag);\n // restore state of elements after they are mounted\n this.restoreState(parent);\n }\n\n /**\n * store state of elements before unmounted from dom recursively\n * the state should be restored in the handler of event ReplayerEvents.Flush\n * e.g. browser would lose scroll position after the process that we add children of parent node to Fragment Document as virtual dom\n */\n private storeState(parent: INode) {\n if (parent) {\n if (parent.nodeType === parent.ELEMENT_NODE) {\n const parentElement = (parent as unknown) as HTMLElement;\n if (parentElement.scrollLeft || parentElement.scrollTop) {\n // store scroll position state\n this.elementStateMap.set(parent, {\n scroll: [parentElement.scrollLeft, parentElement.scrollTop],\n });\n }\n if (parentElement.tagName === 'STYLE')\n storeCSSRules(\n parentElement as HTMLStyleElement,\n this.virtualStyleRulesMap,\n );\n const children = parentElement.children;\n for (const child of Array.from(children)) {\n this.storeState((child as unknown) as INode);\n }\n }\n }\n }\n\n /**\n * restore the state of elements recursively, which was stored before elements were unmounted from dom in virtual parent mode\n * this function corresponds to function storeState\n */\n private restoreState(parent: INode) {\n if (parent.nodeType === parent.ELEMENT_NODE) {\n const parentElement = (parent as unknown) as HTMLElement;\n if (this.elementStateMap.has(parent)) {\n const storedState = this.elementStateMap.get(parent)!;\n // restore scroll position\n if (storedState.scroll) {\n parentElement.scrollLeft = storedState.scroll[0];\n parentElement.scrollTop = storedState.scroll[1];\n }\n this.elementStateMap.delete(parent);\n }\n const children = parentElement.children;\n for (const child of Array.from(children)) {\n this.restoreState((child as unknown) as INode);\n }\n }\n }\n\n private restoreNodeSheet(node: INode) {\n const storedRules = this.virtualStyleRulesMap.get(node);\n if (node.nodeName !== 'STYLE') {\n return;\n }\n\n if (!storedRules) {\n return;\n }\n\n const styleNode = (node as unknown) as HTMLStyleElement;\n\n applyVirtualStyleRulesToNode(storedRules, styleNode);\n }\n\n private warnNodeNotFound(d: incrementalData, id: number) {\n if (this.treeIndex.idRemoved(id)) {\n this.warn(`Node with id '${id}' was previously removed. `, d);\n } else {\n this.warn(`Node with id '${id}' not found. `, d);\n }\n }\n\n private warnCanvasMutationFailed(\n d: canvasMutationData | canvasMutationCommand,\n error: unknown,\n ) {\n this.warn(`Has error on canvas update`, error, 'canvas mutation:', d);\n }\n\n private debugNodeNotFound(d: incrementalData, id: number) {\n /**\n * There maybe some valid scenes of node not being found.\n * Because DOM events are macrotask and MutationObserver callback\n * is microtask, so events fired on a removed DOM may emit\n * snapshots in the reverse order.\n */\n if (this.treeIndex.idRemoved(id)) {\n this.debug(\n REPLAY_CONSOLE_PREFIX,\n `Node with id '${id}' was previously removed. `,\n d,\n );\n } else {\n this.debug(REPLAY_CONSOLE_PREFIX, `Node with id '${id}' not found. `, d);\n }\n }\n\n private warn(...args: Parameters) {\n if (!this.config.showWarning) {\n return;\n }\n console.warn(REPLAY_CONSOLE_PREFIX, ...args);\n }\n\n private debug(...args: Parameters) {\n if (!this.config.showDebug) {\n return;\n }\n // tslint:disable-next-line: no-console\n console.log(REPLAY_CONSOLE_PREFIX, ...args);\n }\n}\n","import { Replayer } from '..';\nimport {\n CanvasContext,\n canvasMutationCommand,\n canvasMutationData,\n} from '../../types';\nimport webglMutation from './webgl';\nimport canvas2DMutation from './2d';\n\nexport default function canvasMutation({\n event,\n mutation,\n target,\n imageMap,\n errorHandler,\n}: {\n event: Parameters[0];\n mutation: canvasMutationData;\n target: HTMLCanvasElement;\n imageMap: Replayer['imageMap'];\n errorHandler: Replayer['warnCanvasMutationFailed'];\n}): void {\n try {\n const mutations: canvasMutationCommand[] =\n 'commands' in mutation ? mutation.commands : [mutation];\n\n if ([CanvasContext.WebGL, CanvasContext.WebGL2].includes(mutation.type)) {\n return mutations.forEach((command) => {\n webglMutation({\n mutation: command,\n type: mutation.type,\n target,\n imageMap,\n errorHandler,\n });\n });\n }\n // default is '2d' for backwards compatibility (rrweb below 1.1.x)\n return mutations.forEach((command) => {\n canvas2DMutation({\n event,\n mutation: command,\n target,\n imageMap,\n errorHandler,\n });\n });\n } catch (error) {\n errorHandler(mutation, error);\n }\n}\n","import { Replayer } from '../';\nimport { canvasMutationCommand } from '../../types';\n\nexport default function canvasMutation({\n event,\n mutation,\n target,\n imageMap,\n errorHandler,\n}: {\n event: Parameters[0];\n mutation: canvasMutationCommand;\n target: HTMLCanvasElement;\n imageMap: Replayer['imageMap'];\n errorHandler: Replayer['warnCanvasMutationFailed'];\n}): void {\n try {\n const ctx = ((target as unknown) as HTMLCanvasElement).getContext('2d')!;\n\n if (mutation.setter) {\n // skip some read-only type checks\n // tslint:disable-next-line:no-any\n (ctx as any)[mutation.property] = mutation.args[0];\n return;\n }\n const original = ctx[\n mutation.property as Exclude\n ] as Function;\n\n /**\n * We have serialized the image source into base64 string during recording,\n * which has been preloaded before replay.\n * So we can get call drawImage SYNCHRONOUSLY which avoid some fragile cast.\n */\n if (\n mutation.property === 'drawImage' &&\n typeof mutation.args[0] === 'string'\n ) {\n const image = imageMap.get(event);\n mutation.args[0] = image;\n original.apply(ctx, mutation.args);\n } else {\n original.apply(ctx, mutation.args);\n }\n } catch (error) {\n errorHandler(mutation, error);\n }\n}\n","import record from './record';\nimport { Replayer } from './replay';\nimport { _mirror } from './utils';\nimport * as utils from './utils';\n\nexport {\n EventType,\n IncrementalSource,\n MouseInteractions,\n ReplayerEvents,\n} from './types';\n\nconst { addCustomEvent } = record;\nconst { freezePage } = record;\n\nexport {\n record,\n addCustomEvent,\n freezePage,\n Replayer,\n _mirror as mirror,\n utils,\n};\n","// DEFLATE is a complex format; to read this code, you should probably check the RFC first:\n// https://tools.ietf.org/html/rfc1951\n// You may also wish to take a look at the guide I made about this program:\n// https://gist.github.com/101arrowz/253f31eb5abc3d9275ab943003ffecad\n// Much of the following code is similar to that of UZIP.js:\n// https://github.com/photopea/UZIP.js\n// Many optimizations have been made, so the bundle size is ultimately smaller but performance is similar.\n// Sometimes 0 will appear where -1 would be more appropriate. This is because using a uint\n// is better for memory in most engines (I *think*).\nvar ch2 = {};\nvar wk = (function (c, id, msg, transfer, cb) {\n var u = ch2[id] || (ch2[id] = URL.createObjectURL(new Blob([c], { type: 'text/javascript' })));\n var w = new Worker(u);\n w.onerror = function (e) { return cb(e.error, null); };\n w.onmessage = function (e) { return cb(null, e.data); };\n w.postMessage(msg, transfer);\n return w;\n});\n\n// aliases for shorter compressed code (most minifers don't do this)\nvar u8 = Uint8Array, u16 = Uint16Array, u32 = Uint32Array;\n// fixed length extra bits\nvar fleb = new u8([0, 0, 0, 0, 0, 0, 0, 0, 1, 1, 1, 1, 2, 2, 2, 2, 3, 3, 3, 3, 4, 4, 4, 4, 5, 5, 5, 5, 0, /* unused */ 0, 0, /* impossible */ 0]);\n// fixed distance extra bits\n// see fleb note\nvar fdeb = new u8([0, 0, 0, 0, 1, 1, 2, 2, 3, 3, 4, 4, 5, 5, 6, 6, 7, 7, 8, 8, 9, 9, 10, 10, 11, 11, 12, 12, 13, 13, /* unused */ 0, 0]);\n// code length index map\nvar clim = new u8([16, 17, 18, 0, 8, 7, 9, 6, 10, 5, 11, 4, 12, 3, 13, 2, 14, 1, 15]);\n// get base, reverse index map from extra bits\nvar freb = function (eb, start) {\n var b = new u16(31);\n for (var i = 0; i < 31; ++i) {\n b[i] = start += 1 << eb[i - 1];\n }\n // numbers here are at max 18 bits\n var r = new u32(b[30]);\n for (var i = 1; i < 30; ++i) {\n for (var j = b[i]; j < b[i + 1]; ++j) {\n r[j] = ((j - b[i]) << 5) | i;\n }\n }\n return [b, r];\n};\nvar _a = freb(fleb, 2), fl = _a[0], revfl = _a[1];\n// we can ignore the fact that the other numbers are wrong; they never happen anyway\nfl[28] = 258, revfl[258] = 28;\nvar _b = freb(fdeb, 0), fd = _b[0], revfd = _b[1];\n// map of value to reverse (assuming 16 bits)\nvar rev = new u16(32768);\nfor (var i = 0; i < 32768; ++i) {\n // reverse table algorithm from SO\n var x = ((i & 0xAAAA) >>> 1) | ((i & 0x5555) << 1);\n x = ((x & 0xCCCC) >>> 2) | ((x & 0x3333) << 2);\n x = ((x & 0xF0F0) >>> 4) | ((x & 0x0F0F) << 4);\n rev[i] = (((x & 0xFF00) >>> 8) | ((x & 0x00FF) << 8)) >>> 1;\n}\n// create huffman tree from u8 \"map\": index -> code length for code index\n// mb (max bits) must be at most 15\n// TODO: optimize/split up?\nvar hMap = (function (cd, mb, r) {\n var s = cd.length;\n // index\n var i = 0;\n // u16 \"map\": index -> # of codes with bit length = index\n var l = new u16(mb);\n // length of cd must be 288 (total # of codes)\n for (; i < s; ++i)\n ++l[cd[i] - 1];\n // u16 \"map\": index -> minimum code for bit length = index\n var le = new u16(mb);\n for (i = 0; i < mb; ++i) {\n le[i] = (le[i - 1] + l[i - 1]) << 1;\n }\n var co;\n if (r) {\n // u16 \"map\": index -> number of actual bits, symbol for code\n co = new u16(1 << mb);\n // bits to remove for reverser\n var rvb = 15 - mb;\n for (i = 0; i < s; ++i) {\n // ignore 0 lengths\n if (cd[i]) {\n // num encoding both symbol and bits read\n var sv = (i << 4) | cd[i];\n // free bits\n var r_1 = mb - cd[i];\n // start value\n var v = le[cd[i] - 1]++ << r_1;\n // m is end value\n for (var m = v | ((1 << r_1) - 1); v <= m; ++v) {\n // every 16 bit value starting with the code yields the same result\n co[rev[v] >>> rvb] = sv;\n }\n }\n }\n }\n else {\n co = new u16(s);\n for (i = 0; i < s; ++i)\n co[i] = rev[le[cd[i] - 1]++] >>> (15 - cd[i]);\n }\n return co;\n});\n// fixed length tree\nvar flt = new u8(288);\nfor (var i = 0; i < 144; ++i)\n flt[i] = 8;\nfor (var i = 144; i < 256; ++i)\n flt[i] = 9;\nfor (var i = 256; i < 280; ++i)\n flt[i] = 7;\nfor (var i = 280; i < 288; ++i)\n flt[i] = 8;\n// fixed distance tree\nvar fdt = new u8(32);\nfor (var i = 0; i < 32; ++i)\n fdt[i] = 5;\n// fixed length map\nvar flm = /*#__PURE__*/ hMap(flt, 9, 0), flrm = /*#__PURE__*/ hMap(flt, 9, 1);\n// fixed distance map\nvar fdm = /*#__PURE__*/ hMap(fdt, 5, 0), fdrm = /*#__PURE__*/ hMap(fdt, 5, 1);\n// find max of array\nvar max = function (a) {\n var m = a[0];\n for (var i = 1; i < a.length; ++i) {\n if (a[i] > m)\n m = a[i];\n }\n return m;\n};\n// read d, starting at bit p and mask with m\nvar bits = function (d, p, m) {\n var o = (p / 8) >> 0;\n return ((d[o] | (d[o + 1] << 8)) >>> (p & 7)) & m;\n};\n// read d, starting at bit p continuing for at least 16 bits\nvar bits16 = function (d, p) {\n var o = (p / 8) >> 0;\n return ((d[o] | (d[o + 1] << 8) | (d[o + 2] << 16)) >>> (p & 7));\n};\n// get end of byte\nvar shft = function (p) { return ((p / 8) >> 0) + (p & 7 && 1); };\n// typed array slice - allows garbage collector to free original reference,\n// while being more compatible than .slice\nvar slc = function (v, s, e) {\n if (s == null || s < 0)\n s = 0;\n if (e == null || e > v.length)\n e = v.length;\n // can't use .constructor in case user-supplied\n var n = new (v instanceof u16 ? u16 : v instanceof u32 ? u32 : u8)(e - s);\n n.set(v.subarray(s, e));\n return n;\n};\n// expands raw DEFLATE data\nvar inflt = function (dat, buf, st) {\n // source length\n var sl = dat.length;\n // have to estimate size\n var noBuf = !buf || st;\n // no state\n var noSt = !st || st.i;\n if (!st)\n st = {};\n // Assumes roughly 33% compression ratio average\n if (!buf)\n buf = new u8(sl * 3);\n // ensure buffer can fit at least l elements\n var cbuf = function (l) {\n var bl = buf.length;\n // need to increase size to fit\n if (l > bl) {\n // Double or set to necessary, whichever is greater\n var nbuf = new u8(Math.max(bl * 2, l));\n nbuf.set(buf);\n buf = nbuf;\n }\n };\n // last chunk bitpos bytes\n var final = st.f || 0, pos = st.p || 0, bt = st.b || 0, lm = st.l, dm = st.d, lbt = st.m, dbt = st.n;\n // total bits\n var tbts = sl * 8;\n do {\n if (!lm) {\n // BFINAL - this is only 1 when last chunk is next\n st.f = final = bits(dat, pos, 1);\n // type: 0 = no compression, 1 = fixed huffman, 2 = dynamic huffman\n var type = bits(dat, pos + 1, 3);\n pos += 3;\n if (!type) {\n // go to end of byte boundary\n var s = shft(pos) + 4, l = dat[s - 4] | (dat[s - 3] << 8), t = s + l;\n if (t > sl) {\n if (noSt)\n throw 'unexpected EOF';\n break;\n }\n // ensure size\n if (noBuf)\n cbuf(bt + l);\n // Copy over uncompressed data\n buf.set(dat.subarray(s, t), bt);\n // Get new bitpos, update byte count\n st.b = bt += l, st.p = pos = t * 8;\n continue;\n }\n else if (type == 1)\n lm = flrm, dm = fdrm, lbt = 9, dbt = 5;\n else if (type == 2) {\n // literal lengths\n var hLit = bits(dat, pos, 31) + 257, hcLen = bits(dat, pos + 10, 15) + 4;\n var tl = hLit + bits(dat, pos + 5, 31) + 1;\n pos += 14;\n // length+distance tree\n var ldt = new u8(tl);\n // code length tree\n var clt = new u8(19);\n for (var i = 0; i < hcLen; ++i) {\n // use index map to get real code\n clt[clim[i]] = bits(dat, pos + i * 3, 7);\n }\n pos += hcLen * 3;\n // code lengths bits\n var clb = max(clt), clbmsk = (1 << clb) - 1;\n if (!noSt && pos + tl * (clb + 7) > tbts)\n break;\n // code lengths map\n var clm = hMap(clt, clb, 1);\n for (var i = 0; i < tl;) {\n var r = clm[bits(dat, pos, clbmsk)];\n // bits read\n pos += r & 15;\n // symbol\n var s = r >>> 4;\n // code length to copy\n if (s < 16) {\n ldt[i++] = s;\n }\n else {\n // copy count\n var c = 0, n = 0;\n if (s == 16)\n n = 3 + bits(dat, pos, 3), pos += 2, c = ldt[i - 1];\n else if (s == 17)\n n = 3 + bits(dat, pos, 7), pos += 3;\n else if (s == 18)\n n = 11 + bits(dat, pos, 127), pos += 7;\n while (n--)\n ldt[i++] = c;\n }\n }\n // length tree distance tree\n var lt = ldt.subarray(0, hLit), dt = ldt.subarray(hLit);\n // max length bits\n lbt = max(lt);\n // max dist bits\n dbt = max(dt);\n lm = hMap(lt, lbt, 1);\n dm = hMap(dt, dbt, 1);\n }\n else\n throw 'invalid block type';\n if (pos > tbts)\n throw 'unexpected EOF';\n }\n // Make sure the buffer can hold this + the largest possible addition\n // Maximum chunk size (practically, theoretically infinite) is 2^17;\n if (noBuf)\n cbuf(bt + 131072);\n var lms = (1 << lbt) - 1, dms = (1 << dbt) - 1;\n var mxa = lbt + dbt + 18;\n while (noSt || pos + mxa < tbts) {\n // bits read, code\n var c = lm[bits16(dat, pos) & lms], sym = c >>> 4;\n pos += c & 15;\n if (pos > tbts)\n throw 'unexpected EOF';\n if (!c)\n throw 'invalid length/literal';\n if (sym < 256)\n buf[bt++] = sym;\n else if (sym == 256) {\n lm = null;\n break;\n }\n else {\n var add = sym - 254;\n // no extra bits needed if less\n if (sym > 264) {\n // index\n var i = sym - 257, b = fleb[i];\n add = bits(dat, pos, (1 << b) - 1) + fl[i];\n pos += b;\n }\n // dist\n var d = dm[bits16(dat, pos) & dms], dsym = d >>> 4;\n if (!d)\n throw 'invalid distance';\n pos += d & 15;\n var dt = fd[dsym];\n if (dsym > 3) {\n var b = fdeb[dsym];\n dt += bits16(dat, pos) & ((1 << b) - 1), pos += b;\n }\n if (pos > tbts)\n throw 'unexpected EOF';\n if (noBuf)\n cbuf(bt + 131072);\n var end = bt + add;\n for (; bt < end; bt += 4) {\n buf[bt] = buf[bt - dt];\n buf[bt + 1] = buf[bt + 1 - dt];\n buf[bt + 2] = buf[bt + 2 - dt];\n buf[bt + 3] = buf[bt + 3 - dt];\n }\n bt = end;\n }\n }\n st.l = lm, st.p = pos, st.b = bt;\n if (lm)\n final = 1, st.m = lbt, st.d = dm, st.n = dbt;\n } while (!final);\n return bt == buf.length ? buf : slc(buf, 0, bt);\n};\n// starting at p, write the minimum number of bits that can hold v to d\nvar wbits = function (d, p, v) {\n v <<= p & 7;\n var o = (p / 8) >> 0;\n d[o] |= v;\n d[o + 1] |= v >>> 8;\n};\n// starting at p, write the minimum number of bits (>8) that can hold v to d\nvar wbits16 = function (d, p, v) {\n v <<= p & 7;\n var o = (p / 8) >> 0;\n d[o] |= v;\n d[o + 1] |= v >>> 8;\n d[o + 2] |= v >>> 16;\n};\n// creates code lengths from a frequency table\nvar hTree = function (d, mb) {\n // Need extra info to make a tree\n var t = [];\n for (var i = 0; i < d.length; ++i) {\n if (d[i])\n t.push({ s: i, f: d[i] });\n }\n var s = t.length;\n var t2 = t.slice();\n if (!s)\n return [new u8(0), 0];\n if (s == 1) {\n var v = new u8(t[0].s + 1);\n v[t[0].s] = 1;\n return [v, 1];\n }\n t.sort(function (a, b) { return a.f - b.f; });\n // after i2 reaches last ind, will be stopped\n // freq must be greater than largest possible number of symbols\n t.push({ s: -1, f: 25001 });\n var l = t[0], r = t[1], i0 = 0, i1 = 1, i2 = 2;\n t[0] = { s: -1, f: l.f + r.f, l: l, r: r };\n // efficient algorithm from UZIP.js\n // i0 is lookbehind, i2 is lookahead - after processing two low-freq\n // symbols that combined have high freq, will start processing i2 (high-freq,\n // non-composite) symbols instead\n // see https://reddit.com/r/photopea/comments/ikekht/uzipjs_questions/\n while (i1 != s - 1) {\n l = t[t[i0].f < t[i2].f ? i0++ : i2++];\n r = t[i0 != i1 && t[i0].f < t[i2].f ? i0++ : i2++];\n t[i1++] = { s: -1, f: l.f + r.f, l: l, r: r };\n }\n var maxSym = t2[0].s;\n for (var i = 1; i < s; ++i) {\n if (t2[i].s > maxSym)\n maxSym = t2[i].s;\n }\n // code lengths\n var tr = new u16(maxSym + 1);\n // max bits in tree\n var mbt = ln(t[i1 - 1], tr, 0);\n if (mbt > mb) {\n // more algorithms from UZIP.js\n // TODO: find out how this code works (debt)\n // ind debt\n var i = 0, dt = 0;\n // left cost\n var lft = mbt - mb, cst = 1 << lft;\n t2.sort(function (a, b) { return tr[b.s] - tr[a.s] || a.f - b.f; });\n for (; i < s; ++i) {\n var i2_1 = t2[i].s;\n if (tr[i2_1] > mb) {\n dt += cst - (1 << (mbt - tr[i2_1]));\n tr[i2_1] = mb;\n }\n else\n break;\n }\n dt >>>= lft;\n while (dt > 0) {\n var i2_2 = t2[i].s;\n if (tr[i2_2] < mb)\n dt -= 1 << (mb - tr[i2_2]++ - 1);\n else\n ++i;\n }\n for (; i >= 0 && dt; --i) {\n var i2_3 = t2[i].s;\n if (tr[i2_3] == mb) {\n --tr[i2_3];\n ++dt;\n }\n }\n mbt = mb;\n }\n return [new u8(tr), mbt];\n};\n// get the max length and assign length codes\nvar ln = function (n, l, d) {\n return n.s == -1\n ? Math.max(ln(n.l, l, d + 1), ln(n.r, l, d + 1))\n : (l[n.s] = d);\n};\n// length codes generation\nvar lc = function (c) {\n var s = c.length;\n // Note that the semicolon was intentional\n while (s && !c[--s])\n ;\n var cl = new u16(++s);\n // ind num streak\n var cli = 0, cln = c[0], cls = 1;\n var w = function (v) { cl[cli++] = v; };\n for (var i = 1; i <= s; ++i) {\n if (c[i] == cln && i != s)\n ++cls;\n else {\n if (!cln && cls > 2) {\n for (; cls > 138; cls -= 138)\n w(32754);\n if (cls > 2) {\n w(cls > 10 ? ((cls - 11) << 5) | 28690 : ((cls - 3) << 5) | 12305);\n cls = 0;\n }\n }\n else if (cls > 3) {\n w(cln), --cls;\n for (; cls > 6; cls -= 6)\n w(8304);\n if (cls > 2)\n w(((cls - 3) << 5) | 8208), cls = 0;\n }\n while (cls--)\n w(cln);\n cls = 1;\n cln = c[i];\n }\n }\n return [cl.subarray(0, cli), s];\n};\n// calculate the length of output from tree, code lengths\nvar clen = function (cf, cl) {\n var l = 0;\n for (var i = 0; i < cl.length; ++i)\n l += cf[i] * cl[i];\n return l;\n};\n// writes a fixed block\n// returns the new bit pos\nvar wfblk = function (out, pos, dat) {\n // no need to write 00 as type: TypedArray defaults to 0\n var s = dat.length;\n var o = shft(pos + 2);\n out[o] = s & 255;\n out[o + 1] = s >>> 8;\n out[o + 2] = out[o] ^ 255;\n out[o + 3] = out[o + 1] ^ 255;\n for (var i = 0; i < s; ++i)\n out[o + i + 4] = dat[i];\n return (o + 4 + s) * 8;\n};\n// writes a block\nvar wblk = function (dat, out, final, syms, lf, df, eb, li, bs, bl, p) {\n wbits(out, p++, final);\n ++lf[256];\n var _a = hTree(lf, 15), dlt = _a[0], mlb = _a[1];\n var _b = hTree(df, 15), ddt = _b[0], mdb = _b[1];\n var _c = lc(dlt), lclt = _c[0], nlc = _c[1];\n var _d = lc(ddt), lcdt = _d[0], ndc = _d[1];\n var lcfreq = new u16(19);\n for (var i = 0; i < lclt.length; ++i)\n lcfreq[lclt[i] & 31]++;\n for (var i = 0; i < lcdt.length; ++i)\n lcfreq[lcdt[i] & 31]++;\n var _e = hTree(lcfreq, 7), lct = _e[0], mlcb = _e[1];\n var nlcc = 19;\n for (; nlcc > 4 && !lct[clim[nlcc - 1]]; --nlcc)\n ;\n var flen = (bl + 5) << 3;\n var ftlen = clen(lf, flt) + clen(df, fdt) + eb;\n var dtlen = clen(lf, dlt) + clen(df, ddt) + eb + 14 + 3 * nlcc + clen(lcfreq, lct) + (2 * lcfreq[16] + 3 * lcfreq[17] + 7 * lcfreq[18]);\n if (flen <= ftlen && flen <= dtlen)\n return wfblk(out, p, dat.subarray(bs, bs + bl));\n var lm, ll, dm, dl;\n wbits(out, p, 1 + (dtlen < ftlen)), p += 2;\n if (dtlen < ftlen) {\n lm = hMap(dlt, mlb, 0), ll = dlt, dm = hMap(ddt, mdb, 0), dl = ddt;\n var llm = hMap(lct, mlcb, 0);\n wbits(out, p, nlc - 257);\n wbits(out, p + 5, ndc - 1);\n wbits(out, p + 10, nlcc - 4);\n p += 14;\n for (var i = 0; i < nlcc; ++i)\n wbits(out, p + 3 * i, lct[clim[i]]);\n p += 3 * nlcc;\n var lcts = [lclt, lcdt];\n for (var it = 0; it < 2; ++it) {\n var clct = lcts[it];\n for (var i = 0; i < clct.length; ++i) {\n var len = clct[i] & 31;\n wbits(out, p, llm[len]), p += lct[len];\n if (len > 15)\n wbits(out, p, (clct[i] >>> 5) & 127), p += clct[i] >>> 12;\n }\n }\n }\n else {\n lm = flm, ll = flt, dm = fdm, dl = fdt;\n }\n for (var i = 0; i < li; ++i) {\n if (syms[i] > 255) {\n var len = (syms[i] >>> 18) & 31;\n wbits16(out, p, lm[len + 257]), p += ll[len + 257];\n if (len > 7)\n wbits(out, p, (syms[i] >>> 23) & 31), p += fleb[len];\n var dst = syms[i] & 31;\n wbits16(out, p, dm[dst]), p += dl[dst];\n if (dst > 3)\n wbits16(out, p, (syms[i] >>> 5) & 8191), p += fdeb[dst];\n }\n else {\n wbits16(out, p, lm[syms[i]]), p += ll[syms[i]];\n }\n }\n wbits16(out, p, lm[256]);\n return p + ll[256];\n};\n// deflate options (nice << 13) | chain\nvar deo = /*#__PURE__*/ new u32([65540, 131080, 131088, 131104, 262176, 1048704, 1048832, 2114560, 2117632]);\n// empty\nvar et = /*#__PURE__*/ new u8(0);\n// compresses data into a raw DEFLATE buffer\nvar dflt = function (dat, lvl, plvl, pre, post, lst) {\n var s = dat.length;\n var o = new u8(pre + s + 5 * (1 + Math.floor(s / 7000)) + post);\n // writing to this writes to the output buffer\n var w = o.subarray(pre, o.length - post);\n var pos = 0;\n if (!lvl || s < 8) {\n for (var i = 0; i <= s; i += 65535) {\n // end\n var e = i + 65535;\n if (e < s) {\n // write full block\n pos = wfblk(w, pos, dat.subarray(i, e));\n }\n else {\n // write final block\n w[i] = lst;\n pos = wfblk(w, pos, dat.subarray(i, s));\n }\n }\n }\n else {\n var opt = deo[lvl - 1];\n var n = opt >>> 13, c = opt & 8191;\n var msk_1 = (1 << plvl) - 1;\n // prev 2-byte val map curr 2-byte val map\n var prev = new u16(32768), head = new u16(msk_1 + 1);\n var bs1_1 = Math.ceil(plvl / 3), bs2_1 = 2 * bs1_1;\n var hsh = function (i) { return (dat[i] ^ (dat[i + 1] << bs1_1) ^ (dat[i + 2] << bs2_1)) & msk_1; };\n // 24576 is an arbitrary number of maximum symbols per block\n // 424 buffer for last block\n var syms = new u32(25000);\n // length/literal freq distance freq\n var lf = new u16(288), df = new u16(32);\n // l/lcnt exbits index l/lind waitdx bitpos\n var lc_1 = 0, eb = 0, i = 0, li = 0, wi = 0, bs = 0;\n for (; i < s; ++i) {\n // hash value\n var hv = hsh(i);\n // index mod 32768\n var imod = i & 32767;\n // previous index with this value\n var pimod = head[hv];\n prev[imod] = pimod;\n head[hv] = imod;\n // We always should modify head and prev, but only add symbols if\n // this data is not yet processed (\"wait\" for wait index)\n if (wi <= i) {\n // bytes remaining\n var rem = s - i;\n if ((lc_1 > 7000 || li > 24576) && rem > 423) {\n pos = wblk(dat, w, 0, syms, lf, df, eb, li, bs, i - bs, pos);\n li = lc_1 = eb = 0, bs = i;\n for (var j = 0; j < 286; ++j)\n lf[j] = 0;\n for (var j = 0; j < 30; ++j)\n df[j] = 0;\n }\n // len dist chain\n var l = 2, d = 0, ch_1 = c, dif = (imod - pimod) & 32767;\n if (rem > 2 && hv == hsh(i - dif)) {\n var maxn = Math.min(n, rem) - 1;\n var maxd = Math.min(32767, i);\n // max possible length\n // not capped at dif because decompressors implement \"rolling\" index population\n var ml = Math.min(258, rem);\n while (dif <= maxd && --ch_1 && imod != pimod) {\n if (dat[i + l] == dat[i + l - dif]) {\n var nl = 0;\n for (; nl < ml && dat[i + nl] == dat[i + nl - dif]; ++nl)\n ;\n if (nl > l) {\n l = nl, d = dif;\n // break out early when we reach \"nice\" (we are satisfied enough)\n if (nl > maxn)\n break;\n // now, find the rarest 2-byte sequence within this\n // length of literals and search for that instead.\n // Much faster than just using the start\n var mmd = Math.min(dif, nl - 2);\n var md = 0;\n for (var j = 0; j < mmd; ++j) {\n var ti = (i - dif + j + 32768) & 32767;\n var pti = prev[ti];\n var cd = (ti - pti + 32768) & 32767;\n if (cd > md)\n md = cd, pimod = ti;\n }\n }\n }\n // check the previous match\n imod = pimod, pimod = prev[imod];\n dif += (imod - pimod + 32768) & 32767;\n }\n }\n // d will be nonzero only when a match was found\n if (d) {\n // store both dist and len data in one Uint32\n // Make sure this is recognized as a len/dist with 28th bit (2^28)\n syms[li++] = 268435456 | (revfl[l] << 18) | revfd[d];\n var lin = revfl[l] & 31, din = revfd[d] & 31;\n eb += fleb[lin] + fdeb[din];\n ++lf[257 + lin];\n ++df[din];\n wi = i + l;\n ++lc_1;\n }\n else {\n syms[li++] = dat[i];\n ++lf[dat[i]];\n }\n }\n }\n pos = wblk(dat, w, lst, syms, lf, df, eb, li, bs, i - bs, pos);\n // this is the easiest way to avoid needing to maintain state\n if (!lst)\n pos = wfblk(w, pos, et);\n }\n return slc(o, 0, pre + shft(pos) + post);\n};\n// CRC32 table\nvar crct = /*#__PURE__*/ (function () {\n var t = new u32(256);\n for (var i = 0; i < 256; ++i) {\n var c = i, k = 9;\n while (--k)\n c = ((c & 1) && 0xEDB88320) ^ (c >>> 1);\n t[i] = c;\n }\n return t;\n})();\n// CRC32\nvar crc = function () {\n var c = 0xFFFFFFFF;\n return {\n p: function (d) {\n // closures have awful performance\n var cr = c;\n for (var i = 0; i < d.length; ++i)\n cr = crct[(cr & 255) ^ d[i]] ^ (cr >>> 8);\n c = cr;\n },\n d: function () { return c ^ 0xFFFFFFFF; }\n };\n};\n// Alder32\nvar adler = function () {\n var a = 1, b = 0;\n return {\n p: function (d) {\n // closures have awful performance\n var n = a, m = b;\n var l = d.length;\n for (var i = 0; i != l;) {\n var e = Math.min(i + 5552, l);\n for (; i < e; ++i)\n n += d[i], m += n;\n n %= 65521, m %= 65521;\n }\n a = n, b = m;\n },\n d: function () { return ((a >>> 8) << 16 | (b & 255) << 8 | (b >>> 8)) + ((a & 255) << 23) * 2; }\n };\n};\n;\n// deflate with opts\nvar dopt = function (dat, opt, pre, post, st) {\n return dflt(dat, opt.level == null ? 6 : opt.level, opt.mem == null ? Math.ceil(Math.max(8, Math.min(13, Math.log(dat.length))) * 1.5) : (12 + opt.mem), pre, post, !st);\n};\n// Walmart object spread\nvar mrg = function (a, b) {\n var o = {};\n for (var k in a)\n o[k] = a[k];\n for (var k in b)\n o[k] = b[k];\n return o;\n};\n// worker clone\n// This is possibly the craziest part of the entire codebase, despite how simple it may seem.\n// The only parameter to this function is a closure that returns an array of variables outside of the function scope.\n// We're going to try to figure out the variable names used in the closure as strings because that is crucial for workerization.\n// We will return an object mapping of true variable name to value (basically, the current scope as a JS object).\n// The reason we can't just use the original variable names is minifiers mangling the toplevel scope.\n// This took me three weeks to figure out how to do.\nvar wcln = function (fn, fnStr, td) {\n var dt = fn();\n var st = fn.toString();\n var ks = st.slice(st.indexOf('[') + 1, st.lastIndexOf(']')).replace(/ /g, '').split(',');\n for (var i = 0; i < dt.length; ++i) {\n var v = dt[i], k = ks[i];\n if (typeof v == 'function') {\n fnStr += ';' + k + '=';\n var st_1 = v.toString();\n if (v.prototype) {\n // for global objects\n if (st_1.indexOf('[native code]') != -1) {\n var spInd = st_1.indexOf(' ', 8) + 1;\n fnStr += st_1.slice(spInd, st_1.indexOf('(', spInd));\n }\n else {\n fnStr += st_1;\n for (var t in v.prototype)\n fnStr += ';' + k + '.prototype.' + t + '=' + v.prototype[t].toString();\n }\n }\n else\n fnStr += st_1;\n }\n else\n td[k] = v;\n }\n return [fnStr, td];\n};\nvar ch = [];\n// clone bufs\nvar cbfs = function (v) {\n var tl = [];\n for (var k in v) {\n if (v[k] instanceof u8 || v[k] instanceof u16 || v[k] instanceof u32)\n tl.push((v[k] = new v[k].constructor(v[k])).buffer);\n }\n return tl;\n};\n// use a worker to execute code\nvar wrkr = function (fns, init, id, cb) {\n var _a;\n if (!ch[id]) {\n var fnStr = '', td_1 = {}, m = fns.length - 1;\n for (var i = 0; i < m; ++i)\n _a = wcln(fns[i], fnStr, td_1), fnStr = _a[0], td_1 = _a[1];\n ch[id] = wcln(fns[m], fnStr, td_1);\n }\n var td = mrg({}, ch[id][1]);\n return wk(ch[id][0] + ';onmessage=function(e){for(var k in e.data)self[k]=e.data[k];onmessage=' + init.toString() + '}', id, td, cbfs(td), cb);\n};\n// base async inflate fn\nvar bInflt = function () { return [u8, u16, u32, fleb, fdeb, clim, fl, fd, flrm, fdrm, rev, hMap, max, bits, bits16, shft, slc, inflt, inflateSync, pbf, gu8]; };\nvar bDflt = function () { return [u8, u16, u32, fleb, fdeb, clim, revfl, revfd, flm, flt, fdm, fdt, rev, deo, et, hMap, wbits, wbits16, hTree, ln, lc, clen, wfblk, wblk, shft, slc, dflt, dopt, deflateSync, pbf]; };\n// gzip extra\nvar gze = function () { return [gzh, gzhl, wbytes, crc, crct]; };\n// gunzip extra\nvar guze = function () { return [gzs, gzl]; };\n// zlib extra\nvar zle = function () { return [zlh, wbytes, adler]; };\n// unzlib extra\nvar zule = function () { return [zlv]; };\n// post buf\nvar pbf = function (msg) { return postMessage(msg, [msg.buffer]); };\n// get u8\nvar gu8 = function (o) { return o && o.size && new u8(o.size); };\n// async helper\nvar cbify = function (dat, opts, fns, init, id, cb) {\n var w = wrkr(fns, init, id, function (err, dat) {\n w.terminate();\n cb(err, dat);\n });\n if (!opts.consume)\n dat = new u8(dat);\n w.postMessage([dat, opts], [dat.buffer]);\n return function () { w.terminate(); };\n};\n// auto stream\nvar astrm = function (strm) {\n strm.ondata = function (dat, final) { return postMessage([dat, final], [dat.buffer]); };\n return function (ev) { return strm.push(ev.data[0], ev.data[1]); };\n};\n// async stream attach\nvar astrmify = function (fns, strm, opts, init, id) {\n var t;\n var w = wrkr(fns, init, id, function (err, dat) {\n if (err)\n w.terminate(), strm.ondata.call(strm, err);\n else {\n if (dat[1])\n w.terminate();\n strm.ondata.call(strm, err, dat[0], dat[1]);\n }\n });\n w.postMessage(opts);\n strm.push = function (d, f) {\n if (t)\n throw 'stream finished';\n if (!strm.ondata)\n throw 'no stream handler';\n w.postMessage([d, t = f], [d.buffer]);\n };\n strm.terminate = function () { w.terminate(); };\n};\n// read 2 bytes\nvar b2 = function (d, b) { return d[b] | (d[b + 1] << 8); };\n// read 4 bytes\nvar b4 = function (d, b) { return (d[b] | (d[b + 1] << 8) | (d[b + 2] << 16)) + (d[b + 3] << 23) * 2; };\n// write bytes\nvar wbytes = function (d, b, v) {\n for (; v; ++b)\n d[b] = v, v >>>= 8;\n};\n// gzip header\nvar gzh = function (c, o) {\n var fn = o.filename;\n c[0] = 31, c[1] = 139, c[2] = 8, c[8] = o.level < 2 ? 4 : o.level == 9 ? 2 : 0, c[9] = 3; // assume Unix\n if (o.mtime != 0)\n wbytes(c, 4, Math.floor(new Date(o.mtime || Date.now()) / 1000));\n if (fn) {\n c[3] = 8;\n for (var i = 0; i <= fn.length; ++i)\n c[i + 10] = fn.charCodeAt(i);\n }\n};\n// gzip footer: -8 to -4 = CRC, -4 to -0 is length\n// gzip start\nvar gzs = function (d) {\n if (d[0] != 31 || d[1] != 139 || d[2] != 8)\n throw 'invalid gzip data';\n var flg = d[3];\n var st = 10;\n if (flg & 4)\n st += d[10] | (d[11] << 8) + 2;\n for (var zs = (flg >> 3 & 1) + (flg >> 4 & 1); zs > 0; zs -= !d[st++])\n ;\n return st + (flg & 2);\n};\n// gzip length\nvar gzl = function (d) {\n var l = d.length;\n return (d[l - 4] | d[l - 3] << 8 | d[l - 2] << 16) + (2 * (d[l - 1] << 23));\n};\n// gzip header length\nvar gzhl = function (o) { return 10 + ((o.filename && (o.filename.length + 1)) || 0); };\n// zlib header\nvar zlh = function (c, o) {\n var lv = o.level, fl = lv == 0 ? 0 : lv < 6 ? 1 : lv == 9 ? 3 : 2;\n c[0] = 120, c[1] = (fl << 6) | (fl ? (32 - 2 * fl) : 1);\n};\n// zlib valid\nvar zlv = function (d) {\n if ((d[0] & 15) != 8 || (d[0] >>> 4) > 7 || ((d[0] << 8 | d[1]) % 31))\n throw 'invalid zlib data';\n if (d[1] & 32)\n throw 'invalid zlib data: preset dictionaries not supported';\n};\nfunction AsyncCmpStrm(opts, cb) {\n if (!cb && typeof opts == 'function')\n cb = opts, opts = {};\n this.ondata = cb;\n return opts;\n}\n// zlib footer: -4 to -0 is Adler32\n/**\n * Streaming DEFLATE compression\n */\nvar Deflate = /*#__PURE__*/ (function () {\n function Deflate(opts, cb) {\n if (!cb && typeof opts == 'function')\n cb = opts, opts = {};\n this.ondata = cb;\n this.o = opts || {};\n }\n Deflate.prototype.p = function (c, f) {\n this.ondata(dopt(c, this.o, 0, 0, !f), f);\n };\n /**\n * Pushes a chunk to be deflated\n * @param chunk The chunk to push\n * @param final Whether this is the last chunk\n */\n Deflate.prototype.push = function (chunk, final) {\n if (this.d)\n throw 'stream finished';\n if (!this.ondata)\n throw 'no stream handler';\n this.d = final;\n this.p(chunk, final || false);\n };\n return Deflate;\n}());\nexport { Deflate };\n/**\n * Asynchronous streaming DEFLATE compression\n */\nvar AsyncDeflate = /*#__PURE__*/ (function () {\n function AsyncDeflate(opts, cb) {\n astrmify([\n bDflt,\n function () { return [astrm, Deflate]; }\n ], this, AsyncCmpStrm.call(this, opts, cb), function (ev) {\n var strm = new Deflate(ev.data);\n onmessage = astrm(strm);\n }, 6);\n }\n return AsyncDeflate;\n}());\nexport { AsyncDeflate };\nexport function deflate(data, opts, cb) {\n if (!cb)\n cb = opts, opts = {};\n if (typeof cb != 'function')\n throw 'no callback';\n return cbify(data, opts, [\n bDflt,\n ], function (ev) { return pbf(deflateSync(ev.data[0], ev.data[1])); }, 0, cb);\n}\n/**\n * Compresses data with DEFLATE without any wrapper\n * @param data The data to compress\n * @param opts The compression options\n * @returns The deflated version of the data\n */\nexport function deflateSync(data, opts) {\n if (opts === void 0) { opts = {}; }\n return dopt(data, opts, 0, 0);\n}\n/**\n * Streaming DEFLATE decompression\n */\nvar Inflate = /*#__PURE__*/ (function () {\n /**\n * Creates an inflation stream\n * @param cb The callback to call whenever data is inflated\n */\n function Inflate(cb) {\n this.s = {};\n this.p = new u8(0);\n this.ondata = cb;\n }\n Inflate.prototype.e = function (c) {\n if (this.d)\n throw 'stream finished';\n if (!this.ondata)\n throw 'no stream handler';\n var l = this.p.length;\n var n = new u8(l + c.length);\n n.set(this.p), n.set(c, l), this.p = n;\n };\n Inflate.prototype.c = function (final) {\n this.d = this.s.i = final || false;\n var bts = this.s.b;\n var dt = inflt(this.p, this.o, this.s);\n this.ondata(slc(dt, bts, this.s.b), this.d);\n this.o = slc(dt, this.s.b - 32768), this.s.b = this.o.length;\n this.p = slc(this.p, (this.s.p / 8) >> 0), this.s.p &= 7;\n };\n /**\n * Pushes a chunk to be inflated\n * @param chunk The chunk to push\n * @param final Whether this is the final chunk\n */\n Inflate.prototype.push = function (chunk, final) {\n this.e(chunk), this.c(final);\n };\n return Inflate;\n}());\nexport { Inflate };\n/**\n * Asynchronous streaming DEFLATE decompression\n */\nvar AsyncInflate = /*#__PURE__*/ (function () {\n /**\n * Creates an asynchronous inflation stream\n * @param cb The callback to call whenever data is deflated\n */\n function AsyncInflate(cb) {\n this.ondata = cb;\n astrmify([\n bInflt,\n function () { return [astrm, Inflate]; }\n ], this, 0, function () {\n var strm = new Inflate();\n onmessage = astrm(strm);\n }, 7);\n }\n return AsyncInflate;\n}());\nexport { AsyncInflate };\nexport function inflate(data, opts, cb) {\n if (!cb)\n cb = opts, opts = {};\n if (typeof cb != 'function')\n throw 'no callback';\n return cbify(data, opts, [\n bInflt\n ], function (ev) { return pbf(inflateSync(ev.data[0], gu8(ev.data[1]))); }, 1, cb);\n}\n/**\n * Expands DEFLATE data with no wrapper\n * @param data The data to decompress\n * @param out Where to write the data. Saves memory if you know the decompressed size and provide an output buffer of that length.\n * @returns The decompressed version of the data\n */\nexport function inflateSync(data, out) {\n return inflt(data, out);\n}\n// before you yell at me for not just using extends, my reason is that TS inheritance is hard to workerize.\n/**\n * Streaming GZIP compression\n */\nvar Gzip = /*#__PURE__*/ (function () {\n function Gzip(opts, cb) {\n this.c = crc();\n this.l = 0;\n this.v = 1;\n Deflate.call(this, opts, cb);\n }\n /**\n * Pushes a chunk to be GZIPped\n * @param chunk The chunk to push\n * @param final Whether this is the last chunk\n */\n Gzip.prototype.push = function (chunk, final) {\n Deflate.prototype.push.call(this, chunk, final);\n };\n Gzip.prototype.p = function (c, f) {\n this.c.p(c);\n this.l += c.length;\n var raw = dopt(c, this.o, this.v && gzhl(this.o), f && 8, !f);\n if (this.v)\n gzh(raw, this.o), this.v = 0;\n if (f)\n wbytes(raw, raw.length - 8, this.c.d()), wbytes(raw, raw.length - 4, this.l);\n this.ondata(raw, f);\n };\n return Gzip;\n}());\nexport { Gzip };\n/**\n * Asynchronous streaming GZIP compression\n */\nvar AsyncGzip = /*#__PURE__*/ (function () {\n function AsyncGzip(opts, cb) {\n astrmify([\n bDflt,\n gze,\n function () { return [astrm, Deflate, Gzip]; }\n ], this, AsyncCmpStrm.call(this, opts, cb), function (ev) {\n var strm = new Gzip(ev.data);\n onmessage = astrm(strm);\n }, 8);\n }\n return AsyncGzip;\n}());\nexport { AsyncGzip };\nexport function gzip(data, opts, cb) {\n if (!cb)\n cb = opts, opts = {};\n if (typeof cb != 'function')\n throw 'no callback';\n return cbify(data, opts, [\n bDflt,\n gze,\n function () { return [gzipSync]; }\n ], function (ev) { return pbf(gzipSync(ev.data[0], ev.data[1])); }, 2, cb);\n}\n/**\n * Compresses data with GZIP\n * @param data The data to compress\n * @param opts The compression options\n * @returns The gzipped version of the data\n */\nexport function gzipSync(data, opts) {\n if (opts === void 0) { opts = {}; }\n var c = crc(), l = data.length;\n c.p(data);\n var d = dopt(data, opts, gzhl(opts), 8), s = d.length;\n return gzh(d, opts), wbytes(d, s - 8, c.d()), wbytes(d, s - 4, l), d;\n}\n/**\n * Streaming GZIP decompression\n */\nvar Gunzip = /*#__PURE__*/ (function () {\n /**\n * Creates a GUNZIP stream\n * @param cb The callback to call whenever data is inflated\n */\n function Gunzip(cb) {\n this.v = 1;\n Inflate.call(this, cb);\n }\n /**\n * Pushes a chunk to be GUNZIPped\n * @param chunk The chunk to push\n * @param final Whether this is the last chunk\n */\n Gunzip.prototype.push = function (chunk, final) {\n Inflate.prototype.e.call(this, chunk);\n if (this.v) {\n var s = gzs(this.p);\n if (s >= this.p.length && !final)\n return;\n this.p = this.p.subarray(s), this.v = 0;\n }\n if (final) {\n if (this.p.length < 8)\n throw 'invalid gzip stream';\n this.p = this.p.subarray(0, -8);\n }\n // necessary to prevent TS from using the closure value\n // This allows for workerization to function correctly\n Inflate.prototype.c.call(this, final);\n };\n return Gunzip;\n}());\nexport { Gunzip };\n/**\n * Asynchronous streaming GZIP decompression\n */\nvar AsyncGunzip = /*#__PURE__*/ (function () {\n /**\n * Creates an asynchronous GUNZIP stream\n * @param cb The callback to call whenever data is deflated\n */\n function AsyncGunzip(cb) {\n this.ondata = cb;\n astrmify([\n bInflt,\n guze,\n function () { return [astrm, Inflate, Gunzip]; }\n ], this, 0, function () {\n var strm = new Gunzip();\n onmessage = astrm(strm);\n }, 9);\n }\n return AsyncGunzip;\n}());\nexport { AsyncGunzip };\nexport function gunzip(data, opts, cb) {\n if (!cb)\n cb = opts, opts = {};\n if (typeof cb != 'function')\n throw 'no callback';\n return cbify(data, opts, [\n bInflt,\n guze,\n function () { return [gunzipSync]; }\n ], function (ev) { return pbf(gunzipSync(ev.data[0])); }, 3, cb);\n}\n/**\n * Expands GZIP data\n * @param data The data to decompress\n * @param out Where to write the data. GZIP already encodes the output size, so providing this doesn't save memory.\n * @returns The decompressed version of the data\n */\nexport function gunzipSync(data, out) {\n return inflt(data.subarray(gzs(data), -8), out || new u8(gzl(data)));\n}\n/**\n * Streaming Zlib compression\n */\nvar Zlib = /*#__PURE__*/ (function () {\n function Zlib(opts, cb) {\n this.c = adler();\n this.v = 1;\n Deflate.call(this, opts, cb);\n }\n /**\n * Pushes a chunk to be zlibbed\n * @param chunk The chunk to push\n * @param final Whether this is the last chunk\n */\n Zlib.prototype.push = function (chunk, final) {\n Deflate.prototype.push.call(this, chunk, final);\n };\n Zlib.prototype.p = function (c, f) {\n this.c.p(c);\n var raw = dopt(c, this.o, this.v && 2, f && 4, !f);\n if (this.v)\n zlh(raw, this.o), this.v = 0;\n if (f)\n wbytes(raw, raw.length - 4, this.c.d());\n this.ondata(raw, f);\n };\n return Zlib;\n}());\nexport { Zlib };\n/**\n * Asynchronous streaming Zlib compression\n */\nvar AsyncZlib = /*#__PURE__*/ (function () {\n function AsyncZlib(opts, cb) {\n astrmify([\n bDflt,\n zle,\n function () { return [astrm, Deflate, Zlib]; }\n ], this, AsyncCmpStrm.call(this, opts, cb), function (ev) {\n var strm = new Zlib(ev.data);\n onmessage = astrm(strm);\n }, 10);\n }\n return AsyncZlib;\n}());\nexport { AsyncZlib };\nexport function zlib(data, opts, cb) {\n if (!cb)\n cb = opts, opts = {};\n if (typeof cb != 'function')\n throw 'no callback';\n return cbify(data, opts, [\n bDflt,\n zle,\n function () { return [zlibSync]; }\n ], function (ev) { return pbf(zlibSync(ev.data[0], ev.data[1])); }, 4, cb);\n}\n/**\n * Compress data with Zlib\n * @param data The data to compress\n * @param opts The compression options\n * @returns The zlib-compressed version of the data\n */\nexport function zlibSync(data, opts) {\n if (opts === void 0) { opts = {}; }\n var a = adler();\n a.p(data);\n var d = dopt(data, opts, 2, 4);\n return zlh(d, opts), wbytes(d, d.length - 4, a.d()), d;\n}\n/**\n * Streaming Zlib decompression\n */\nvar Unzlib = /*#__PURE__*/ (function () {\n /**\n * Creates a Zlib decompression stream\n * @param cb The callback to call whenever data is inflated\n */\n function Unzlib(cb) {\n this.v = 1;\n Inflate.call(this, cb);\n }\n /**\n * Pushes a chunk to be unzlibbed\n * @param chunk The chunk to push\n * @param final Whether this is the last chunk\n */\n Unzlib.prototype.push = function (chunk, final) {\n Inflate.prototype.e.call(this, chunk);\n if (this.v) {\n if (this.p.length < 2 && !final)\n return;\n this.p = this.p.subarray(2), this.v = 0;\n }\n if (final) {\n if (this.p.length < 4)\n throw 'invalid zlib stream';\n this.p = this.p.subarray(0, -4);\n }\n // necessary to prevent TS from using the closure value\n // This allows for workerization to function correctly\n Inflate.prototype.c.call(this, final);\n };\n return Unzlib;\n}());\nexport { Unzlib };\n/**\n * Asynchronous streaming Zlib decompression\n */\nvar AsyncUnzlib = /*#__PURE__*/ (function () {\n /**\n * Creates an asynchronous Zlib decompression stream\n * @param cb The callback to call whenever data is deflated\n */\n function AsyncUnzlib(cb) {\n this.ondata = cb;\n astrmify([\n bInflt,\n zule,\n function () { return [astrm, Inflate, Unzlib]; }\n ], this, 0, function () {\n var strm = new Unzlib();\n onmessage = astrm(strm);\n }, 11);\n }\n return AsyncUnzlib;\n}());\nexport { AsyncUnzlib };\nexport function unzlib(data, opts, cb) {\n if (!cb)\n cb = opts, opts = {};\n if (typeof cb != 'function')\n throw 'no callback';\n return cbify(data, opts, [\n bInflt,\n zule,\n function () { return [unzlibSync]; }\n ], function (ev) { return pbf(unzlibSync(ev.data[0], gu8(ev.data[1]))); }, 5, cb);\n}\n/**\n * Expands Zlib data\n * @param data The data to decompress\n * @param out Where to write the data. Saves memory if you know the decompressed size and provide an output buffer of that length.\n * @returns The decompressed version of the data\n */\nexport function unzlibSync(data, out) {\n return inflt((zlv(data), data.subarray(2, -4)), out);\n}\n// Default algorithm for compression (used because having a known output size allows faster decompression)\nexport { gzip as compress, AsyncGzip as AsyncCompress };\n// Default algorithm for compression (used because having a known output size allows faster decompression)\nexport { gzipSync as compressSync, Gzip as Compress };\n/**\n * Streaming GZIP, Zlib, or raw DEFLATE decompression\n */\nvar Decompress = /*#__PURE__*/ (function () {\n /**\n * Creates a decompression stream\n * @param cb The callback to call whenever data is decompressed\n */\n function Decompress(cb) {\n this.G = Gunzip;\n this.I = Inflate;\n this.Z = Unzlib;\n this.ondata = cb;\n }\n /**\n * Pushes a chunk to be decompressed\n * @param chunk The chunk to push\n * @param final Whether this is the last chunk\n */\n Decompress.prototype.push = function (chunk, final) {\n if (!this.ondata)\n throw 'no stream handler';\n if (!this.s) {\n if (this.p && this.p.length) {\n var n = new u8(this.p.length + chunk.length);\n n.set(this.p), n.set(chunk, this.p.length);\n }\n else\n this.p = chunk;\n if (this.p.length > 2) {\n var _this_1 = this;\n var cb = function () { _this_1.ondata.apply(_this_1, arguments); };\n this.s = (this.p[0] == 31 && this.p[1] == 139 && this.p[2] == 8)\n ? new this.G(cb)\n : ((this.p[0] & 15) != 8 || (this.p[0] >> 4) > 7 || ((this.p[0] << 8 | this.p[1]) % 31))\n ? new this.I(cb)\n : new this.Z(cb);\n this.s.push(this.p, final);\n this.p = null;\n }\n }\n else\n this.s.push(chunk, final);\n };\n return Decompress;\n}());\nexport { Decompress };\n/**\n * Asynchronous streaming GZIP, Zlib, or raw DEFLATE decompression\n */\nvar AsyncDecompress = /*#__PURE__*/ (function () {\n /**\n * Creates an asynchronous decompression stream\n * @param cb The callback to call whenever data is decompressed\n */\n function AsyncDecompress(cb) {\n this.G = AsyncGunzip;\n this.I = AsyncInflate;\n this.Z = AsyncUnzlib;\n this.ondata = cb;\n }\n /**\n * Pushes a chunk to be decompressed\n * @param chunk The chunk to push\n * @param final Whether this is the last chunk\n */\n AsyncDecompress.prototype.push = function (chunk, final) {\n Decompress.prototype.push.call(this, chunk, final);\n };\n return AsyncDecompress;\n}());\nexport { AsyncDecompress };\nexport function decompress(data, opts, cb) {\n if (!cb)\n cb = opts, opts = {};\n if (typeof cb != 'function')\n throw 'no callback';\n return (data[0] == 31 && data[1] == 139 && data[2] == 8)\n ? gunzip(data, opts, cb)\n : ((data[0] & 15) != 8 || (data[0] >> 4) > 7 || ((data[0] << 8 | data[1]) % 31))\n ? inflate(data, opts, cb)\n : unzlib(data, opts, cb);\n}\n/**\n * Expands compressed GZIP, Zlib, or raw DEFLATE data, automatically detecting the format\n * @param data The data to decompress\n * @param out Where to write the data. Saves memory if you know the decompressed size and provide an output buffer of that length.\n * @returns The decompressed version of the data\n */\nexport function decompressSync(data, out) {\n return (data[0] == 31 && data[1] == 139 && data[2] == 8)\n ? gunzipSync(data, out)\n : ((data[0] & 15) != 8 || (data[0] >> 4) > 7 || ((data[0] << 8 | data[1]) % 31))\n ? inflateSync(data, out)\n : unzlibSync(data, out);\n}\n// flatten a directory structure\nvar fltn = function (d, p, t, o) {\n for (var k in d) {\n var val = d[k], n = p + k;\n if (val instanceof u8)\n t[n] = [val, o];\n else if (Array.isArray(val))\n t[n] = [val[0], mrg(o, val[1])];\n else\n fltn(val, n + '/', t, o);\n }\n};\n/**\n * Converts a string into a Uint8Array for use with compression/decompression methods\n * @param str The string to encode\n * @param latin1 Whether or not to interpret the data as Latin-1. This should\n * not need to be true unless decoding a binary string.\n * @returns The string encoded in UTF-8/Latin-1 binary\n */\nexport function strToU8(str, latin1) {\n var l = str.length;\n if (!latin1 && typeof TextEncoder != 'undefined')\n return new TextEncoder().encode(str);\n var ar = new u8(str.length + (str.length >>> 1));\n var ai = 0;\n var w = function (v) { ar[ai++] = v; };\n for (var i = 0; i < l; ++i) {\n if (ai + 5 > ar.length) {\n var n = new u8(ai + 8 + ((l - i) << 1));\n n.set(ar);\n ar = n;\n }\n var c = str.charCodeAt(i);\n if (c < 128 || latin1)\n w(c);\n else if (c < 2048)\n w(192 | (c >>> 6)), w(128 | (c & 63));\n else if (c > 55295 && c < 57344)\n c = 65536 + (c & 1023 << 10) | (str.charCodeAt(++i) & 1023),\n w(240 | (c >>> 18)), w(128 | ((c >>> 12) & 63)), w(128 | ((c >>> 6) & 63)), w(128 | (c & 63));\n else\n w(224 | (c >>> 12)), w(128 | ((c >>> 6) & 63)), w(128 | (c & 63));\n }\n return slc(ar, 0, ai);\n}\n/**\n * Converts a Uint8Array to a string\n * @param dat The data to decode to string\n * @param latin1 Whether or not to interpret the data as Latin-1. This should\n * not need to be true unless encoding to binary string.\n * @returns The original UTF-8/Latin-1 string\n */\nexport function strFromU8(dat, latin1) {\n var r = '';\n if (!latin1 && typeof TextDecoder != 'undefined')\n return new TextDecoder().decode(dat);\n for (var i = 0; i < dat.length;) {\n var c = dat[i++];\n if (c < 128 || latin1)\n r += String.fromCharCode(c);\n else if (c < 224)\n r += String.fromCharCode((c & 31) << 6 | (dat[i++] & 63));\n else if (c < 240)\n r += String.fromCharCode((c & 15) << 12 | (dat[i++] & 63) << 6 | (dat[i++] & 63));\n else\n c = ((c & 15) << 18 | (dat[i++] & 63) << 12 | (dat[i++] & 63) << 6 | (dat[i++] & 63)) - 65536,\n r += String.fromCharCode(55296 | (c >> 10), 56320 | (c & 1023));\n }\n return r;\n}\n;\n// skip local zip header\nvar slzh = function (d, b) { return b + 30 + b2(d, b + 26) + b2(d, b + 28); };\n// read zip header\nvar zh = function (d, b, z) {\n var fnl = b2(d, b + 28), fn = strFromU8(d.subarray(b + 46, b + 46 + fnl), !(b2(d, b + 8) & 2048)), es = b + 46 + fnl;\n var _a = z ? z64e(d, es) : [b4(d, b + 20), b4(d, b + 24), b4(d, b + 42)], sc = _a[0], su = _a[1], off = _a[2];\n return [b2(d, b + 10), sc, su, fn, es + b2(d, b + 30) + b2(d, b + 32), off];\n};\n// read zip64 extra field\nvar z64e = function (d, b) {\n for (; b2(d, b) != 1; b += 4 + b2(d, b + 2))\n ;\n return [b4(d, b + 12), b4(d, b + 4), b4(d, b + 20)];\n};\n// write zip header\nvar wzh = function (d, b, c, cmp, su, fn, u, o, ce, t) {\n var fl = fn.length, l = cmp.length;\n wbytes(d, b, ce != null ? 0x2014B50 : 0x4034B50), b += 4;\n if (ce != null)\n d[b] = 20, b += 2;\n d[b] = 20, b += 2; // spec compliance? what's that?\n d[b++] = (t == 8 && (o.level == 1 ? 6 : o.level < 6 ? 4 : o.level == 9 ? 2 : 0)), d[b++] = u && 8;\n d[b] = t, b += 2;\n var dt = new Date(o.mtime || Date.now()), y = dt.getFullYear() - 1980;\n if (y < 0 || y > 119)\n throw 'date not in range 1980-2099';\n wbytes(d, b, ((y << 24) * 2) | ((dt.getMonth() + 1) << 21) | (dt.getDate() << 16) | (dt.getHours() << 11) | (dt.getMinutes() << 5) | (dt.getSeconds() >>> 1));\n b += 4;\n wbytes(d, b, c);\n wbytes(d, b + 4, l);\n wbytes(d, b + 8, su);\n wbytes(d, b + 12, fl), b += 16; // skip extra field, comment\n if (ce != null)\n wbytes(d, b += 10, ce), b += 4;\n d.set(fn, b);\n b += fl;\n if (ce == null)\n d.set(cmp, b);\n};\n// write zip footer (end of central directory)\nvar wzf = function (o, b, c, d, e) {\n wbytes(o, b, 0x6054B50); // skip disk\n wbytes(o, b + 8, c);\n wbytes(o, b + 10, c);\n wbytes(o, b + 12, d);\n wbytes(o, b + 16, e);\n};\nexport function zip(data, opts, cb) {\n if (!cb)\n cb = opts, opts = {};\n if (typeof cb != 'function')\n throw 'no callback';\n var r = {};\n fltn(data, '', r, opts);\n var k = Object.keys(r);\n var lft = k.length, o = 0, tot = 0;\n var slft = lft, files = new Array(lft);\n var term = [];\n var tAll = function () {\n for (var i = 0; i < term.length; ++i)\n term[i]();\n };\n var cbf = function () {\n var out = new u8(tot + 22), oe = o, cdl = tot - o;\n tot = 0;\n for (var i = 0; i < slft; ++i) {\n var f = files[i];\n try {\n wzh(out, tot, f.c, f.d, f.m, f.n, f.u, f.p, null, f.t);\n wzh(out, o, f.c, f.d, f.m, f.n, f.u, f.p, tot, f.t), o += 46 + f.n.length, tot += 30 + f.n.length + f.d.length;\n }\n catch (e) {\n return cb(e, null);\n }\n }\n wzf(out, o, files.length, cdl, oe);\n cb(null, out);\n };\n if (!lft)\n cbf();\n var _loop_1 = function (i) {\n var fn = k[i];\n var _a = r[fn], file = _a[0], p = _a[1];\n var c = crc(), m = file.length;\n c.p(file);\n var n = strToU8(fn), s = n.length;\n var t = p.level == 0 ? 0 : 8;\n var cbl = function (e, d) {\n if (e) {\n tAll();\n cb(e, null);\n }\n else {\n var l = d.length;\n files[i] = {\n t: t,\n d: d,\n m: m,\n c: c.d(),\n u: fn.length != l,\n n: n,\n p: p\n };\n o += 30 + s + l;\n tot += 76 + 2 * s + l;\n if (!--lft)\n cbf();\n }\n };\n if (n.length > 65535)\n cbl('filename too long', null);\n if (!t)\n cbl(null, file);\n else if (m < 160000) {\n try {\n cbl(null, deflateSync(file, p));\n }\n catch (e) {\n cbl(e, null);\n }\n }\n else\n term.push(deflate(file, p, cbl));\n };\n // Cannot use lft because it can decrease\n for (var i = 0; i < slft; ++i) {\n _loop_1(i);\n }\n return tAll;\n}\n/**\n * Synchronously creates a ZIP file. Prefer using `zip` for better performance\n * with more than one file.\n * @param data The directory structure for the ZIP archive\n * @param opts The main options, merged with per-file options\n * @returns The generated ZIP archive\n */\nexport function zipSync(data, opts) {\n if (opts === void 0) { opts = {}; }\n var r = {};\n var files = [];\n fltn(data, '', r, opts);\n var o = 0;\n var tot = 0;\n for (var fn in r) {\n var _a = r[fn], file = _a[0], p = _a[1];\n var t = p.level == 0 ? 0 : 8;\n var n = strToU8(fn), s = n.length;\n if (n.length > 65535)\n throw 'filename too long';\n var d = t ? deflateSync(file, p) : file, l = d.length;\n var c = crc();\n c.p(file);\n files.push({\n t: t,\n d: d,\n m: file.length,\n c: c.d(),\n u: fn.length != s,\n n: n,\n o: o,\n p: p\n });\n o += 30 + s + l;\n tot += 76 + 2 * s + l;\n }\n var out = new u8(tot + 22), oe = o, cdl = tot - o;\n for (var i = 0; i < files.length; ++i) {\n var f = files[i];\n wzh(out, f.o, f.c, f.d, f.m, f.n, f.u, f.p, null, f.t);\n wzh(out, o, f.c, f.d, f.m, f.n, f.u, f.p, f.o, f.t), o += 46 + f.n.length;\n }\n wzf(out, o, files.length, cdl, oe);\n return out;\n}\n/**\n * Asynchronously decompresses a ZIP archive\n * @param data The raw compressed ZIP file\n * @param cb The callback to call with the decompressed files\n * @returns A function that can be used to immediately terminate the unzipping\n */\nexport function unzip(data, cb) {\n if (typeof cb != 'function')\n throw 'no callback';\n var term = [];\n var tAll = function () {\n for (var i = 0; i < term.length; ++i)\n term[i]();\n };\n var files = {};\n var e = data.length - 22;\n for (; b4(data, e) != 0x6054B50; --e) {\n if (!e || data.length - e > 65558) {\n cb('invalid zip file', null);\n return;\n }\n }\n ;\n var lft = b2(data, e + 8);\n if (!lft)\n cb(null, {});\n var c = lft;\n var o = b4(data, e + 16);\n var z = o == 4294967295;\n if (z) {\n e = b4(data, e - 12);\n if (b4(data, e) != 0x6064B50)\n throw 'invalid zip file';\n c = lft = b4(data, e + 32);\n o = b4(data, e + 48);\n }\n var _loop_2 = function (i) {\n var _a = zh(data, o, z), c_1 = _a[0], sc = _a[1], su = _a[2], fn = _a[3], no = _a[4], off = _a[5], b = slzh(data, off);\n o = no;\n var cbl = function (e, d) {\n if (e) {\n tAll();\n cb(e, null);\n }\n else {\n files[fn] = d;\n if (!--lft)\n cb(null, files);\n }\n };\n if (!c_1)\n cbl(null, slc(data, b, b + sc));\n else if (c_1 == 8) {\n var infl = data.subarray(b, b + sc);\n if (sc < 320000) {\n try {\n cbl(null, inflateSync(infl, new u8(su)));\n }\n catch (e) {\n cbl(e, null);\n }\n }\n else\n term.push(inflate(infl, { size: su }, cbl));\n }\n else\n cbl('unknown compression type ' + c_1, null);\n };\n for (var i = 0; i < c; ++i) {\n _loop_2(i);\n }\n return tAll;\n}\n/**\n * Synchronously decompresses a ZIP archive. Prefer using `unzip` for better\n * performance with more than one file.\n * @param data The raw compressed ZIP file\n * @returns The decompressed files\n */\nexport function unzipSync(data) {\n var files = {};\n var e = data.length - 22;\n for (; b4(data, e) != 0x6054B50; --e) {\n if (!e || data.length - e > 65558)\n throw 'invalid zip file';\n }\n ;\n var c = b2(data, e + 8);\n if (!c)\n return {};\n var o = b4(data, e + 16);\n var z = o == 4294967295;\n if (z) {\n e = b4(data, e - 12);\n if (b4(data, e) != 0x6064B50)\n throw 'invalid zip file';\n c = b4(data, e + 32);\n o = b4(data, e + 48);\n }\n for (var i = 0; i < c; ++i) {\n var _a = zh(data, o, z), c_2 = _a[0], sc = _a[1], su = _a[2], fn = _a[3], no = _a[4], off = _a[5], b = slzh(data, off);\n o = no;\n if (!c_2)\n files[fn] = slc(data, b, b + sc);\n else if (c_2 == 8)\n files[fn] = inflateSync(data.subarray(b, b + sc), new u8(su));\n else\n throw 'unknown compression type ' + c_2;\n }\n return files;\n}\n","import { eventWithTime } from '../types';\n\nexport type PackFn = (event: eventWithTime) => string;\nexport type UnpackFn = (raw: string) => eventWithTime;\n\nexport type eventWithTimeAndPacker = eventWithTime & {\n v: string;\n};\n\nexport const MARK = 'v1';\n","// tslint:disable\n/**\n * Class StackFrame is a fork of https://github.com/stacktracejs/stackframe/blob/master/stackframe.js\n * I fork it because:\n * 1. There are some build issues when importing this package.\n * 2. Rewrites into typescript give us a better type interface.\n * 3. StackFrame contains some functions we don't need.\n */\nexport class StackFrame {\n private fileName: string;\n private functionName: string;\n private lineNumber?: number;\n private columnNumber?: number;\n\n constructor(obj: {\n fileName?: string;\n functionName?: string;\n lineNumber?: number;\n columnNumber?: number;\n }) {\n this.fileName = obj.fileName || '';\n this.functionName = obj.functionName || '';\n this.lineNumber = obj.lineNumber;\n this.columnNumber = obj.columnNumber;\n }\n\n toString() {\n const lineNumber = this.lineNumber || '';\n const columnNumber = this.columnNumber || '';\n if (this.functionName) {\n return (\n this.functionName +\n ' (' +\n this.fileName +\n ':' +\n lineNumber +\n ':' +\n columnNumber +\n ')'\n );\n }\n return this.fileName + ':' + lineNumber + ':' + columnNumber;\n }\n}\n\n/**\n * ErrorStackParser is a fork of https://github.com/stacktracejs/error-stack-parser/blob/master/error-stack-parser.js\n * I fork it because:\n * 1. There are some build issues when importing this package.\n * 2. Rewrites into typescript give us a better type interface.\n */\nconst FIREFOX_SAFARI_STACK_REGEXP = /(^|@)\\S+:\\d+/;\nconst CHROME_IE_STACK_REGEXP = /^\\s*at .*(\\S+:\\d+|\\(native\\))/m;\nconst SAFARI_NATIVE_CODE_REGEXP = /^(eval@)?(\\[native code])?$/;\nexport const ErrorStackParser = {\n /**\n * Given an Error object, extract the most information from it.\n *\n * @param {Error} error object\n * @return {Array} of StackFrames\n */\n parse: function (error: Error): StackFrame[] {\n // https://github.com/rrweb-io/rrweb/issues/782\n if (!error) {\n return [];\n }\n if (\n // @ts-ignore\n typeof error.stacktrace !== 'undefined' ||\n // @ts-ignore\n typeof error['opera#sourceloc'] !== 'undefined'\n ) {\n return this.parseOpera(\n error as {\n stacktrace?: string;\n message: string;\n stack?: string;\n },\n );\n } else if (error.stack && error.stack.match(CHROME_IE_STACK_REGEXP)) {\n return this.parseV8OrIE(error as { stack: string });\n } else if (error.stack) {\n return this.parseFFOrSafari(error as { stack: string });\n } else {\n throw new Error('Cannot parse given Error object');\n }\n },\n // Separate line and column numbers from a string of the form: (URI:Line:Column)\n extractLocation: function (urlLike: string) {\n // Fail-fast but return locations like \"(native)\"\n if (urlLike.indexOf(':') === -1) {\n return [urlLike];\n }\n\n const regExp = /(.+?)(?::(\\d+))?(?::(\\d+))?$/;\n const parts = regExp.exec(urlLike.replace(/[()]/g, ''));\n if (!parts) throw new Error(`Cannot parse given url: ${urlLike}`);\n return [parts[1], parts[2] || undefined, parts[3] || undefined];\n },\n parseV8OrIE: function (error: { stack: string }) {\n const filtered = error.stack.split('\\n').filter(function (line) {\n return !!line.match(CHROME_IE_STACK_REGEXP);\n }, this);\n\n return filtered.map(function (line) {\n if (line.indexOf('(eval ') > -1) {\n // Throw away eval information until we implement stacktrace.js/stackframe#8\n line = line\n .replace(/eval code/g, 'eval')\n .replace(/(\\(eval at [^()]*)|(\\),.*$)/g, '');\n }\n let sanitizedLine = line.replace(/^\\s+/, '').replace(/\\(eval code/g, '(');\n\n // capture and preseve the parenthesized location \"(/foo/my bar.js:12:87)\" in\n // case it has spaces in it, as the string is split on \\s+ later on\n const location = sanitizedLine.match(/ (\\((.+):(\\d+):(\\d+)\\)$)/);\n\n // remove the parenthesized location from the line, if it was matched\n sanitizedLine = location\n ? sanitizedLine.replace(location[0], '')\n : sanitizedLine;\n\n const tokens = sanitizedLine.split(/\\s+/).slice(1);\n // if a location was matched, pass it to extractLocation() otherwise pop the last token\n const locationParts = this.extractLocation(\n location ? location[1] : tokens.pop(),\n );\n const functionName = tokens.join(' ') || undefined;\n const fileName =\n ['eval', ''].indexOf(locationParts[0]) > -1\n ? undefined\n : locationParts[0];\n\n return new StackFrame({\n functionName,\n fileName,\n lineNumber: locationParts[1],\n columnNumber: locationParts[2],\n });\n }, this);\n },\n parseFFOrSafari: function (error: { stack: string }) {\n const filtered = error.stack.split('\\n').filter(function (line) {\n return !line.match(SAFARI_NATIVE_CODE_REGEXP);\n }, this);\n\n return filtered.map(function (line) {\n // Throw away eval information until we implement stacktrace.js/stackframe#8\n if (line.indexOf(' > eval') > -1) {\n line = line.replace(\n / line (\\d+)(?: > eval line \\d+)* > eval:\\d+:\\d+/g,\n ':$1',\n );\n }\n\n if (line.indexOf('@') === -1 && line.indexOf(':') === -1) {\n // Safari eval frames only have function names and nothing else\n return new StackFrame({\n functionName: line,\n });\n } else {\n const functionNameRegex = /((.*\".+\"[^@]*)?[^@]*)(?:@)/;\n const matches = line.match(functionNameRegex);\n const functionName = matches && matches[1] ? matches[1] : undefined;\n const locationParts = this.extractLocation(\n line.replace(functionNameRegex, ''),\n );\n\n return new StackFrame({\n functionName,\n fileName: locationParts[0],\n lineNumber: locationParts[1],\n columnNumber: locationParts[2],\n });\n }\n }, this);\n },\n parseOpera: function (e: {\n stacktrace?: string;\n message: string;\n stack?: string;\n }): StackFrame[] {\n if (\n !e.stacktrace ||\n (e.message.indexOf('\\n') > -1 &&\n e.message.split('\\n').length > e.stacktrace.split('\\n').length)\n ) {\n return this.parseOpera9(e as { message: string });\n } else if (!e.stack) {\n return this.parseOpera10(e as { stacktrace: string });\n } else {\n return this.parseOpera11(e as { stack: string });\n }\n },\n parseOpera9: function (e: { message: string }) {\n const lineRE = /Line (\\d+).*script (?:in )?(\\S+)/i;\n const lines = e.message.split('\\n');\n const result = [];\n\n for (let i = 2, len = lines.length; i < len; i += 2) {\n const match = lineRE.exec(lines[i]);\n if (match) {\n result.push(\n new StackFrame({\n fileName: match[2],\n lineNumber: parseFloat(match[1]),\n }),\n );\n }\n }\n\n return result;\n },\n parseOpera10: function (e: { stacktrace: string }) {\n const lineRE = /Line (\\d+).*script (?:in )?(\\S+)(?:: In function (\\S+))?$/i;\n const lines = e.stacktrace.split('\\n');\n const result = [];\n\n for (let i = 0, len = lines.length; i < len; i += 2) {\n const match = lineRE.exec(lines[i]);\n if (match) {\n result.push(\n new StackFrame({\n functionName: match[3] || undefined,\n fileName: match[2],\n lineNumber: parseFloat(match[1]),\n }),\n );\n }\n }\n\n return result;\n },\n // Opera 10.65+ Error.stack very similar to FF/Safari\n parseOpera11: function (error: { stack: string }) {\n const filtered = error.stack.split('\\n').filter(function (line) {\n return (\n !!line.match(FIREFOX_SAFARI_STACK_REGEXP) &&\n !line.match(/^Error created at/)\n );\n }, this);\n\n return filtered.map(function (line: string) {\n const tokens = line.split('@');\n const locationParts = this.extractLocation(tokens.pop());\n const functionCall = tokens.shift() || '';\n const functionName =\n functionCall\n .replace(//, '$2')\n .replace(/\\([^)]*\\)/g, '') || undefined;\n return new StackFrame({\n functionName,\n fileName: locationParts[0],\n lineNumber: locationParts[1],\n columnNumber: locationParts[2],\n });\n }, this);\n },\n};\n","// tslint:disable:no-any no-bitwise forin\n/**\n * this file is used to serialize log message to string\n *\n */\n\nimport { StringifyOptions } from './index';\n\n/**\n * transfer the node path in Event to string\n * @param node the first node in a node path array\n */\nfunction pathToSelector(node: HTMLElement): string | '' {\n if (!node || !node.outerHTML) {\n return '';\n }\n\n let path = '';\n while (node.parentElement) {\n let name = node.localName;\n if (!name) {\n break;\n }\n name = name.toLowerCase();\n let parent = node.parentElement;\n\n let domSiblings = [];\n\n if (parent.children && parent.children.length > 0) {\n // tslint:disable-next-line:prefer-for-of\n for (let i = 0; i < parent.children.length; i++) {\n let sibling = parent.children[i];\n if (sibling.localName && sibling.localName.toLowerCase) {\n if (sibling.localName.toLowerCase() === name) {\n domSiblings.push(sibling);\n }\n }\n }\n }\n\n if (domSiblings.length > 1) {\n name += ':eq(' + domSiblings.indexOf(node) + ')';\n }\n path = name + (path ? '>' + path : '');\n node = parent;\n }\n\n return path;\n}\n\n/**\n * judge is object\n */\nfunction isObject(obj: any): boolean {\n return Object.prototype.toString.call(obj) === '[object Object]';\n}\n\n/**\n * judge the object's depth\n */\nfunction isObjTooDeep(obj: any, limit: number): boolean {\n if (limit === 0) {\n return true;\n }\n\n const keys = Object.keys(obj);\n for (const key of keys) {\n if (isObject(obj[key]) && isObjTooDeep(obj[key], limit - 1)) {\n return true;\n }\n }\n\n return false;\n}\n\n/**\n * stringify any js object\n * @param obj the object to stringify\n */\nexport function stringify(\n obj: any,\n stringifyOptions?: StringifyOptions,\n): string {\n const options: StringifyOptions = {\n numOfKeysLimit: 50,\n depthOfLimit: 4,\n };\n Object.assign(options, stringifyOptions);\n const stack: any[] = [];\n const keys: any[] = [];\n return JSON.stringify(obj, function (key, value) {\n /**\n * forked from https://github.com/moll/json-stringify-safe/blob/master/stringify.js\n * to deCycle the object\n */\n if (stack.length > 0) {\n const thisPos = stack.indexOf(this);\n ~thisPos ? stack.splice(thisPos + 1) : stack.push(this);\n ~thisPos ? keys.splice(thisPos, Infinity, key) : keys.push(key);\n if (~stack.indexOf(value)) {\n if (stack[0] === value) {\n value = '[Circular ~]';\n } else {\n value =\n '[Circular ~.' +\n keys.slice(0, stack.indexOf(value)).join('.') +\n ']';\n }\n }\n } else {\n stack.push(value);\n }\n /* END of the FORK */\n\n if (value === null || value === undefined) {\n return value;\n }\n if (shouldIgnore(value)) {\n return toString(value);\n }\n if (value instanceof Event) {\n const eventResult: any = {};\n for (const eventKey in value) {\n const eventValue = (value as any)[eventKey];\n if (Array.isArray(eventValue)) {\n eventResult[eventKey] = pathToSelector(\n eventValue.length ? eventValue[0] : null,\n );\n } else {\n eventResult[eventKey] = eventValue;\n }\n }\n return eventResult;\n } else if (value instanceof Node) {\n if (value instanceof HTMLElement) {\n return value ? value.outerHTML : '';\n }\n return value.nodeName;\n } else if (value instanceof Error) {\n return value.stack\n ? value.stack + '\\nEnd of stack for Error object'\n : value.name + ': ' + value.message;\n }\n return value;\n });\n\n /**\n * whether we should ignore obj's info and call toString() function instead\n */\n function shouldIgnore(_obj: object): boolean {\n // outof keys limit\n if (isObject(_obj) && Object.keys(_obj).length > options.numOfKeysLimit) {\n return true;\n }\n\n // is function\n if (typeof _obj === 'function') {\n return true;\n }\n\n /**\n * judge object's depth to avoid browser's OOM\n *\n * issues: https://github.com/rrweb-io/rrweb/issues/653\n */\n if (isObject(_obj) && isObjTooDeep(_obj, options.depthOfLimit)) {\n return true;\n }\n\n return false;\n }\n\n /**\n * limit the toString() result according to option\n */\n function toString(_obj: object): string {\n let str = _obj.toString();\n if (options.stringLengthLimit && str.length > options.stringLengthLimit) {\n str = `${str.slice(0, options.stringLengthLimit)}...`;\n }\n return str;\n }\n}\n","import { listenerHandler, RecordPlugin, IWindow } from '../../../types';\nimport { patch } from '../../../utils';\nimport { ErrorStackParser, StackFrame } from './error-stack-parser';\nimport { stringify } from './stringify';\n\nexport type StringifyOptions = {\n // limit of string length\n stringLengthLimit?: number;\n /**\n * limit of number of keys in an object\n * if an object contains more keys than this limit, we would call its toString function directly\n */\n numOfKeysLimit: number;\n /**\n * limit number of depth in an object\n * if an object is too deep, toString process may cause browser OOM\n */\n depthOfLimit: number;\n};\n\ntype LogRecordOptions = {\n level?: LogLevel[];\n lengthThreshold?: number;\n stringifyOptions?: StringifyOptions;\n logger?: Logger | 'console';\n};\n\nconst defaultLogOptions: LogRecordOptions = {\n level: [\n 'assert',\n 'clear',\n 'count',\n 'countReset',\n 'debug',\n 'dir',\n 'dirxml',\n 'error',\n 'group',\n 'groupCollapsed',\n 'groupEnd',\n 'info',\n 'log',\n 'table',\n 'time',\n 'timeEnd',\n 'timeLog',\n 'trace',\n 'warn',\n ],\n lengthThreshold: 1000,\n logger: 'console',\n};\n\nexport type LogData = {\n level: LogLevel;\n trace: string[];\n payload: string[];\n};\n\ntype logCallback = (p: LogData) => void;\n\nexport type LogLevel =\n | 'assert'\n | 'clear'\n | 'count'\n | 'countReset'\n | 'debug'\n | 'dir'\n | 'dirxml'\n | 'error'\n | 'group'\n | 'groupCollapsed'\n | 'groupEnd'\n | 'info'\n | 'log'\n | 'table'\n | 'time'\n | 'timeEnd'\n | 'timeLog'\n | 'trace'\n | 'warn';\n\n/* fork from interface Console */\n// all kinds of console functions\nexport type Logger = {\n assert?: typeof console.assert;\n clear?: typeof console.clear;\n count?: typeof console.count;\n countReset?: typeof console.countReset;\n debug?: typeof console.debug;\n dir?: typeof console.dir;\n dirxml?: typeof console.dirxml;\n error?: typeof console.error;\n group?: typeof console.group;\n groupCollapsed?: typeof console.groupCollapsed;\n groupEnd?: () => void;\n info?: typeof console.info;\n log?: typeof console.log;\n table?: typeof console.table;\n time?: typeof console.time;\n timeEnd?: typeof console.timeEnd;\n timeLog?: typeof console.timeLog;\n trace?: typeof console.trace;\n warn?: typeof console.warn;\n};\n\nfunction initLogObserver(\n cb: logCallback,\n win: IWindow, // top window or in an iframe\n logOptions: LogRecordOptions,\n): listenerHandler {\n const loggerType = logOptions.logger;\n if (!loggerType) {\n return () => {};\n }\n let logger: Logger;\n if (typeof loggerType === 'string') {\n logger = win[loggerType];\n } else {\n logger = loggerType;\n }\n let logCount = 0;\n const cancelHandlers: listenerHandler[] = [];\n // add listener to thrown errors\n if (logOptions.level!.includes('error')) {\n if (window) {\n const errorHandler = (event: ErrorEvent) => {\n const { message, error } = event;\n const trace: string[] = ErrorStackParser.parse(\n error,\n ).map((stackFrame: StackFrame) => stackFrame.toString());\n const payload = [stringify(message, logOptions.stringifyOptions)];\n cb({\n level: 'error',\n trace,\n payload,\n });\n };\n window.addEventListener('error', errorHandler);\n cancelHandlers.push(() => {\n if (window) window.removeEventListener('error', errorHandler);\n });\n }\n }\n for (const levelType of logOptions.level!) {\n cancelHandlers.push(replace(logger, levelType));\n }\n return () => {\n cancelHandlers.forEach((h) => h());\n };\n\n /**\n * replace the original console function and record logs\n * @param logger the logger object such as Console\n * @param level the name of log function to be replaced\n */\n function replace(_logger: Logger, level: LogLevel) {\n if (!_logger[level]) {\n return () => {};\n }\n // replace the logger.{level}. return a restore function\n return patch(_logger, level, (original) => {\n return (...args: Array) => {\n original.apply(this, args);\n try {\n const trace = ErrorStackParser.parse(new Error())\n .map((stackFrame: StackFrame) => stackFrame.toString())\n .splice(1); // splice(1) to omit the hijacked log function\n const payload = args.map((s) =>\n stringify(s, logOptions.stringifyOptions),\n );\n logCount++;\n if (logCount < logOptions.lengthThreshold!) {\n cb({\n level,\n trace,\n payload,\n });\n } else if (logCount === logOptions.lengthThreshold) {\n // notify the user\n cb({\n level: 'warn',\n trace: [],\n payload: [\n stringify('The number of log records reached the threshold.'),\n ],\n });\n }\n } catch (error) {\n original('rrweb logger error:', error, ...args);\n }\n };\n });\n }\n}\n\nexport const PLUGIN_NAME = 'rrweb/console@1';\n\nexport const getRecordConsolePlugin: (\n options?: LogRecordOptions,\n) => RecordPlugin = (options) => ({\n name: PLUGIN_NAME,\n observer: initLogObserver,\n options: options\n ? Object.assign({}, defaultLogOptions, options)\n : defaultLogOptions,\n});\n","import { LogLevel, LogData, PLUGIN_NAME } from '../record';\nimport {\n eventWithTime,\n EventType,\n IncrementalSource,\n ReplayPlugin,\n} from '../../../types';\n\n/**\n * define an interface to replay log records\n * (data: logData) => void> function to display the log data\n */\ntype ReplayLogger = Partial void>>;\n\ntype LogReplayConfig = {\n level?: LogLevel[];\n replayLogger?: ReplayLogger;\n};\n\nconst ORIGINAL_ATTRIBUTE_NAME = '__rrweb_original__';\ntype PatchedConsoleLog = {\n [ORIGINAL_ATTRIBUTE_NAME]: typeof console.log;\n};\n\nconst defaultLogConfig: LogReplayConfig = {\n level: [\n 'assert',\n 'clear',\n 'count',\n 'countReset',\n 'debug',\n 'dir',\n 'dirxml',\n 'error',\n 'group',\n 'groupCollapsed',\n 'groupEnd',\n 'info',\n 'log',\n 'table',\n 'time',\n 'timeEnd',\n 'timeLog',\n 'trace',\n 'warn',\n ],\n replayLogger: undefined,\n};\n\nclass LogReplayPlugin {\n private config: LogReplayConfig;\n\n constructor(config?: LogReplayConfig) {\n this.config = Object.assign(defaultLogConfig, config);\n }\n\n /**\n * generate a console log replayer which implement the interface ReplayLogger\n */\n public getConsoleLogger(): ReplayLogger {\n const replayLogger: ReplayLogger = {};\n for (const level of this.config.level!) {\n if (level === 'trace') {\n replayLogger[level] = (data: LogData) => {\n const logger = ((console.log as unknown) as PatchedConsoleLog)[\n ORIGINAL_ATTRIBUTE_NAME\n ]\n ? ((console.log as unknown) as PatchedConsoleLog)[\n ORIGINAL_ATTRIBUTE_NAME\n ]\n : console.log;\n logger(\n ...data.payload.map((s) => JSON.parse(s)),\n this.formatMessage(data),\n );\n };\n } else {\n replayLogger[level] = (data: LogData) => {\n const logger = ((console[level] as unknown) as PatchedConsoleLog)[\n ORIGINAL_ATTRIBUTE_NAME\n ]\n ? ((console[level] as unknown) as PatchedConsoleLog)[\n ORIGINAL_ATTRIBUTE_NAME\n ]\n : console[level];\n logger(\n ...data.payload.map((s) => JSON.parse(s)),\n this.formatMessage(data),\n );\n };\n }\n }\n return replayLogger;\n }\n\n /**\n * format the trace data to a string\n * @param data the log data\n */\n private formatMessage(data: LogData): string {\n if (data.trace.length === 0) {\n return '';\n }\n const stackPrefix = '\\n\\tat ';\n let result = stackPrefix;\n result += data.trace.join(stackPrefix);\n return result;\n }\n}\n\nexport const getReplayConsolePlugin: (\n options?: LogReplayConfig,\n) => ReplayPlugin = (options) => {\n const replayLogger =\n options?.replayLogger || new LogReplayPlugin(options).getConsoleLogger();\n\n return {\n handler(event: eventWithTime, _isSync, context) {\n let logData: LogData | null = null;\n if (\n event.type === EventType.IncrementalSnapshot &&\n event.data.source === (IncrementalSource.Log as IncrementalSource)\n ) {\n logData = (event.data as unknown) as LogData;\n } else if (\n event.type === EventType.Plugin &&\n event.data.plugin === PLUGIN_NAME\n ) {\n logData = event.data.payload as LogData;\n }\n if (logData) {\n try {\n if (typeof replayLogger[logData.level] === 'function') {\n replayLogger[logData.level]!(logData);\n }\n } catch (error) {\n if (context.replayer.config.showWarning) {\n console.warn(error);\n }\n }\n }\n },\n };\n};\n","import { strFromU8, strToU8, zlibSync } from 'fflate';\nimport { PackFn, MARK, eventWithTimeAndPacker } from './base';\n\nexport const pack: PackFn = (event) => {\n const _e: eventWithTimeAndPacker = {\n ...event,\n v: MARK,\n };\n return strFromU8(zlibSync(strToU8(JSON.stringify(_e))), true);\n};\n","import { strFromU8, strToU8, unzlibSync } from 'fflate';\nimport { UnpackFn, eventWithTimeAndPacker, MARK } from './base';\nimport { eventWithTime } from '../types';\n\nexport const unpack: UnpackFn = (raw: string) => {\n if (typeof raw !== 'string') {\n return raw;\n }\n try {\n const e: eventWithTime = JSON.parse(raw);\n if (e.timestamp) {\n return e;\n }\n } catch (error) {\n // ignore and continue\n }\n try {\n const e: eventWithTimeAndPacker = JSON.parse(\n strFromU8(unzlibSync(strToU8(raw, true)))\n );\n if (e.v === MARK) {\n return e;\n }\n throw new Error(\n `These events were packed with packer ${e.v} which is incompatible with current packer ${MARK}.`,\n );\n } catch (error) {\n console.error(error);\n throw new Error('Unknown data format.');\n }\n};\n"],"names":["NodeType","__assign","Object","assign","t","s","i","n","arguments","length","p","prototype","hasOwnProperty","call","apply","this","__values","o","Symbol","iterator","m","next","value","done","TypeError","__read","r","e","ar","push","error","__spreadArray","to","from","pack","l","Array","slice","concat","isElement","nodeType","ELEMENT_NODE","isShadowRoot","_a","host","Boolean","shadowRoot","maskInputValue","maskInputOptions","tagName","type","maskInputFn","text","toLowerCase","repeat","ORIGINAL_ATTRIBUTE_NAME","canvasService","canvasCtx","_id","tagNameRegex","RegExp","getCssRulesString","rules","cssRules","map","getCssRuleString","join","rule","cssStringified","cssText","isCSSImportRule","styleSheet","URL_IN_CSS_REF","RELATIVE_PATH","DATA_URI","absoluteToStylesheet","href","replace","origin","quote1","path1","quote2","path2","path3","url","filePath","maybeQuote","test","indexOf","split","stack","parts","pop","_i","parts_1","part","SRCSET_NOT_SPACES","SRCSET_COMMAS_OR_SPACES","absoluteToDoc","doc","attributeValue","trim","a","createElement","getHref","document","transformAttribute","name","pos","collectCharacters","regEx","chars","match","exec","substring","output","descriptorsStr","inParens","c","charAt","getAbsoluteSrcsetString","needMaskingText","node","maskTextClass","maskTextSelector","classList","contains","eIndex","className","matches","parentNode","TEXT_NODE","serializeNode","options","rootId","sheet","el","blockClass","blockSelector","inlineStylesheet","_b","maskTextFn","_c","dataURLOptions","inlineImages","recordCanvas","keepIframeSrcFn","__sn","docId","id","undefined","DOCUMENT_NODE","compatMode","Document","childNodes","DOCUMENT_TYPE_NODE","DocumentType","publicId","systemId","needBlock","element","_isBlockedElement","HTMLFormElement","processedTagName","getValidTagName","attributes_1","_d","attributes","_e","name_1","stylesheet","styleSheets","find","rel","_cssText","innerText","textContent","checked","selected","__context","canvas","ctx","getContext","x","width","y","height","getImageData","originalGetImageData","Uint32Array","Math","min","data","buffer","some","pixel","is2DCanvasBlank","rr_dataURL","toDataURL","quality","canvasDataURL","blankCanvas","image_1","oldValue_1","crossOrigin","recordInlineImage","naturalWidth","naturalHeight","drawImage","err","console","warn","currentSrc","complete","onload","rr_mediaState","paused","rr_mediaCurrentTime","currentTime","scrollLeft","rr_scrollLeft","scrollTop","rr_scrollTop","_f","getBoundingClientRect","class","rr_width","rr_height","src","contentDocument","rr_src","Element","isSVG","ownerSVGElement","parentTagName","isStyle","isScript","nextSibling","previousSibling","Text","CDATA_SECTION_NODE","CDATA","COMMENT_NODE","Comment","lowerIfExists","maybeAttr","serializeNodeWithId","skipChild","slimDOMOptions","onSerialize","onIframeLoad","_g","iframeLoadTimeout","_h","_j","preserveWhiteSpace","_serializedNode","sn","comment","script","as","endsWith","headFavicon","headMetaDescKeywords","headMetaSocial","property","headMetaRobots","headMetaHttpEquiv","headMetaAuthorship","headMetaVerification","slimDOMExcluded","serializedNode","recordChild","isShadowHost","headWhitespace","bypassOptions","_k","serializedChildNode","_l","_m","isShadow","iframeEl","listener","win","contentWindow","readyState","fired","blankUrl","location","addEventListener","setTimeout","timer_1","clearTimeout","onceIframeLoaded","iframeDoc","serializedIframeNode","commentre","parse","css","lineno","column","updatePosition","str","lines","lastIndexOf","position","start","line","Position","whitespace","end","source","content","errorsList","msg","Error","reason","filename","silent","open","close","comments","atrule","re","selector","declaration","propMatch","prop","val","ret","declarations","decl","decls","keyframe","vals","values","rulesList","atimport","_compileAtrule","atcharset","atnamespace","vendor","frame","frames","keyframes","atkeyframes","media","style","atmedia","atcustommedia","supports","atsupports","atdocument","sel","selectors","atpage","athost","atfontface","addParent","parsingErrors","obj","parent","isNode","childParent","keys","isArray","forEach","v","defineProperty","configurable","writable","enumerable","tagMap","altglyph","altglyphdef","altglyphitem","animatecolor","animatemotion","animatetransform","clippath","feblend","fecolormatrix","fecomponenttransfer","fecomposite","feconvolvematrix","fediffuselighting","fedisplacementmap","fedistantlight","fedropshadow","feflood","fefunca","fefuncb","fefuncg","fefuncr","fegaussianblur","feimage","femerge","femergenode","femorphology","feoffset","fepointlight","fespecularlighting","fespotlight","fetile","feturbulence","foreignobject","glyphref","lineargradient","radialgradient","EventType","IncrementalSource","MouseInteractions","CanvasContext","MediaInteractions","ReplayerEvents","HOVER_SELECTOR","HOVER_SELECTOR_GLOBAL","addHoverClass","cache","cachedStyle","stylesWithHoverClass","get","ast","selectorMatcher","filter","index","sort","b","result","newSelector","set","createCache","Map","buildNode","hackCss","implementation","createDocument","createDocumentType","node_1","getTagName","createElementNS","_loop_1","startsWith","image","setAttribute","play","pause","isTextarea","isRemoteOrDynamicCss","child","createTextNode","removeChild","appendChild","setAttributeNS","srcset","firstChild","attachShadow","mode","createCDATASection","createComment","buildNodeWithSN","afterAppend","assert","xmlns","write","childN","childNode","rebuild","onVisit","idNodeMap","key","visit","visitedNode","name_2","handleScroll","on","fn","target","capture","passive","removeEventListener","createMirror","getId","getNode","removeNodeFromMap","_this","has","reset","DEPARTED_MIRROR_ACCESS_WARNING","throttle","func","wait","timeout","previous","arg","now","Date","leading","remaining","context","args","trailing","hookSetter","d","isRevoked","original","getOwnPropertyDescriptor","patch","replacement","original_1","wrapped","defineProperties","__rrweb_original__","getWindowHeight","window","innerHeight","documentElement","clientHeight","body","getWindowWidth","innerWidth","clientWidth","isBlocked","needBlock_1","closest","isIgnored","isAncestorRemoved","mirror","isTouchEvent","event","changedTouches","polyfill","NodeList","DOMTokenList","Node","Proxy","Reflect","_mirror","receiver","TreeIndex","mutation","parentTreeNode","indexes","parentId","treeNode","children","texts","tree","deepRemoveFromMirror","removeIdSet","add","deepRemoveFromTreeIndex","_treeNode","_parentTreeNode","delete","removeNodeMutations","textMutations","attributeMutations","scrollMap","inputMap","batchMutationData","Mutation","removes","adds","walk","removed","mutationData","Set","queueToResolveTrees","queue","queueNodeMap","putIntoMap","nodeInTree","queueNodeTrees","queue_1","nextId","nextInTree","idx","splice","parentInTree","iterateResolveTree","cb","isIframeINode","getBaseDimension","rootIframe","frameElement","ownerDocument","defaultView","relativeScale","absoluteScale","frameDimension","frameBaseDimension","hasShadowRoot","isNodeInLinkedList","DoubleLinkedList","current","head","__ln","moveKey","isINode","mutations","processMutation","emit","frozen","locked","addList","getNextId","ns","pushAdd","shadowHost","getRootNode","rootShadowHost","notInDoc","addNode","currentN","iframeManager","addIframe","shadowDomManager","addShadowRoot","iframe","childSn","attachIframe","observeAttachShadow","mapRemoves","shift","movedSet","isParentRemoved","addedSet","isAncestorInSet","droppedSet","candidate","_node","removeNode","payload","attribute","movedMap","mutationCb","oldValue","getAttribute","attributeName","item","old","styleObj","pname","newValue","getPropertyValue","newPriority","getPropertyPriority","addedNodes","genAdds","removedNodes","nodeId","deepDelete","targetId","MutationBuffer","canvasManager","freeze","unfreeze","lock","unlock","addsSet","mutationBuffers","isCSSGroupingRuleSupported","CSSGroupingRule","isCSSMediaRuleSupported","CSSMediaRule","isCSSSupportsRuleSupported","CSSSupportsRule","isCSSConditionRuleSupported","CSSConditionRule","getEventTarget","path","composedPath","initMutationObserver","rootEl","mutationBuffer","init","mutationObserverCtor","MutationObserver","__rrMutationObserver","angularZoneSymbol","Zone","__symbol__","observer","processMutations","bind","observe","attributeOldValue","characterData","characterDataOldValue","childList","subtree","initMouseInteractionObserver","mouseInteractionCb","sampling","mouseInteraction","disableMap","handlers","Number","isNaN","eventKey","eventName","handler","clientX","clientY","getHandler","h","initScrollObserver","scrollCb","evt","scrollEl","scrollingElement","scroll","wrapEventWithUserTriggeredFlag","enable","userTriggered","INPUT_TAGS","lastInputValueMap","WeakMap","getNestedCSSRulePositions","childRule","parentRule","unshift","parentStyleSheet","recurse","initObservers","hooks","currentWindow","mousemoveCb","viewportResizeCb","inputCb","mediaInteractionCb","styleSheetRuleCb","styleDeclarationCb","canvasMutationCb","fontCb","mousemove","viewportResize","input","mediaInteaction","styleSheetRule","styleDeclaration","canvasMutation","font","mergeHooks","mutationObserver","mousemoveHandler","timeBaseline","threshold","callbackThreshold","mousemoveCallback","positions","wrappedCb","totalOffset","timeOffset","DragEvent","Drag","MouseEvent","MouseMove","TouchMove","initMoveObserver","mouseInteractionHandler","scrollHandler","viewportResizeHandler","lastH","lastW","initViewportResizeObserver","inputHandler","ignoreClass","userTriggeredOnInput","eventHandler","isTrusted","parentElement","isChecked","cbWithDedup","querySelectorAll","lastInputValue","propertyDescriptor","HTMLInputElement","hookProperties","HTMLSelectElement","HTMLTextAreaElement","HTMLOptionElement","initInputObserver","mediaInteractionHandler","volume","muted","initMediaInteractionObserver","styleSheetObserver","insertRule","CSSStyleSheet","ownerNode","deleteRule","supportedNestedCSSRuleTypes","unmodifiedFunctions","entries","typeKey","initStyleSheetObserver","styleDeclarationObserver","setProperty","CSSStyleDeclaration","priority","removeProperty","remove","initStyleDeclarationObserver","fontObserver","collectFonts","fontMap","originalFontFace","FontFace","family","descriptors","fontFace","fontSource","JSON","stringify","Uint8Array","restoreHandler","fonts","initFontObserver","pluginHandlers","plugins","plugin","callback","disconnect","IframeManager","iframes","loadListener","isAttachIframe","manager","restorePatches","HTMLElement","ShadowDomManager","iframeElement","manager_1","restorePatch","lookup","charCodeAt","webGLVarMap","saveWebGLVar","isInstanceOfWebGLObject","list","ctor","contextMap","variableListFor","constructor","serializeArg","Float32Array","Float64Array","Int32Array","Uint16Array","Int16Array","Int8Array","Uint8ClampedArray","rr_type","ArrayBuffer","base64","arraybuffer","bytes","len","encode","DataView","byteOffset","byteLength","HTMLImageElement","ImageData","serializeArgs","supportedWebGLConstructorNames","patchGLPrototype","props","getOwnPropertyNames","recordArgs","hookHandler","setter","props_1","wrappedEmit","takeFullSnapshot","latestId","invokeId","rafStamps","pendingCanvasMutations","initCanvasMutationObserver","CanvasManager","clear","resetObservers","startRAFTimestamping","startPendingCanvasMutationFlusher","canvasContextReset","HTMLCanvasElement","contextType","initCanvasContextObserver","canvas2DReset","props2D","CanvasRenderingContext2D","imgd","pix","props2D_1","initCanvas2DMutationObserver","canvasWebGL1and2Reset","WebGLRenderingContext","WebGL","WebGL2RenderingContext","WebGL2","initCanvasWebGLMutationObserver","requestAnimationFrame","flushPendingCanvasMutations","setLatestRAFTimestamp","timestamp","flushPendingCanvasMutationFor","valuesWithType","getOwnPropertySymbols","propertyIsEnumerable","commands","wrapEvent","record","checkoutEveryNms","checkoutEveryNth","maskAllInputs","_maskInputOptions","_slimDOMOptions","packFn","mousemoveWait","lastFullSnapshotEvent","color","date","email","month","number","range","search","tel","time","week","textarea","select","password","incrementalSnapshotCount","isCheckout","isFrozen","FullSnapshot","IncrementalSnapshot","buf","eventProcessor","exceedCount","exceedTime","wrappedMutationEmit","wrappedScrollEmit","Scroll","wrappedCanvasMutationEmit","CanvasMutation","Meta","slimDOM","snapshot","initialOffset","left","pageXOffset","top","pageYOffset","handlers_1","DomContentLoaded","observe_1","MouseInteraction","ViewportResize","Input","MediaInteraction","StyleSheetRule","StyleDeclaration","Font","Plugin","addLoadListener","init_1","Load","mitt","all","create","off","addCustomEvent","tag","Custom","freezePage","w","__forceSmoothScrollPolyfill__","userAgent","scrollTo","scrollBy","elementScroll","scrollElement","scrollIntoView","performance","ROUNDING_TOLERANCE","navigator","shouldBailOut","smoothScroll","scrollX","scrollY","SyntaxError","behavior","scrollableParent","findScrollableParent","parentRects","clientRects","getComputedStyle","firstArg","hasScrollableSpace","axis","scrollHeight","scrollWidth","canOverflow","overflowValue","isScrollable","isScrollableY","isScrollableX","step","currentX","currentY","k","elapsed","startTime","cos","PI","startX","startY","method","scrollable","actions","speed","Timer","action","findActionIndex","lastTimestamp","self","raf","check","delay","doAction","liveMode","cancelAnimationFrame","mid","floor","addDelay","baselineTime","firstOffset","firstTimestamp","return","NotStarted","Running","Stopped","assignment","u","changed","f","states","initial","entry","config","_options","initialState","transition","g","S","j","E","R","N","cond","O","_","T","q","exit","z","A","B","C","_machine","send","subscribe","unsubscribe","stop","state","status","createPlayerService","getCastFn","applyEventsSynchronously","emitter","interpret","createMachine","playing","PAUSE","CAST_EVENT","END","ADD_EVENT","PLAY","TO_LIVE","live","castEvent","lastPlayedEvent","recordTimeOffset","events","timer","events_1","neededEvents","event_1","discardPriorSnapshots","lastPlayedTimestamp","PlayBack","syncEvents","event_3","castFn_1","neededEvents_1","Flush","addActions","resetLastPlayedEvent","startLive","toggleLiveMode","addEvent","machineEvent","event_4","insertionIndex","isSync","castFn_2","isActive","addAction","StyleRuleType","getNestedRule","getPositionsAndIndex","nestedIndex","applyVirtualStyleRulesToNode","storedRules","styleNode","Insert","Remove","Snapshot","cssTexts","existingRules","existingRulesReversed","reverse","lastMatch_1","restoreSnapshotOfStyleRulesToNode","SetProperty","RemoveProperty","WebGLVariableConstructorsNames","deserializeArg","imageMap","encoded1","encoded2","encoded3","encoded4","bufferLength","decode","Image","webglMutation","errorHandler","includes","variables","saveToWebGLVarMap","mittProxy.default","mittProxy","REPLAY_CONSOLE_PREFIX","defaultMouseTailConfig","duration","lineCap","lineWidth","strokeStyle","indicatesTouchDevice","TouchStart","defaultConfig","maxSpeed","root","loadTimeout","skipInactive","showWarning","showDebug","insertStyleRules","triggerFocus","UNSAFE_replayCanvas","pauseAnimation","mouseTail","handleResize","Resize","setupDom","treeIndex","fragmentParentMap","elementStateMap","virtualStyleRulesMap","flush","frag","restoreRealParent","applyText","restoreNodeSheet","applyScroll","applyInput","firstFullSnapshot","service","unpackFn","a1","a2","StateChange","player","speedService","normalSpeed","normal","FAST_FORWARD","SET_SPEED","skipping","BACK_TO_NORMAL","setSpeed","recordSpeed","restoreSpeed","firstMeta","firstFullsnapshot","width_1","height_1","rebuildFullSnapshot","mouse","Replayer","backToNormal","display","parseFloat","wrapper","insertBefore","firstEvent","lastEvent","endTime","totalTime","getTimeOffset","getElementsByTagName","Start","Pause","Resume","rawEvent","Promise","resolve","then","pointerEvents","disableInteract","smoothscrollPolyfill","dimension","String","castFn","mousePos","moveAndHover","debugData","touchActive","CustomEvent","applyIncremental","nextUserInteractionEvent","_event","isUserInteraction","skipTime","round","SkipStart","replayer","last_index","finish_1","Finish","max","EventCast","legacy_missingNodeRetryMap","collected","builtNode","collectIframeAndAttachDocument","mutationInQueue","this_1","attachDocumentToIframe","newDocumentQueue","collected_1","FullsnapshotRebuilded","waitForStylesheetLoad","preloadAllImages","styleEl","injectStylesRules","parent_1","realParent","toUpperCase","this_2","collected_2","unloadSheets_1","beforeLoadState_1","stateHandler_1","unsubscribe_1","size","getCurrentTime","LoadStylesheetEnd","LoadStylesheetStart","args_1","hasImageArg","images","args_2","getImageArgs","stateHandler","event_2","preloadImages","this_3","createImageData","putImageData","applyMutation","message","lastPosition","Event","debugNodeNotFound","Blur","blur","Focus","focus","preventScroll","Click","TouchEnd","tailPositions","offsetWidth","TouchCancel","dispatchEvent","mediaEl","rules_1","parent_2","usingVirtualParent_1","styleSheet_1","parent_3","command","canvas2DMutation","warnCanvasMutationFailed","useVirtualParent","warnNodeNotFound","realTarget","DOMException","legacy_missingNodeMap","appendNode","parentInDocument","hasIframeChild","virtualParent","createDocumentFragment","storeState","previousId","nextNotInDOM","targetDoc","mutationInQueue_1","legacy_resolveMissingNode","resolveTrees","resolveTrees_1","debug","removeAttribute","styleValues","targetEl","svp","svs","targetMutation","previousInMap","nextInMap","base","_x","_y","drawMouseTail","hoverElements","draw","clearRect","beginPath","moveTo","lineTo","stroke","hoveredEl","currentEl","SkipEnd","restoreState","storeCSSRules","storedState","nodeName","idRemoved","log","u8","u16","u32","fleb","fdeb","clim","freb","eb","fl","revfl","fd","revfd","rev","hMap","cd","mb","co","le","rvb","sv","r_1","flt","fdt","flm","flrm","fdm","fdrm","bits","bits16","shft","slc","subarray","wbits","wbits16","hTree","t2","i0","i1","i2","maxSym","tr","mbt","ln","dt","lft","cst","i2_1","i2_2","i2_3","lc","cl","cli","cln","cls","clen","cf","wfblk","out","dat","wblk","final","syms","lf","df","li","bs","bl","dlt","mlb","ddt","mdb","lclt","nlc","lcdt","ndc","lcfreq","lct","mlcb","nlcc","lm","ll","dm","dl","flen","ftlen","dtlen","llm","lcts","it","clct","dst","deo","et","dopt","opt","pre","post","st","lvl","plvl","lst","msk_1","prev","bs1_1","ceil","bs2_1","hsh","lc_1","wi","hv","imod","pimod","rem","ch_1","dif","maxn","maxd","ml","nl","mmd","md","ti","lin","din","dflt","level","mem","zlibSync","opts","adler","lv","zlh","wbytes","unzlibSync","sl","noBuf","noSt","cbuf","nbuf","bt","lbt","dbt","tbts","hLit","hcLen","tl","ldt","clt","clb","clbmsk","clm","lt","lms","dms","mxa","sym","dsym","inflt","zlv","strToU8","latin1","TextEncoder","ai","strFromU8","TextDecoder","fromCharCode","MARK","fileName","functionName","lineNumber","columnNumber","StackFrame","FIREFOX_SAFARI_STACK_REGEXP","CHROME_IE_STACK_REGEXP","SAFARI_NATIVE_CODE_REGEXP","ErrorStackParser","stacktrace","parseOpera","parseV8OrIE","parseFFOrSafari","extractLocation","urlLike","sanitizedLine","tokens","locationParts","functionNameRegex","parseOpera9","parseOpera11","parseOpera10","lineRE","pathToSelector","outerHTML","localName","domSiblings","sibling","isObject","toString","isObjTooDeep","limit","keys_1","stringifyOptions","numOfKeysLimit","depthOfLimit","thisPos","Infinity","_obj","shouldIgnore","stringLengthLimit","eventResult","eventValue","defaultLogOptions","lengthThreshold","logger","initLogObserver","logOptions","loggerType","logCount","cancelHandlers","errorHandler_1","trace","stackFrame","levelType","_logger","PLUGIN_NAME","defaultLogConfig","replayLogger","LogReplayPlugin","formatMessage","stackPrefix","getConsoleLogger","_isSync","logData","Log","raw"],"mappings":";;;;;;;;;;;;;;oFA+BO,IC/BHA,ED+BOC,EAAW,WAQlB,OAPAA,EAAWC,OAAOC,QAAU,SAAkBC,GAC1C,IAAK,IAAIC,EAAGC,EAAI,EAAGC,EAAIC,UAAUC,OAAQH,EAAIC,EAAGD,IAE5C,IAAK,IAAII,KADTL,EAAIG,UAAUF,GACOJ,OAAOS,UAAUC,eAAeC,KAAKR,EAAGK,KAAIN,EAAEM,GAAKL,EAAEK,IAE9E,OAAON,IAEKU,MAAMC,KAAMP,YAgFzB,SAASQ,EAASC,GACrB,IAAIZ,EAAsB,mBAAXa,QAAyBA,OAAOC,SAAUC,EAAIf,GAAKY,EAAEZ,GAAIC,EAAI,EAC5E,GAAIc,EAAG,OAAOA,EAAEP,KAAKI,GACrB,GAAIA,GAAyB,iBAAbA,EAAER,OAAqB,MAAO,CAC1CY,KAAM,WAEF,OADIJ,GAAKX,GAAKW,EAAER,SAAQQ,OAAI,GACrB,CAAEK,MAAOL,GAAKA,EAAEX,KAAMiB,MAAON,KAG5C,MAAM,IAAIO,UAAUnB,EAAI,0BAA4B,mCAGjD,SAASoB,EAAOR,EAAGV,GACtB,IAAIa,EAAsB,mBAAXF,QAAyBD,EAAEC,OAAOC,UACjD,IAAKC,EAAG,OAAOH,EACf,IAAmBS,EAAYC,EAA3BrB,EAAIc,EAAEP,KAAKI,GAAOW,EAAK,GAC3B,IACI,WAAc,IAANrB,GAAgBA,KAAM,MAAQmB,EAAIpB,EAAEe,QAAQE,MAAMK,EAAGC,KAAKH,EAAEJ,OAExE,MAAOQ,GAASH,EAAI,CAAEG,MAAOA,WAEzB,IACQJ,IAAMA,EAAEH,OAASH,EAAId,EAAU,SAAIc,EAAEP,KAAKP,WAExC,GAAIqB,EAAG,MAAMA,EAAEG,OAE7B,OAAOF,EAmBJ,SAASG,EAAcC,EAAIC,EAAMC,GACpC,GAAIA,GAA6B,IAArB1B,UAAUC,OAAc,IAAK,IAA4BmB,EAAxBtB,EAAI,EAAG6B,EAAIF,EAAKxB,OAAYH,EAAI6B,EAAG7B,KACxEsB,GAAQtB,KAAK2B,IACRL,IAAIA,EAAKQ,MAAMzB,UAAU0B,MAAMxB,KAAKoB,EAAM,EAAG3B,IAClDsB,EAAGtB,GAAK2B,EAAK3B,IAGrB,OAAO0B,EAAGM,OAAOV,GAAMQ,MAAMzB,UAAU0B,MAAMxB,KAAKoB,ICjKtD,SAASM,EAAUhC,GACf,OAAOA,EAAEiC,WAAajC,EAAEkC,aAE5B,SAASC,EAAanC,GAClB,IAAIoC,EACAC,EAAoB,QAAZD,EAAKpC,SAAsB,IAAPoC,OAAgB,EAASA,EAAGC,KAC5D,OAAOC,QAAQD,GAAQA,EAAKE,YAAcF,EAAKE,aAAevC,GAElE,SAASwC,EAAeJ,GACpB,IAAIK,EAAmBL,EAAGK,iBAAkBC,EAAUN,EAAGM,QAASC,EAAOP,EAAGO,KAAM5B,EAAQqB,EAAGrB,MAAO6B,EAAcR,EAAGQ,YACjHC,EAAO9B,GAAS,GAUpB,OATI0B,EAAiBC,EAAQI,gBACzBL,EAAiBE,MAEbE,EADAD,EACOA,EAAYC,GAGZ,IAAIE,OAAOF,EAAK3C,SAGxB2C,GA7BX,SAAWpD,GACPA,EAASA,EAAmB,SAAI,GAAK,WACrCA,EAASA,EAAuB,aAAI,GAAK,eACzCA,EAASA,EAAkB,QAAI,GAAK,UACpCA,EAASA,EAAe,KAAI,GAAK,OACjCA,EAASA,EAAgB,MAAI,GAAK,QAClCA,EAASA,EAAkB,QAAI,GAAK,UANxC,CAOGA,IAAaA,EAAW,KAwB3B,IAAIuD,EAA0B,qBAoB9B,IAyDIC,EACAC,EA1DAC,EAAM,EACNC,EAAe,IAAIC,OAAO,gBAe9B,SAASC,EAAkBxD,GACvB,IACI,IAAIyD,EAAQzD,EAAEyD,OAASzD,EAAE0D,SACzB,OAAOD,EAAQ1B,MAAMH,KAAK6B,GAAOE,IAAIC,GAAkBC,KAAK,IAAM,KAEtE,MAAOpC,GACH,OAAO,MAGf,SAASmC,EAAiBE,GACtB,IAAIC,EAAiBD,EAAKE,QAC1B,GASJ,SAAyBF,GACrB,MAAO,eAAgBA,EAVnBG,CAAgBH,GAChB,IACIC,EAAiBP,EAAkBM,EAAKI,aAAeH,EAE3D,MAAOzB,IAGX,OAAOyB,EAyBX,IAAII,EAAiB,6CACjBC,EAAgB,sDAChBC,EAAW,wBACf,SAASC,EAAqBN,EAASO,GACnC,OAAQP,GAAW,IAAIQ,QAAQL,GAAgB,SAAUM,EAAQC,EAAQC,EAAOC,EAAQC,EAAOC,GAC3F,IAlBeC,EAkBXC,EAAWL,GAASE,GAASC,EAC7BG,EAAaP,GAAUE,GAAU,GACrC,IAAKI,EACD,OAAOP,EAEX,IAAKL,EAAcc,KAAKF,GACpB,MAAO,OAASC,EAAaD,EAAWC,EAAa,IAEzD,GAAIZ,EAASa,KAAKF,GACd,MAAO,OAASC,EAAaD,EAAWC,EAAa,IAEzD,GAAoB,MAAhBD,EAAS,GACT,MAAO,OAASC,KA9BLF,EA8BiCR,GA5B5CY,QAAQ,OAAS,EACZJ,EAAIK,MAAM,KAAKpD,MAAM,EAAG,GAAG6B,KAAK,KAGhCkB,EAAIK,MAAM,KAAK,IAEZA,MAAM,KAAK,GAsBiCJ,GAAYC,EAAa,IAEjF,IAAII,EAAQd,EAAKa,MAAM,KACnBE,EAAQN,EAASI,MAAM,KAC3BC,EAAME,MACN,IAAK,IAAIC,EAAK,EAAGC,EAAUH,EAAOE,EAAKC,EAAQrF,OAAQoF,IAAM,CACzD,IAAIE,EAAOD,EAAQD,GACN,MAATE,IAGc,OAATA,EACLL,EAAME,MAGNF,EAAM7D,KAAKkE,IAGnB,MAAO,OAAST,EAAaI,EAAMxB,KAAK,KAAOoB,EAAa,OAGpE,IAAIU,EAAoB,qBACpBC,EAA0B,qBA2D9B,SAASC,EAAcC,EAAKC,GACxB,IAAKA,GAA4C,KAA1BA,EAAeC,OAClC,OAAOD,EAEX,IAAIE,EAAIH,EAAII,cAAc,KAE1B,OADAD,EAAE1B,KAAOwB,EACFE,EAAE1B,KAKb,SAAS4B,IACL,IAAIF,EAAIG,SAASF,cAAc,KAE/B,OADAD,EAAE1B,KAAO,GACF0B,EAAE1B,KAEb,SAAS8B,EAAmBP,EAAKlD,EAAS0D,EAAMrF,GAC5C,MAAa,QAATqF,GAA4B,SAATA,GAAmBrF,GAGxB,eAATqF,GAAyBrF,GAAsB,MAAbA,EAAM,GAFtC4E,EAAcC,EAAK7E,GAKZ,eAATqF,IACLrF,GACa,UAAZ2B,GAAmC,OAAZA,GAAgC,OAAZA,EAG9B,WAAT0D,GAAqBrF,EAtFlC,SAAiC6E,EAAKC,GAClC,GAA8B,KAA1BA,EAAeC,OACf,OAAOD,EAEX,IAAIQ,EAAM,EACV,SAASC,EAAkBC,GACvB,IAAIC,EACAC,EAAQF,EAAMG,KAAKb,EAAec,UAAUN,IAChD,OAAII,GACAD,EAAQC,EAAM,GACdJ,GAAOG,EAAMtG,OACNsG,GAEJ,GAGX,IADA,IAAII,EAAS,GAETN,EAAkBZ,KACdW,GAAOR,EAAe3F,SAFjB,CAKT,IAAI2E,EAAMyB,EAAkBb,GAC5B,GAAsB,MAAlBZ,EAAI/C,OAAO,GACX+C,EAAMc,EAAcC,EAAKf,EAAI8B,UAAU,EAAG9B,EAAI3E,OAAS,IACvD0G,EAAOtF,KAAKuD,OAEX,CACD,IAAIgC,EAAiB,GACrBhC,EAAMc,EAAcC,EAAKf,GAEzB,IADA,IAAIiC,GAAW,IACF,CACT,IAAIC,EAAIlB,EAAemB,OAAOX,GAC9B,GAAU,KAANU,EAAU,CACVH,EAAOtF,MAAMuD,EAAMgC,GAAgBf,QACnC,MAEC,GAAKgB,EAWI,MAANC,IACAD,GAAW,OAZC,CAChB,GAAU,MAANC,EAAW,CACXV,GAAO,EACPO,EAAOtF,MAAMuD,EAAMgC,GAAgBf,QACnC,MAEW,MAANiB,IACLD,GAAW,GAQnBD,GAAkBE,EAClBV,GAAO,IAInB,OAAOO,EAAOjD,KAAK,MA+BRsD,CAAwBrB,EAAK7E,GAEtB,UAATqF,GAAoBrF,EAClBqD,EAAqBrD,EAAOkF,KAElB,WAAZvD,GAAiC,SAAT0D,GAAmBrF,EACzC4E,EAAcC,EAAK7E,GAGnBA,EAZA4E,EAAcC,EAAK7E,GAkClC,SAASmG,EAAgBC,EAAMC,EAAeC,GAC1C,IAAKF,EACD,OAAO,EAEX,GAAIA,EAAKlF,WAAakF,EAAKjF,aAAc,CACrC,GAA6B,iBAAlBkF,GACP,GAAID,EAAKG,UAAUC,SAASH,GACxB,OAAO,OAIX,IAAK,IAAII,EAAS,EAAGA,EAASL,EAAKG,UAAUpH,OAAQsH,IAAU,CAC3D,IAAIC,EAAYN,EAAKG,UAAUE,GAC/B,GAAIJ,EAAcpC,KAAKyC,GACnB,OAAO,EAInB,SAAIJ,IACIF,EAAKO,QAAQL,KAIdH,EAAgBC,EAAKQ,WAAYP,EAAeC,GAE3D,OAAIF,EAAKlF,SAAakF,EAAKS,UAChBV,EAAgBC,EAAKQ,WAAYP,EAAeC,GAwC/D,SAASQ,EAAc7H,EAAG8H,GACtB,IAAI1F,EAEA2F,EAtPqBC,EA6HPC,EAwHdrC,EAAMkC,EAAQlC,IAAKsC,EAAaJ,EAAQI,WAAYC,EAAgBL,EAAQK,cAAef,EAAgBU,EAAQV,cAAeC,EAAmBS,EAAQT,iBAAkBe,EAAmBN,EAAQM,iBAAkBC,EAAKP,EAAQrF,iBAAkBA,OAA0B,IAAP4F,EAAgB,GAAKA,EAAIC,EAAaR,EAAQQ,WAAY1F,EAAckF,EAAQlF,YAAa2F,EAAKT,EAAQU,eAAgBA,OAAwB,IAAPD,EAAgB,GAAKA,EAAIE,EAAeX,EAAQW,aAAcC,EAAeZ,EAAQY,aAAcC,EAAkBb,EAAQa,gBAE1hB,GAAI/C,EAAIgD,KAAM,CACV,IAAIC,EAAQjD,EAAIgD,KAAKE,GACrBf,EAAmB,IAAVc,OAAcE,EAAYF,EAEvC,OAAQ7I,EAAEiC,UACN,KAAKjC,EAAEgJ,cACH,MAAqB,eAAjBhJ,EAAEiJ,WACK,CACHtG,KAAMlD,EAASyJ,SACfC,WAAY,GACZF,WAAYjJ,EAAEiJ,WACdlB,OAAQA,GAIL,CACHpF,KAAMlD,EAASyJ,SACfC,WAAY,GACZpB,OAAQA,GAGpB,KAAK/H,EAAEoJ,mBACH,MAAO,CACHzG,KAAMlD,EAAS4J,aACfjD,KAAMpG,EAAEoG,KACRkD,SAAUtJ,EAAEsJ,SACZC,SAAUvJ,EAAEuJ,SACZxB,OAAQA,GAEhB,KAAK/H,EAAEkC,aAIH,IAHA,IAAIsH,EAvHhB,SAA2BC,EAASvB,EAAYC,GAC5C,GAA0B,iBAAfD,GACP,GAAIuB,EAAQnC,UAAUC,SAASW,GAC3B,OAAO,OAIX,IAAK,IAAIV,EAAS,EAAGA,EAASiC,EAAQnC,UAAUpH,OAAQsH,IAAU,CAC9D,IAAIC,EAAYgC,EAAQnC,UAAUE,GAClC,GAAIU,EAAWlD,KAAKyC,GAChB,OAAO,EAInB,QAAIU,GACOsB,EAAQ/B,QAAQS,GAwGHuB,CAAkB1J,EAAGkI,EAAYC,GAC7CzF,EAvThB,SAAyB+G,GACrB,GAAIA,aAAmBE,gBACnB,MAAO,OAEX,IAAIC,EAAmBH,EAAQ/G,QAAQI,cAAcgD,OACrD,OAAI1C,EAAa4B,KAAK4E,GACX,MAEJA,EA+SeC,CAAgB7J,GAC1B8J,EAAe,GACVxE,EAAK,EAAGyE,EAAKlI,MAAMH,KAAK1B,EAAEgK,YAAa1E,EAAKyE,EAAG7J,OAAQoF,IAAM,CAClE,IAAI2E,EAAKF,EAAGzE,GAAK4E,EAASD,EAAG7D,KAAMrF,EAAQkJ,EAAGlJ,MAC9C+I,EAAaI,GAAU/D,EAAmBP,EAAKlD,EAASwH,EAAQnJ,GAEpE,GAAgB,SAAZ2B,GAAsB0F,EAAkB,CACxC,IAAI+B,EAAatI,MAAMH,KAAKkE,EAAIwE,aAAaC,MAAK,SAAUvK,GACxD,OAAOA,EAAEuE,OAASrE,EAAEqE,QAEpBP,EAAU,KACVqG,IACArG,EAAUR,EAAkB6G,IAE5BrG,WACOgG,EAAaQ,WACbR,EAAazF,KACpByF,EAAaS,SAAWnG,EAAqBN,EAASqG,EAAW9F,OAGzE,GAAgB,UAAZ3B,GACA1C,EAAEgI,SACAhI,EAAEwK,WACAxK,EAAEyK,aACF,IAAI3E,OAAO5F,QACX4D,EAAUR,EAAkBtD,EAAEgI,UAE9B8B,EAAaS,SAAWnG,EAAqBN,EAASmC,MAG9D,GAAgB,UAAZvD,GACY,aAAZA,GACY,WAAZA,EAAsB,CAClB3B,EAAQf,EAAEe,MACY,UAAtB+I,EAAanH,MACS,aAAtBmH,EAAanH,MACS,WAAtBmH,EAAanH,MACS,WAAtBmH,EAAanH,MACb5B,EACA+I,EAAa/I,MAAQyB,EAAe,CAChCG,KAAMmH,EAAanH,KACnBD,QAASA,EACT3B,MAAOA,EACP0B,iBAAkBA,EAClBG,YAAaA,IAGZ5C,EAAE0K,UACPZ,EAAaY,QAAU1K,EAAE0K,SAWjC,GARgB,WAAZhI,IACI1C,EAAE2K,WAAalI,EAAyB,OACxCqH,EAAaa,UAAW,SAGjBb,EAAaa,UAGZ,WAAZjI,GAAwBgG,EACxB,GAAoB,OAAhB1I,EAAE4K,WA5YtB,SAAyBC,GACrB,IAAIC,EAAMD,EAAOE,WAAW,MAC5B,IAAKD,EACD,OAAO,EAEX,IADA,IACSE,EAAI,EAAGA,EAAIH,EAAOI,MAAOD,GADlB,GAEZ,IAAK,IAAIE,EAAI,EAAGA,EAAIL,EAAOM,OAAQD,GAFvB,GAEuC,CAC/C,IAAIE,EAAeN,EAAIM,aACnBC,EAAuBrI,KAA2BoI,EAChDA,EAAoC,mBACpCA,EAEN,GADkB,IAAIE,YAAYD,EAAqB/K,KAAKwK,EAAKE,EAAGE,EAAGK,KAAKC,IAPpE,GAOmFX,EAAOI,MAAQD,GAAIO,KAAKC,IAP3G,GAO0HX,EAAOM,OAASD,IAAIO,KAAKC,QAC3IC,MAAK,SAAUC,GAAS,OAAiB,IAAVA,KAC3C,OAAO,EAGnB,OAAO,GA6XcC,CAAgB7L,KACjB8J,EAAagC,WAAa9L,EAAE+L,UAAUvD,EAAe7F,KAAM6F,EAAewD,eAG7E,KAAM,cAAehM,GAAI,CAC1B,IAAIiM,EAAgBjM,EAAE+L,UAAUvD,EAAe7F,KAAM6F,EAAewD,SAChEE,EAAchG,SAASF,cAAc,UACzCkG,EAAYjB,MAAQjL,EAAEiL,MACtBiB,EAAYf,OAASnL,EAAEmL,OAEnBc,IADqBC,EAAYH,UAAUvD,EAAe7F,KAAM6F,EAAewD,WAE/ElC,EAAagC,WAAaG,GAItC,GAAgB,QAAZvJ,GAAqB+F,EAAc,CAC9BxF,IACDA,EAAgB2C,EAAII,cAAc,UAClC9C,EAAYD,EAAc8H,WAAW,OAEzC,IAAIoB,EAAUnM,EACVoM,EAAaD,EAAQE,YACzBF,EAAQE,YAAc,YACtB,IAAIC,EAAoB,WACpB,IACIrJ,EAAcgI,MAAQkB,EAAQI,aAC9BtJ,EAAckI,OAASgB,EAAQK,cAC/BtJ,EAAUuJ,UAAUN,EAAS,EAAG,GAChCrC,EAAagC,WAAa7I,EAAc8I,UAAUvD,EAAe7F,KAAM6F,EAAewD,SAE1F,MAAOU,GACHC,QAAQC,KAAK,yBAA2BT,EAAQU,WAAa,YAAcH,GAE/EN,EACOtC,EAAauC,YAAcD,SACrBtC,EAAauC,aAE1BF,EAAQW,UAAqC,IAAzBX,EAAQI,aAC5BD,IAEAH,EAAQY,OAAST,EAczB,GAZgB,UAAZ5J,GAAmC,UAAZA,IACvBoH,EAAakD,cAAgBhN,EAAEiN,OACzB,SACA,SACNnD,EAAaoD,oBAAsBlN,EAAEmN,aAErCnN,EAAEoN,aACFtD,EAAauD,cAAgBrN,EAAEoN,YAE/BpN,EAAEsN,YACFxD,EAAayD,aAAevN,EAAEsN,WAE9B9D,EAAW,CACX,IAAIgE,EAAKxN,EAAEyN,wBAAyBxC,EAAQuC,EAAGvC,MAAOE,EAASqC,EAAGrC,OAClErB,EAAe,CACX4D,MAAS5D,EAAoB,MAC7B6D,SAAU1C,EAAQ,KAClB2C,UAAWzC,EAAS,MAS5B,MANgB,WAAZzI,GAAyBiG,EAAgBmB,EAAa+D,OACjD7N,EAAE8N,kBACHhE,EAAaiE,OAASjE,EAAa+D,YAEhC/D,EAAa+D,KAEjB,CACHlL,KAAMlD,EAASuO,QACftL,QAASA,EACTsH,WAAYF,EACZX,WAAY,GACZ8E,OA/RMhG,EA+RcjI,EA9RzBsC,QAAuB,QAAf2F,EAAGvF,SAAqBuF,EAAGiG,uBA8RJnF,GAC1BS,UAAWA,EACXzB,OAAQA,GAEhB,KAAK/H,EAAE4H,UACH,IAAIuG,EAAgBnO,EAAE2H,YAAc3H,EAAE2H,WAAWjF,QAC7C+H,EAAczK,EAAEyK,YAChB2D,EAA4B,UAAlBD,QAAmCpF,EAC7CsF,GAA6B,WAAlBF,QAAoCpF,EACnD,GAAIqF,GAAW3D,EAAa,CACxB,IACQzK,EAAEsO,aAAetO,EAAEuO,kBAEgB,QAA7BnM,EAAKpC,EAAE2H,WAAWK,aAA0B,IAAP5F,OAAgB,EAASA,EAAGoB,YACvEiH,GA1aKzC,EA0a6BhI,EAAE2H,WAAWK,OAzatDxE,SACP3B,MAAMH,KAAKsG,EAAMxE,UACdC,KAAI,SAAUG,GAAQ,OAAOA,EAAKE,SAAW,MAC7CH,KAAK,IACR,IAwaM,MAAO+I,GACHC,QAAQC,KAAK,wDAA0DF,EAAK1M,GAEhFyK,EAAcrG,EAAqBqG,EAAaxE,KAapD,OAXIoI,KACA5D,EAAc,uBAEb2D,IACAC,IACDnH,EAAgBlH,EAAGoH,EAAeC,IAClCoD,IACAA,EAAcnC,EACRA,EAAWmC,GACXA,EAAYnG,QAAQ,QAAS,MAEhC,CACH3B,KAAMlD,EAAS+O,KACf/D,YAAaA,GAAe,GAC5B2D,QAASA,EACTrG,OAAQA,GAEhB,KAAK/H,EAAEyO,mBACH,MAAO,CACH9L,KAAMlD,EAASiP,MACfjE,YAAa,GACb1C,OAAQA,GAEhB,KAAK/H,EAAE2O,aACH,MAAO,CACHhM,KAAMlD,EAASmP,QACfnE,YAAazK,EAAEyK,aAAe,GAC9B1C,OAAQA,GAEhB,QACI,OAAO,GAGnB,SAAS8G,EAAcC,GACnB,YAAkB/F,IAAd+F,EACO,GAGAA,EAAUhM,cA0EzB,SAASiM,EAAoB/O,EAAG8H,GAC5B,IAqBIgB,EArBAlD,EAAMkC,EAAQlC,IAAKnC,EAAMqE,EAAQrE,IAAKyE,EAAaJ,EAAQI,WAAYC,EAAgBL,EAAQK,cAAef,EAAgBU,EAAQV,cAAeC,EAAmBS,EAAQT,iBAAkBjF,EAAK0F,EAAQkH,UAAWA,OAAmB,IAAP5M,GAAwBA,EAAIiG,EAAKP,EAAQM,iBAAkBA,OAA0B,IAAPC,GAAuBA,EAAIE,EAAKT,EAAQrF,iBAAkBA,OAA0B,IAAP8F,EAAgB,GAAKA,EAAID,EAAaR,EAAQQ,WAAY1F,EAAckF,EAAQlF,YAAaqM,EAAiBnH,EAAQmH,eAAgBlF,EAAKjC,EAAQU,eAAgBA,OAAwB,IAAPuB,EAAgB,GAAKA,EAAIE,EAAKnC,EAAQW,aAAcA,OAAsB,IAAPwB,GAAwBA,EAAIuD,EAAK1F,EAAQY,aAAcA,OAAsB,IAAP8E,GAAwBA,EAAI0B,EAAcpH,EAAQoH,YAAaC,EAAerH,EAAQqH,aAAcC,EAAKtH,EAAQuH,kBAAmBA,OAA2B,IAAPD,EAAgB,IAAOA,EAAIE,EAAKxH,EAAQa,gBAAiBA,OAAyB,IAAP2G,EAAgB,WAAc,OAAO,GAAWA,EACj9BC,EAAKzH,EAAQ0H,mBAAoBA,OAA4B,IAAPD,GAAuBA,EAC7EE,EAAkB5H,EAAc7H,EAAG,CACnC4F,IAAKA,EACLsC,WAAYA,EACZC,cAAeA,EACff,cAAeA,EACfC,iBAAkBA,EAClBe,iBAAkBA,EAClB3F,iBAAkBA,EAClB6F,WAAYA,EACZ1F,YAAaA,EACb4F,eAAgBA,EAChBC,aAAcA,EACdC,aAAcA,EACdC,gBAAiBA,IAErB,IAAK8G,EAED,OADA9C,QAAQC,KAAK5M,EAAG,kBACT,KAIP8I,EADA,SAAU9I,EACLA,EAAE4I,KAAKE,IA/FpB,SAAyB4G,EAAIT,GACzB,GAAIA,EAAeU,SAAWD,EAAG/M,OAASlD,EAASmP,QAC/C,OAAO,EAEN,GAAIc,EAAG/M,OAASlD,EAASuO,QAAS,CACnC,GAAIiB,EAAeW,SACC,WAAfF,EAAGhN,SACgB,SAAfgN,EAAGhN,SACsB,YAAtBgN,EAAG1F,WAAWM,KACO,WAArBoF,EAAG1F,WAAW6F,IACF,SAAfH,EAAGhN,SACsB,aAAtBgN,EAAG1F,WAAWM,KACgB,iBAAvBoF,EAAG1F,WAAW3F,MACrBqL,EAAG1F,WAAW3F,KAAKyL,SAAS,QACpC,OAAO,EAEN,GAAIb,EAAec,cACH,SAAfL,EAAGhN,SAA4C,kBAAtBgN,EAAG1F,WAAWM,KACrB,SAAfoF,EAAGhN,UACCmM,EAAca,EAAG1F,WAAW5D,MAAMK,MAAM,sCACC,qBAAtCoI,EAAca,EAAG1F,WAAW5D,OACS,SAArCyI,EAAca,EAAG1F,WAAWM,MACS,qBAArCuE,EAAca,EAAG1F,WAAWM,MACS,kBAArCuE,EAAca,EAAG1F,WAAWM,OACxC,OAAO,EAEN,GAAmB,SAAfoF,EAAGhN,QAAoB,CAC5B,GAAIuM,EAAee,sBACfnB,EAAca,EAAG1F,WAAW5D,MAAMK,MAAM,0BACxC,OAAO,EAEN,GAAIwI,EAAegB,iBACnBpB,EAAca,EAAG1F,WAAWkG,UAAUzJ,MAAM,sBACzCoI,EAAca,EAAG1F,WAAW5D,MAAMK,MAAM,mBACF,cAAtCoI,EAAca,EAAG1F,WAAW5D,OAChC,OAAO,EAEN,GAAI6I,EAAekB,iBACmB,WAAtCtB,EAAca,EAAG1F,WAAW5D,OACa,cAAtCyI,EAAca,EAAG1F,WAAW5D,OACU,YAAtCyI,EAAca,EAAG1F,WAAW5D,OAChC,OAAO,EAEN,GAAI6I,EAAemB,wBACYrH,IAAhC2G,EAAG1F,WAAW,cACd,OAAO,EAEN,GAAIiF,EAAeoB,qBACmB,WAAtCxB,EAAca,EAAG1F,WAAW5D,OACa,cAAtCyI,EAAca,EAAG1F,WAAW5D,OACU,cAAtCyI,EAAca,EAAG1F,WAAW5D,OACU,cAAtCyI,EAAca,EAAG1F,WAAW5D,OACU,WAAtCyI,EAAca,EAAG1F,WAAW5D,OAC5ByI,EAAca,EAAG1F,WAAWkG,UAAUzJ,MAAM,cAC5CoI,EAAca,EAAG1F,WAAWkG,UAAUzJ,MAAM,cAChD,OAAO,EAEN,GAAIwI,EAAeqB,uBACmB,6BAAtCzB,EAAca,EAAG1F,WAAW5D,OACa,wBAAtCyI,EAAca,EAAG1F,WAAW5D,OACU,eAAtCyI,EAAca,EAAG1F,WAAW5D,OACU,oBAAtCyI,EAAca,EAAG1F,WAAW5D,OACU,cAAtCyI,EAAca,EAAG1F,WAAW5D,OACU,iBAAtCyI,EAAca,EAAG1F,WAAW5D,OACU,+BAAtCyI,EAAca,EAAG1F,WAAW5D,OAChC,OAAO,GAInB,OAAO,EA4BEmK,CAAgBd,EAAiBR,KACpCO,GACEC,EAAgB9M,OAASlD,EAAS+O,MACjCiB,EAAgBrB,SAChBqB,EAAgBhF,YAAYnG,QAAQ,cAAe,IAAIpE,QAnmBzDiD,KAFQ,EA2mBf,IAAIqN,EAAiB7Q,OAAOC,OAAO6P,EAAiB,CAAE3G,GAAIA,IAE1D,GADA9I,EAAE4I,KAAO4H,GA5mBM,IA6mBX1H,EACA,OAAO,KAEXrF,EAAIqF,GAAM9I,EACNkP,GACAA,EAAYlP,GAEhB,IAAIyQ,GAAezB,EAOnB,GANIwB,EAAe7N,OAASlD,EAASuO,UACjCyC,EAAcA,IAAgBD,EAAehH,iBACtCgH,EAAehH,UAClBxJ,EAAEuC,aACFiO,EAAeE,cAAe,KAEjCF,EAAe7N,OAASlD,EAASyJ,UAClCsH,EAAe7N,OAASlD,EAASuO,UACjCyC,EAAa,CACTxB,EAAe0B,gBACflB,EAAgB9M,OAASlD,EAASuO,SACN,SAA5ByB,EAAgB/M,UAChB8M,GAAqB,GAwBzB,IAtBA,IAAIoB,EAAgB,CAChBhL,IAAKA,EACLnC,IAAKA,EACLyE,WAAYA,EACZC,cAAeA,EACff,cAAeA,EACfC,iBAAkBA,EAClB2H,UAAWA,EACX5G,iBAAkBA,EAClB3F,iBAAkBA,EAClB6F,WAAYA,EACZ1F,YAAaA,EACbqM,eAAgBA,EAChBzG,eAAgBA,EAChBC,aAAcA,EACdC,aAAcA,EACd8G,mBAAoBA,EACpBN,YAAaA,EACbC,aAAcA,EACdE,kBAAmBA,EACnB1G,gBAAiBA,GAEZrD,EAAK,EAAGuL,EAAKhP,MAAMH,KAAK1B,EAAEmJ,YAAa7D,EAAKuL,EAAG3Q,OAAQoF,IAAM,EAE9DwL,EAAsB/B,EADb8B,EAAGvL,GACsCsL,KAElDJ,EAAerH,WAAW7H,KAAKwP,GAGvC,GAAI9O,EAAUhC,IAAMA,EAAEuC,WAClB,IAAK,IAAIwO,EAAK,EAAGC,EAAKnP,MAAMH,KAAK1B,EAAEuC,WAAW4G,YAAa4H,EAAKC,EAAG9Q,OAAQ6Q,IAAM,CAC7E,IACID,GAAAA,EAAsB/B,EADbiC,EAAGD,GACsCH,MAElDE,EAAoBG,UAAW,EAC/BT,EAAerH,WAAW7H,KAAKwP,KAyC/C,OApCI9Q,EAAE2H,YAAcxF,EAAanC,EAAE2H,cAC/B6I,EAAeS,UAAW,GAE1BT,EAAe7N,OAASlD,EAASuO,SACN,WAA3BwC,EAAe9N,SA3bvB,SAA0BwO,EAAUC,EAAU9B,GAC1C,IAAI+B,EAAMF,EAASG,cACnB,GAAKD,EAAL,CAGA,IACIE,EADAC,GAAQ,EAEZ,IACID,EAAaF,EAAIlL,SAASoL,WAE9B,MAAO/P,GACH,OAEJ,GAAmB,aAAf+P,EAAJ,CAcA,IAAIE,EAAW,cACXJ,EAAIK,SAASpN,OAASmN,GACtBN,EAASrD,MAAQ2D,GACA,KAAjBN,EAASrD,IAIbqD,EAASQ,iBAAiB,OAAQP,GAH9BQ,WAAWR,EAAU,OAlBzB,CACI,IAAIS,EAAUD,YAAW,WAChBJ,IACDJ,IACAI,GAAQ,KAEblC,GACH6B,EAASQ,iBAAiB,QAAQ,WAC9BG,aAAaD,GACbL,GAAQ,EACRJ,SAqaJW,CAAiB9R,GAAG,WAChB,IAAI+R,EAAY/R,EAAE8N,gBAClB,GAAIiE,GAAa5C,EAAc,CAC3B,IAAI6C,EAAuBjD,EAAoBgD,EAAW,CACtDnM,IAAKmM,EACLtO,IAAKA,EACLyE,WAAYA,EACZC,cAAeA,EACff,cAAeA,EACfC,iBAAkBA,EAClB2H,WAAW,EACX5G,iBAAkBA,EAClB3F,iBAAkBA,EAClB6F,WAAYA,EACZ1F,YAAaA,EACbqM,eAAgBA,EAChBzG,eAAgBA,EAChBC,aAAcA,EACdC,aAAcA,EACd8G,mBAAoBA,EACpBN,YAAaA,EACbC,aAAcA,EACdE,kBAAmBA,EACnB1G,gBAAiBA,IAEjBqJ,GACA7C,EAAanP,EAAGgS,MAGzB3C,GAEAmB,EAsFX,IAAIyB,EAAY,kCAChB,SAASC,EAAMC,EAAKrK,QACA,IAAZA,IAAsBA,EAAU,IACpC,IAAIsK,EAAS,EACTC,EAAS,EACb,SAASC,EAAeC,GACpB,IAAIC,EAAQD,EAAI9L,MAAM,OAClB+L,IACAJ,GAAUI,EAAMtS,QAEpB,IAAIH,EAAIwS,EAAIE,YAAY,MACxBJ,GAAgB,IAAPtS,EAAWsS,EAASE,EAAIrS,OAASqS,EAAIrS,OAASH,EAE3D,SAAS2S,IACL,IAAIC,EAAQ,CAAEC,KAAMR,EAAQC,OAAQA,GACpC,OAAO,SAAUlL,GAGb,OAFAA,EAAKuL,SAAW,IAAIG,EAASF,GAC7BG,IACO3L,GAGf,IAAI0L,EACA,SAAkBF,GACdnS,KAAKmS,MAAQA,EACbnS,KAAKuS,IAAM,CAAEH,KAAMR,EAAQC,OAAQA,GACnC7R,KAAKwS,OAASlL,EAAQkL,QAI9BH,EAASzS,UAAU6S,QAAUd,EAC7B,IAAIe,EAAa,GACjB,SAAS3R,EAAM4R,GACX,IAAIzG,EAAM,IAAI0G,MAAMtL,EAAQkL,OAAS,IAAMZ,EAAS,IAAMC,EAAS,KAAOc,GAM1E,GALAzG,EAAI2G,OAASF,EACbzG,EAAI4G,SAAWxL,EAAQkL,OACvBtG,EAAIkG,KAAOR,EACX1F,EAAI2F,OAASA,EACb3F,EAAIsG,OAASb,GACTrK,EAAQyL,OAIR,MAAM7G,EAHNwG,EAAW5R,KAAKoL,GAiBxB,SAAS8G,IACL,OAAO/M,EAAM,SAEjB,SAASgN,IACL,OAAOhN,EAAM,MAEjB,SAASlD,IACL,IAAI4D,EACA5D,EAAQ,GAGZ,IAFAuP,IACAY,EAASnQ,GACF4O,EAAIjS,QAA4B,MAAlBiS,EAAInL,OAAO,KAAeG,EAAOwM,KAAY/P,OACjD,IAATuD,IACA5D,EAAMjC,KAAK6F,GACXuM,EAASnQ,IAGjB,OAAOA,EAEX,SAASkD,EAAMmN,GACX,IAAI/S,EAAI+S,EAAGlN,KAAKyL,GAChB,GAAKtR,EAAL,CAGA,IAAI0R,EAAM1R,EAAE,GAGZ,OAFAyR,EAAeC,GACfJ,EAAMA,EAAIrQ,MAAMyQ,EAAIrS,QACbW,GAEX,SAASiS,IACLrM,EAAM,QAEV,SAASiN,EAASnQ,GAEd,IAAIwD,EACJ,SAFc,IAAVxD,IAAoBA,EAAQ,IAExBwD,EAAI4I,MACE,IAAN5I,GACAxD,EAAMjC,KAAKyF,GAEfA,EAAI4I,IAER,OAAOpM,EAEX,SAASoM,IACL,IAAItJ,EAAMqM,IACV,GAAI,MAAQP,EAAInL,OAAO,IAAM,MAAQmL,EAAInL,OAAO,GAAhD,CAIA,IADA,IAAIjH,EAAI,EACD,KAAOoS,EAAInL,OAAOjH,KACpB,MAAQoS,EAAInL,OAAOjH,IAAM,MAAQoS,EAAInL,OAAOjH,EAAI,OAC/CA,EAGN,GADAA,GAAK,EACD,KAAOoS,EAAInL,OAAOjH,EAAI,GACtB,OAAOwB,EAAM,0BAEjB,IAAIgR,EAAMJ,EAAIrQ,MAAM,EAAG/B,EAAI,GAK3B,OAJAsS,GAAU,EACVC,EAAeC,GACfJ,EAAMA,EAAIrQ,MAAM/B,GAChBsS,GAAU,EACHhM,EAAI,CACP1D,KAAM,UACNgN,QAAS4C,KAGjB,SAASsB,IACL,IAAIhT,EAAI4F,EAAM,YACd,GAAK5F,EAGL,OAAOiF,EAAKjF,EAAE,IACTyD,QAAQ,+CAAgD,IACxDA,QAAQ,oCAAoC,SAAUzD,GACvD,OAAOA,EAAEyD,QAAQ,KAAM,QAEtBY,MAAM,sBACNzB,KAAI,SAAU3D,GACf,OAAOA,EAAEwE,QAAQ,UAAW,QAGpC,SAASwP,IACL,IAAIzN,EAAMqM,IACNqB,EAAYtN,EAAM,4CACtB,GAAKsN,EAAL,CAGA,IAAIC,EAAOlO,EAAKiO,EAAU,IAC1B,IAAKtN,EAAM,SACP,OAAOlF,EAAM,wBAEjB,IAAI0S,EAAMxN,EAAM,yDACZyN,EAAM7N,EAAI,CACV1D,KAAM,cACNuN,SAAU8D,EAAK1P,QAAQ2N,EAAW,IAClClR,MAAOkT,EAAMnO,EAAKmO,EAAI,IAAI3P,QAAQ2N,EAAW,IAAM,KAGvD,OADAxL,EAAM,WACCyN,GAEX,SAASC,IACL,IAKIC,EALAC,EAAQ,GACZ,IAAKb,IACD,OAAOjS,EAAM,eAIjB,IAFAmS,EAASW,GAEDD,EAAON,MACE,IAATM,IACAC,EAAM/S,KAAK8S,GACXV,EAASW,IAEbD,EAAON,IAEX,OAAKL,IAGEY,EAFI9S,EAAM,eAIrB,SAAS+S,IAIL,IAHA,IAAIzT,EACA0T,EAAO,GACPlO,EAAMqM,IACF7R,EAAI4F,EAAM,wCACd8N,EAAKjT,KAAKT,EAAE,IACZ4F,EAAM,SAEV,GAAK8N,EAAKrU,OAGV,OAAOmG,EAAI,CACP1D,KAAM,WACN6R,OAAQD,EACRJ,aAAcA,MA8KtB,IA9TQM,EA8TJC,EAAWC,EAAe,UAC1BC,EAAYD,EAAe,WAC3BE,EAAcF,EAAe,aACjC,SAASA,EAAevO,GACpB,IAAIwN,EAAK,IAAIvQ,OAAO,KAAO+C,EAAO,gBAClC,OAAO,WACH,IAAIC,EAAMqM,IACN7R,EAAI4F,EAAMmN,GACd,GAAK/S,EAAL,CAGA,IAAIqT,EAAM,CAAEvR,KAAMyD,GAElB,OADA8N,EAAI9N,GAAQvF,EAAE,GAAGiF,OACVO,EAAI6N,KAGnB,SAASP,IACL,GAAe,MAAXxB,EAAI,GAGR,OA/LJ,WACI,IAAI9L,EAAMqM,IACN7R,EAAI4F,EAAM,2BACd,GAAK5F,EAAL,CAGA,IAAIiU,EAASjU,EAAE,GAEf,KADAA,EAAI4F,EAAM,iBAEN,OAAOlF,EAAM,2BAEjB,IAIIwT,EAJA3O,EAAOvF,EAAE,GACb,IAAK2S,IACD,OAAOjS,EAAM,0BAIjB,IADA,IAAIyT,EAAStB,IACLqB,EAAQT,KACZU,EAAO1T,KAAKyT,GACZC,EAASA,EAAOjT,OAAO2R,KAE3B,OAAKD,IAGEpN,EAAI,CACP1D,KAAM,YACNyD,KAAMA,EACN0O,OAAQA,EACRG,UAAWD,IANJzT,EAAM,2BAyKT2T,IA1HZ,WACI,IAAI7O,EAAMqM,IACN7R,EAAI4F,EAAM,oBACd,GAAK5F,EAAL,CAGA,IAAIsU,EAAQrP,EAAKjF,EAAE,IACnB,IAAK2S,IACD,OAAOjS,EAAM,sBAEjB,IAAI6T,EAAQ1B,IAAW3R,OAAOwB,KAC9B,OAAKkQ,IAGEpN,EAAI,CACP1D,KAAM,QACNwS,MAAOA,EACP5R,MAAO6R,IALA7T,EAAM,uBA+Gb8T,IAvGR,WACI,IAAIhP,EAAMqM,IACN7R,EAAI4F,EAAM,2CACd,GAAK5F,EAGL,OAAOwF,EAAI,CACP1D,KAAM,eACNyD,KAAMN,EAAKjF,EAAE,IACbsU,MAAOrP,EAAKjF,EAAE,MA+FdyU,IAlKR,WACI,IAAIjP,EAAMqM,IACN7R,EAAI4F,EAAM,uBACd,GAAK5F,EAAL,CAGA,IAAI0U,EAAWzP,EAAKjF,EAAE,IACtB,IAAK2S,IACD,OAAOjS,EAAM,yBAEjB,IAAI6T,EAAQ1B,IAAW3R,OAAOwB,KAC9B,OAAKkQ,IAGEpN,EAAI,CACP1D,KAAM,WACN4S,SAAUA,EACVhS,MAAO6R,IALA7T,EAAM,0BAuJbiU,IACAd,KACAE,KACAC,KAvER,WACI,IAAIxO,EAAMqM,IACN7R,EAAI4F,EAAM,gCACd,GAAK5F,EAAL,CAGA,IAAIiU,EAAShP,EAAKjF,EAAE,IAChB+E,EAAME,EAAKjF,EAAE,IACjB,IAAK2S,IACD,OAAOjS,EAAM,yBAEjB,IAAI6T,EAAQ1B,IAAW3R,OAAOwB,KAC9B,OAAKkQ,IAGEpN,EAAI,CACP1D,KAAM,WACNuD,SAAUN,EACVkP,OAAQA,EACRvR,MAAO6R,IANA7T,EAAM,0BA2DbkU,IAjGR,WACI,IAAIpP,EAAMqM,IAEV,GADQjM,EAAM,YACd,CAGA,IAAIiP,EAAM7B,KAAc,GACxB,IAAKL,IACD,OAAOjS,EAAM,qBAIjB,IAFA,IACI6S,EADAC,EAAQX,IAEJU,EAAON,KACXO,EAAM/S,KAAK8S,GACXC,EAAQA,EAAMtS,OAAO2R,KAEzB,OAAKD,IAGEpN,EAAI,CACP1D,KAAM,OACNgT,UAAWD,EACXvB,aAAcE,IALP9S,EAAM,sBAiFbqU,IApJR,WACI,IAAIvP,EAAMqM,IAEV,GADQjM,EAAM,aACd,CAGA,IAAK+M,IACD,OAAOjS,EAAM,qBAEjB,IAAI6T,EAAQ1B,IAAW3R,OAAOwB,KAC9B,OAAKkQ,IAGEpN,EAAI,CACP1D,KAAM,OACNY,MAAO6R,IAJA7T,EAAM,sBA0IbsU,IApDR,WACI,IAAIxP,EAAMqM,IAEV,GADQjM,EAAM,kBACd,CAGA,IAAK+M,IACD,OAAOjS,EAAM,0BAIjB,IAFA,IACI6S,EADAC,EAAQX,IAEJU,EAAON,KACXO,EAAM/S,KAAK8S,GACXC,EAAQA,EAAMtS,OAAO2R,KAEzB,OAAKD,IAGEpN,EAAI,CACP1D,KAAM,YACNwR,aAAcE,IAJP9S,EAAM,2BAqCbuU,GAER,SAASlS,IACL,IAAIyC,EAAMqM,IACNgD,EAAM7B,IACV,OAAK6B,GAGLhC,IACOrN,EAAI,CACP1D,KAAM,OACNgT,UAAWD,EACXvB,aAAcA,OANP5S,EAAM,oBASrB,OAAOwU,GA3WCtB,EAAYlR,IACT,CACHZ,KAAM,aACNwH,WAAY,CACR6I,OAAQlL,EAAQkL,OAChBzP,MAAOkR,EACPuB,cAAe9C,MAuW/B,SAASpN,EAAKyM,GACV,OAAOA,EAAMA,EAAIjO,QAAQ,aAAc,IAAM,GAEjD,SAASyR,EAAUE,EAAKC,GAGpB,IAFA,IAAIC,EAASF,GAA2B,iBAAbA,EAAItT,KAC3ByT,EAAcD,EAASF,EAAMC,EACxB5Q,EAAK,EAAGlD,EAAKzC,OAAO0W,KAAKJ,GAAM3Q,EAAKlD,EAAGlC,OAAQoF,IAAM,CAC1D,IACIvE,EAAQkV,EADJ7T,EAAGkD,IAEPzD,MAAMyU,QAAQvV,GACdA,EAAMwV,SAAQ,SAAUC,GACpBT,EAAUS,EAAGJ,MAGZrV,GAA0B,iBAAVA,GACrBgV,EAAUhV,EAAOqV,GAWzB,OARID,GACAxW,OAAO8W,eAAeR,EAAK,SAAU,CACjCS,cAAc,EACdC,UAAU,EACVC,YAAY,EACZ7V,MAAOmV,GAAU,OAGlBD,EAGX,IAAIY,EAAS,CACTjH,OAAQ,WACRkH,SAAU,WACVC,YAAa,cACbC,aAAc,eACdC,aAAc,eACdC,cAAe,gBACfC,iBAAkB,mBAClBC,SAAU,WACVC,QAAS,UACTC,cAAe,gBACfC,oBAAqB,sBACrBC,YAAa,cACbC,iBAAkB,mBAClBC,kBAAmB,oBACnBC,kBAAmB,oBACnBC,eAAgB,iBAChBC,aAAc,eACdC,QAAS,UACTC,QAAS,UACTC,QAAS,UACTC,QAAS,UACTC,QAAS,UACTC,eAAgB,iBAChBC,QAAS,UACTC,QAAS,UACTC,YAAa,cACbC,aAAc,eACdC,SAAU,WACVC,aAAc,eACdC,mBAAoB,qBACpBC,YAAa,cACbC,OAAQ,SACRC,aAAc,eACdC,cAAe,gBACfC,SAAU,WACVC,eAAgB,iBAChBC,eAAgB,kBAYpB,ICrzCYC,EA+DAC,EAgUAC,EAcAC,EAuIMC,EA2GNC,EDsrBRC,EAAiB,gBACjBC,EAAwB,IAAIpW,OAAOmW,EAAexG,OAAQ,KAC9D,SAAS0G,EAAc5V,EAAS6V,GAC5B,IAAIC,EAAcD,MAAAA,OAAqC,EAASA,EAAME,qBAAqBC,IAAIhW,GAC/F,GAAI8V,EACA,OAAOA,EACX,IAAIG,EAAM7H,EAAMpO,EAAS,CACrByP,QAAQ,IAEZ,IAAKwG,EAAI5P,WACL,OAAOrG,EAEX,IAAI6R,EAAY,GAUhB,GATAoE,EAAI5P,WAAW5G,MAAMgT,SAAQ,SAAU3S,GAC/B,cAAeA,IACdA,EAAK+R,WAAa,IAAIY,SAAQ,SAAU1C,GACjC2F,EAAexU,KAAK6O,IACpB8B,EAAUrU,KAAKuS,SAKN,IAArB8B,EAAUzV,OACV,OAAO4D,EAEX,IAAIkW,EAAkB,IAAI3W,OAAOsS,EAC5BsE,QAAO,SAAUpG,EAAUqG,GAAS,OAAOvE,EAAU1Q,QAAQ4O,KAAcqG,KAC3EC,MAAK,SAAUpU,EAAGqU,GAAK,OAAOA,EAAEla,OAAS6F,EAAE7F,UAC3CuD,KAAI,SAAUoQ,GACf,OAAoBA,EA/BbvP,QAAQ,sBAAuB,WAiCrCX,KAAK,KAAM,KACZ0W,EAASvW,EAAQQ,QAAQ0V,GAAiB,SAAUnG,GACpD,IAAIyG,EAAczG,EAASvP,QAAQmV,EAAuB,eAC1D,OAAO5F,EAAW,KAAOyG,KAG7B,OADAX,MAAAA,GAA8CA,EAAME,qBAAqBU,IAAIzW,EAASuW,GAC/EA,EAEX,SAASG,IAEL,MAAO,CACHX,qBAFuB,IAAIY,KAKnC,SAASC,EAAU1a,EAAG8H,GAClB,IAAIlC,EAAMkC,EAAQlC,IAAK+U,EAAU7S,EAAQ6S,QAAShB,EAAQ7R,EAAQ6R,MAClE,OAAQ3Z,EAAE2C,MACN,KAAKlD,EAASyJ,SACV,OAAOtD,EAAIgV,eAAeC,eAAe,KAAM,GAAI,MACvD,KAAKpb,EAAS4J,aACV,OAAOzD,EAAIgV,eAAeE,mBAAmB9a,EAAEoG,MAAQ,OAAQpG,EAAEsJ,SAAUtJ,EAAEuJ,UACjF,KAAK9J,EAASuO,QACV,IACI+M,EADArY,EA/DhB,SAAoB1C,GAChB,IAAI0C,EAAUmU,EAAO7W,EAAE0C,SAAWmU,EAAO7W,EAAE0C,SAAW1C,EAAE0C,QAIxD,MAHgB,SAAZA,GAAsB1C,EAAEgK,WAAWO,WACnC7H,EAAU,SAEPA,EA0DesY,CAAWhb,GAGrB+a,EADA/a,EAAEiO,MACOrI,EAAIqV,gBAAgB,6BAA8BvY,GAGlDkD,EAAII,cAActD,GAE/B,IAAIwY,EAAU,SAAUhR,GACpB,IAAKlK,EAAEgK,WAAW3J,eAAe6J,GAC7B,MAAO,WAEX,IAAInJ,EAAQf,EAAEgK,WAAWE,GACzB,GAAgB,WAAZxH,GAAmC,aAAXwH,IAAmC,IAAVnJ,EACjD,MAAO,WAIX,GAFAA,EACqB,kBAAVA,GAAwC,iBAAVA,EAAqB,GAAKA,EAC9DmJ,EAAOiR,WAAW,OAqDlB,CACD,GAAgB,WAAZzY,GAAmC,eAAXwH,EAAyB,CACjD,IAAIiC,EAAUjG,SAASF,cAAc,OACrCmG,EAAQ0B,IAAM9M,EACdoL,EAAQY,OAAS,WACb,IAAIjC,EAAMiQ,EAAOhQ,WAAW,MACxBD,GACAA,EAAI2B,UAAUN,EAAS,EAAG,EAAGA,EAAQlB,MAAOkB,EAAQhB,cAI3D,GAAgB,QAAZzI,GAAgC,eAAXwH,EAAyB,CACnD,IAAIkR,EAAQL,EACPK,EAAMvO,WAAWsO,WAAW,WAC7BC,EAAMC,aAAa,qBAAsBrb,EAAEgK,WAAW6D,KACtDuN,EAAMvN,IAAM9M,GAGpB,GAAe,aAAXmJ,EACA6Q,EAAO3F,MAAMnK,MAAQlK,OAEpB,GAAe,cAAXmJ,EACL6Q,EAAO3F,MAAMjK,OAASpK,OAErB,GAAe,wBAAXmJ,EACL6Q,EAAO5N,YAAcnN,EAAEgK,WAClBkD,yBAEJ,GAAe,kBAAXhD,EACL,OAAQnJ,GACJ,IAAK,SACDga,EACKO,OAAc,OAAE,SAAUla,GAAK,OAAOuL,QAAQC,KAAK,uBAAwBxL,MAChF,MACJ,IAAK,SACD2Z,EAAOQ,aAxFQ,CAC3B,IAAIC,EAAyB,aAAZ9Y,GAAqC,UAAXwH,EACvCuR,EAAmC,UAAZ/Y,GAAkC,aAAXwH,EAIlD,GAHIuR,GAAwBd,IACxB5Z,EAAQ2Y,EAAc3Y,EAAO4Y,IAE7B6B,GAAcC,EAAsB,CAEpC,IADA,IAAIC,EAAQ9V,EAAI+V,eAAe5a,GACtBuE,EAAK,EAAGlD,EAAKP,MAAMH,KAAKqZ,EAAO5R,YAAa7D,EAAKlD,EAAGlC,OAAQoF,IAAM,CACvE,IAAIyB,EAAI3E,EAAGkD,GACPyB,EAAE9E,WAAa8Y,EAAOnT,WACtBmT,EAAOa,YAAY7U,GAI3B,OADAgU,EAAOc,YAAYH,GACZ,WAEX,IACI,GAAI1b,EAAEiO,OAAoB,eAAX/D,EACX6Q,EAAOe,eAAe,+BAAgC5R,EAAQnJ,QAE7D,GAAe,WAAXmJ,GACM,YAAXA,GAC2B,YAA3BA,EAAOvD,UAAU,EAAG,GACpBoU,EAAOM,aAAa,IAAMnR,EAAQnJ,OAEjC,CAAA,GAAgB,SAAZ2B,GAC0B,4BAA/B1C,EAAEgK,WAAW,eACF,YAAXE,EAEA,OADA6Q,EAAOM,aAAa,cAAeta,GAC5B,WAEU,SAAZ2B,GACgB,YAArB1C,EAAEgK,WAAWM,KACO,WAApBtK,EAAEgK,WAAW6F,IAEI,SAAZnN,GACgB,aAArB1C,EAAEgK,WAAWM,KACgB,iBAAtBtK,EAAEgK,WAAW3F,MACpBrE,EAAEgK,WAAW3F,KAAKyL,SAAS,SAEV,QAAZpN,GACL1C,EAAEgK,WAAW+R,QACb/b,EAAEgK,WAAW8B,WACbiP,EAAOM,aAAa,wBAAyBrb,EAAEgK,WAAW+R,QAG1DhB,EAAOM,aAAanR,EAAQnJ,KAGpC,MAAOQ,OA4Cf,IAAK,IAAI2I,KAAUlK,EAAEgK,WACjBkR,EAAQhR,GAEZ,GAAIlK,EAAE0Q,aACF,GAAKqK,EAAOxY,WAIR,KAAOwY,EAAOxY,WAAWyZ,YACrBjB,EAAOxY,WAAWqZ,YAAYb,EAAOxY,WAAWyZ,iBAJpDjB,EAAOkB,aAAa,CAAEC,KAAM,SAQpC,OAAOnB,EACX,KAAKtb,EAAS+O,KACV,OAAO5I,EAAI+V,eAAe3b,EAAEoO,SAAWuM,EACjCjB,EAAc1Z,EAAEyK,YAAakP,GAC7B3Z,EAAEyK,aACZ,KAAKhL,EAASiP,MACV,OAAO9I,EAAIuW,mBAAmBnc,EAAEyK,aACpC,KAAKhL,EAASmP,QACV,OAAOhJ,EAAIwW,cAAcpc,EAAEyK,aAC/B,QACI,OAAO,MAGnB,SAAS4R,EAAgBrc,EAAG8H,GACxB,IAAIlC,EAAMkC,EAAQlC,IAAKnC,EAAMqE,EAAQrE,IAAKrB,EAAK0F,EAAQkH,UAAWA,OAAmB,IAAP5M,GAAwBA,EAAIiG,EAAKP,EAAQ6S,QAASA,OAAiB,IAAPtS,GAAuBA,EAAIiU,EAAcxU,EAAQwU,YAAa3C,EAAQ7R,EAAQ6R,MACpNxS,EAAOuT,EAAU1a,EAAG,CAAE4F,IAAKA,EAAK+U,QAASA,EAAShB,MAAOA,IAC7D,IAAKxS,EACD,OAAO,KAwBX,GAtBInH,EAAE+H,QACF4E,QAAQ4P,OAAO9Y,EAAIzD,EAAE+H,UAAYnC,EAAK,gDAEtC5F,EAAE2C,OAASlD,EAASyJ,WACpBtD,EAAI6N,QACJ7N,EAAI4N,OACiB,eAAjBxT,EAAEiJ,YACFjJ,EAAEmJ,YACFnJ,EAAEmJ,WAAW,GAAGxG,OAASlD,EAAS4J,eAC9BrJ,EAAEmJ,WAAW,GAAGxG,OAASlD,EAASuO,SAClC,UAAWhO,EAAEmJ,WAAW,GAAGa,YACU,iCAArChK,EAAEmJ,WAAW,GAAGa,WAAWwS,MAC3B5W,EAAI6W,MAAM,sEAGV7W,EAAI6W,MAAM,sEAGlBtV,EAAOvB,GAEXuB,EAAKyB,KAAO5I,EACZyD,EAAIzD,EAAE8I,IAAM3B,GACPnH,EAAE2C,OAASlD,EAASyJ,UAAYlJ,EAAE2C,OAASlD,EAASuO,WACpDgB,EACD,IAAK,IAAI1J,EAAK,EAAGiD,EAAKvI,EAAEmJ,WAAY7D,EAAKiD,EAAGrI,OAAQoF,IAAM,CACtD,IAAIoX,EAASnU,EAAGjD,GACZqX,EAAYN,EAAgBK,EAAQ,CACpC9W,IAAKA,EACLnC,IAAKA,EACLuL,WAAW,EACX2L,QAASA,EACT2B,YAAaA,EACb3C,MAAOA,IAENgD,GAIDD,EAAOzL,UAAYjP,EAAUmF,IAASA,EAAK5E,WAC3C4E,EAAK5E,WAAWsZ,YAAYc,GAG5BxV,EAAK0U,YAAYc,GAEjBL,GACAA,EAAYK,IAVZhQ,QAAQC,KAAK,oBAAqB8P,GAc9C,OAAOvV,EA+BX,SAASyV,EAAQ5c,EAAG8H,GAChB,IAAIlC,EAAMkC,EAAQlC,IAAKiX,EAAU/U,EAAQ+U,QAASza,EAAK0F,EAAQ6S,QAC3DmC,EAAY,GACZ3V,EAAOkV,EAAgBrc,EAAG,CAC1B4F,IAAKA,EACLnC,IAAKqZ,EACL9N,WAAW,EACX2L,aANqF,IAAPvY,GAAuBA,EAOrGka,YAPuHxU,EAAQwU,YAQ/H3C,MARoJ7R,EAAQ6R,QAgBhK,OA9CJ,SAAemD,EAAWD,GAItB,IAAK,IAAIE,KAAOD,EACRA,EAAUC,KAJJ5V,EAKD2V,EAAUC,GAJnBF,EAAQ1V,IADZ,IAAcA,EAuCd6V,CAAMF,GAAW,SAAUG,GACnBJ,GACAA,EAAQI,GAhCpB,SAAsB9V,GAClB,IAAInH,EAAImH,EAAKyB,KACb,GAAI5I,EAAE2C,OAASlD,EAASuO,QAAxB,CAGA,IAAI/F,EAAKd,EACT,IAAK,IAAI+V,KAAUld,EAAEgK,WACjB,GAAMhK,EAAEgK,WAAW3J,eAAe6c,IAAWA,EAAO/B,WAAW,OAA/D,CAGA,IAAIpa,EAAQf,EAAEgK,WAAWkT,GACV,kBAAXA,IACAjV,EAAGmF,WAAarM,GAEL,iBAAXmc,IACAjV,EAAGqF,UAAYvM,KAmBnBoc,CAAaF,MAEV,CAAC9V,EAAM2V,YEjlDFM,EACdza,EACA0a,EACAC,gBAAAA,YAEA,IAAMxV,EAAU,CAAEyV,SAAS,EAAMC,SAAS,GAE1C,OADAF,EAAO5L,iBAAiB/O,EAAM0a,EAAIvV,GAC3B,WAAM,OAAAwV,EAAOG,oBAAoB9a,EAAM0a,EAAIvV,aAGpC4V,IACd,MAAO,CACLja,IAAK,GACLka,eAAM3d,GAEJ,OAAKA,GAAMA,EAAE4I,KAGN5I,EAAE4I,KAAKE,IAFJ,GAIZ8U,iBAAQ9U,GACN,OAAOtI,KAAKiD,IAAIqF,IAAO,MAGzB+U,kBAAA,SAAkB7d,GAAlB,WACQ8I,EAAK9I,EAAE4I,MAAQ5I,EAAE4I,KAAKE,UACrBtI,KAAKiD,IAAIqF,GACZ9I,EAAEmJ,YACJnJ,EAAEmJ,WAAWoN,SAAQ,SAACmF,GACpB,OAAAoC,EAAKD,kBAAmBnC,OAI9BqC,aAAIjV,GACF,OAAOtI,KAAKiD,IAAIpD,eAAeyI,IAEjCkV,iBACExd,KAAKiD,IAAM,yBD/CLyV,EAAAA,cAAAA,0DAEVA,mBACAA,mCACAA,iDACAA,mBACAA,uBACAA,mDAwDUC,EAAAA,sBAAAA,kDAEVA,6BACAA,2CACAA,uBACAA,uCACAA,qBACAA,6BACAA,2CACAA,uCACAA,uCACAA,oBACAA,kBACAA,oBACAA,wEAkTUC,EAAAA,sBAAAA,gDAEVA,6BACAA,qBACAA,iCACAA,2BACAA,qBACAA,mBACAA,+BACAA,+CACAA,2BACAA,kCAGF,SAAYC,GACVA,kBACAA,qBACAA,uBAHF,CAAYA,IAAAA,OAuIZ,SAAkBC,GAChBA,mBACAA,qBACAA,uBACAA,mCAJF,CAAkBA,IAAAA,gCA2GNC,EAAAA,mBAAAA,oCAEVA,gBACAA,kBACAA,kBACAA,kBACAA,iDACAA,8CACAA,0CACAA,yBACAA,qBACAA,uCACAA,yBACAA,6BACAA,gBACAA,6BACAA,uBC1lBF,IAAM0E,EACJ,qOAsCcC,EACdC,EACAC,EACAtW,gBAAAA,MAEA,IAAIuW,EAAgD,KAChDC,EAAW,EAEf,OAAO,SAAUC,GACf,IAAIC,EAAMC,KAAKD,MACVF,IAAgC,IAApBxW,EAAQ4W,UACvBJ,EAAWE,GAEb,IAAIG,EAAYP,GAAQI,EAAMF,GAC1BM,EAAUpe,KACVqe,EAAO5e,UACP0e,GAAa,GAAKA,EAAYP,GAC5BC,IACFxM,aAAawM,GACbA,EAAU,MAEZC,EAAWE,EACXL,EAAK5d,MAAMqe,EAASC,IACVR,IAAgC,IAArBvW,EAAQgX,WAC7BT,EAAU1M,YAAW,WACnB2M,GAA+B,IAApBxW,EAAQ4W,QAAoB,EAAID,KAAKD,MAChDH,EAAU,KACVF,EAAK5d,MAAMqe,EAASC,KACnBF,cAKOI,EACdzB,EACAP,EACAiC,EACAC,EACA7N,gBAAAA,UAEA,IAAM8N,EAAW9N,EAAIzR,OAAOwf,yBAAyB7B,EAAQP,GAkB7D,OAjBA3L,EAAIzR,OAAO8W,eACT6G,EACAP,EACAkC,EACID,EACA,CACEzE,IAAA,SAAIxZ,GAAJ,WAEE4Q,YAAW,WACTqN,EAAEzE,IAAKja,KAAKwd,EAAM/c,KACjB,GACCme,GAAYA,EAAS3E,KACvB2E,EAAS3E,IAAIja,KAAKE,KAAMO,MAK7B,WAAM,OAAAge,EAAWzB,EAAQP,EAAKmC,GAAY,IAAI,aAIvCE,EAEdpM,EACA5M,EAEAiZ,GAEA,IACE,KAAMjZ,KAAQ4M,GACZ,OAAO,aAGT,IAAMsM,EAAWtM,EAAO5M,GAClBmZ,EAAUF,EAAYC,GAiB5B,MAZuB,mBAAZC,IACTA,EAAQnf,UAAYmf,EAAQnf,WAAa,GACzCT,OAAO6f,iBAAiBD,EAAS,CAC/BE,mBAAoB,CAClB7I,YAAY,EACZ7V,MAAOue,MAKbtM,EAAO5M,GAAQmZ,EAER,WACLvM,EAAO5M,GAAQkZ,GAEjB,SACA,OAAO,uBAMKI,IACd,OACEC,OAAOC,aACN1Z,SAAS2Z,iBAAmB3Z,SAAS2Z,gBAAgBC,cACrD5Z,SAAS6Z,MAAQ7Z,SAAS6Z,KAAKD,sBAIpBE,KACd,OACEL,OAAOM,YACN/Z,SAAS2Z,iBAAmB3Z,SAAS2Z,gBAAgBK,aACrDha,SAAS6Z,MAAQ7Z,SAAS6Z,KAAKG,qBAIpBC,GAAUhZ,EAAmBe,GAC3C,IAAKf,EACH,OAAO,EAET,GAAIA,EAAKlF,WAAakF,EAAKjF,aAAc,CACvC,IAAIke,GAAY,EAChB,GAA0B,iBAAflY,EAAyB,CAClC,QAAsCa,IAAjC5B,EAAqBkZ,QACxB,OAA2D,OAAnDlZ,EAAqBkZ,QAAQ,IAAMnY,GAE3CkY,EAAajZ,EAAqBG,UAAUC,SAASW,QAGtDf,EAAqBG,UAAUiP,SAAQ,SAAC9O,GACnCS,EAAWlD,KAAKyC,KAClB2Y,GAAY,MAIlB,OAAOA,GAAaD,GAAUhZ,EAAKQ,WAAYO,GAEjD,OAAIf,EAAKlF,SAAakF,EAAKS,UAElBuY,GAAUhZ,EAAKQ,WAAYO,YAKtBoY,GAAUtgB,GACxB,MAAI,SAAUA,IFxMG,IEyMPA,EAAY4I,KAAKE,YAObyX,GAAkBjD,EAAekD,GAC/C,GAAIre,EAAamb,GACf,OAAO,EAET,IAAMxU,EAAK0X,EAAO7C,MAAML,GACxB,OAAKkD,EAAOzC,IAAIjV,MAIdwU,EAAO3V,YACP2V,EAAO3V,WAAW1F,WAAaqb,EAAOtU,kBAKnCsU,EAAO3V,YAGL4Y,GAAmBjD,EAAO3V,WAAiC6Y,aAGpDC,GACdC,GAEA,OAAOpe,QAASoe,EAAqBC,yBAGvBC,GAASxP,gBAAAA,UACnB,aAAcA,IAAQA,EAAIyP,SAASzgB,UAAUmW,UAC/CnF,EAAIyP,SAASzgB,UAAUmW,QAAW1U,MAAMzB,UACrCmW,SAGD,iBAAkBnF,IAAQA,EAAI0P,aAAa1gB,UAAUmW,UACvDnF,EAAI0P,aAAa1gB,UAAUmW,QAAW1U,MAAMzB,UACzCmW,SAIAwK,KAAK3gB,UAAUmH,WAClBwZ,KAAK3gB,UAAUmH,SAAW,SAAkBJ,GAC1C,KAAM,KAAKlH,WACT,MAAM,IAAIgB,UAAU,0BAGtB,GACE,GAAIT,OAAS2G,EACX,OAAO,QAGDA,EAAOA,GAAQA,EAAKQ,YAE9B,OAAO,aAhPgB,CAC3BlE,IAAK,GACLka,iBAEE,OADAhR,QAAQpL,MAAM0c,IACN,GAEVL,mBAEE,OADAjR,QAAQpL,MAAM0c,GACP,MAETJ,6BACElR,QAAQpL,MAAM0c,IAEhBF,eAEE,OADApR,QAAQpL,MAAM0c,IACP,GAETD,iBACErR,QAAQpL,MAAM0c,KAGI,oBAAX0B,QAA0BA,OAAOqB,OAASrB,OAAOsB,UAC1DC,SAAU,IAAIF,MAAME,SAAS,CAC3BpH,aAAIwD,EAAQtJ,EAAMmN,GAIhB,MAHa,QAATnN,GACFrH,QAAQpL,MAAM0c,GAETgD,QAAQnH,IAAIwD,EAAQtJ,EAAMmN,OAkOvC,kBAWE,aACE3gB,KAAKwd,QA4KT,OAzKSoD,gBAAP,SAAWC,GACT,IAAMC,EAAiB9gB,KAAK+gB,QAAQzH,IAAIuH,EAASG,UAC3CC,EAAqB,CACzB3Y,GAAIuY,EAASla,KAAK2B,GAClBuY,WACAK,SAAU,GACVC,MAAO,GACP3X,WAAY,IAETsX,GAGHG,EAASvL,OAASoL,EAClBA,EAAeI,SAASD,EAAS3Y,IAAM2Y,GAHvCjhB,KAAKohB,KAAKH,EAAS3Y,IAAM2Y,EAK3BjhB,KAAK+gB,QAAQhH,IAAIkH,EAAS3Y,GAAI2Y,IAGzBL,mBAAP,SAAcC,EAA+Bb,GAA7C,WACQc,EAAiB9gB,KAAK+gB,QAAQzH,IAAIuH,EAASG,UAC3CC,EAAWjhB,KAAK+gB,QAAQzH,IAAIuH,EAASvY,IAErC+Y,EAAuB,SAAC/Y,GAC5BgV,EAAKgE,YAAYC,IAAIjZ,GACrB,IAAM3B,EAAOqZ,EAAO5C,QAAQ9U,GAC5B3B,MAAAA,GAAAA,EAAMgC,WAAWoN,SAAQ,SAACoG,GACpB,SAAUA,GACZkF,EAAuBlF,EAAgC/T,KAAKE,QAI5DkZ,EAA0B,SAAC7a,GAC/B2W,EAAKgE,YAAYC,IAAI5a,EAAK2B,IAC1BnJ,OAAO6U,OAAOrN,EAAKua,UAAUnL,SAAQ,SAACvW,GAAM,OAAAgiB,EAAwBhiB,MACpE,IAAMiiB,EAAYnE,EAAKyD,QAAQzH,IAAI3S,EAAK2B,IACxC,GAAImZ,EAAW,CACb,IAAMC,EAAkBD,EAAU/L,OAC9BgM,WACKD,EAAU/L,cACVgM,EAAgBR,SAASO,EAAUnZ,IAC1CgV,EAAKyD,QAAQY,OAAOd,EAASvY,OAK9B2Y,EAGOH,UAKHG,EAASvL,cACToL,EAAeI,SAASD,EAAS3Y,IACxCtI,KAAK+gB,QAAQY,OAAOd,EAASvY,IAC7BkZ,EAAwBP,YAPjBjhB,KAAKohB,KAAKH,EAAS3Y,IAC1BtI,KAAK+gB,QAAQY,OAAOV,EAAS3Y,IAC7BkZ,EAAwBP,KALxBjhB,KAAK4hB,oBAAoB9gB,KAAK+f,GAC9BQ,EAAqBR,EAASvY,MAa3BsY,iBAAP,SAAYC,GACV,IAAMI,EAAWjhB,KAAK+gB,QAAQzH,IAAIuH,EAASvY,IACvC2Y,EACFA,EAASE,MAAMrgB,KAAK+f,GAEpB7gB,KAAK6hB,cAAc/gB,KAAK+f,IAIrBD,sBAAP,SAAiBC,GACf,IAAMI,EAAWjhB,KAAK+gB,QAAQzH,IAAIuH,EAASvY,IACvC2Y,EACFA,EAASzX,WAAW1I,KAAK+f,GAEzB7gB,KAAK8hB,mBAAmBhhB,KAAK+f,IAI1BD,mBAAP,SAAcpC,GACZxe,KAAK+hB,UAAUhI,IAAIyE,EAAElW,GAAIkW,IAGpBoC,kBAAP,SAAapC,GACXxe,KAAKgiB,SAASjI,IAAIyE,EAAElW,GAAIkW,IAGnBoC,kBAAP,8BAKQ7Y,EAKF/H,KAJFohB,SACAQ,wBACAC,kBACAC,uBAGIG,EAAkC,CACtCzP,OAAQmG,oBAAkBuJ,SAC1BC,QAASP,EACTT,MAAOU,EACPrY,WAAYsY,EACZM,KAAM,IAGFC,EAAO,SAACpB,EAAoBqB,GAC5BA,GACFhF,EAAKgE,YAAYC,IAAIN,EAAS3Y,IAEhC2Z,EAAkBd,MAAQc,EAAkBd,MACzC5f,OAAO+gB,EAAU,GAAKrB,EAASE,OAC/B1H,QAAO,SAACpZ,GAAM,OAACid,EAAKgE,YAAY/D,IAAIld,EAAEiI,OACzC2Z,EAAkBzY,WAAayY,EAAkBzY,WAC9CjI,OAAO+gB,EAAU,GAAKrB,EAASzX,YAC/BiQ,QAAO,SAACpZ,GAAM,OAACid,EAAKgE,YAAY/D,IAAIld,EAAEiI,OAEtCgV,EAAKgE,YAAY/D,IAAI0D,EAAS3Y,KAC9BgV,EAAKgE,YAAY/D,IAAI0D,EAASJ,SAASG,WACvCsB,EAODnjB,OAAO6U,OAAOiN,EAASC,UAAUnL,SAAQ,SAACvW,GAAM,OAAA6iB,EAAK7iB,GAAG,OALxDyiB,EAAkBG,KAAKthB,KAAKmgB,EAASJ,UACjCI,EAASC,UACX/hB,OAAO6U,OAAOiN,EAASC,UAAUnL,SAAQ,SAACvW,GAAM,OAAA6iB,EAAK7iB,GAAG,QAO9DL,OAAO6U,OAAOoN,GAAMrL,SAAQ,SAACvW,GAAM,OAAA6iB,EAAK7iB,GAAG,UAE3C,IAAiB,IAAA+J,EAAAtJ,EAAAD,KAAK+hB,UAAUlM,sCAAQ,CAAnC,IAAMvN,UACLtI,KAAKshB,YAAY/D,IAAIjV,IACvBtI,KAAK+hB,UAAUJ,OAAOrZ,yGAG1B,IAAiB,IAAA0E,EAAA/M,EAAAD,KAAKgiB,SAASnM,sCAAQ,CAA5BvN,UACLtI,KAAKshB,YAAY/D,IAAIjV,IACvBtI,KAAKgiB,SAASL,OAAOrZ,qGAIzB,IAAMyZ,EAAY,IAAI9H,IAAIja,KAAK+hB,WACzBC,EAAW,IAAI/H,IAAIja,KAAKgiB,UAI9B,OAFAhiB,KAAKwd,QAEE,CACL+E,aAAcN,EACdF,YACAC,aAIIpB,kBAAR,WACE5gB,KAAKohB,KAAO,GACZphB,KAAK+gB,QAAU,IAAI9G,IACnBja,KAAK4hB,oBAAsB,GAC3B5hB,KAAK6hB,cAAgB,GACrB7hB,KAAK8hB,mBAAqB,GAC1B9hB,KAAKshB,YAAc,IAAIkB,IACvBxiB,KAAK+hB,UAAY,IAAI9H,IACrBja,KAAKgiB,SAAW,IAAI/H,KAGf2G,sBAAP,SAAiBtY,GACf,OAAOtI,KAAKshB,YAAY/D,IAAIjV,kBAUhBma,GAAoBC,WAC5BC,EAA4C,GAC5CC,EAAa,SACjBviB,EACAqV,GAEA,IAAMmN,EAA0B,CAC9BtiB,MAAOF,EACPqV,SACAwL,SAAU,IAGZ,OADAyB,EAAatiB,EAAEsG,KAAK2B,IAAMua,EACnBA,GAGHC,EAAgC,OACtC,IAAuB,IAAAC,EAAA9iB,EAAAyiB,iCAAO,CAAzB,IAAM7B,UACDmC,EAAqBnC,SAAbG,EAAaH,WAC7B,GAAImC,GAAUA,KAAUL,EAAxB,CACE,IAAMM,EAAaN,EAAaK,GAChC,GAAIC,EAAWvN,OAAQ,CACrB,IAAMwN,EAAMD,EAAWvN,OAAOwL,SAASzc,QAAQwe,GAC/CA,EAAWvN,OAAOwL,SAASiC,OACzBD,EACA,EACAN,EAAW/B,EAAUoC,EAAWvN,aAE7B,CACCwN,EAAMJ,EAAere,QAAQwe,GACnCH,EAAeK,OAAOD,EAAK,EAAGN,EAAW/B,EAAU,aAIvD,GAAIG,KAAY2B,EAAhB,CACE,IAAMS,EAAeT,EAAa3B,GAClCoC,EAAalC,SAASpgB,KAAK8hB,EAAW/B,EAAUuC,SAGlDN,EAAehiB,KAAK8hB,EAAW/B,EAAU,yGAG3C,OAAOiC,WAGOO,GACdjC,EACAkC,GAEAA,EAAGlC,EAAK7gB,OAMR,IAAK,IAAIhB,EAAI6hB,EAAKF,SAASxhB,OAAS,EAAGH,GAAK,EAAGA,IAC7C8jB,GAAmBjC,EAAKF,SAAS3hB,GAAI+jB,YAYzBC,GACd5c,GAEA,MAAI,SAAUA,IAEVA,EAAKyB,KAAKjG,OAASlD,EAASuO,SAAiC,WAAtB7G,EAAKyB,KAAKlG,kBAOvCshB,GACd7c,EACA8c,WAEMC,sBAAe/c,EAAKgd,oCAAeC,kCAAaF,aACtD,IAAKA,GAAgBA,IAAiBD,EACpC,MAAO,CACLjZ,EAAG,EACHE,EAAG,EACHmZ,cAAe,EACfC,cAAe,GAInB,IAAMC,EAAiBL,EAAazW,wBAC9B+W,EAAqBR,GAAiBE,EAAcD,GAEpDI,EAAgBE,EAAepZ,OAAS+Y,EAAapE,aAC3D,MAAO,CACL9U,EACEuZ,EAAevZ,EAAIwZ,EAAmBH,cACtCG,EAAmBxZ,EACrBE,EACEqZ,EAAerZ,EAAIsZ,EAAmBH,cACtCG,EAAmBtZ,EACrBmZ,gBACAC,cAAeE,EAAmBF,cAAgBD,YAItCI,GACdzkB,GAEA,OAAOsC,QAAUtC,MAAAA,SAAAA,EAA2BuC,qWCjlB9C,SAASmiB,GAAmB1kB,GAC1B,MAAO,SAAUA,EAEnB,kBAAA,aACSQ,YAAS,EACTA,UAAoC,KAyE7C,OAvESmkB,gBAAP,SAAWjS,GACT,GAAIA,GAAYlS,KAAKN,OACnB,MAAM,IAAIkT,MAAM,kCAIlB,IADA,IAAIwR,EAAUpkB,KAAKqkB,KACV3K,EAAQ,EAAGA,EAAQxH,EAAUwH,IACpC0K,GAAUA,MAAAA,SAAAA,EAAS9jB,OAAQ,KAE7B,OAAO8jB,GAGFD,oBAAP,SAAe3kB,GACb,IAAMmH,EAA6B,CACjCpG,MAAOf,EACPse,SAAU,KACVxd,KAAM,MAGR,GADCd,EAAuB8kB,KAAO3d,EAC3BnH,EAAEuO,iBAAmBmW,GAAmB1kB,EAAEuO,iBAAkB,CAC9D,IAAMqW,EAAU5kB,EAAEuO,gBAAgBuW,KAAKhkB,KACvCqG,EAAKrG,KAAO8jB,EACZzd,EAAKmX,SAAWte,EAAEuO,gBAAgBuW,KAClC9kB,EAAEuO,gBAAgBuW,KAAKhkB,KAAOqG,EAC1Byd,IACFA,EAAQtG,SAAWnX,QAEhB,GACLnH,EAAEsO,aACFoW,GAAmB1kB,EAAEsO,cACrBtO,EAAEsO,YAAYwW,KAAKxG,SACnB,CACMsG,EAAU5kB,EAAEsO,YAAYwW,KAAKxG,SACnCnX,EAAKmX,SAAWsG,EAChBzd,EAAKrG,KAAOd,EAAEsO,YAAYwW,KAC1B9kB,EAAEsO,YAAYwW,KAAKxG,SAAWnX,EAC1Byd,IACFA,EAAQ9jB,KAAOqG,QAGb3G,KAAKqkB,OACPrkB,KAAKqkB,KAAKvG,SAAWnX,GAEvBA,EAAKrG,KAAON,KAAKqkB,KACjBrkB,KAAKqkB,KAAO1d,EAEd3G,KAAKN,UAGAykB,uBAAP,SAAkB3kB,GAChB,IAAM4kB,EAAU5kB,EAAE8kB,KACbtkB,KAAKqkB,OAILD,EAAQtG,UAMXsG,EAAQtG,SAASxd,KAAO8jB,EAAQ9jB,KAC5B8jB,EAAQ9jB,OACV8jB,EAAQ9jB,KAAKwd,SAAWsG,EAAQtG,YAPlC9d,KAAKqkB,KAAOD,EAAQ9jB,KAChBN,KAAKqkB,OACPrkB,KAAKqkB,KAAKvG,SAAW,OAQrBte,EAAE8kB,aACI9kB,EAAyC8kB,KAEnDtkB,KAAKN,gBAIH6kB,GAAU,SAACjc,EAAY0Y,GAAqB,MAAA,UAAG1Y,cAAM0Y,IAC3D,SAASwD,GAAQhlB,GACf,MAAO,SAAUA,EAMnB,kBAAA,aAAA,WACUQ,aAAkB,EAClBA,aAAkB,EAElBA,WAAsB,GACtBA,gBAAgC,GAChCA,aAAiC,GACjCA,gBAAqB,GAErBA,cAAiC,GAmBjCA,cAAW,IAAIwiB,IACfxiB,cAAW,IAAIwiB,IACfxiB,gBAAa,IAAIwiB,IA4ElBxiB,sBAAmB,SAACykB,GACzBA,EAAU1O,QAAQuH,EAAKoH,iBACvBpH,EAAKqH,QAGA3kB,UAAO,uBACZ,IAAIsd,EAAKsH,SAAUtH,EAAKuH,OAAxB,CAsFA,IA/EA,IAAMzC,EAA4B,GAM5B0C,EAAU,IAAIX,GACdY,EAAY,SAACvlB,GAGjB,IAFA,IAAIwlB,EAAkBxlB,EAClBwjB,GHxMS,GAAA,IGyMNA,GAELA,GADAgC,EAAKA,GAAMA,EAAGlX,cACCwP,EAAK0C,OAAO7C,MAAO6H,GAEpC,OAAOhC,GAEHiC,EAAU,SAACzlB,GAMf,kBALM0lB,EAA6B1lB,EAAE2lB,sBAChC3lB,EAAE2lB,oCAA8BtjB,KACjC,KAEAujB,EAAiBF,sBACbE,MAAAA,SAAAA,EAAgBD,gEAA4CtjB,MAClEujB,uBACGA,MAAAA,SAAAA,EAAgBD,gEAA4CtjB,OAC7D,KAEJ,IAAMwjB,IACH/H,EAAKlY,IAAI2B,SAASvH,IACC,OAAnB4lB,GAA4B9H,EAAKlY,IAAI2B,SAASqe,IACjD,GAAK5lB,EAAE2H,aAAcke,EAArB,CAGA,IAAMrE,EAAWrf,EAAanC,EAAE2H,YAC5BmW,EAAK0C,OAAO7C,MAAO+H,GACnB5H,EAAK0C,OAAO7C,MAAO3d,EAAE2H,YACnB6b,EAAS+B,EAAUvlB,GACzB,IAAkB,IAAdwhB,IAA+B,IAAZgC,EACrB,OAAO8B,EAAQQ,QAAQ9lB,GAEzB,IAAI0P,EAAKX,EAAoB/O,EAAG,CAC9B4F,IAAKkY,EAAKlY,IACVnC,IAAKqa,EAAK0C,OAAO/c,IACjByE,WAAY4V,EAAK5V,WACjBC,cAAe2V,EAAK3V,cACpBf,cAAe0W,EAAK1W,cACpBC,iBAAkByW,EAAKzW,iBACvB2H,WAAW,EACX5G,iBAAkB0V,EAAK1V,iBACvB3F,iBAAkBqb,EAAKrb,iBACvB6F,WAAYwV,EAAKxV,WACjB1F,YAAakb,EAAKlb,YAClBqM,eAAgB6O,EAAK7O,eACrBvG,aAAcoV,EAAKpV,aACnBD,aAAcqV,EAAKrV,aACnByG,YAAa,SAAC6W,GACRhC,GAAcgC,IAChBjI,EAAKkI,cAAcC,UAAUF,GAE3BtB,GAAczkB,IAChB8d,EAAKoI,iBAAiBC,cAAcnmB,EAAEuC,WAAY2D,WAGtDiJ,aAAc,SAACiX,EAAQC,GACrBvI,EAAKkI,cAAcM,aAAaF,EAAQC,GACxCvI,EAAKoI,iBAAiBK,oBACnBH,MAIH1W,GACFkT,EAAKthB,KAAK,CACRkgB,WACAgC,SACArc,KAAMuI,MAKLoO,EAAK0I,WAAWtmB,QACrB4d,EAAK0C,OAAO3C,kBAAkBC,EAAK0I,WAAWC,aAGhD,IAAgB,IAAAle,EAAA9H,EAAAqd,EAAK4I,wCAAU,CAA1B,IAAM1mB,UAEP2mB,GAAgB7I,EAAK6E,QAAS3iB,EAAG8d,EAAK0C,UACrC1C,EAAK4I,SAAS3I,IAAI/d,EAAE2H,aAIvB8d,EAAQzlB,yGAGV,IAAgB,IAAAiK,EAAAxJ,EAAAqd,EAAK8I,wCAAU,CAApB5mB,UAEN6mB,GAAgB/I,EAAKgJ,WAAY9mB,IACjC2mB,GAAgB7I,EAAK6E,QAAS3iB,EAAG8d,EAAK0C,QAG9BqG,GAAgB/I,EAAK4I,SAAU1mB,GACxCylB,EAAQzlB,GAER8d,EAAKgJ,WAAW/E,IAAI/hB,GAJpBylB,EAAQzlB,qGASZ,IADA,IAAI+mB,EAAyC,KACtCzB,EAAQplB,QAAQ,CACrB,IAAIiH,EAAoC,KACxC,GAAI4f,EAAW,CACb,IAAMvF,EAAW1D,EAAK0C,OAAO7C,MAC1BoJ,EAAUhmB,MAAM4G,YAEb6b,EAAS+B,EAAUwB,EAAUhmB,QACjB,IAAdygB,IAA+B,IAAZgC,IACrBrc,EAAO4f,GAGX,IAAK5f,EACH,IAAK,IAAI+S,EAAQoL,EAAQplB,OAAS,EAAGga,GAAS,EAAGA,IAAS,CACxD,IAAM8M,EAAQ1B,EAAQxL,IAAII,GAE1B,GAAI8M,EAAO,CACHxF,EAAW1D,EAAK0C,OAAO7C,MAC1BqJ,EAAMjmB,MAAM4G,YAET6b,EAAS+B,EAAUyB,EAAMjmB,OAC/B,IAAkB,IAAdygB,IAA+B,IAAZgC,EAAe,CACpCrc,EAAO6f,EACP,QAKR,IAAK7f,EAAM,CAMT,KAAOme,EAAQT,MACbS,EAAQ2B,WAAW3B,EAAQT,KAAK9jB,OAElC,MAEFgmB,EAAY5f,EAAKmX,SACjBgH,EAAQ2B,WAAW9f,EAAKpG,OACxB0kB,EAAQte,EAAKpG,OAGf,IAAMmmB,EAAU,CACdvF,MAAO7D,EAAK6D,MACTle,KAAI,SAACZ,GAAS,OACbiG,GAAIgV,EAAK0C,OAAO7C,MAAM9a,EAAKsE,MAC3BpG,MAAO8B,EAAK9B,UAGbkZ,QAAO,SAACpX,GAAS,OAAAib,EAAK0C,OAAOzC,IAAIlb,EAAKiG,OACzCkB,WAAY8T,EAAK9T,WACdvG,KAAI,SAAC0jB,GAAc,OAClBre,GAAIgV,EAAK0C,OAAO7C,MAAMwJ,EAAUhgB,MAChC6C,WAAYmd,EAAUnd,eAGvBiQ,QAAO,SAACkN,GAAc,OAAArJ,EAAK0C,OAAOzC,IAAIoJ,EAAUre,OACnD6Z,QAAS7E,EAAK6E,QACdC,SAICsE,EAAQvF,MAAMzhB,QACdgnB,EAAQld,WAAW9J,QACnBgnB,EAAQvE,QAAQziB,QAChBgnB,EAAQtE,KAAK1iB,UAMhB4d,EAAK6D,MAAQ,GACb7D,EAAK9T,WAAa,GAClB8T,EAAK6E,QAAU,GACf7E,EAAK8I,SAAW,IAAI5D,IACpBlF,EAAK4I,SAAW,IAAI1D,IACpBlF,EAAKgJ,WAAa,IAAI9D,IACtBlF,EAAKsJ,SAAW,GAEhBtJ,EAAKuJ,WAAWH,MAGV1mB,qBAAkB,SAACK,eACzB,IAAIyf,GAAUzf,EAAEyc,QAGhB,OAAQzc,EAAE8B,MACR,IAAK,gBACH,IAAM5B,EAAQF,EAAEyc,OAAO7S,YAClB0V,GAAUtf,EAAEyc,OAAQQ,EAAK5V,aAAenH,IAAUF,EAAEymB,UACvDxJ,EAAK6D,MAAMrgB,KAAK,CACdP,MACEmG,EACErG,EAAEyc,OACFQ,EAAK1W,cACL0W,EAAKzW,mBACFtG,EACD+c,EAAKxV,WACHwV,EAAKxV,WAAWvH,GAChBA,EAAMuD,QAAQ,QAAS,KACzBvD,EACNoG,KAAMtG,EAAEyc,SAGZ,MAEF,IAAK,aACH,IAAMA,EAASzc,EAAEyc,OACbvc,EAASF,EAAEyc,OAAuBiK,aAAa1mB,EAAE2mB,eAUrD,GATwB,UAApB3mB,EAAE2mB,gBACJzmB,EAAQyB,EAAe,CACrBC,iBAAkBqb,EAAKrb,iBACvBC,QAAU7B,EAAEyc,OAAuB5a,QACnCC,KAAO9B,EAAEyc,OAAuBiK,aAAa,QAC7CxmB,QACA6B,YAAakb,EAAKlb,eAGlBud,GAAUtf,EAAEyc,OAAQQ,EAAK5V,aAAenH,IAAUF,EAAEymB,SACtD,OAEF,IAAIG,EAAoC3J,EAAK9T,WAAWK,MACtD,SAACtE,GAAM,OAAAA,EAAEoB,OAAStG,EAAEyc,UAStB,GAPKmK,IACHA,EAAO,CACLtgB,KAAMtG,EAAEyc,OACRtT,WAAY,IAEd8T,EAAK9T,WAAW1I,KAAKmmB,IAEC,UAApB5mB,EAAE2mB,cAA2B,CAC/B,IAAME,EAAM5J,EAAKlY,IAAII,cAAc,QAC/BnF,EAAEymB,UACJI,EAAIrM,aAAa,QAASxa,EAAEymB,eAGFve,IAA1B0e,EAAKzd,WAAWoL,OACU,OAA1BqS,EAAKzd,WAAWoL,QAEhBqS,EAAKzd,WAAWoL,MAAQ,IAE1B,IAAMuS,EAAWF,EAAKzd,WAAWoL,UACjC,IAAoB,IAAA7M,EAAA9H,EAAAoB,MAAMH,KAAK4b,EAAOlI,sCAAQ,CAAzC,IAAMwS,UACHC,EAAWvK,EAAOlI,MAAM0S,iBAAiBF,GACzCG,EAAczK,EAAOlI,MAAM4S,oBAAoBJ,GAEnDC,IAAaH,EAAItS,MAAM0S,iBAAiBF,IACxCG,IAAgBL,EAAItS,MAAM4S,oBAAoBJ,KAG5CD,EAASC,GADS,KAAhBG,EACgBF,EAEA,CAACA,EAAUE,0GAInC,IAAoB,IAAA9d,EAAAxJ,EAAAoB,MAAMH,KAAKgmB,EAAItS,sCAAQ,CAAhCwS,UACoC,KAAzCtK,EAAOlI,MAAM0S,iBAAiBF,KAEhCD,EAASC,IAAS,2GAKtBH,EAAKzd,WAAWnJ,EAAE2mB,eAAkBrhB,EAClC2X,EAAKlY,IACJ/E,EAAEyc,OAAuB5a,QAC1B7B,EAAE2mB,cACFzmB,GAGJ,MAEF,IAAK,YACHF,EAAEonB,WAAW1R,SAAQ,SAACvW,GAAM,OAAA8d,EAAKoK,QAAQloB,EAAGa,EAAEyc,WAC9Czc,EAAEsnB,aAAa5R,SAAQ,SAACvW,GACtB,IAAMooB,EAAStK,EAAK0C,OAAO7C,MAAM3d,GAC3BwhB,EAAWrf,EAAatB,EAAEyc,QAC5BQ,EAAK0C,OAAO7C,MAAO9c,EAAEyc,OAAOjb,MAC5Byb,EAAK0C,OAAO7C,MAAM9c,EAAEyc,QACpB6C,GAAUtf,EAAEyc,OAAQQ,EAAK5V,aAAeoY,GAAUtgB,KAIlD8d,EAAK8I,SAAS7I,IAAI/d,IACpBqoB,GAAWvK,EAAK8I,SAAU5mB,GAC1B8d,EAAKgJ,WAAW/E,IAAI/hB,IACX8d,EAAK8I,SAAS7I,IAAIld,EAAEyc,UAAuB,IAAZ8K,GAQ/B7H,GAAkB1f,EAAEyc,OAAiBQ,EAAK0C,UAQnD1C,EAAK4I,SAAS3I,IAAI/d,IAClB8d,EAAKsJ,SAASrC,GAAQqD,EAAQ5G,IAE9B6G,GAAWvK,EAAK4I,SAAU1mB,GAE1B8d,EAAK6E,QAAQrhB,KAAK,CAChBkgB,WACA1Y,GAAIsf,EACJnX,WAAU9O,EAAatB,EAAEyc,cAAiBvU,KAG9C+U,EAAK0I,WAAWllB,KAAKtB,SASrBQ,aAAU,SAACR,EAAiBsd,GAElC,IAAIA,IAAU6C,GAAU7C,EAAQQ,EAAK5V,YAArC,CAGA,GAAI8c,GAAQhlB,GAAI,CACd,GAAIsgB,GAAUtgB,GACZ,OAEF8d,EAAK4I,SAAS3E,IAAI/hB,GAClB,IAAIsoB,EAA0B,KAC1BhL,GAAU0H,GAAQ1H,KACpBgL,EAAWhL,EAAO1U,KAAKE,IAErBwf,IACFxK,EAAKsJ,SAASrC,GAAQ/kB,EAAE4I,KAAKE,GAAIwf,KAAa,QAGhDxK,EAAK8I,SAAS7E,IAAI/hB,GAClB8d,EAAKgJ,WAAW3E,OAAOniB,GAKpBmgB,GAAUngB,EAAG8d,EAAK5V,aACrBlI,EAAEmJ,WAAWoN,SAAQ,SAACmG,GAAW,OAAAoB,EAAKoK,QAAQxL,QAEpD,OA5aS6L,iBAAP,SAAYzgB,GAAZ,WACG,CACC,aACA,aACA,gBACA,gBACA,mBACA,mBACA,mBACA,aACA,cACA,eACA,eACA,iBACA,MACA,SACA,gBACA,mBACA,iBACUyO,SAAQ,SAACwG,GAEnBe,EAAKf,GAAOjV,EAAQiV,OAIjBwL,mBAAP,WACE/nB,KAAK4kB,QAAS,EACd5kB,KAAKgoB,cAAcC,UAGdF,qBAAP,WACE/nB,KAAK4kB,QAAS,EACd5kB,KAAKgoB,cAAcE,WACnBloB,KAAK2kB,QAGAoD,qBAAP,WACE,OAAO/nB,KAAK4kB,QAGPmD,iBAAP,WACE/nB,KAAK6kB,QAAS,EACd7kB,KAAKgoB,cAAcG,QAGdJ,mBAAP,WACE/nB,KAAK6kB,QAAS,EACd7kB,KAAKgoB,cAAcI,SACnBpoB,KAAK2kB,QAGAoD,kBAAP,WACE/nB,KAAK0lB,iBAAiBlI,QACtBxd,KAAKgoB,cAAcxK,cA+XvB,SAASqK,GAAWQ,EAAoB7oB,GACtC6oB,EAAQ1G,OAAOniB,GACfA,EAAEmJ,WAAWoN,SAAQ,SAACmG,GAAW,OAAA2L,GAAWQ,EAASnM,MAGvD,SAASiK,GACPhE,EACA3iB,EACAwgB,GAEQ,IAAA7Y,EAAe3H,aACvB,IAAK2H,EACH,OAAO,EAET,IAAM6Z,EAAWhB,EAAO7C,MAAOhW,GAC/B,QAAIgb,EAAQhX,MAAK,SAACxK,GAAM,OAAAA,EAAE2H,KAAO0Y,MAG1BmF,GAAgBhE,EAAShb,EAAY6Y,GAG9C,SAASqG,GAAgBtM,EAAgBva,GAC/B,IAAA2H,EAAe3H,aACvB,QAAK2H,MAGD4S,EAAIwD,IAAIpW,IAGLkf,GAAgBtM,EAAK5S,IChlBvB,IAAMmhB,GAAoC,GAE3CC,GAAwD,oBAApBC,gBACpCC,GAAkD,oBAAjBC,aACjCC,GAAwD,oBAApBC,gBACpCC,GAA0D,oBAArBC,iBAO3C,SAASC,GAAe7I,GACtB,IACE,GAAI,iBAAkBA,EAAO,CAC3B,IAAM8I,EAAO9I,EAAM+I,eACnB,GAAID,EAAKtpB,OACP,OAAOspB,EAAK,QAET,GAAI,SAAU9I,GAASA,EAAM8I,KAAKtpB,OACvC,OAAOwgB,EAAM8I,KAAK,GAEpB,OAAO9I,EAAMpD,OACb,SACA,OAAOoD,EAAMpD,iBAIDoM,GACd5hB,EACA6hB,WAEMC,EAAiB,IAAIrB,GAC3BO,GAAgBxnB,KAAKsoB,GAErBA,EAAeC,KAAK/hB,GACpB,IAAIgiB,EACFnK,OAAOoK,kBASNpK,OAA4CqK,qBACzCC,6BAAqBtK,iBAAAA,cAAAA,OAAkCuK,2BAAMC,wCACjE,oBAGAF,GACEtK,OACAsK,KAGFH,EAAyBnK,OAGtBsK,IAEL,IAAMG,EAAW,IAAIN,EACnBF,EAAeS,iBAAiBC,KAAKV,IAUvC,OARAQ,EAASG,QAAQZ,EAAQ,CACvB3f,YAAY,EACZwgB,mBAAmB,EACnBC,eAAe,EACfC,uBAAuB,EACvBC,WAAW,EACXC,SAAS,IAEJR,EAkFT,SAASS,GAA6BzoB,OACpC0oB,uBACAllB,QACA4a,WACAtY,eACA6iB,aAEA,IAAkC,IAA9BA,EAASC,iBACX,OAAO,aAET,IAAMC,GAC0B,IAA9BF,EAASC,uBACqBjiB,IAA9BgiB,EAASC,iBACL,GACAD,EAASC,iBAETE,EAA8B,GAiCpC,OAZAvrB,OAAO0W,KAAK+C,qBACTa,QACC,SAAC8C,GACC,OAAAoO,OAAOC,MAAMD,OAAOpO,MACnBA,EAAIjN,SAAS,eACM,IAApBmb,EAAWlO,MAEdxG,SAAQ,SAAC8U,GACR,IAAMC,EAAYD,EAASvoB,cACrByoB,EA7BS,SAACF,GAClB,OAAO,SAAC3K,GACN,IAAMpD,EAASiM,GAAe7I,GAC9B,IAAIP,GAAU7C,EAAgBpV,GAA9B,CAGA,IAAM9G,EAAIqf,GAAaC,GAASA,EAAMC,eAAe,GAAKD,EAC1D,GAAKtf,EAAL,CAGA,IAAM0H,EAAK0X,EAAO7C,MAAML,GAChBkO,EAAqBpqB,UAAZqqB,EAAYrqB,UAC7B0pB,EAAmB,CACjBnoB,KAAMyW,oBAAkBiS,GACxBviB,KACAkC,EAAGwgB,EACHtgB,EAAGugB,OAaWC,CAAWL,GAC3BH,EAAS5pB,KAAK8b,EAAGkO,EAAWC,EAAS3lB,OAElC,WACLslB,EAAS3U,SAAQ,SAACoV,GAAM,OAAAA,iBAIZC,GAAmBxpB,OACjCypB,aACAjmB,QACA4a,WACAtY,eA2BA,OAAOkV,EAAG,SArBac,GAAkB,SAAC4N,GACxC,IAAMxO,EAASiM,GAAeuC,GAC9B,GAAKxO,IAAU6C,GAAU7C,EAAgBpV,GAAzC,CAGA,IAAMY,EAAK0X,EAAO7C,MAAML,GACxB,GAAIA,IAAW1X,EAAK,CAClB,IAAMmmB,EAAYnmB,EAAIomB,kBAAoBpmB,EAAIia,gBAC9CgM,EAAS,CACP/iB,KACAkC,EAAG+gB,EAAS3e,WACZlC,EAAG6gB,EAASze,iBAGdue,EAAS,CACP/iB,KACAkC,EAAIsS,EAAuBlQ,WAC3BlC,EAAIoS,EAAuBhQ,0BAGrB2e,QAAU,KACcrmB,GAuBtC,SAASsmB,GACP1V,EACA2V,GAEA,IAAMprB,OAAayV,GAEnB,OADK2V,UAAeprB,EAAMqrB,cACnBrrB,EAGF,IAAMsrB,GAAa,CAAC,QAAS,WAAY,UAC1CC,GAAsD,IAAIC,QA6IhE,SAASC,GAA0B5oB,GAyBjC,OAvBA,SAAiB6oB,EAAoBpmB,GACnC,GACG0iB,IACC0D,EAAUC,sBAAsB1D,iBACjCC,IACCwD,EAAUC,sBAAsBxD,cACjCC,IACCsD,EAAUC,sBAAsBtD,iBACjCC,IACCoD,EAAUC,sBAAsBpD,iBAClC,CACA,IAGMpP,EAHQrY,MAAMH,KACjB+qB,EAAUC,WAA+BlpB,UAExByB,QAAQwnB,GAC5BpmB,EAAIsmB,QAAQzS,OACP,CAECA,EADQrY,MAAMH,KAAK+qB,EAAUG,iBAAkBppB,UACjCyB,QAAQwnB,GAC5BpmB,EAAIsmB,QAAQzS,GAEd,OAAO7T,EAEFwmB,CAAQjpB,EAxBa,aAkWdkpB,GACdpsB,EACAqsB,wBAAAA,MAEA,IAAMC,EAAgBtsB,EAAEkF,IAAIwe,YAC5B,IAAK4I,EACH,OAAO,cAxFX,SAAoBtsB,EAAkBqsB,GAElC,IAAA1F,EAWE3mB,aAVFusB,EAUEvsB,cATFoqB,EASEpqB,qBARFmrB,EAQEnrB,WAPFwsB,EAOExsB,mBANFysB,EAMEzsB,UALF0sB,EAKE1sB,qBAJF2sB,EAIE3sB,mBAHF4sB,EAGE5sB,qBAFF6sB,EAEE7sB,mBADF8sB,EACE9sB,SACJA,EAAE2mB,WAAa,eAAC,aAAA/hB,mBAAAA,IAAAnF,kBACV4sB,EAAM1L,UACR0L,EAAM1L,eAAN0L,SAAkB5sB,QAEpBknB,sBAAclnB,SAEhBO,EAAEusB,YAAc,eAAC,aAAA3nB,mBAAAA,IAAAnF,kBACX4sB,EAAMU,WACRV,EAAMU,gBAANV,SAAmB5sB,QAErB8sB,sBAAe9sB,SAEjBO,EAAEoqB,mBAAqB,eAAC,aAAAxlB,mBAAAA,IAAAnF,kBAClB4sB,EAAM/B,kBACR+B,EAAM/B,uBAAN+B,SAA0B5sB,QAE5B2qB,sBAAsB3qB,SAExBO,EAAEmrB,SAAW,eAAC,aAAAvmB,mBAAAA,IAAAnF,kBACR4sB,EAAMd,QACRc,EAAMd,aAANc,SAAgB5sB,QAElB0rB,sBAAY1rB,SAEdO,EAAEwsB,iBAAmB,eAAC,aAAA5nB,mBAAAA,IAAAnF,kBAChB4sB,EAAMW,gBACRX,EAAMW,qBAANX,SAAwB5sB,QAE1B+sB,sBAAoB/sB,SAEtBO,EAAEysB,QAAU,eAAC,aAAA7nB,mBAAAA,IAAAnF,kBACP4sB,EAAMY,OACRZ,EAAMY,YAANZ,SAAe5sB,QAEjBgtB,sBAAWhtB,SAEbO,EAAE0sB,mBAAqB,eAAC,aAAA9nB,mBAAAA,IAAAnF,kBAClB4sB,EAAMa,iBACRb,EAAMa,sBAANb,SAAyB5sB,QAE3BitB,sBAAsBjtB,SAExBO,EAAE2sB,iBAAmB,eAAC,aAAA/nB,mBAAAA,IAAAnF,kBAChB4sB,EAAMc,gBACRd,EAAMc,qBAANd,SAAwB5sB,QAE1BktB,sBAAoBltB,SAEtBO,EAAE4sB,mBAAqB,eAAC,aAAAhoB,mBAAAA,IAAAnF,kBAClB4sB,EAAMe,kBACRf,EAAMe,uBAANf,SAA0B5sB,QAE5BmtB,sBAAsBntB,SAExBO,EAAE6sB,iBAAmB,eAAC,aAAAjoB,mBAAAA,IAAAnF,kBAChB4sB,EAAMgB,gBACRhB,EAAMgB,qBAANhB,SAAwB5sB,QAE1BotB,sBAAoBptB,SAEtBO,EAAE8sB,OAAS,eAAC,aAAAloB,mBAAAA,IAAAnF,kBACN4sB,EAAMiB,MACRjB,EAAMiB,WAANjB,SAAc5sB,QAEhBqtB,sBAAUrtB,SAaZ8tB,CAAWvtB,EAAGqsB,GACd,IAAMmB,EAAmBxE,GAAqBhpB,EAAGA,EAAEkF,KAC7CuoB,EAhsBR,SAA0B/rB,OACxB6qB,gBACAlC,aACAnlB,QACA4a,WAEA,IAA2B,IAAvBuK,EAAS0C,UACX,OAAO,aAGT,IAQIW,EAREC,EAC0B,iBAAvBtD,EAAS0C,UAAyB1C,EAAS0C,UAAY,GAC1Da,EACkC,iBAA/BvD,EAASwD,kBACZxD,EAASwD,kBACT,IAEFC,EAA6B,GAE3BC,EAAYvQ,GAChB,SACElL,GAKA,IAAM0b,EAAcjQ,KAAKD,MAAQ4P,EACjCnB,EACEuB,EAAU/qB,KAAI,SAACtD,GAEb,OADAA,EAAEwuB,YAAcD,EACTvuB,KAET6S,GAEFwb,EAAY,GACZJ,EAAe,OAEjBE,GAEIhc,EAAiB4L,GACrB,SAAC4N,GACC,IAAMxO,EAASiM,GAAeuC,GACxB1pB,EAAuBqe,GAAaqL,GACtCA,EAAInL,eAAe,GACnBmL,EAFIN,YAASC,YAGZ2C,IACHA,EAAe3P,KAAKD,OAEtBgQ,EAAUltB,KAAK,CACb0J,EAAGwgB,EACHtgB,EAAGugB,EACH3iB,GAAI0X,EAAO7C,MAAML,GACjBqR,WAAYlQ,KAAKD,MAAQ4P,IAI3BK,EACuB,oBAAdG,WAA6B9C,aAAe8C,UAC/CzV,oBAAkB0V,KAClB/C,aAAegD,WACf3V,oBAAkB4V,UAClB5V,oBAAkB6V,aAG1BX,EACA,CACEvP,UAAU,IAGRoM,EAAW,CACf9N,EAAG,YAAa9K,EAAgB1M,GAChCwX,EAAG,YAAa9K,EAAgB1M,GAChCwX,EAAG,OAAQ9K,EAAgB1M,IAE7B,OAAO,WACLslB,EAAS3U,SAAQ,SAACoV,GAAM,OAAAA,QAqnBDsD,CAAiBvuB,GACpCwuB,EAA0BrE,GAA6BnqB,GACvDyuB,EAAgBvD,GAAmBlrB,GACnC0uB,EA5hBR,SAAoChtB,OAClC8qB,qBAEImC,GAAS,EACTC,GAAS,EAab,OAAOlS,EAAG,SAZcc,GAAS,WAC/B,IAAM/S,EAASuU,IACTzU,EAAQ+U,KACVqP,IAAUlkB,GAAUmkB,IAAUrkB,IAChCiiB,EAAiB,CACfjiB,MAAOkgB,OAAOlgB,GACdE,OAAQggB,OAAOhgB,KAEjBkkB,EAAQlkB,EACRmkB,EAAQrkB,KAET,KACkC0U,QA2gBP4P,CAA2B7uB,GACnD8uB,EA9fR,SAA2BptB,OACzB+qB,YACAvnB,QACA4a,WACAtY,eACAunB,gBACAhtB,qBACAG,gBACAmoB,aACA2E,yBAEA,SAASC,EAAajP,GACpB,IAAIpD,EAASiM,GAAe7I,GACtB0L,EAAgB1L,EAAMkP,UAO5B,GAFItS,GAA0C,WAA/BA,EAAmB5a,UAChC4a,EAAUA,EAAmBuS,eAE5BvS,GACCA,EAAmB5a,WACrB2pB,GAAWpnB,QAASqY,EAAmB5a,SAAW,KAClDyd,GAAU7C,EAAgBpV,GAJ5B,CAQA,IAAMvF,EAA4B2a,EAA4B3a,KAC9D,IAAK2a,EAAuBhW,UAAUC,SAASkoB,GAA/C,CAGA,IAAI5sB,EAAQya,EAA4Bvc,MACpC+uB,GAAY,EACH,UAATntB,GAA6B,aAATA,EACtBmtB,EAAaxS,EAA4B5S,SAEzCjI,EACG6a,EAAmB5a,QAAQI,gBAE9BL,EAAiBE,MAEjBE,EAAOL,EAAe,CACpBC,mBACAC,QAAU4a,EAAuB5a,QACjCC,OACA5B,MAAO8B,EACPD,iBAGJmtB,EACEzS,EACA4O,GACE,CAAErpB,OAAMitB,YAAW1D,iBACnBsD,IAKJ,IAAMtpB,EAA4BkX,EAA4BlX,KACjD,UAATzD,GAAoByD,GAAQ0pB,GAC9BlqB,EACGoqB,iBAAiB,oCAA6B5pB,SAC9CmQ,SAAQ,SAACtO,GACJA,IAAOqV,GACTyS,EACE9nB,EACAikB,GACE,CACErpB,KAAOoF,EAAwBlH,MAC/B+uB,WAAYA,EACZ1D,eAAe,GAEjBsD,SAOd,SAASK,EAAYzS,EAAqB9G,GACxC,IAAMyZ,EAAiB3D,GAAkBxS,IAAIwD,GAC7C,IACG2S,GACDA,EAAeptB,OAAS2T,EAAE3T,MAC1BotB,EAAeH,YAActZ,EAAEsZ,UAC/B,CACAxD,GAAkB/R,IAAI+C,EAAQ9G,GAC9B,IAAM1N,EAAK0X,EAAO7C,MAAML,GACxB6P,SACK3W,IACH1N,SAIN,IACMoiB,GAD4B,SAAnBH,EAAS4C,MAAmB,CAAC,UAAY,CAAC,QAAS,WAGvDlqB,KAAI,SAAC6nB,GAAc,OAAAlO,EAAGkO,EAAWqE,EAAc/pB,MACpDsqB,EAAqBvwB,OAAOwf,yBAChCgR,iBAAiB/vB,UACjB,SAEIgwB,EAA+C,CACnD,CAACD,iBAAiB/vB,UAAW,SAC7B,CAAC+vB,iBAAiB/vB,UAAW,WAC7B,CAACiwB,kBAAkBjwB,UAAW,SAC9B,CAACkwB,oBAAoBlwB,UAAW,SAEhC,CAACiwB,kBAAkBjwB,UAAW,iBAC9B,CAACmwB,kBAAkBnwB,UAAW,aAchC,OAZI8vB,GAAsBA,EAAmB3V,KAC3C2Q,EAAS5pB,WAAT4pB,SACKkF,EAAe3sB,KAAI,SAACtD,GACrB,OAAA4e,EAAwB5e,EAAE,GAAIA,EAAE,GAAI,CAClCoa,IAAA,WAEEoV,EAAa,CAAErS,OAAQ9c,mBAM1B,WACL0qB,EAAS3U,SAAQ,SAACoV,GAAM,OAAAA,QAiYL6E,CAAkB9vB,GACjC+vB,EAvLR,SAAsCruB,OACpCgrB,uBACAllB,eACAsY,WACAuK,aAEMQ,EAAU,SAAC5oB,GACf,OAAAub,GAAS,SAACwC,GACR,IAAMpD,EAASiM,GAAe7I,GAC9B,GAAKpD,IAAU6C,GAAU7C,EAAgBpV,GAAzC,CAGM,IAAA9F,EAAiCkb,EAA/BnQ,gBAAaujB,WAAQC,UAC7BvD,EAAmB,CACjBzqB,OACAmG,GAAI0X,EAAO7C,MAAML,GACjBnQ,cACAujB,SACAC,aAED5F,EAAS5V,OAAS,MACjB+V,EAAW,CACf9N,EAAG,OAAQmO,MACXnO,EAAG,QAASmO,MACZnO,EAAG,SAAUmO,MACbnO,EAAG,eAAgBmO,OAErB,OAAO,WACLL,EAAS3U,SAAQ,SAACoV,GAAM,OAAAA,QA2JMiF,CAA6BlwB,GAEvDmwB,EAzVR,SACEzuB,EACAiG,OADEglB,qBAAkB7M,WAClBpP,QAEI0f,EAAa1f,EAAI2f,cAAc3wB,UAAU0wB,WAC/C1f,EAAI2f,cAAc3wB,UAAU0wB,WAAa,SACvCltB,EACAsW,GAEA,IAAMpR,EAAK0X,EAAO7C,MAAMnd,KAAKwwB,WAO7B,OANY,IAARloB,GACFukB,EAAiB,CACfvkB,KACA8Z,KAAM,CAAC,CAAEhf,OAAMsW,YAGZ4W,EAAWvwB,MAAMC,KAAMP,YAGhC,IAAMgxB,EAAa7f,EAAI2f,cAAc3wB,UAAU6wB,WAC/C7f,EAAI2f,cAAc3wB,UAAU6wB,WAAa,SAAU/W,GACjD,IAAMpR,EAAK0X,EAAO7C,MAAMnd,KAAKwwB,WAO7B,OANY,IAARloB,GACFukB,EAAiB,CACfvkB,KACA6Z,QAAS,CAAC,CAAEzI,YAGT+W,EAAW1wB,MAAMC,KAAMP,YAGhC,IAAMixB,EAEF,GACAnI,GACFmI,EAA4BlI,gBAAkB5X,EAAI4X,iBAM9CC,KACFiI,EAA4BhI,aAAe9X,EAAI8X,cAE7CG,KACF6H,EAA4B5H,iBAAmBlY,EAAIkY,kBAEjDH,KACF+H,EAA4B9H,gBAAkBhY,EAAIgY,kBAItD,IAAM+H,EAKF,GAuCJ,OArCAxxB,OAAOyxB,QAAQF,GAA6B3a,SAAQ,SAACnU,OAAAiG,EAAAnH,OAACmwB,OAAS1uB,OAC7DwuB,EAAoBE,GAAW,CAC7BP,WAAanuB,EAA8BvC,UAAU0wB,WACrDG,WAAatuB,EAA8BvC,UAAU6wB,YAGvDtuB,EAAKvC,UAAU0wB,WAAa,SAAUltB,EAAcsW,GAClD,IAAMpR,EAAK0X,EAAO7C,MAAMnd,KAAKosB,iBAAiBoE,WAe9C,OAdY,IAARloB,GACFukB,EAAiB,CACfvkB,KACA8Z,KAAM,CACJ,CACEhf,OACAsW,eACKsS,GAA0BhsB,YAC7B0Z,GAAS,WAMZiX,EAAoBE,GAASP,WAAWvwB,MAAMC,KAAMP,YAG7D0C,EAAKvC,UAAU6wB,WAAa,SAAU/W,GACpC,IAAMpR,EAAK0X,EAAO7C,MAAMnd,KAAKosB,iBAAiBoE,WAO9C,OANY,IAARloB,GACFukB,EAAiB,CACfvkB,KACA6Z,QAAS,CAAC,CAAEzI,eAAWsS,GAA0BhsB,YAAO0Z,WAGrDiX,EAAoBE,GAASJ,WAAW1wB,MAAMC,KAAMP,eAIxD,WACLmR,EAAI2f,cAAc3wB,UAAU0wB,WAAaA,EACzC1f,EAAI2f,cAAc3wB,UAAU6wB,WAAaA,EACzCtxB,OAAOyxB,QAAQF,GAA6B3a,SAAQ,SAACnU,OAAAiG,EAAAnH,OAACmwB,OAAS1uB,OAC7DA,EAAKvC,UAAU0wB,WAAaK,EAAoBE,GAASP,WACzDnuB,EAAKvC,UAAU6wB,WAAaE,EAAoBE,GAASJ,eAoPlCK,CAAuB5wB,EAAG,CAAE0Q,IAAK4b,IACtDuE,EAhPR,SACEnvB,EACAiG,OADEilB,uBAAoB9M,WACpBpP,QAEIogB,EAAcpgB,EAAIqgB,oBAAoBrxB,UAAUoxB,YACtDpgB,EAAIqgB,oBAAoBrxB,UAAUoxB,YAAc,SAE9CthB,EACAnP,EACA2wB,WAEM5oB,EAAK0X,EAAO7C,0BACfnd,KAAKksB,iCAAYE,uCAAkBoE,WAatC,OAXY,IAARloB,GACFwkB,EAAmB,CACjBxkB,KACAyR,IAAK,CACHrK,WACAnP,QACA2wB,YAEFxX,MAAOsS,GAA0BhsB,KAAKksB,cAGnC8E,EAAYjxB,MAAMC,KAAMP,YAGjC,IAAM0xB,EAAiBvgB,EAAIqgB,oBAAoBrxB,UAAUuxB,eAoBzD,OAnBAvgB,EAAIqgB,oBAAoBrxB,UAAUuxB,eAAiB,SAEjDzhB,WAEMpH,EAAK0X,EAAO7C,0BACfnd,KAAKksB,iCAAYE,uCAAkBoE,WAWtC,OATY,IAARloB,GACFwkB,EAAmB,CACjBxkB,KACA8oB,OAAQ,CACN1hB,YAEFgK,MAAOsS,GAA0BhsB,KAAKksB,cAGnCiF,EAAepxB,MAAMC,KAAMP,YAG7B,WACLmR,EAAIqgB,oBAAoBrxB,UAAUoxB,YAAcA,EAChDpgB,EAAIqgB,oBAAoBrxB,UAAUuxB,eAAiBA,GA8LpBE,CAA6BnxB,EAAG,CAC/D0Q,IAAK4b,IAED8E,EAAepxB,EAAEqxB,aA7JzB,SAA0B3vB,OAAEorB,WAAQ5nB,QAC5BwL,EAAMxL,EAAIwe,YAChB,IAAKhT,EACH,OAAO,aAGT,IAAM8Z,EAA8B,GAE9B8G,EAAU,IAAIzF,QAEd0F,EAAmB7gB,EAAI8gB,SAC7B9gB,EAAI8gB,SAAY,SACdC,EACAnf,EACAof,GAEA,IAAMC,EAAW,IAAIJ,EAAiBE,EAAQnf,EAAQof,GAWtD,OAVAJ,EAAQzX,IAAI8X,EAAU,CACpBF,SACAzmB,OAA0B,iBAAXsH,EACfof,cACAE,WACoB,iBAAXtf,EACHA,EAEAuf,KAAKC,UAAU3wB,MAAMH,KAAK,IAAI+wB,WAAWzf,OAE1Cqf,GAGT,IAAMK,EAAiBtT,EAAMxZ,EAAI+sB,MAAO,OAAO,SAAUzT,GACvD,OAAO,SAA6BmT,GAQlC,OAPA1gB,YAAW,WACT,IAAMxR,EAAI6xB,EAAQlY,IAAIuY,GAClBlyB,IACFqtB,EAAOrtB,GACP6xB,EAAQ7P,OAAOkQ,MAEhB,GACInT,EAAS3e,MAAMC,KAAM,CAAC6xB,QASjC,OALAnH,EAAS5pB,MAAK,WACZ8P,EAAI8gB,SAAWD,KAEjB/G,EAAS5pB,KAAKoxB,GAEP,WACLxH,EAAS3U,SAAQ,SAACoV,GAAM,OAAAA,QA4GYiH,CAAiBlyB,GAAK,aAEtDmyB,EAAoC,OAC1C,IAAqB,IAAAxqB,EAAA5H,EAAAC,EAAEoyB,uCAAS,CAA3B,IAAMC,UACTF,EAAevxB,KACbyxB,EAAO3I,SAAS2I,EAAOC,SAAUhG,EAAe+F,EAAOjrB,4GAI3D,OAAO,WACLghB,GAAgBvS,SAAQ,SAAC6D,GAAM,OAAAA,EAAE4D,WACjCkQ,EAAiB+E,aACjB9E,IACAe,IACAC,IACAC,IACAI,IACAiB,IACAI,IACAU,IACAO,IACAe,EAAetc,SAAQ,SAACoV,GAAM,OAAAA,QCz1BlC,kBAKE,WAAY7jB,GAJJtH,aAA4C,IAAI+rB,QAKtD/rB,KAAK6mB,WAAavf,EAAQuf,WA2B9B,OAxBS6L,sBAAP,SAAiBhiB,GACf1Q,KAAK2yB,QAAQ5Y,IAAIrJ,GAAU,IAGtBgiB,4BAAP,SAAuBpP,GACrBtjB,KAAK4yB,aAAetP,GAGfoP,yBAAP,SAAoBhiB,EAAiBmV,SACnC7lB,KAAK6mB,WAAW,CACdzE,KAAM,CACJ,CACEpB,SAAUtQ,EAAStI,KAAKE,GACxB0a,OAAQ,KACRrc,KAAMkf,IAGV1D,QAAS,GACThB,MAAO,GACP3X,WAAY,GACZqpB,gBAAgB,cAElB7yB,KAAK4yB,uCAAgBliB,uBCVvB,WAAYpJ,GAFJtH,oBAAiC,GAQvCA,KAAK6mB,WAAavf,EAAQuf,WAC1B7mB,KAAKqrB,SAAW/jB,EAAQ+jB,SACxBrrB,KAAKoQ,cAAgB9I,EAAQ8I,cAC7BpQ,KAAKggB,OAAS1Y,EAAQ0Y,OAGtB,IAAM8S,EAAU9yB,KAChBA,KAAK+yB,eAAejyB,KAClB8d,EAAMoU,YAAYpzB,UAAW,gBAAgB,SAAU8e,GACrD,OAAO,WACL,IAAM3c,EAAa2c,EAAS3e,MAAMC,KAAMP,WAGxC,OAFIO,KAAK+B,YACP+wB,EAAQnN,cAAc3lB,KAAK+B,WAAY/B,KAAK2jB,eACvC5hB,OA0DjB,OApDSkxB,0BAAP,SAAqBlxB,EAAwBqD,GAC3C8jB,UAEOlpB,KAAKoQ,gBACRhL,MACAyhB,WAAY7mB,KAAK6mB,WACjB7G,OAAQhgB,KAAKggB,OACb0F,iBAAkB1lB,OAEpB+B,GAEFqpB,UACKprB,KAAKoQ,gBACRib,SAAUrrB,KAAKqrB,SAGfjmB,IAAMrD,EACNie,OAAQhgB,KAAKggB,WAOViT,gCAAP,SAA2BC,GACzB,GAAIA,EAAcriB,cAAe,CAC/B,IAAMsiB,EAAUnzB,KAChBA,KAAK+yB,eAAejyB,KAClB8d,EACGsU,EAAcriB,cAEZmiB,YAAYpzB,UACf,gBACA,SAAU8e,GACR,OAAO,WACL,IAAM3c,EAAa2c,EAAS3e,MAAMC,KAAMP,WAMxC,OALIO,KAAK+B,YACPoxB,EAAQxN,cACN3lB,KAAK+B,WACLmxB,EAAc5lB,iBAEXvL,SAQZkxB,kBAAP,WACEjzB,KAAK+yB,eAAehd,SAAQ,SAACqd,GAAiB,OAAAA,aC3FlD,IAHA,IAAIptB,GAAQ,mEAERqtB,GAA+B,oBAAfpB,WAA6B,GAAK,IAAIA,WAAW,KAC5D1yB,GAAI,EAAGA,GAAIyG,GAAMtG,OAAQH,KAC9B8zB,GAAOrtB,GAAMstB,WAAW/zB,KAAMA,GAElC,ICNMg0B,GAGF,IAAItZ,IAgBD,IAAMuZ,GAAe,SAC1BjzB,EACAqQ,EACAtG,GAEA,GACG/J,IACCkzB,GAAwBlzB,EAAOqQ,IAAyB,iBAAVrQ,GAFlD,CAMA,IACMmzB,WA1BNppB,EACAqpB,GAEA,IAAIC,EAAaL,GAAYja,IAAIhP,GAQjC,OAPKspB,IACHA,EAAa,IAAI3Z,IACjBsZ,GAAYxZ,IAAIzP,EAAKspB,IAElBA,EAAWrW,IAAIoW,IAClBC,EAAW7Z,IAAI4Z,EAAM,IAEhBC,EAAWta,IAAIqa,GAeTE,CAAgBvpB,EADhB/J,EAAMuzB,YAAYluB,MAE3B8T,EAAQga,EAAKjvB,QAAQlE,GAMzB,OAJe,IAAXmZ,IACFA,EAAQga,EAAKh0B,OACbg0B,EAAK5yB,KAAKP,IAELmZ,aAIOqa,GACdxzB,EACAqQ,EACAtG,GAEA,OAAI/J,aAAiBc,MACZd,EAAM0C,KAAI,SAAC8a,GAAQ,OAAAgW,GAAahW,EAAKnN,EAAKtG,MAC9B,OAAV/J,EACFA,EAEPA,aAAiByzB,cACjBzzB,aAAiB0zB,cACjB1zB,aAAiB2zB,YACjB3zB,aAAiBuK,aACjBvK,aAAiB0xB,YACjB1xB,aAAiB4zB,aACjB5zB,aAAiB6zB,YACjB7zB,aAAiB8zB,WACjB9zB,aAAiB+zB,kBAGV,CACLC,QAFWh0B,EAAMuzB,YAAYluB,KAG7ByY,KAAM,CAAClf,OAAO6U,OAAOzT,KAMvBA,aAAiBi0B,YAKV,CACLD,QAJWh0B,EAAMuzB,YAAYluB,KAK7B6uB,ODxEO,SAAUC,GACnB,IAAyCn1B,EAArCo1B,EAAQ,IAAI1C,WAAWyC,GAAiBE,EAAMD,EAAMj1B,OAAQ+0B,EAAS,GACzE,IAAKl1B,EAAI,EAAGA,EAAIq1B,EAAKr1B,GAAK,EACtBk1B,GAAUzuB,GAAM2uB,EAAMp1B,IAAM,GAC5Bk1B,GAAUzuB,IAAmB,EAAX2uB,EAAMp1B,KAAW,EAAMo1B,EAAMp1B,EAAI,IAAM,GACzDk1B,GAAUzuB,IAAuB,GAAf2uB,EAAMp1B,EAAI,KAAY,EAAMo1B,EAAMp1B,EAAI,IAAM,GAC9Dk1B,GAAUzuB,GAAqB,GAAf2uB,EAAMp1B,EAAI,IAQ9B,OANIq1B,EAAM,GAAM,EACZH,EAASA,EAAOtuB,UAAU,EAAGsuB,EAAO/0B,OAAS,GAAK,IAE7Ck1B,EAAM,GAAM,IACjBH,EAASA,EAAOtuB,UAAU,EAAGsuB,EAAO/0B,OAAS,GAAK,MAE/C+0B,ECsDQI,CAAOt0B,IAMbA,aAAiBu0B,SAEnB,CACLP,QAFWh0B,EAAMuzB,YAAYluB,KAG7ByY,KAAM,CACJ0V,GAAaxzB,EAAM2K,OAAQ0F,EAAKtG,GAChC/J,EAAMw0B,WACNx0B,EAAMy0B,aAGDz0B,aAAiB00B,iBAGnB,CACLV,QAHWh0B,EAAMuzB,YAAYluB,KAI7ByH,IAHc9M,OAKPA,aAAiB20B,UAEnB,CACLX,QAFWh0B,EAAMuzB,YAAYluB,KAG7ByY,KAAM,CAAC0V,GAAaxzB,EAAM0K,KAAM2F,EAAKtG,GAAM/J,EAAMkK,MAAOlK,EAAMoK,SAEvD8oB,GAAwBlzB,EAAOqQ,IAAyB,iBAAVrQ,EAIhD,CACLg0B,QAJWh0B,EAAMuzB,YAAYluB,KAK7B8T,MAJY8Z,GAAajzB,EAAOqQ,EAAKtG,IAQlC/J,EAGF,IAAM40B,GAAgB,SAC3B9W,EACAzN,EACAtG,GAEA,OAAOtJ,OAAIqd,OAAMpb,KAAI,SAAC8a,GAAQ,OAAAgW,GAAahW,EAAKnN,EAAKtG,OAG1CmpB,GAA0B,SACrClzB,EACAqQ,GAYA,IAcMwkB,EAdkC,CACtC,kBACA,cACA,mBACA,eACA,oBACA,cACA,6BACA,eACA,uBACA,yBAEA,6BAE2D3b,QAC3D,SAAC7T,GAAiB,MAAqC,mBAA9BgL,EAAIhL,MAE/B,OAAO9D,QACLszB,EAA+BvrB,MAC7B,SAACjE,GAAiB,OAAArF,aAAiBqQ,EAAIhL,QCrJ7C,SAASyvB,GACPz1B,EACAuC,EACAmhB,EACA5b,EACAsY,EACApP,WAEM8Z,EAA8B,GAE9B4K,EAAQn2B,OAAOo2B,oBAAoB31B,cAE9B4T,GACT,IACE,GAAyD,mBAA9C5T,EAAU4T,oBAGrB,IAAM0e,EAAiBtT,EAAMhf,EAAW4T,GAAM,SAAUkL,GACtD,OAAO,eAAkC,aAAA5Z,mBAAAA,IAAAuZ,kBACvC,IAAMxE,EAAS6E,EAAS3e,MAAMC,KAAMqe,GAEpC,GADAmV,GAAa3Z,EAAQjJ,EAAKhR,IACrB+f,GAAW3f,KAAKqK,OAA6B3C,GAAa,CAClDsY,EAAO7C,MAAOnd,KAAKqK,QAA9B,IAEMmrB,EAAaL,UAAkB9W,OAAOzN,EAAKhR,GAC3CihB,EAAmC,CACvC1e,OACAuN,SAAU8D,EACV6K,KAAMmX,GAGRlS,EAAGtjB,KAAKqK,OAA6BwW,GAGvC,OAAOhH,MAGX6Q,EAAS5pB,KAAKoxB,GACd,SACA,IAAMuD,EAAclX,EAA6B3e,EAAW4T,EAAM,CAChEuG,IAAA,SAAI/D,GAEFsN,EAAGtjB,KAAKqK,OAA6B,CACnClI,OACAuN,SAAU8D,EACV6K,KAAM,CAACrI,GACP0f,QAAQ,OAIdhL,EAAS5pB,KAAK20B,SAtClB,IAAmB,IAAAE,EAAA11B,EAAAq1B,+IA0CnB,OAAO5K,EC7CT,ICWIkL,GAEAC,iBDkBF,WAAYvuB,GA9BJtH,4BAAoD,IAAIia,IACxDja,eAAuB,CAAE81B,SAAU,EAAGC,SAAU,MAKhD/1B,aAAkB,EAClBA,aAAkB,EAqClBA,qBAAiD,SACvD8c,EACA+D,KAGE7gB,KAAKg2B,UAAUD,UACf/1B,KAAKg2B,UAAUF,WAAa91B,KAAKg2B,UAAUD,WAC5B/1B,KAAKg2B,UAAUD,WAC9B/1B,KAAKg2B,UAAUD,SAAW/1B,KAAKg2B,UAAUF,UAEtC91B,KAAKi2B,uBAAuB1Y,IAAIT,IACnC9c,KAAKi2B,uBAAuBlc,IAAI+C,EAAQ,IAG1C9c,KAAKi2B,uBAAuB3c,IAAIwD,GAAShc,KAAK+f,IArB9C7gB,KAAK6mB,WAAavf,EAAQuf,WAC1B7mB,KAAKggB,OAAS1Y,EAAQ0Y,QAEO,IAAzB1Y,EAAQY,cACVlI,KAAKk2B,2BAA2B5uB,EAAQsJ,IAAKtJ,EAAQI,YAyF3D,OAzHSyuB,kBAAP,WACEn2B,KAAKi2B,uBAAuBG,QAC5Bp2B,KAAKq2B,gBAAkBr2B,KAAKq2B,kBAGvBF,mBAAP,WACEn2B,KAAK4kB,QAAS,GAGTuR,qBAAP,WACEn2B,KAAK4kB,QAAS,GAGTuR,iBAAP,WACEn2B,KAAK6kB,QAAS,GAGTsR,mBAAP,WACEn2B,KAAK6kB,QAAS,GAkCRsR,uCAAR,SACEvlB,EACAlJ,GAEA1H,KAAKs2B,uBACLt2B,KAAKu2B,oCAEL,IAAMC,WEtFR5lB,EACAlJ,GAEA,IAAMgjB,EAA8B,GACpC,IACE,IAAMwH,EAAiBtT,EACrBhO,EAAI6lB,kBAAkB72B,UACtB,cACA,SAAU8e,GACR,OAAO,SAELgY,OACA,aAAA5xB,mBAAAA,IAAAuZ,oBAMA,OAJKsB,GAAW3f,KAA2B0H,IACnC,cAAe1H,OAClBA,KAAiBoK,UAAYssB,GAE3BhY,EAAS3e,MAAMC,QAAO02B,KAAgBrY,YAInDqM,EAAS5pB,KAAKoxB,GACd,SACA/lB,QAAQpL,MAAM,0DAEhB,OAAO,WACL2pB,EAAS3U,SAAQ,SAACoV,GAAM,OAAAA,QF2DGwL,CAA0B/lB,EAAKlJ,GACpDkvB,WGhFRtT,EACA1S,EACAlJ,EACAsY,WAEM0K,EAA8B,GAC9BmM,EAAU13B,OAAOo2B,oBACrB3kB,EAAIkmB,yBAAyBl3B,sBAEpB4T,GACT,IACE,GAGQ,mBAFC5C,EAAIkmB,yBAAyBl3B,UAClC4T,oBAKJ,IAAM0e,EAAiBtT,EACrBhO,EAAIkmB,yBAAyBl3B,UAC7B4T,GACA,SAAUkL,GACR,OAAO,eAAA,oBAEL5Z,mBAAAA,IAAAuZ,kBA+BA,OA7BKsB,GAAW3f,KAAKqK,OAA6B3C,IAGhDyJ,YAAW,WACT,IAAMqkB,SAAiBnX,OACvB,GAAa,cAAT7K,GAEAgiB,EAAW,IACXA,EAAW,aAAciB,kBACzB,CACA,IAAMpsB,EAASmrB,EAAW,GACpBlrB,EAAMD,EAAOE,WAAW,MAC1BwsB,EAAOzsB,MAAAA,SAAAA,EAAKM,aACd,EACA,EACAP,EAAOI,MACPJ,EAAOM,QAELqsB,EAAMD,MAAAA,SAAAA,EAAM9rB,KAChBuqB,EAAW,GAAKzD,KAAKC,UAAUgF,GAGnC1T,EAAGhG,EAAKjT,OAAQ,CACdlI,KAAM0W,EAAc,MACpBnJ,SAAU8D,EACV6K,KAAMmX,MAEP,GAEE9W,EAAS3e,MAAMC,KAAMqe,OAIlCqM,EAAS5pB,KAAKoxB,GACd,SACA,IAAMuD,EAAclX,EAClB3N,EAAIkmB,yBAAyBl3B,UAC7B4T,EACA,CACEuG,aAAI/D,GACFsN,EAAGtjB,KAAKqK,OAAQ,CACdlI,KAAM0W,EAAc,MACpBnJ,SAAU8D,EACV6K,KAAM,CAACrI,GACP0f,QAAQ,OAKhBhL,EAAS5pB,KAAK20B,SAlElB,IAAmB,IAAAwB,EAAAh3B,EAAA42B,6IAqEnB,OAAO,WACLnM,EAAS3U,SAAQ,SAACoV,GAAM,OAAAA,QHCF+L,CACpBl3B,KAAK0kB,gBAAgBoF,KAAK9pB,MAC1B4Q,EACAlJ,EACA1H,KAAKggB,QAGDmX,WD5BR7T,EACA1S,EACAlJ,EACAsY,GAEA,IAAM0K,EAA8B,GA0BpC,OAxBAA,EAAS5pB,WAAT4pB,SACK2K,GACDzkB,EAAIwmB,sBAAsBx3B,UAC1BiZ,EAAcwe,MACd/T,EACA5b,EACAsY,EACApP,cAIsC,IAA/BA,EAAI0mB,wBACb5M,EAAS5pB,WAAT4pB,SACK2K,GACDzkB,EAAI0mB,uBAAuB13B,UAC3BiZ,EAAc0e,OACdjU,EACA5b,EACAsY,EACApP,SAKC,WACL8Z,EAAS3U,SAAQ,SAACoV,GAAM,OAAAA,QCJMqM,CAC5Bx3B,KAAK0kB,gBAAgBoF,KAAK9pB,MAC1B4Q,EACAlJ,EACA1H,KAAKggB,QAGPhgB,KAAKq2B,eAAiB,WACpBG,IACAI,IACAO,MAIIhB,8CAAR,WAAA,WACEsB,uBAAsB,WAAM,OAAAna,EAAKoa,kCAG3BvB,iCAAR,WAAA,WACQwB,EAAwB,SAACC,GAC7Bta,EAAK0Y,UAAUF,SAAW8B,EAC1BH,sBAAsBE,IAExBF,sBAAsBE,IAGxBxB,wCAAA,WAAA,WACEn2B,KAAKi2B,uBAAuBlgB,SAC1B,SAAC/B,EAAiC3J,GAChC,IAAM/B,EAAKgV,EAAK0C,OAAO7C,MAAO9S,GAC9BiT,EAAKua,8BAA8BxtB,EAAQ/B,MAG/CmvB,uBAAsB,WAAM,OAAAna,EAAKoa,kCAGnCvB,0CAAA,SAA8B9rB,EAA2B/B,GACvD,IAAItI,KAAK4kB,SAAU5kB,KAAK6kB,OAAxB,CAIA,IAAMiT,EAAiB93B,KAAKi2B,uBAAuB3c,IAAIjP,GACvD,GAAKytB,IAA0B,IAARxvB,EAAvB,CAEA,IAAM0L,EAAS8jB,EAAe70B,KAAI,SAAC1C,GAEjC,OAD0BA,OXtGzB,SAAgBjB,EAAGsB,GACtB,IAAIvB,EAAI,GACR,IAAK,IAAIM,KAAKL,EAAOH,OAAOS,UAAUC,eAAeC,KAAKR,EAAGK,IAAMiB,EAAE6D,QAAQ9E,GAAK,IAC9EN,EAAEM,GAAKL,EAAEK,IACb,GAAS,MAALL,GAAqD,mBAAjCH,OAAO44B,sBACtB,CAAA,IAAIx4B,EAAI,EAAb,IAAgBI,EAAIR,OAAO44B,sBAAsBz4B,GAAIC,EAAII,EAAED,OAAQH,IAC3DqB,EAAE6D,QAAQ9E,EAAEJ,IAAM,GAAKJ,OAAOS,UAAUo4B,qBAAqBl4B,KAAKR,EAAGK,EAAEJ,MACvEF,EAAEM,EAAEJ,IAAMD,EAAEK,EAAEJ,KAE1B,OAAOF,GW6FqBkB,EAApB,aAGA4B,EAAS21B,EAAe,QAEhC93B,KAAK6mB,WAAW,CAAEve,KAAInG,OAAM81B,SAAUjkB,IAEtChU,KAAKi2B,uBAAuBtU,OAAOtX,WC7HvC,SAAS6tB,GAAUt3B,GACjB,cACKA,IACHg3B,UAAW3Z,KAAKD,QAQpB,IAAMgC,GTDG,CACL/c,IAAK,GACLka,eAAM3d,GAEJ,OAAKA,GAAMA,EAAE4I,KAGN5I,EAAE4I,KAAKE,IAFJ,GAIZ8U,iBAAQ9U,GACN,OAAOtI,KAAKiD,IAAIqF,IAAO,MAGzB+U,kBAAA,SAAkB7d,GAAlB,WACQ8I,EAAK9I,EAAE4I,MAAQ5I,EAAE4I,KAAKE,UACrBtI,KAAKiD,IAAIqF,GACZ9I,EAAEmJ,YACJnJ,EAAEmJ,WAAWoN,SAAQ,SAACmF,GACpB,OAAAoC,EAAKD,kBAAmBnC,OAI9BqC,aAAIjV,GACF,OAAOtI,KAAKiD,IAAIpD,eAAeyI,IAEjCkV,iBACExd,KAAKiD,IAAM,KSxBjB,SAASk1B,GACP7wB,gBAAAA,MAGE,IAAAqd,EAwBErd,OAvBF8wB,EAuBE9wB,mBAtBF+wB,EAsBE/wB,mBArBF1F,EAqBE0F,aArBFI,aAAa,aACbG,EAoBEP,gBApBFK,aAAgB,OAChBI,EAmBET,cAnBF2nB,aAAc,cACd1lB,EAkBEjC,gBAlBFV,aAAgB,YAChB6C,EAiBEnC,mBAjBFT,aAAmB,OACnBmG,EAgBE1F,mBAhBFM,gBACA0wB,EAeEhxB,gBAdgBixB,EAchBjxB,mBAbckxB,EAadlxB,iBAZFlF,EAYEkF,cAXFQ,EAWER,aAVFilB,EAUEjlB,QATFmxB,EASEnxB,SARFsH,EAQEtH,WARFijB,aAAW,KACXmO,EAOEpxB,gBANFwH,EAMExH,eANFY,gBACA6G,EAKEzH,uBALF4nB,gBACA7e,EAIE/I,eAJFiqB,gBACAhhB,EAGEjJ,eAHFW,gBACAqqB,EAEEhrB,UADFkJ,EACElJ,kBADFa,aAAkB,WAAM,OAAA,KAG1B,IAAKwc,EACH,MAAM,IAAI/R,MAAM,kCAGIrK,IAAlBmwB,QAAsDnwB,IAAvBgiB,EAAS0C,YAC1C1C,EAAS0C,UAAYyL,GAGvB,IA8CIC,EA9CE12B,GACc,IAAlBq2B,EACI,CACEM,OAAO,EACPC,MAAM,EACN,kBAAkB,EAClBC,OAAO,EACPC,OAAO,EACPC,QAAQ,EACRC,OAAO,EACPC,QAAQ,EACRC,KAAK,EACL92B,MAAM,EACN+2B,MAAM,EACN/0B,KAAK,EACLg1B,MAAM,EACNC,UAAU,EACVC,QAAQ,EACRC,UAAU,QAEUjxB,IAAtBgwB,EACAA,EACA,CAAEiB,UAAU,GAEZ/qB,GACgB,IAApB+pB,GAAgD,QAApBA,EACxB,CACEppB,QAAQ,EACRD,SAAS,EACTI,aAAa,EACbY,gBAAgB,EAChBV,gBAAgB,EAChBE,gBAAgB,EAChBC,mBAAmB,EACnBE,sBAAsB,EAGtBD,mBAAwC,QAApB2oB,EACpBhpB,qBAA0C,QAApBgpB,GAExBA,GAEA,GAENpY,KAGA,IAAIqZ,EAA2B,EAY/B7D,GAAc,SAACh1B,EAAkB84B,SAe/B,eAbEpR,GAAgB,yBAAIqR,aACpB/4B,EAAEuB,OAASuW,YAAUkhB,cAEnBh5B,EAAEuB,OAASuW,YAAUmhB,qBACrBj5B,EAAEqK,KAAKuH,SAAWmG,oBAAkBuJ,UAKtCoG,GAAgBvS,SAAQ,SAAC+jB,GAAQ,OAAAA,EAAI5R,cAGvCvD,EAzBqB,SAAC/jB,eACtB,IAAqB,IAAAiH,EAAA5H,EAAAqyB,GAAW,kCAAI,CAA/B,IAAMC,UACLA,EAAOwH,iBACTn5B,EAAI2xB,EAAOwH,eAAen5B,sGAM9B,OAHI63B,IACF73B,EAAK63B,EAAO73B,IAENA,EAgBHm5B,CAAen5B,GAAI84B,GACpB94B,EAAEuB,OAASuW,YAAUkhB,aACvBjB,EAAwB/3B,EACxB64B,EAA2B,OACtB,GAAI74B,EAAEuB,OAASuW,YAAUmhB,oBAAqB,CAEnD,GACEj5B,EAAEqK,KAAKuH,SAAWmG,oBAAkBuJ,UACpCthB,EAAEqK,KAAK4nB,eAEP,OAGF4G,IACA,IAAMO,EACJ3B,GAAoBoB,GAA4BpB,EAC5C4B,EACJ7B,GACAx3B,EAAEg3B,UAAYe,EAAsBf,UAAYQ,GAC9C4B,GAAeC,IACjBpE,IAAiB,KAKvB,IAAMqE,EAAsB,SAAC75B,GAC3Bu1B,GACEsC,GAAU,CACR/1B,KAAMuW,YAAUmhB,oBAChB5uB,QACEuH,OAAQmG,oBAAkBuJ,UACvB7hB,OAKL85B,EAAoC,SAACx6B,GACzC,OAAAi2B,GACEsC,GAAU,CACR/1B,KAAMuW,YAAUmhB,oBAChB5uB,QACEuH,OAAQmG,oBAAkByhB,QACvBz6B,OAIL06B,EAA4B,SAAC16B,GACjC,OAAAi2B,GACEsC,GAAU,CACR/1B,KAAMuW,YAAUmhB,oBAChB5uB,QACEuH,OAAQmG,oBAAkB2hB,gBACvB36B,OAKL6lB,EAAgB,IAAIkN,GAAc,CACtC7L,WAAYqT,IAGRlS,EAAgB,IAAImO,GAAc,CACtCjuB,eACA2e,WAAYwT,EACZzpB,IAAKuO,OACLzX,aACAsY,YAGI0F,EAAmB,IAAIuN,GAAiB,CAC5CpM,WAAYqT,EACZ7O,SAAU8O,EACV/pB,cAAe,CACb1I,aACAC,gBACAf,gBACAC,mBACAe,mBACA3F,mBACA6F,aACA1F,cACA8F,eACAD,eACAsiB,WACA9b,iBACA+W,gBACAwC,iBAEFhI,YAGF6V,GAAmB,SAAC6D,4BAAAA,MAClB9D,GACEsC,GAAU,CACR/1B,KAAMuW,YAAU6hB,KAChBtvB,KAAM,CACJpH,KAAMsb,OAAOlO,SAASpN,KACtB4G,MAAO+U,KACP7U,OAAQuU,OAGZwa,GAGFpR,GAAgBvS,SAAQ,SAAC+jB,GAAQ,OAAAA,EAAI3R,UAC/B,IAAA1e,EAAA/I,EXygBV,SAAkBlB,EAAG8H,GACjB,IAAI1F,EAAK0F,GAAW,GAAIO,EAAKjG,EAAG8F,WAAYA,OAAoB,IAAPG,EAAgB,WAAaA,EAAIE,EAAKnG,EAAG+F,cAAeA,OAAuB,IAAPI,EAAgB,KAAOA,EAAIwB,EAAK3H,EAAGgF,cAAeA,OAAuB,IAAP2C,EAAgB,UAAYA,EAAIE,EAAK7H,EAAGiF,iBAAkBA,OAA0B,IAAP4C,EAAgB,KAAOA,EAAIuD,EAAKpL,EAAGgG,iBAAkBA,OAA0B,IAAPoF,GAAuBA,EAAI4B,EAAKhN,EAAGqG,aAAcA,OAAsB,IAAP2G,GAAwBA,EAAIE,EAAKlN,EAAGsG,aAAcA,OAAsB,IAAP4G,GAAwBA,EAAIC,EAAKnN,EAAG02B,cAAeA,OAAuB,IAAPvpB,GAAwBA,EAAIjH,EAAalG,EAAGkG,WAAY1F,EAAcR,EAAGQ,YAAaiO,EAAKzO,EAAG44B,QAASA,OAAiB,IAAPnqB,GAAwBA,EAAIrI,EAAiBpG,EAAGoG,eAAgBgH,EAAqBpN,EAAGoN,mBAAoBN,EAAc9M,EAAG8M,YAAaC,EAAe/M,EAAG+M,aAAcE,EAAoBjN,EAAGiN,kBAAmB0B,EAAK3O,EAAGuG,gBACr2BmU,EAAY,GA0ChB,MAAO,CACH/N,EAAoB/O,EAAG,CACnB4F,IAAK5F,EACLyD,IAAKqZ,EACL5U,WAAYA,EACZC,cAAeA,EACff,cAAeA,EACfC,iBAAkBA,EAClB2H,WAAW,EACX5G,iBAAkBA,EAClB3F,kBAnDiC,IAAlBq2B,EACjB,CACEM,OAAO,EACPC,MAAM,EACN,kBAAkB,EAClBC,OAAO,EACPC,OAAO,EACPC,QAAQ,EACRC,OAAO,EACPC,QAAQ,EACRC,KAAK,EACL92B,MAAM,EACN+2B,MAAM,EACN/0B,KAAK,EACLg1B,MAAM,EACNC,UAAU,EACVC,QAAQ,EACRC,UAAU,IAEM,IAAlBlB,EACI,CACEkB,UAAU,GAEZlB,EA6BFxwB,WAAYA,EACZ1F,YAAaA,EACbqM,gBA9ByB,IAAZ+rB,GAAgC,QAAZA,EAEjC,CACIprB,QAAQ,EACRD,SAAS,EACTI,aAAa,EACbY,gBAAgB,EAChBX,qBAAkC,QAAZgrB,EACtB/qB,gBAAgB,EAChBE,gBAAgB,EAChBC,mBAAmB,EACnBC,oBAAoB,EACpBC,sBAAsB,IAEhB,IAAZ0qB,EACI,GACAA,EAeFxyB,eAAgBA,EAChBC,aAAcA,EACdC,aAAcA,EACd8G,mBAAoBA,EACpBN,YAAaA,EACbC,aAAcA,EACdE,kBAAmBA,EACnB1G,qBAhE24B,IAAPoI,EAAgB,WAAc,OAAO,GAAWA,IAkEx7B+L,GW5kBsBme,CAAS/0B,SAAU,CAC3CgC,aACAC,gBACAf,gBACAC,mBACAe,mBACA0wB,cAAer2B,EACf6F,aACA0yB,QAAS/rB,EACTvG,eACAD,eACAyG,YAAa,SAAClP,GACR+jB,GAAc/jB,IAChBgmB,EAAcC,UAAUjmB,GAEtBykB,GAAczkB,IAChBkmB,EAAiBC,cAAcnmB,EAAEuC,WAAY2D,WAGjDiJ,aAAc,SAACiX,EAAQC,GACrBL,EAAcM,aAAaF,EAAQC,GACnCH,EAAiBK,oBACdH,IAGLzd,uBAzBKxB,OAAM2V,OA4Bb,IAAK3V,EACH,OAAOwF,QAAQC,KAAK,mCAGtB4T,GAAO/c,IAAMqZ,EACbsZ,GACEsC,GAAU,CACR/1B,KAAMuW,YAAUkhB,aAChB3uB,KAAM,CACJtE,OACA+zB,cAAe,CACbC,UACyBpyB,IAAvB4W,OAAOyb,YACHzb,OAAOyb,oBACPl1B,mBAAAA,gBAAAA,SAAU2Z,gBAAgBzS,yCAC1BlH,mBAAAA,gBAAAA,SAAU6Z,2BAAM8P,oCAAeziB,qBAC/BlH,mBAAAA,gBAAAA,SAAU6Z,KAAK3S,aACf,EACNiuB,SACyBtyB,IAAvB4W,OAAO2b,YACH3b,OAAO2b,oBACPp1B,mBAAAA,gBAAAA,SAAU2Z,gBAAgBvS,wCAC1BpH,mBAAAA,gBAAAA,SAAU6Z,2BAAM8P,oCAAeviB,oBAC/BpH,mBAAAA,gBAAAA,SAAU6Z,KAAKzS,YACf,OAKdwb,GAAgBvS,SAAQ,SAAC+jB,GAAQ,OAAAA,EAAI1R,aAGvC,IACE,IAAM2S,GAA8B,GACpCA,GAASj6B,KACP8b,EAAG,oBAAoB,WACrBgZ,GACEsC,GAAU,CACR/1B,KAAMuW,YAAUsiB,iBAChB/vB,KAAM,UAMd,IAAMgwB,GAAU,SAAC71B,SACf,OAAOknB,GACL,CACEzF,WAAYqT,EACZzN,YAAa,SAACuB,EAAWxb,GACvB,OAAAojB,GACEsC,GAAU,CACR/1B,KAAMuW,YAAUmhB,oBAChB5uB,KAAM,CACJuH,SACAwb,iBAIR1D,mBAAoB,SAAC9L,GACnB,OAAAoX,GACEsC,GAAU,CACR/1B,KAAMuW,YAAUmhB,oBAChB5uB,QACEuH,OAAQmG,oBAAkBuiB,kBACvB1c,OAIX6M,SAAU8O,EACVzN,iBAAkB,SAAClO,GACjB,OAAAoX,GACEsC,GAAU,CACR/1B,KAAMuW,YAAUmhB,oBAChB5uB,QACEuH,OAAQmG,oBAAkBwiB,gBACvB3c,OAIXmO,QAAS,SAAC3W,GACR,OAAA4f,GACEsC,GAAU,CACR/1B,KAAMuW,YAAUmhB,oBAChB5uB,QACEuH,OAAQmG,oBAAkByiB,OACvBplB,OAIX4W,mBAAoB,SAACjtB,GACnB,OAAAi2B,GACEsC,GAAU,CACR/1B,KAAMuW,YAAUmhB,oBAChB5uB,QACEuH,OAAQmG,oBAAkB0iB,kBACvB17B,OAIXktB,iBAAkB,SAAClsB,GACjB,OAAAi1B,GACEsC,GAAU,CACR/1B,KAAMuW,YAAUmhB,oBAChB5uB,QACEuH,OAAQmG,oBAAkB2iB,gBACvB36B,OAIXmsB,mBAAoB,SAACnsB,GACnB,OAAAi1B,GACEsC,GAAU,CACR/1B,KAAMuW,YAAUmhB,oBAChB5uB,QACEuH,OAAQmG,oBAAkB4iB,kBACvB56B,OAIXosB,iBAAkBsN,EAClBrN,OAAQ,SAACrtB,GACP,OAAAi2B,GACEsC,GAAU,CACR/1B,KAAMuW,YAAUmhB,oBAChB5uB,QACEuH,OAAQmG,oBAAkB6iB,MACvB77B,OAIX+H,aACAunB,cACAroB,gBACAC,mBACA5E,mBACA2F,mBACA2iB,WACAriB,eACAD,eACAinB,uBACAqC,eACAnsB,MACAhD,cACA0F,aACAH,gBACA8G,iBACAuR,UACAwF,gBACAE,mBACAsC,gBACAsK,mBACEA,MAAAA,SAAAA,EACI7Y,QAAO,SAAC9Z,GAAM,OAAAA,EAAEiqB,kCAChB3mB,KAAI,SAACtD,GAAM,OACXiqB,SAAUjqB,EAAEiqB,SACZtiB,QAAS3H,EAAE2H,QACXkrB,SAAU,SAAC9L,GACT,OAAAkP,GACEsC,GAAU,CACR/1B,KAAMuW,YAAU+iB,OAChBxwB,KAAM,CACJsnB,OAAQ5yB,EAAEiG,KACV8gB,qBAIH,IAEb6F,IAIJ/G,EAAckW,iBAAgB,SAAChrB,GAC7BqqB,GAASj6B,KAAKm6B,GAAQvqB,EAASpD,qBAGjC,IAAMquB,GAAO,WACX9F,KACAkF,GAASj6B,KAAKm6B,GAAQv1B,YAwBxB,MArB0B,gBAAxBA,SAASoL,YACe,aAAxBpL,SAASoL,WAET6qB,KAEAZ,GAASj6B,KACP8b,EACE,QACA,WACEgZ,GACEsC,GAAU,CACR/1B,KAAMuW,YAAUkjB,KAChB3wB,KAAM,MAGV0wB,OAEFxc,SAIC,WACL4b,GAAShlB,SAAQ,SAACoV,GAAM,OAAAA,QAE1B,MAAOpqB,GAEPoL,QAAQC,KAAKrL,IGvdjB,SAAS86B,GAAKC,GAGb,OAFAA,EAAMA,GAAO38B,OAAO48B,OAAO,MAEpB,CAQNnf,GAAI,SAAYza,EAAc4oB,IAC5B+Q,EAAI35B,KAAU25B,EAAI35B,GAAQ,KAAKrB,KAAKiqB,IAUtCiR,IAAK,SAAa75B,EAAc4oB,GAC3B+Q,EAAI35B,IACP25B,EAAI35B,GAAMghB,OAAO2Y,EAAI35B,GAAMsC,QAAQsmB,KAAa,EAAG,IAYrDpG,KAAM,SAAcxiB,EAAcmpB,IAChCwQ,EAAI35B,IAAS,IAAIb,QAAQ2B,KAAI,SAAU8nB,GAAWA,EAAQO,OAC1DwQ,EAAI,MAAQ,IAAIx6B,QAAQ2B,KAAI,SAAU8nB,GAAWA,EAAQ5oB,EAAMmpB,QHqbnE6M,GAAO8D,eAAiB,SAAIC,EAAaxV,GACvC,IAAKkP,GACH,MAAM,IAAIhjB,MAAM,iDAElBgjB,GACEsC,GAAU,CACR/1B,KAAMuW,YAAUyjB,OAChBlxB,KAAM,CACJixB,MACAxV,eAMRyR,GAAOiE,WAAa,WAClB9T,GAAgBvS,SAAQ,SAAC+jB,GAAQ,OAAAA,EAAI7R,aAGvCkQ,GAAOtC,iBAAmB,SAAC6D,GACzB,IAAK7D,GACH,MAAM,IAAIjjB,MAAM,mDAElBijB,GAAiB6D,IAGnBvB,GAAOnY,OAASA,8DIjgBAI,GAASic,EAAoB7d,GAE3C,gBAFuB6d,uBAAoB7d,cAGzC,mBAAoBA,EAAEa,gBAAgBzK,SACF,IAApCynB,EAAEC,8BAFJ,CAQA,IAuB4BC,EAvBxB/uB,EAAU6uB,EAAErJ,aAAeqJ,EAAE7uB,QAI7BkR,EAAW,CACb+M,OAAQ4Q,EAAE5Q,QAAU4Q,EAAEG,SACtBC,SAAUJ,EAAEI,SACZC,cAAelvB,EAAQ5N,UAAU6rB,QAAUkR,EAC3CC,eAAgBpvB,EAAQ5N,UAAUg9B,gBAIhC5e,EACFqe,EAAEQ,aAAeR,EAAEQ,YAAY7e,IAC3Bqe,EAAEQ,YAAY7e,IAAI8L,KAAKuS,EAAEQ,aACzB5e,KAAKD,IAmBP8e,GAXwBP,EAWgBF,EAAEU,UAAUR,UAR/C,IAAI15B,OAFa,CAAC,QAAS,WAAY,SAEVM,KAAK,MAAMqB,KAAK+3B,GAQe,EAAI,GA0LzEF,EAAE5Q,OAAS4Q,EAAEG,SAAW,gBAEDj0B,IAAjB9I,UAAU,MAKsB,IAAhCu9B,EAAcv9B,UAAU,IAoB5Bw9B,EAAan9B,KACXu8B,EACA7d,EAAEe,UACoBhX,IAAtB9I,UAAU,GAAGk7B,OACPl7B,UAAU,GAAGk7B,KACf0B,EAAEa,SAAWb,EAAEzB,iBACEryB,IAArB9I,UAAU,GAAGo7B,MACPp7B,UAAU,GAAGo7B,IACfwB,EAAEc,SAAWd,EAAEvB,aA3BnBpc,EAAS+M,OAAO3rB,KACdu8B,OACsB9zB,IAAtB9I,UAAU,GAAGk7B,KACTl7B,UAAU,GAAGk7B,KACW,iBAAjBl7B,UAAU,GACjBA,UAAU,GACV48B,EAAEa,SAAWb,EAAEzB,iBAEEryB,IAArB9I,UAAU,GAAGo7B,IACTp7B,UAAU,GAAGo7B,SACItyB,IAAjB9I,UAAU,GACVA,UAAU,GACV48B,EAAEc,SAAWd,EAAEvB,eAoBzBuB,EAAEI,SAAW,gBAEUl0B,IAAjB9I,UAAU,KAKVu9B,EAAcv9B,UAAU,IAC1Bif,EAAS+d,SAAS38B,KAChBu8B,OACsB9zB,IAAtB9I,UAAU,GAAGk7B,KACTl7B,UAAU,GAAGk7B,KACW,iBAAjBl7B,UAAU,GACjBA,UAAU,GACV,OACiB8I,IAArB9I,UAAU,GAAGo7B,IACTp7B,UAAU,GAAGo7B,SACItyB,IAAjB9I,UAAU,GACVA,UAAU,GACV,GAORw9B,EAAan9B,KACXu8B,EACA7d,EAAEe,OACA9f,UAAU,GAAGk7B,MAAQ0B,EAAEa,SAAWb,EAAEzB,eACpCn7B,UAAU,GAAGo7B,KAAOwB,EAAEc,SAAWd,EAAEvB,gBAKzCttB,EAAQ5N,UAAU6rB,OAASje,EAAQ5N,UAAU48B,SAAW,WAEtD,QAAqBj0B,IAAjB9I,UAAU,GAKd,IAAoC,IAAhCu9B,EAAcv9B,UAAU,IAA5B,CAyBA,IAAIk7B,EAAOl7B,UAAU,GAAGk7B,KACpBE,EAAMp7B,UAAU,GAAGo7B,IAGvBoC,EAAan9B,KACXE,KACAA,UACgB,IAAT26B,EAAuB36B,KAAK4M,aAAe+tB,OACnC,IAARE,EAAsB76B,KAAK8M,YAAc+tB,OAjClD,CAEE,GAA4B,iBAAjBp7B,UAAU,SAAoC8I,IAAjB9I,UAAU,GAChD,MAAM,IAAI29B,YAAY,gCAGxB1e,EAASge,cAAc58B,KACrBE,UAEsBuI,IAAtB9I,UAAU,GAAGk7B,OACPl7B,UAAU,GAAGk7B,KACS,iBAAjBl7B,UAAU,KACfA,UAAU,GACZO,KAAK4M,gBAEYrE,IAArB9I,UAAU,GAAGo7B,MACPp7B,UAAU,GAAGo7B,SACEtyB,IAAjB9I,UAAU,KACRA,UAAU,GACZO,KAAK8M,aAmBfU,EAAQ5N,UAAU68B,SAAW,gBAENl0B,IAAjB9I,UAAU,MAKsB,IAAhCu9B,EAAcv9B,UAAU,IAc5BO,KAAKyrB,OAAO,CACVkP,OAAQl7B,UAAU,GAAGk7B,KAAO36B,KAAK4M,WACjCiuB,MAAOp7B,UAAU,GAAGo7B,IAAM76B,KAAK8M,UAC/BuwB,SAAU59B,UAAU,GAAG49B,WAhBvB3e,EAASge,cAAc58B,KACrBE,UACsBuI,IAAtB9I,UAAU,GAAGk7B,OACPl7B,UAAU,GAAGk7B,KAAO36B,KAAK4M,aACzBnN,UAAU,GAAKO,KAAK4M,gBACLrE,IAArB9I,UAAU,GAAGo7B,MACPp7B,UAAU,GAAGo7B,IAAM76B,KAAK8M,YACxBrN,UAAU,GAAKO,KAAK8M,aAchCU,EAAQ5N,UAAUg9B,eAAiB,WAEjC,IAAoC,IAAhCI,EAAcv9B,UAAU,IAA5B,CAUA,IAAI69B,EAAmBC,EAAqBv9B,MACxCw9B,EAAcF,EAAiBrwB,wBAC/BwwB,EAAcz9B,KAAKiN,wBAEnBqwB,IAAqB9e,EAAEe,MAEzB0d,EAAan9B,KACXE,KACAs9B,EACAA,EAAiB1wB,WAAa6wB,EAAY9C,KAAO6C,EAAY7C,KAC7D2C,EAAiBxwB,UAAY2wB,EAAY5C,IAAM2C,EAAY3C,KAIP,UAAlDwB,EAAEqB,iBAAiBJ,GAAkBprB,UACvCmqB,EAAEI,SAAS,CACT9B,KAAM6C,EAAY7C,KAClBE,IAAK2C,EAAY3C,IACjBwC,SAAU,YAKdhB,EAAEI,SAAS,CACT9B,KAAM8C,EAAY9C,KAClBE,IAAK4C,EAAY5C,IACjBwC,SAAU,gBAnCZ3e,EAASke,eAAe98B,KACtBE,UACiBuI,IAAjB9I,UAAU,IAA0BA,UAAU,KA3UpD,SAASk9B,EAAcnyB,EAAGE,GACxB1K,KAAK4M,WAAapC,EAClBxK,KAAK8M,UAAYpC,EAmBnB,SAASsyB,EAAcW,GACrB,GACe,OAAbA,GACoB,iBAAbA,QACep1B,IAAtBo1B,EAASN,UACa,SAAtBM,EAASN,UACa,YAAtBM,EAASN,SAIT,OAAO,EAGT,GAAwB,iBAAbM,GAA+C,WAAtBA,EAASN,SAE3C,OAAO,EAIT,MAAM,IAAI58B,UACR,oCACEk9B,EAASN,SACT,yDAWN,SAASO,EAAmBn2B,EAAIo2B,GAC9B,MAAa,MAATA,EACKp2B,EAAG6X,aAAewd,EAAqBr1B,EAAGq2B,aAGtC,MAATD,EACKp2B,EAAGiY,YAAcod,EAAqBr1B,EAAGs2B,iBADlD,EAYF,SAASC,EAAYv2B,EAAIo2B,GACvB,IAAII,EAAgB5B,EAAEqB,iBAAiBj2B,EAAI,MAAM,WAAao2B,GAE9D,MAAyB,SAAlBI,GAA8C,WAAlBA,EAUrC,SAASC,EAAaz2B,GACpB,IAAI02B,EAAgBP,EAAmBn2B,EAAI,MAAQu2B,EAAYv2B,EAAI,KAC/D22B,EAAgBR,EAAmBn2B,EAAI,MAAQu2B,EAAYv2B,EAAI,KAEnE,OAAO02B,GAAiBC,EAS1B,SAASb,EAAqB91B,GAC5B,KAAOA,IAAO+W,EAAEe,OAA6B,IAArB2e,EAAaz2B,IACnCA,EAAKA,EAAGN,YAAcM,EAAG5F,KAG3B,OAAO4F,EAST,SAAS42B,EAAKjgB,GACZ,IACI7d,EACA+9B,EACAC,EAxGQC,EAyGRC,GAJOzgB,IAIWI,EAAQsgB,WA9Jd,IAqDJF,EA4GZC,EAAUA,EAAU,EAAI,EAAIA,EAG5Bl+B,EA9GO,IAAO,EAAIwK,KAAK4zB,IAAI5zB,KAAK6zB,GAAKJ,IAgHrCF,EAAWlgB,EAAQygB,QAAUzgB,EAAQ5T,EAAI4T,EAAQygB,QAAUt+B,EAC3Dg+B,EAAWngB,EAAQ0gB,QAAU1gB,EAAQ1T,EAAI0T,EAAQ0gB,QAAUv+B,EAE3D6d,EAAQ2gB,OAAOj/B,KAAKse,EAAQ4gB,WAAYV,EAAUC,GAG9CD,IAAalgB,EAAQ5T,GAAK+zB,IAAangB,EAAQ1T,GACjD2xB,EAAE5E,sBAAsB4G,EAAKvU,KAAKuS,EAAGje,IAYzC,SAAS6e,EAAax1B,EAAI+C,EAAGE,GAC3B,IAAIs0B,EACAH,EACAC,EACAC,EACAL,EAAY1gB,IAGZvW,IAAO+W,EAAEe,MACXyf,EAAa3C,EACbwC,EAASxC,EAAEa,SAAWb,EAAEzB,YACxBkE,EAASzC,EAAEc,SAAWd,EAAEvB,YACxBiE,EAASrgB,EAAS+M,SAElBuT,EAAav3B,EACbo3B,EAASp3B,EAAGmF,WACZkyB,EAASr3B,EAAGqF,UACZiyB,EAASpC,GAIX0B,EAAK,CACHW,WAAYA,EACZD,OAAQA,EACRL,UAAWA,EACXG,OAAQA,EACRC,OAAQA,EACRt0B,EAAGA,EACHE,EAAGA,KChOT,ICO6RlL,iBDC3R,WAAYy/B,EAAiCC,gBAAjCD,MAPLj/B,gBAAqB,EAIpBA,SAAqB,KAI3BA,KAAKi/B,QAAUA,EACfj/B,KAAKk/B,MAAQA,EAiFjB,OA3ESC,sBAAP,SAAiBC,GACf,IAAM1lB,EAAQ1Z,KAAKq/B,gBAAgBD,GACnCp/B,KAAKi/B,QAAQ9b,OAAOzJ,EAAO,EAAG0lB,IAMzBD,uBAAP,SAAkBF,GAChBj/B,KAAKi/B,QAAUj/B,KAAKi/B,QAAQ19B,OAAO09B,IAG9BE,kBAAP,WACEn/B,KAAKmuB,WAAa,EAClB,IAAImR,EAAgBzC,YAAY7e,MACxBihB,EAAYj/B,aACdu/B,EAAOv/B,KAmBbA,KAAKw/B,IAAM/H,uBAlBX,SAASgI,IACP,IAAMrG,EAAOyD,YAAY7e,MAGzB,IAFAuhB,EAAKpR,aAAeiL,EAAOkG,GAAiBC,EAAKL,MACjDI,EAAgBlG,EACT6F,EAAQv/B,QAAQ,CACrB,IAAM0/B,EAASH,EAAQ,GAEvB,KAAIM,EAAKpR,YAAciR,EAAOM,OAI5B,MAHAT,EAAQhZ,QACRmZ,EAAOO,YAKPV,EAAQv/B,OAAS,GAAK6/B,EAAKK,YAC7BL,EAAKC,IAAM/H,sBAAsBgI,QAMhCN,kBAAP,WACMn/B,KAAKw/B,MACPK,qBAAqB7/B,KAAKw/B,KAC1Bx/B,KAAKw/B,IAAM,MAEbx/B,KAAKi/B,QAAQv/B,OAAS,GAGjBy/B,qBAAP,SAAgBD,GACdl/B,KAAKk/B,MAAQA,GAGRC,2BAAP,SAAsBzjB,GACpB1b,KAAK4/B,SAAWlkB,GAGXyjB,qBAAP,WACE,OAAoB,OAAbn/B,KAAKw/B,KAGNL,4BAAR,SAAwBC,GAGtB,IAFA,IAAIjtB,EAAQ,EACRI,EAAMvS,KAAKi/B,QAAQv/B,OAAS,EACzByS,GAASI,GAAK,CACnB,IAAIutB,EAAM/0B,KAAKg1B,OAAO5tB,EAAQI,GAAO,GACrC,GAAIvS,KAAKi/B,QAAQa,GAAKJ,MAAQN,EAAOM,MACnCvtB,EAAQ2tB,EAAM,MACT,CAAA,KAAI9/B,KAAKi/B,QAAQa,GAAKJ,MAAQN,EAAOM,OAK1C,OAAOI,EAAM,EAJbvtB,EAAMutB,EAAM,GAOhB,OAAO3tB,iBAKK6tB,GAAS9f,EAAsB+f,GAG7C,GACE/f,EAAM/d,OAASuW,YAAUmhB,qBACzB3Z,EAAMjV,KAAKuH,SAAWmG,oBAAkB4V,UACxC,CACA,IAAM2R,EAAchgB,EAAMjV,KAAK+iB,UAAU,GAAGG,WAEtCgS,EAAiBjgB,EAAM0X,UAAYsI,EAEzC,OADAhgB,EAAMwf,MAAQS,EAAiBF,EACxBE,EAAiBF,EAI1B,OADA/f,EAAMwf,MAAQxf,EAAM0X,UAAYqI,EACzB/f,EAAMwf;;;;;;;;;;;;;;oFCtGf,SAASrgC,GAAEA,EAAEG,GAAG,IAAIoB,EAAE,mBAAmBT,QAAQd,EAAEc,OAAOC,UAAU,IAAIQ,EAAE,OAAOvB,EAAE,IAAIsB,EAAET,EAAEX,EAAEqB,EAAEd,KAAKT,GAAGkG,EAAE,GAAG,IAAI,WAAM,IAAS/F,GAAGA,KAAK,MAAMmB,EAAEpB,EAAEe,QAAQE,MAAM+E,EAAEzE,KAAKH,EAAEJ,OAAO,MAAMlB,GAAGa,EAAE,CAACa,MAAM1B,GAAG,QAAQ,IAAIsB,IAAIA,EAAEH,OAAOI,EAAErB,EAAE6gC,SAASx/B,EAAEd,KAAKP,GAAG,QAAQ,GAAGW,EAAE,MAAMA,EAAEa,OAAO,OAAOwE,GAAS,SAASlG,GAAGA,EAAEA,EAAEghC,WAAW,GAAG,aAAahhC,EAAEA,EAAEihC,QAAQ,GAAG,UAAUjhC,EAAEA,EAAEkhC,QAAQ,GAAG,UAAnF,CAA8F/gC,KAAIA,GAAE,KAAK,IAAIoB,GAAE,CAACuB,KAAK,eAAe,SAASxB,GAAEtB,GAAG,YAAO,IAASA,EAAE,GAAG,GAAGkC,OAAOlC,GAAG,SAASa,GAAEb,GAAG,MAAM,CAAC8C,KAAK,gBAAgBq+B,WAAWnhC,GAAG,SAASE,GAAEF,EAAEG,GAAG,MAAM,iBAAiBH,EAAE,iBAAiBA,GAAGG,GAAGA,EAAEH,GAAGG,EAAEH,GAAGA,GAAG,CAAC8C,KAAK9C,GAAG,mBAAmBA,EAAE,CAAC8C,KAAK9C,EAAEuG,KAAKM,KAAK7G,GAAGA,EAAE,SAASkG,GAAElG,GAAG,OAAO,SAASG,GAAG,OAAOH,IAAIG,GAAG,SAASihC,GAAEphC,GAAG,MAAM,iBAAiBA,EAAE,CAAC8C,KAAK9C,GAAGA,EAAE,SAASkH,GAAElH,EAAEG,GAAG,MAAM,CAACe,MAAMlB,EAAE+e,QAAQ5e,EAAEy/B,QAAQ,GAAGyB,SAAQ,EAAGx5B,QAAQ3B,GAAElG,IAAI,SAASshC,GAAEthC,EAAEG,EAAEoB,GAAG,IAAID,EAAEnB,EAAEU,GAAE,EAAG,MAAM,CAACb,EAAEoa,iBAAiBpa,GAAG,GAAG,kBAAkBA,EAAE8C,KAAK,CAACjC,GAAE,EAAG,IAAIV,EAAEL,OAAOC,OAAO,GAAGuB,GAAG,MAAM,mBAAmBtB,EAAEmhC,WAAWhhC,EAAEH,EAAEmhC,WAAW7/B,EAAEC,GAAGzB,OAAO0W,KAAKxW,EAAEmhC,YAAYzqB,kBAAkB7V,GAAGV,EAAEU,GAAG,mBAAmBb,EAAEmhC,WAAWtgC,GAAGb,EAAEmhC,WAAWtgC,GAAGS,EAAEC,GAAGvB,EAAEmhC,WAAWtgC,MAAMS,EAAEnB,GAAE,EAAG,OAAM,KAAMmB,EAAET,GAAG,SAASZ,GAAEE,EAAEU,QAAG,IAASA,IAAIA,EAAE,IAAI,IAAIZ,EAAED,GAAEshC,GAAEhgC,GAAEnB,EAAEohC,OAAOphC,EAAEqhC,SAASC,OAAO79B,cAAc5D,GAAG,OAAOE,GAAEF,EAAEa,EAAE++B,YAAYz/B,EAAE4e,QAAQxd,IAAG,GAAGQ,EAAE9B,EAAE,GAAG0W,EAAE1W,EAAE,GAAGoL,EAAE,CAACq2B,OAAOvhC,EAAEwhC,SAAS9gC,EAAE+gC,aAAa,CAAC1gC,MAAMf,EAAEqhC,QAAQ5B,QAAQ79B,EAAEgd,QAAQpI,EAAE9O,QAAQ3B,GAAE/F,EAAEqhC,UAAUK,WAAW,SAAStgC,EAAEV,GAAG,IAAIZ,EAAE8B,EAAE4U,EAAE,iBAAiBpV,EAAE,CAACL,MAAMK,EAAEwd,QAAQ5e,EAAE4e,SAASxd,EAAEjB,EAAEqW,EAAEzV,MAAM4gC,EAAEnrB,EAAEoI,QAAQI,EAAEiiB,GAAEvgC,GAAGsK,EAAEhL,EAAEohC,OAAOjhC,GAAG,GAAG6K,EAAEoS,GAAG,CAAC,IAAIvc,EAAEM,GAAE6J,EAAEoS,GAAG4B,EAAErc,OAAO,IAAI,IAAI,IAAIgpB,EAAE,SAAS9rB,GAAG,IAAIG,EAAE,mBAAmBW,QAAQA,OAAOC,SAASQ,EAAEpB,GAAGH,EAAEG,GAAGmB,EAAE,EAAE,GAAGC,EAAE,OAAOA,EAAEd,KAAKT,GAAG,GAAGA,GAAG,iBAAiBA,EAAEK,OAAO,MAAM,CAACY,KAAK,WAAW,OAAOjB,GAAGsB,GAAGtB,EAAEK,SAASL,OAAE,GAAQ,CAACkB,MAAMlB,GAAGA,EAAEsB,KAAKH,MAAMnB,KAAK,MAAM,IAAIoB,UAAUjB,EAAE,0BAA0B,mCAAtQ,CAA0Sa,GAAGuZ,EAAEuR,EAAE7qB,QAAQsZ,EAAEpZ,KAAKoZ,EAAEuR,EAAE7qB,OAAO,CAAC,IAAI8gC,EAAExnB,EAAErZ,MAAM,QAAG,IAAS6gC,EAAE,OAAO76B,GAAE5G,EAAEwhC,GAAG,IAAI9E,EAAE,iBAAiB+E,EAAE,CAACtkB,OAAOskB,GAAGA,EAAEC,EAAEhF,EAAEvf,OAAOwkB,EAAEjF,EAAE4C,QAAQsC,OAAE,IAASD,EAAE,GAAGA,EAAEE,EAAEnF,EAAEoF,KAAKC,OAAE,IAASF,EAAE,WAAW,OAAM,GAAIA,EAAEG,OAAE,IAASN,EAAE7C,EAAE,MAAM6C,EAAEA,EAAE1hC,EAAEiiC,EAAEpiC,EAAEohC,OAAOpC,GAAG,GAAGkD,EAAEP,EAAE3iB,GAAG,CAAC,IAAIqjB,EAAExiC,GAAEshC,IAAGgB,EAAEhhC,GAAE4gC,GAAG,GAAGhgC,OAAOiJ,EAAEs3B,KAAKP,EAAEK,EAAEd,OAAOrnB,iBAAiBpa,GAAG,OAAOA,MAAM4D,cAAc5D,GAAG,OAAOE,GAAEF,EAAEqL,EAAEs2B,SAAS/B,YAAYkC,EAAE3iB,GAAG,GAAGujB,EAAEF,EAAE,GAAGG,EAAEH,EAAE,GAAGI,EAAEJ,EAAE,GAAGK,EAAE,MAAMb,EAAEA,EAAE1hC,EAAE,MAAM,CAACY,MAAM2hC,EAAE9jB,QAAQ4jB,EAAE/C,QAAQ8C,EAAErB,QAAQW,IAAI1hC,GAAGoiC,EAAEriC,OAAO,GAAGuiC,EAAE/6B,QAAQ3B,GAAE28B,MAAM,MAAM7iC,GAAGC,EAAE,CAACyB,MAAM1B,GAAG,QAAQ,IAAIua,IAAIA,EAAEpZ,OAAOY,EAAE+pB,EAAEiV,SAASh/B,EAAEtB,KAAKqrB,GAAG,QAAQ,GAAG7rB,EAAE,MAAMA,EAAEyB,QAAQ,OAAOwF,GAAE5G,EAAEwhC,KAAK,OAAOz2B,EAAE,IAAItJ,GAAE,SAAS/B,EAAEG,GAAG,OAAOH,EAAE4/B,QAAQlpB,kBAAkBnV,GAAG,IAAID,EAAEC,EAAEsF,KAAK,OAAOvF,GAAGA,EAAEtB,EAAE+e,QAAQ5e,OAAO,SAASwW,GAAE3W,GAAG,IAAIsB,EAAEtB,EAAE4hC,aAAa/gC,EAAEV,GAAE6gC,WAAW9gC,EAAE,IAAIijB,IAAIjc,EAAE,CAAC47B,SAAS9iC,EAAE+iC,KAAK,SAASxhC,GAAGV,IAAIV,GAAE8gC,UAAU3/B,EAAEtB,EAAE6hC,WAAWvgC,EAAEC,GAAGQ,GAAET,EAAE8/B,GAAE7/B,IAAIrB,EAAEwW,kBAAkB1W,GAAG,OAAOA,EAAEsB,QAAQ0hC,UAAU,SAAShjC,GAAG,OAAOE,EAAEgiB,IAAIliB,GAAGA,EAAEsB,GAAG,CAAC2hC,YAAY,WAAW,OAAO/iC,EAAEoiB,OAAOtiB,MAAM8S,MAAM,SAAS5S,GAAG,GAAGA,EAAE,CAAC,IAAIkhC,EAAE,iBAAiBlhC,EAAEA,EAAE,CAAC6e,QAAQ/e,EAAE0hC,OAAO3iB,QAAQ7d,MAAMhB,GAAGoB,EAAE,CAACJ,MAAMkgC,EAAElgC,MAAM0+B,QAAQ,GAAG7gB,QAAQqiB,EAAEriB,QAAQlX,QAAQ3B,GAAEk7B,EAAElgC,QAAQ,OAAOL,EAAEV,GAAE8gC,QAAQl/B,GAAET,EAAEC,IAAG2F,GAAGg8B,KAAK,WAAW,OAAOriC,EAAEV,GAAE+gC,QAAQhhC,EAAE62B,QAAQ7vB,GAAGi8B,YAAY,OAAO7hC,GAAG8hC,aAAa,OAAOviC,IAAI,OAAOqG,WCmExjGm8B,GACdtkB,EACAxc,OAAE+gC,cAAWC,6BAA0BC,YAsMvC,OAAOC,GApMeC,GACpB,CACEz6B,GAAI,SACJ8V,UACAyiB,QAAS,SACTD,OAAQ,CACNoC,QAAS,CACPpmB,GAAI,CACFqmB,MAAO,CACLnmB,OAAQ,SACRmiB,QAAS,CAAC,UAEZiE,WAAY,CACVpmB,OAAQ,UACRmiB,QAAS,aAEXkE,IAAK,CACHrmB,OAAQ,SACRmiB,QAAS,CAAC,uBAAwB,UAEpCmE,UAAW,CACTtmB,OAAQ,UACRmiB,QAAS,CAAC,eAIhBxyB,OAAQ,CACNmQ,GAAI,CACFymB,KAAM,CACJvmB,OAAQ,UACRmiB,QAAS,CAAC,mBAAoB,SAEhCiE,WAAY,CACVpmB,OAAQ,SACRmiB,QAAS,aAEXqE,QAAS,CACPxmB,OAAQ,OACRmiB,QAAS,CAAC,cAEZmE,UAAW,CACTtmB,OAAQ,SACRmiB,QAAS,CAAC,eAIhBsE,KAAM,CACJ3mB,GAAI,CACFwmB,UAAW,CACTtmB,OAAQ,OACRmiB,QAAS,CAAC,aAEZiE,WAAY,CACVpmB,OAAQ,OACRmiB,QAAS,CAAC,kBAMpB,CACEA,QAAS,CACPuE,UAAWpkC,GAAO,CAChBqkC,gBAAiB,SAACn5B,EAAK4V,GACrB,MAAmB,eAAfA,EAAM/d,KACD+d,EAAMwG,QAAQxG,MAEhB5V,EAAIm5B,mBAGfC,iBAAkBtkC,IAAO,SAACkL,EAAK4V,GAC7B,IAAIiO,EAAa7jB,EAAI6jB,WAIrB,MAHI,YAAajO,GAAS,eAAgBA,EAAMwG,UAC9CyH,EAAajO,EAAMwG,QAAQyH,mBAGxB7jB,IACH6jB,aACA8R,aAAc31B,EAAIq5B,OAAO,GAAG/L,UAAYzJ,OAG5CrT,KAAA,SAAKxQ,iBACKs5B,EAAiDt5B,QAA1Cq5B,EAA0Cr5B,SAAlC21B,EAAkC31B,eAApBm5B,EAAoBn5B,kBACzDs5B,EAAMxN,YAEN,IAAoB,IAAAyN,EAAA5jC,EAAA0jC,iCAAQ,CAE1B3D,WAAgBC,qGAElB,IAAM6D,WAhHdH,EACA1D,GAEA,IAAK,IAAI/c,EAAMygB,EAAOjkC,OAAS,EAAGwjB,GAAO,EAAGA,IAAO,CACjD,IAAM6gB,EAAQJ,EAAOzgB,GACrB,GAAI6gB,EAAM5hC,OAASuW,YAAU6hB,MACvBwJ,EAAMnM,WAAaqI,EACrB,OAAO0D,EAAOriC,MAAM4hB,GAI1B,OAAOygB,EAqGsBK,CAAsBL,EAAQ1D,GAE/CgE,EAAsBR,MAAAA,SAAAA,EAAiB7L,WAEzC6L,MAAAA,SAAAA,EAAiBthC,QAASuW,YAAUmhB,qBACpC4J,EAAgBx4B,KAAKuH,SAAWmG,oBAAkB4V,YAElD0V,EACER,EAAgB7L,qBAChB6L,EAAgBx4B,KAAK+iB,UAAU,yBAAIG,aAEnC8R,GAAgBgE,GAAuB,IACzCpB,EAAQle,KAAK5L,iBAAemrB,UAG9B,IAAMC,EAAa,IAAI9iC,MACjB49B,EAAU,IAAI59B,iBACT+iC,GACT,GACEH,GACAA,EAAsBhE,IACrBmE,EAAMxM,WAAaqM,GAClBG,IAAUX,oBAId,GAAIW,EAAMxM,UAAYqI,EACpBkE,EAAWrjC,KAAKsjC,OACX,CACL,IAAMC,EAAS1B,EAAUyB,GAAO,GAChCnF,EAAQn+B,KAAK,CACX6+B,SAAU,WACR0E,KAEF3E,MAAO0E,EAAM1E,cAjBnB,IAAoB,IAAA4E,EAAArkC,EAAA6jC,+IAqBpBlB,EAAyBuB,GACzBtB,EAAQle,KAAK5L,iBAAewrB,OAC5BX,EAAMY,WAAWvF,GACjB2E,EAAMzxB,SAER4I,eAAMzQ,GACJA,EAAIs5B,MAAMxN,SAEZqO,qBAAsBrlC,IAAO,SAACkL,GAC5B,cACKA,IACHm5B,gBAAiB,UAGrBiB,UAAWtlC,GAAO,CAChB6gC,aAAc,SAAC31B,EAAK4V,GAGlB,OAFA5V,EAAIs5B,MAAMe,gBAAe,GACzBr6B,EAAIs5B,MAAMzxB,QACS,YAAf+N,EAAM/d,MAAsB+d,EAAMwG,QAAQuZ,aACrC/f,EAAMwG,QAAQuZ,aAEhBhiB,KAAKD,SAGhB4mB,SAAUxlC,IAAO,SAACkL,EAAKu6B,GACb,IAAA5E,EAAgC31B,eAAlBs5B,EAAkBt5B,QAAXq5B,EAAWr5B,SACxC,GAA0B,cAAtBu6B,EAAa1iC,KAAsB,CAC7B,IAAA2iC,EAAUD,EAAane,cAC/BsZ,GAAS8E,EAAO7E,GAEhB,IAAI1tB,EAAMoxB,EAAOjkC,OAAS,EAC1B,IAAKikC,EAAOpxB,IAAQoxB,EAAOpxB,GAAKqlB,WAAakN,EAAMlN,UAEjD+L,EAAO7iC,KAAKgkC,OACP,CAGL,IAFA,IAAIC,GAAkB,EAClB5yB,EAAQ,EACLA,GAASI,GAAK,CACnB,IAAIutB,EAAM/0B,KAAKg1B,OAAO5tB,EAAQI,GAAO,GACjCoxB,EAAO7D,GAAKlI,WAAakN,EAAMlN,UACjCzlB,EAAQ2tB,EAAM,EAEdvtB,EAAMutB,EAAM,GAGQ,IAApBiF,IACFA,EAAiB5yB,GAEnBwxB,EAAOxgB,OAAO4hB,EAAgB,EAAGD,GAGnC,IAAME,EAASF,EAAMlN,UAAYqI,EAC3BgF,EAAStC,EAAUmC,EAAOE,GAC5BA,EACFC,IACSrB,EAAMsB,YACftB,EAAMuB,UAAU,CACdxF,SAAU,WACRsF,KAEFvF,MAAOoF,EAAMpF,QAInB,cAAYp1B,IAAKq5B,kBCpR3B,ICEYyB,YAuCIC,GACdtiC,EACAmP,GAEA,IAAM9O,EAAOL,EAAMmP,EAAS,IAC5B,OAAwB,IAApBA,EAASxS,OACJ0D,EAEAiiC,GACHjiC,EAAyBJ,SAASkP,EAAS,IAC1ClP,SACHkP,EAAS5Q,MAAM,aAKLgkC,GAAqBC,GACnC,IAAMvX,SAAgBuX,OAChB7rB,EAAQsU,EAAUnpB,MACxB,MAAO,CAAEmpB,YAAWtU,kBAGN8rB,GACdC,EACAC,GAEQ,IAAAl+B,EAAUk+B,QACbl+B,GAMLi+B,EAAY1vB,SAAQ,SAAC3S,GACnB,GAAIA,EAAKjB,OAASijC,GAAcO,OAC9B,IACE,GAAItkC,MAAMyU,QAAQ1S,EAAKsW,OAAQ,CACvB,IAAA9X,EAAuB0jC,GAAqBliC,EAAKsW,OAA/CsU,cAAWtU,UACA2rB,GAAc79B,EAAMxE,SAAUgrB,GACtCsC,WAAWltB,EAAKE,QAASoW,QAEpClS,EAAM8oB,WAAWltB,EAAKE,QAASF,EAAKsW,OAEtC,MAAO9Y,SAMJ,GAAIwC,EAAKjB,OAASijC,GAAcQ,OACrC,IACE,GAAIvkC,MAAMyU,QAAQ1S,EAAKsW,OAAQ,CACvB,IAAA7R,EAAuBy9B,GAAqBliC,EAAKsW,OAA/CsU,cAAWtU,UACA2rB,GAAc79B,EAAMxE,SAAUgrB,GACtCyC,WAAW/W,GAAS,QAE/BlS,EAAMipB,WAAWrtB,EAAKsW,OAExB,MAAO9Y,SAMJ,GAAIwC,EAAKjB,OAASijC,GAAcS,UAkB3C,SACEC,EACAJ,SAEA,IACE,IAAMK,EAAgB1kC,MAAMH,gBAAKwkC,EAAUl+B,4BAAOxE,WAAY,IAAIC,KAChE,SAACG,GAAS,OAAAA,EAAKE,WAEX0iC,EAAwB7mC,OAAOyxB,QAAQmV,GAAeE,UACxDC,EAAYH,EAAcrmC,OAC9BsmC,EAAsBjwB,SAAQ,SAACnU,SAAAmG,EAAArH,OAACgZ,OAAOtW,OAC/BqB,EAAUqhC,EAASrhC,QAAQrB,GACjC,IAAiB,IAAbqB,GAAkBA,EAAUyhC,EAC9B,cACER,EAAUl+B,sBAAOipB,WAAW9F,OAAOjR,IACnC,MAAO9Y,IAOXslC,EAAYzhC,KAEdqhC,EAAS/vB,SAAQ,SAACzS,EAASoW,aACzB,yBACMgsB,EAAUl+B,4BAAOxE,SAAS0W,yBAAQpW,WAAYA,cAChDoiC,EAAUl+B,sBAAO8oB,WAAWhtB,EAASoW,IAEvC,MAAO9Y,QAOX,MAAOA,KArDLulC,CAAkC/iC,EAAK0iC,SAAUJ,QAC5C,GAAItiC,EAAKjB,OAASijC,GAAcgB,YAAa,CAC9Bf,GAClB79B,EAAMxE,SACNI,EAAKsW,OAEI9E,MAAMoc,YAAY5tB,EAAKsM,SAAUtM,EAAK7C,MAAO6C,EAAK8tB,eACxD,GAAI9tB,EAAKjB,OAASijC,GAAciB,eAAgB,CACjChB,GAClB79B,EAAMxE,SACNI,EAAKsW,OAEI9E,MAAMuc,eAAe/tB,EAAKsM,eApH3C,SAAY01B,GACVA,uBACAA,uBACAA,2BACAA,iCACAA,uCALF,CAAYA,KAAAA,QCQZ,IAAM7R,GAGF,IAAItZ,aACQ4Z,GACdvpB,EACAqpB,GAEA,IAAIC,EAAaL,GAAYja,IAAIhP,GAQjC,OAPKspB,IACHA,EAAa,IAAI3Z,IACjBsZ,GAAYxZ,IAAIzP,EAAKspB,IAElBA,EAAWrW,IAAIoW,IAClBC,EAAW7Z,IAAI4Z,EAAM,IAEhBC,EAAWta,IAAIqa,GAsBxB,IAAM2S,GAAiC,CACrC,kBACA,cACA,mBACA,eACA,oBACA,cACA,6BACA,eACA,uBACA,mCAgBcC,GACdC,EACAl8B,GAEA,OAAO,SAACyT,GACN,GAAIA,GAAsB,iBAARA,GAAoB,YAAaA,EAAK,CACtD,GAAI,UAAWA,EAAK,CACV,IAASrU,EAAgBqU,UAAVrE,EAAUqE,QACjC,OAAO8V,GAAgBvpB,EAAKZ,GAAMgQ,GAC7B,GAAI,SAAUqE,EAAK,CAChB,IAASrB,EAAeqB,UAATM,EAASN,OAC1B4V,EAAOxU,OAAOzC,GAEpB,WAAWiX,aAAAA,eAAQtV,EAAKpb,IAAIsjC,GAAeC,EAAUl8B,WAChD,GAAI,WAAYyT,EACrB,Od9DK,SAAU0W,GACnB,IAA8Dl1B,EAAUknC,EAAUC,EAAUC,EAAUC,EAAlGC,EAA+B,IAAhBpS,EAAO/0B,OAAek1B,EAAMH,EAAO/0B,OAAWC,EAAI,EACnC,MAA9B80B,EAAOA,EAAO/0B,OAAS,KACvBmnC,IACkC,MAA9BpS,EAAOA,EAAO/0B,OAAS,IACvBmnC,KAGR,IAAInS,EAAc,IAAIF,YAAYqS,GAAelS,EAAQ,IAAI1C,WAAWyC,GACxE,IAAKn1B,EAAI,EAAGA,EAAIq1B,EAAKr1B,GAAK,EACtBknC,EAAWpT,GAAOoB,EAAOnB,WAAW/zB,IACpCmnC,EAAWrT,GAAOoB,EAAOnB,WAAW/zB,EAAI,IACxConC,EAAWtT,GAAOoB,EAAOnB,WAAW/zB,EAAI,IACxCqnC,EAAWvT,GAAOoB,EAAOnB,WAAW/zB,EAAI,IACxCo1B,EAAMh1B,KAAQ8mC,GAAY,EAAMC,GAAY,EAC5C/R,EAAMh1B,MAAoB,GAAX+mC,IAAkB,EAAMC,GAAY,EACnDhS,EAAMh1B,MAAoB,EAAXgnC,IAAiB,EAAiB,GAAXC,EAE1C,OAAOlS,Ec4CIoS,CAAO/oB,EAAI0W,QACb,GAAI,QAAS1W,EAAK,CACvB,IAAMnD,EAAQ4rB,EAASltB,IAAIyE,EAAI1Q,KAC/B,GAAIuN,EACF,OAAOA,EAEP,IAAMjP,EAAQ,IAAIo7B,MAGlB,OAFAp7B,EAAM0B,IAAM0Q,EAAI1Q,IAChBm5B,EAASzsB,IAAIgE,EAAI1Q,IAAK1B,GACfA,QAGN,GAAItK,MAAMyU,QAAQiI,GACvB,OAAOA,EAAI9a,IAAIsjC,GAAeC,EAAUl8B,IAE1C,OAAOyT,YAIaipB,GAAcplC,OACpCif,aACA/D,WACA3a,SACAqkC,aACAS,iBAQA,IACE,IAAM38B,EA7FV,SACEwS,EACA3a,GAKA,IACE,OAAIA,IAAS0W,EAAcwe,MAEvBva,EAAOvS,WAAW,UAAauS,EAAOvS,WAAW,sBAG9CuS,EAAOvS,WAAW,UACzB,MAAO3J,GACP,OAAO,MA8EK2J,CAAWuS,EAAQ3a,GAC/B,IAAKmI,EAAK,OAMV,GAAIuW,EAAS6U,OAIX,YADCprB,EAAYuW,EAASnR,UAAYmR,EAASxC,KAAK,IAGlD,IAAMK,EAAWpU,EACfuW,EAASnR,UAGL2O,EAAOwC,EAASxC,KAAKpb,IAAIsjC,GAAeC,EAAUl8B,KA9E5D,SACEA,EACAuP,GAEA,GAAKA,MAAAA,SAAAA,EAAQia,YAAb,CAEQ,IAAAluB,EAASiU,EAAOia,iBACxB,GAAKwS,GAA+BY,SAASthC,GAA7C,CAEA,IAAMuhC,EAAYtT,GAAgBvpB,EAAK1E,GAClCuhC,EAAUD,SAASrtB,IAASstB,EAAUrmC,KAAK+Y,KAsE9CutB,CAAkB98B,EADHoU,EAAS3e,MAAMuK,EAAK+T,IA+BnC,MAAOtd,GACPkmC,EAAapmB,EAAU9f,ICxG3B,IAKM86B,GAAQwL,IAA6BC,GAErCC,GAAwB,aAExBC,GAAyB,CAC7BC,SAAU,IACVC,QAAS,QACTC,UAAW,EACXC,YAAa,OAGf,SAASC,GAAqBjnC,GAC5B,OACEA,EAAEuB,MAAQuW,YAAUmhB,sBACnBj5B,EAAEqK,KAAKuH,QAAUmG,oBAAkB6V,WACjC5tB,EAAEqK,KAAKuH,QAAUmG,oBAAkBuiB,kBAClCt6B,EAAEqK,KAAK9I,MAAQyW,oBAAkBkvB,8BA+CvC,WACEnE,EACA5C,GAFF,WAIE,GAlCM/gC,eAAsC,KACtCA,mBAAiD,GAEjDA,aAAmB67B,KAKnB77B,gCAA6C,GAS7CA,WAAoBga,IAEpBha,cAA0D,IAAIia,IAE9Dja,YpB3FD,CACLiD,IAAK,GACLka,eAAM3d,GAEJ,OAAKA,GAAMA,EAAE4I,KAGN5I,EAAE4I,KAAKE,IAFJ,GAIZ8U,iBAAQ9U,GACN,OAAOtI,KAAKiD,IAAIqF,IAAO,MAGzB+U,kBAAA,SAAkB7d,GAAlB,WACQ8I,EAAK9I,EAAE4I,MAAQ5I,EAAE4I,KAAKE,UACrBtI,KAAKiD,IAAIqF,GACZ9I,EAAEmJ,YACJnJ,EAAEmJ,WAAWoN,SAAQ,SAACmF,GACpB,OAAAoC,EAAKD,kBAAmBnC,OAI9BqC,aAAIjV,GACF,OAAOtI,KAAKiD,IAAIpD,eAAeyI,IAEjCkV,iBACExd,KAAKiD,IAAM,KoBmEPjD,uBAAiD,KAEjDA,sBAAwC,GAExCA,cAAgC,KAChCA,iBAA8B,OAM/B+gC,MAAAA,SAAAA,EAAQnB,WAAY+D,EAAOjkC,OAAS,EACvC,MAAM,IAAIkT,MAAM,oCAElB,IAAMm1B,EAA8B,CAClC7I,MAAO,EACP8I,SAAU,IACVC,KAAMviC,SAAS6Z,KACf2oB,YAAa,EACbC,cAAc,EACdC,aAAa,EACbC,WAAW,EACX3gC,WAAY,WACZk4B,UAAU,EACV0I,iBAAkB,GAClBC,cAAc,EACdC,qBAAqB,EACrBC,gBAAgB,EAChBC,UAAWlB,IAEbxnC,KAAK+gC,OAAS5hC,OAAOC,OAAO,GAAI2oC,EAAehH,GAE/C/gC,KAAK2oC,aAAe3oC,KAAK2oC,aAAa7e,KAAK9pB,MAC3CA,KAAK2iC,UAAY3iC,KAAK2iC,UAAU7Y,KAAK9pB,MACrCA,KAAK4iC,yBAA2B5iC,KAAK4iC,yBAAyB9Y,KAAK9pB,MACnEA,KAAK6iC,QAAQjmB,GAAG7D,iBAAe6vB,OAAQ5oC,KAAK2oC,cAE5C3oC,KAAK6oC,WAEL7oC,KAAK8oC,UAAY,IAAIloB,GACrB5gB,KAAK+oC,kBAAoB,IAAI9uB,IAC7Bja,KAAKgpC,gBAAkB,IAAI/uB,IAC3Bja,KAAKipC,qBAAuB,IAAIhvB,IAEhCja,KAAK6iC,QAAQjmB,GAAG7D,iBAAewrB,OAAO,+BAC9B96B,EAAwC6T,EAAKwrB,UAAUI,QAArDnnB,cAAWC,aAAUO,iBAE7BjF,EAAKyrB,kBAAkBhzB,SAAQ,SAACL,EAAQyzB,GACtC,OAAA7rB,EAAK8rB,kBAAkBD,EAAMzzB,UAI/B,IAAgB,IAAA1I,EAAA/M,EAAAsiB,EAAapB,qCAAO,CAA/B,IAAM3C,UACTlB,EAAK+rB,UAAU7qB,EAAG+D,yGAGpB,IAAmB,IAAAzT,EAAA7O,EAAAqd,EAAK2rB,qBAAqBpzB,sCAAQ,CAAhD,IAAMlP,UAET2W,EAAKgsB,iBAAiB3iC,qGAExB2W,EAAKyrB,kBAAkB3S,QACvB9Y,EAAK0rB,gBAAgB5S,QACrB9Y,EAAK2rB,qBAAqB7S,YAE1B,IAAgB,IAAA/lB,EAAApQ,EAAA8hB,EAAU/N,wCAAU,CAAzBwK,UACTlB,EAAKisB,YAAY/qB,GAAG,yGAEtB,IAAgB,IAAAhO,EAAAvQ,EAAA+hB,EAAShO,wCAAU,CAAxBwK,UACTlB,EAAKksB,WAAWhrB,yGAGpBxe,KAAK6iC,QAAQjmB,GAAG7D,iBAAemrB,UAAU,WACvC5mB,EAAKmsB,kBAAoB,KACzBnsB,EAAK0C,OAAOxC,WAGd,IAAMomB,EAAQ,IAAIzE,GAAM,IAAI4B,MAAAA,SAAAA,EAAQ7B,QAAS6I,EAAc7I,OAC3Dl/B,KAAK0pC,QAAUhH,GACb,CACEiB,OAAQA,EACL1gC,KAAI,SAACrC,GACJ,OAAImgC,GAAUA,EAAO4I,SACZ5I,EAAO4I,SAAS/oC,GAElBA,KAER+Y,MAAK,SAACiwB,EAAIC,GAAO,OAAAD,EAAGhS,UAAYiS,EAAGjS,aACtCgM,QACAzV,WAAY,EACZ8R,aAAc,EACdwD,gBAAiB,MAEnB,CACEd,UAAW3iC,KAAK2iC,UAChBC,yBAA0B5iC,KAAK4iC,yBAC/BC,QAAS7iC,KAAK6iC,UAGlB7iC,KAAK0pC,QAAQv3B,QACbnS,KAAK0pC,QAAQrH,WAAU,SAACG,GACtBllB,EAAKulB,QAAQle,KAAK5L,iBAAe+wB,YAAa,CAC5CC,OAAQvH,OAGZxiC,KAAKgqC,aJiIAlH,GAjDcC,GACnB,CACEz6B,GAAI,QACJ8V,QInFqC,CACrC6rB,aAAc,EACdrG,SJkFA/C,QAAS,SACTD,OAAQ,CACNsJ,OAAQ,CACNttB,GAAI,CACFutB,aAAc,CACZrtB,OAAQ,WACRmiB,QAAS,CAAC,cAAe,aAE3BmL,UAAW,CACTttB,OAAQ,SACRmiB,QAAS,CAAC,eAIhBoL,SAAU,CACRztB,GAAI,CACF0tB,eAAgB,CACdxtB,OAAQ,SACRmiB,QAAS,CAAC,iBAEZmL,UAAW,CACTttB,OAAQ,SACRmiB,QAAS,CAAC,iBAMpB,CACEA,QAAS,CACPsL,SAAU,SAACjgC,EAAK4V,GACV,YAAaA,GACf5V,EAAIs5B,MAAM2G,SAASrqB,EAAMwG,QAAQwY,QAGrCsL,YAAaprC,GAAO,CAClB6qC,YAAa,SAAC3/B,GAAQ,OAAAA,EAAIs5B,MAAM1E,SAElCuL,aAAc,SAACngC,GACbA,EAAIs5B,MAAM2G,SAASjgC,EAAI2/B,kBIvH7BjqC,KAAKgqC,aAAa73B,QAClBnS,KAAKgqC,aAAa3H,WAAU,SAACG,GAC3BllB,EAAKulB,QAAQle,KAAK5L,iBAAe+wB,YAAa,CAC5C5K,MAAOsD,OAMX,IAAMkI,EAAY1qC,KAAK0pC,QAAQlH,MAAMpkB,QAAQulB,OAAO95B,MAClD,SAACjJ,GAAM,OAAAA,EAAEuB,OAASuW,YAAU6hB,QAExBoQ,EAAoB3qC,KAAK0pC,QAAQlH,MAAMpkB,QAAQulB,OAAO95B,MAC1D,SAACjJ,GAAM,OAAAA,EAAEuB,OAASuW,YAAUkhB,gBAE9B,GAAI8Q,EAAW,CACP,IAAA9oC,EAAoB8oC,EAAUz/B,KAA5B2/B,UAAOC,WACf15B,YAAW,WACTmM,EAAKulB,QAAQle,KAAK5L,iBAAe6vB,OAAQ,CACvCn+B,QACAE,aAED,GAEDggC,GACFx5B,YAAW,WAELmM,EAAKmsB,oBAITnsB,EAAKmsB,kBAAoBkB,EACzBrtB,EAAKwtB,oBACHH,GAEFrtB,EAAKsI,OAAO/U,cAAe2rB,SACxBmO,EAAwC1/B,KAAKyvB,kBAE/C,GAED16B,KAAK0pC,QAAQlH,MAAMpkB,QAAQulB,OAAO95B,KAAKg+B,KACzC7nC,KAAK+qC,MAAMjkC,UAAUya,IAAI,gBA0pD/B,OA70DEpiB,sBAAW6rC,yBAAX,WACE,OAAOhrC,KAAK0pC,QAAQlH,MAAMpkB,QAAQwlB,uCAsL7BoH,eAAP,SAAU9qB,EAAe6K,GAEvB,OADA/qB,KAAK6iC,QAAQjmB,GAAGsD,EAAO6K,GAChB/qB,MAGFgrC,gBAAP,SAAW9qB,EAAe6K,GAExB,OADA/qB,KAAK6iC,QAAQ7G,IAAI9b,EAAO6K,GACjB/qB,MAGFgrC,sBAAP,SAAiBjK,GAAjB,WACE5hC,OAAO0W,KAAKkrB,GAAQhrB,SAAQ,SAACwG,GAE3Be,EAAKyjB,OAAOxkB,GAAOwkB,EAAOxkB,MAEvBvc,KAAK+gC,OAAOoH,cACfnoC,KAAKirC,oBAEqB,IAAjBlK,EAAO7B,OAChBl/B,KAAKgqC,aAAa5H,KAAK,CACrBjgC,KAAM,YACNukB,QAAS,CACPwY,MAAO6B,EAAO7B,cAIY,IAArB6B,EAAO2H,aACS,IAArB3H,EAAO2H,UACL1oC,KAAK0oC,YACP1oC,KAAK0oC,UAAU9zB,MAAMs2B,QAAU,SAG5BlrC,KAAK0oC,YACR1oC,KAAK0oC,UAAYhjC,SAASF,cAAc,UACxCxF,KAAK0oC,UAAUj+B,MAAQkgB,OAAOwgB,WAAWnrC,KAAK4lB,OAAOnb,OACrDzK,KAAK0oC,UAAU/9B,OAASggB,OAAOwgB,WAAWnrC,KAAK4lB,OAAOjb,QACtD3K,KAAK0oC,UAAU5hC,UAAUya,IAAI,uBAC7BvhB,KAAKorC,QAAQC,aAAarrC,KAAK0oC,UAAW1oC,KAAK4lB,SAEjD5lB,KAAK0oC,UAAU9zB,MAAMs2B,QAAU,aAK9BF,wBAAP,WACE,IAAMM,EAAatrC,KAAK0pC,QAAQlH,MAAMpkB,QAAQulB,OAAO,GAC/C4H,EAAYvrC,KAAK0pC,QAAQlH,MAAMpkB,QAAQulB,OAC3C3jC,KAAK0pC,QAAQlH,MAAMpkB,QAAQulB,OAAOjkC,OAAS,GAE7C,MAAO,CACLg/B,UAAW4M,EAAW1T,UACtB4T,QAASD,EAAU3T,UACnB6T,UAAWF,EAAU3T,UAAY0T,EAAW1T,YAIzCoT,2BAAP,WACE,OAAOhrC,KAAK4jC,MAAMzV,WAAanuB,KAAK0rC,iBAG/BV,0BAAP,WACQ,IAAAppC,EAA2B5B,KAAK0pC,QAAQlH,MAAMpkB,QACpD,+BAA6B,GAAGwZ,WAG3BoT,sBAAP,WACE,OAAOhrC,KAAKggB,QAYPgrB,iBAAP,SAAY7c,sBAAAA,KACNnuB,KAAK0pC,QAAQlH,MAAMt7B,QAAQ,WAG7BlH,KAAK0pC,QAAQtH,KAAK,CAAEjgC,KAAM,UAF1BnC,KAAK0pC,QAAQtH,KAAK,CAAEjgC,KAAM,OAAQukB,QAAS,CAAEyH,0BAK/CnuB,KAAK4lB,OAAOtY,gCACRq+B,qBAAqB,QAAQ,GAC9B7kC,UAAUsqB,OAAO,gBACpBpxB,KAAK6iC,QAAQle,KAAK5L,iBAAe6yB,QAG5BZ,kBAAP,SAAa7c,cACQ5lB,IAAf4lB,GAA4BnuB,KAAK0pC,QAAQlH,MAAMt7B,QAAQ,YACzDlH,KAAK0pC,QAAQtH,KAAK,CAAEjgC,KAAM,UAEF,iBAAfgsB,IACTnuB,KAAK8a,KAAKqT,GACVnuB,KAAK0pC,QAAQtH,KAAK,CAAEjgC,KAAM,qBAE5BnC,KAAK4lB,OAAOtY,gCACRq+B,qBAAqB,QAAQ,GAC9B7kC,UAAUya,IAAI,gBACjBvhB,KAAK6iC,QAAQle,KAAK5L,iBAAe8yB,QAG5Bb,mBAAP,SAAc7c,gBAAAA,KACZhiB,QAAQC,KACN,gGAEFpM,KAAK8a,KAAKqT,GACVnuB,KAAK6iC,QAAQle,KAAK5L,iBAAe+yB,SAG5Bd,sBAAP,SAAiB/K,GACfjgC,KAAK0pC,QAAQtH,KAAK,CAAEjgC,KAAM,UAAWukB,QAAS,CAAEuZ,mBAG3C+K,qBAAP,SAAgBe,GAAhB,WACQ7rB,EAAQlgB,KAAK+gC,OAAO4I,SACtB3pC,KAAK+gC,OAAO4I,SAASoC,GACpBA,EACDlE,GAAqB3nB,IACvBlgB,KAAK+qC,MAAMjkC,UAAUya,IAAI,gBAE3ByqB,QAAQC,UAAUC,MAAK,WACrB,OAAA5uB,EAAKosB,QAAQtH,KAAK,CAAEjgC,KAAM,YAAaukB,QAAS,CAAExG,eAI/C8qB,2BAAP,WACEhrC,KAAK4lB,OAAO/K,aAAa,YAAa,QACtC7a,KAAK4lB,OAAOhR,MAAMu3B,cAAgB,QAG7BnB,4BAAP,WACEhrC,KAAK4lB,OAAO/K,aAAa,YAAa,MACtC7a,KAAK4lB,OAAOhR,MAAMu3B,cAAgB,QAO7BnB,uBAAP,WACEhrC,KAAKmZ,MAAQa,KAGPgxB,qBAAR,WACEhrC,KAAKorC,QAAU1lC,SAASF,cAAc,OACtCxF,KAAKorC,QAAQtkC,UAAUya,IAAI,oBAC3BvhB,KAAK+gC,OAAOkH,KAAM5sB,YAAYrb,KAAKorC,SAEnCprC,KAAK+qC,MAAQrlC,SAASF,cAAc,OACpCxF,KAAK+qC,MAAMjkC,UAAUya,IAAI,kBACzBvhB,KAAKorC,QAAQ/vB,YAAYrb,KAAK+qC,QAEA,IAA1B/qC,KAAK+gC,OAAO2H,YACd1oC,KAAK0oC,UAAYhjC,SAASF,cAAc,UACxCxF,KAAK0oC,UAAU5hC,UAAUya,IAAI,uBAC7BvhB,KAAK0oC,UAAU9zB,MAAMs2B,QAAU,UAC/BlrC,KAAKorC,QAAQ/vB,YAAYrb,KAAK0oC,YAGhC1oC,KAAK4lB,OAASlgB,SAASF,cAAc,UACrC,IAAMgE,EAAa,CAAC,qBAChBxJ,KAAK+gC,OAAOyH,qBACdh/B,EAAW1I,KAAK,iBAGlBd,KAAK4lB,OAAOhR,MAAMs2B,QAAU,OAC5BlrC,KAAK4lB,OAAO/K,aAAa,UAAWrR,EAAWrG,KAAK,MACpDnD,KAAKosC,kBACLpsC,KAAKorC,QAAQ/vB,YAAYrb,KAAK4lB,QAC1B5lB,KAAK4lB,OAAO/U,eAAiB7Q,KAAK4lB,OAAOtY,kBAC3C++B,GACErsC,KAAK4lB,OAAO/U,cACZ7Q,KAAK4lB,OAAOtY,iBAGd8S,GAASpgB,KAAK4lB,OAAO/U,iBAIjBm6B,yBAAR,SAAqBsB,WACnBtsC,KAAK4lB,OAAOhR,MAAMs2B,QAAU,cAC5B,IAAiB,IAAArjC,EAAA5H,EAAA,CAACD,KAAK0oC,UAAW1oC,KAAK4lB,uCAAS,CAA3C,IAAMne,UACJA,IAGLA,EAAGoT,aAAa,QAAS0xB,OAAOD,EAAU7hC,QAC1ChD,EAAGoT,aAAa,SAAU0xB,OAAOD,EAAU3hC,8GAIvCqgC,qCAAR,SAAiCrH,eAC/B,IAAoB,IAAAE,EAAA5jC,EAAA0jC,iCAAQ,CAAvB,IAAMI,UACT,OAAQA,EAAM5hC,MACZ,KAAKuW,YAAUsiB,iBACf,KAAKtiB,YAAUkjB,KACf,KAAKljB,YAAUyjB,OACb,SACF,KAAKzjB,YAAUkhB,aACf,KAAKlhB,YAAU6hB,KACf,KAAK7hB,YAAU+iB,OACb,MACF,KAAK/iB,YAAUmhB,oBACb,OAAQkK,EAAM94B,KAAKuH,QACjB,KAAKmG,oBAAkB0iB,iBACrB,UAQOr7B,KAAK2iC,UAAUoB,GAAO,EACrCyI,qGAEExsC,KAAKysC,UACPzsC,KAAK0sC,aACH1sC,KAAKysC,SAASjiC,EACdxK,KAAKysC,SAAS/hC,EACd1K,KAAKysC,SAASnkC,IACd,EACAtI,KAAKysC,SAASE,WAGlB3sC,KAAKysC,SAAW,MACS,IAArBzsC,KAAK4sC,YACP5sC,KAAK+qC,MAAMjkC,UAAUya,IAAI,iBACK,IAArBvhB,KAAK4sC,aACd5sC,KAAK+qC,MAAMjkC,UAAUsqB,OAAO,gBAE9BpxB,KAAK4sC,YAAc,MAGb5B,sBAAR,SAAkB9qB,EAAsB8kB,GAAxC,IACMwH,SACJ,oBAFsCxH,MAE9B9kB,EAAM/d,MACZ,KAAKuW,YAAUsiB,iBACf,KAAKtiB,YAAUkjB,KACb,MACF,KAAKljB,YAAUyjB,OACbqQ,EAAS,WAMPlvB,EAAKulB,QAAQle,KAAK5L,iBAAe8zB,YAAa3sB,IAEhD,MACF,KAAKxH,YAAU6hB,KACbiS,EAAS,WACP,OAAAlvB,EAAKulB,QAAQle,KAAK5L,iBAAe6vB,OAAQ,CACvCn+B,MAAOyV,EAAMjV,KAAKR,MAClBE,OAAQuV,EAAMjV,KAAKN,UAEvB,MACF,KAAK+N,YAAUkhB,aACb4S,EAAS,WACP,GAAIlvB,EAAKmsB,mBACP,GAAInsB,EAAKmsB,oBAAsBvpB,EAG7B,YADA5C,EAAKmsB,mBAAoB,QAK3BnsB,EAAKmsB,mBAAoB,EAE3BnsB,EAAKwtB,oBAAoB5qB,EAAO8kB,GAChC1nB,EAAKsI,OAAO/U,cAAe2rB,SAAStc,EAAMjV,KAAKyvB,gBAEjD,MACF,KAAKhiB,YAAUmhB,oBACb2S,EAAS,mBAEP,GADAlvB,EAAKwvB,iBAAiB5sB,EAAO8kB,IACzBA,IAIA9kB,IAAU5C,EAAKyvB,2BACjBzvB,EAAKyvB,yBAA2B,KAChCzvB,EAAK2tB,gBAEH3tB,EAAKyjB,OAAOoH,eAAiB7qB,EAAKyvB,0BAA0B,KAC9D,IAAqB,IAAAllC,EAAA5H,EAAAqd,EAAKosB,QAAQlH,MAAMpkB,QAAQulB,sCAAQ,CAAnD,IAAMqJ,UACT,KAAIA,EAAOpV,WAAc1X,EAAM0X,YAG3Bta,EAAK2vB,kBAAkBD,GAAS,CAEhCA,EAAOtN,MAASxf,EAAMwf,MA5fZ,IA8fRpiB,EAAK0sB,aAAaxH,MAAMpkB,QAAQwlB,MAAM1E,QAExC5hB,EAAKyvB,yBAA2BC,GAElC,yGAGJ,GAAI1vB,EAAKyvB,yBAA0B,CACjC,IAAMG,EACJ5vB,EAAKyvB,yBAAyBrN,MAASxf,EAAMwf,MACzChZ,EAAU,CACdwY,MAAOn0B,KAAKC,IACVD,KAAKoiC,MAAMD,EAzgBF,KA0gBT5vB,EAAKyjB,OAAOiH,WAGhB1qB,EAAK0sB,aAAa5H,KAAK,CAAEjgC,KAAM,eAAgBukB,YAC/CpJ,EAAKulB,QAAQle,KAAK5L,iBAAeq0B,UAAW1mB,MA8CtD,OAvCsB,mBAChB8lB,GACFA,QAGF,IAAqB,IAAA3kC,EAAA5H,EAAAqd,EAAKyjB,OAAOzO,SAAW,kCAAI,SACvCvH,QAAQ7K,EAAO8kB,EAAQ,CAAEqI,SAAU/vB,sGAG5CA,EAAKosB,QAAQtH,KAAK,CAAEjgC,KAAM,aAAcukB,QAAS,CAAExG,WAGnD,IAAIotB,EAAahwB,EAAKosB,QAAQlH,MAAMpkB,QAAQulB,OAAOjkC,OAAS,EAC5D,GAAIwgB,IAAU5C,EAAKosB,QAAQlH,MAAMpkB,QAAQulB,OAAO2J,GAAa,CAC3D,IAAMC,EAAS,WACTD,EAAahwB,EAAKosB,QAAQlH,MAAMpkB,QAAQulB,OAAOjkC,OAAS,IAI5D4d,EAAK2tB,eACL3tB,EAAKosB,QAAQtH,KAAK,OAClB9kB,EAAKulB,QAAQle,KAAK5L,iBAAey0B,UAGjCttB,EAAM/d,OAASuW,YAAUmhB,qBACzB3Z,EAAMjV,KAAKuH,SAAWmG,oBAAkB4V,WACxCrO,EAAMjV,KAAK+iB,UAAUtuB,OAGrByR,YAAW,WACTo8B,MACCxiC,KAAK0iC,IAAI,EAAyC,GAArCvtB,EAAMjV,KAAK+iB,UAAU,GAAGG,aAExCof,IAIJjwB,EAAKulB,QAAQle,KAAK5L,iBAAe20B,UAAWxtB,KAKxC8qB,gCAAR,SACE9qB,EACA8kB,kBAEA,gBAFAA,OAEKhlC,KAAK4lB,OAAOtY,gBACf,OAAOnB,QAAQC,KAAK,gDAElBjN,OAAO0W,KAAK7V,KAAK2tC,4BAA4BjuC,QAC/CyM,QAAQC,KACN,oCACApM,KAAK2tC,4BAGT3tC,KAAK2tC,2BAA6B,GAClC,IAAMC,EAA8B,GACpC5tC,KAAKggB,OAAO/c,IAAMmZ,EAAQ8D,EAAMjV,KAAKtE,KAAM,CACzCvB,IAAKpF,KAAK4lB,OAAOtY,gBACjBwO,YAAa,SAAC+xB,GACZvwB,EAAKwwB,+BAA+BF,EAAWC,IAEjD10B,MAAOnZ,KAAKmZ,QACX,kBACU40B,EAAiBF,GAC5BG,EAAKC,uBAAuBF,EAAiBF,GAC7CG,EAAKE,iBAAmBF,EAAKE,iBAAiBz0B,QAC5C,SAACpZ,GAAM,OAAAA,IAAM0tC,iBAHjB,IAA6C,IAAAI,EAAAluC,EAAA2tC,kCAAlC,IAAA/lC,6IAML,IAAAE,EAA4B/H,KAAK4lB,OAAOtY,gBAAtC+R,oBAAiBgF,SACzBrkB,KAAKsoC,iBAAiBjpB,EAAiBgF,GAClCrkB,KAAK0pC,QAAQlH,MAAMt7B,QAAQ,YAC9BlH,KAAK4lB,OAAOtY,gBACTq+B,qBAAqB,QAAQ,GAC7B7kC,UAAUya,IAAI,gBAEnBvhB,KAAK6iC,QAAQle,KAAK5L,iBAAeq1B,sBAAuBluB,GACnD8kB,GACHhlC,KAAKquC,wBAEHruC,KAAK+gC,OAAOyH,qBACdxoC,KAAKsuC,oBAIDtD,6BAAR,SACE3rB,EACAgF,GAEA,IAAMkqB,EAAU7oC,SAASF,cAAc,SACvC6Z,EAAiBgsB,aAAakD,EAASlqB,GACvC,IHtrB6C3c,EGsrBvC8mC,GHtrBuC9mC,EGurB3C1H,KAAK+gC,OAAOr5B,WHvrBsD,CACtE,WAAIA,mCACJ,2CGsrBInG,OAAOvB,KAAK+gC,OAAOuH,kBACjBtoC,KAAK+gC,OAAO0H,gBACd+F,EAAkB1tC,KAChB,2HAGJ,IAAK,IAAIoiB,EAAM,EAAGA,EAAMsrB,EAAkB9uC,OAAQwjB,IAC/CqrB,EAAQ/mC,MAAyB8oB,WAAWke,EAAkBtrB,GAAMA,IAIjE8nB,mCAAR,SACEnqB,EACAnQ,kBAEMk9B,EAA8B,GAEpC,IAAKl9B,EAASpD,gBAEZ,IADA,IAAImhC,EAAS/9B,EAASvJ,WACfsnC,GAAQ,CAEb,GAAIzuC,KAAK+oC,kBAAkBxrB,IAAKkxB,GAA8B,CAC5D,IAAMtF,EAAQsF,EACRC,EAAa1uC,KAAK+oC,kBAAkBzvB,IAAI6vB,GAC9CnpC,KAAKopC,kBAAkBD,EAAMuF,GAC7B,MAEFD,EAASA,EAAOtnC,WAGpB0U,EAAgBgF,EAASla,KAAM,CAC7BvB,IAAKsL,EAASpD,gBACdrK,IAAKjD,KAAKggB,OAAO/c,IACjBkX,SAAS,EACT3L,WAAW,EACXsN,YAAa,SAAC+xB,GAEZ,GADAvwB,EAAKwwB,+BAA+BF,EAAWC,GAE7CA,EAAUzlC,KAAKjG,OAASlD,EAASuO,SACQ,SAAzCqgC,EAAUzlC,KAAKlG,QAAQysC,cACvB,CACM,IAAA/sC,EAA4B8O,EAASpD,gBAAnC+R,oBAAiBgF,SACzB/G,EAAKgrB,iBAAiBjpB,EAAiBgF,KAG3ClL,MAAOnZ,KAAKmZ,uBAED40B,EAAiBF,GAC5Be,EAAKX,uBAAuBF,EAAiBF,GAC7Ce,EAAKV,iBAAmBU,EAAKV,iBAAiBz0B,QAC5C,SAACpZ,GAAM,OAAAA,IAAM0tC,iBAHjB,IAA6C,IAAAc,EAAA5uC,EAAA2tC,kCAAlC,IAAA/lC,+IAQLmjC,2CAAR,SACE4C,EACAC,GAEA,GAAItqB,GAAcsqB,GAAY,CAC5B,IAAME,EAAkB/tC,KAAKkuC,iBAAiBrkC,MAC5C,SAACxJ,GAAM,OAAAA,EAAE2gB,WAAa6sB,EAAUzlC,KAAKE,MAEnCylC,GACFH,EAAU9sC,KAAK,CAAEitC,kBAAiBF,gBAQhC7C,kCAAR,WAAA,aACQ3mB,YAAOrkB,KAAK4lB,OAAOtY,sCAAiB+W,KAC1C,GAAIA,EAAM,CACR,IACIjT,EADE09B,EAAqC,IAAItsB,IAE3CusB,EAAkB/uC,KAAK0pC,QAAQlH,MAC7BwM,EAAe,WACnBD,EAAkBzxB,EAAKosB,QAAQlH,OAEjCxiC,KAAK6iC,QAAQjmB,GAAG7D,iBAAe6yB,MAAOoD,GACtChvC,KAAK6iC,QAAQjmB,GAAG7D,iBAAe8yB,MAAOmD,GACtC,IAAMC,EAAc,WAClB3xB,EAAKulB,QAAQ7G,IAAIjjB,iBAAe6yB,MAAOoD,GACvC1xB,EAAKulB,QAAQ7G,IAAIjjB,iBAAe8yB,MAAOmD,IAEzC3qB,EACGmL,iBAAiB,0BACjBzZ,SAAQ,SAACpE,GACHA,EAAInK,QACPsnC,EAAavtB,IAAI5P,GACjBA,EAAIT,iBAAiB,QAAQ,WAC3B49B,EAAantB,OAAOhQ,GAEM,IAAtBm9B,EAAaI,OAAyB,IAAX99B,IACzB29B,EAAgB7nC,QAAQ,YAC1BoW,EAAKxC,KAAKwC,EAAK6xB,kBAEjB7xB,EAAKulB,QAAQle,KAAK5L,iBAAeq2B,mBAC7Bh+B,GACFC,aAAaD,GAEf69B,YAMNH,EAAaI,KAAO,IAEtBlvC,KAAK0pC,QAAQtH,KAAK,CAAEjgC,KAAM,UAC1BnC,KAAK6iC,QAAQle,KAAK5L,iBAAes2B,qBACjCj+B,EAAQD,YAAW,WACb49B,EAAgB7nC,QAAQ,YAC1BoW,EAAKxC,KAAKwC,EAAK6xB,kBAGjB/9B,GAAS,EACT69B,MACCjvC,KAAK+gC,OAAOmH,gBAKb8C,wBAAR,SAAoB3sB,eAClB,IAAkB,IAAAixB,EAAArvC,EAAAoe,iCAAM,CAAnB,IAAMN,UACT,GAAKA,GAAsB,iBAARA,EAEZ,GAAI,YAAaA,GAAO,SAAUA,GACvC,GAAI/d,KAAKuvC,YAAYxxB,EAAIM,MAAO,OAAO,MAClC,CAAA,GAAI,YAAaN,GAAuB,qBAAhBA,EAAIwW,QACjC,OAAO,EACF,GAAIxW,aAAe1c,OACpBrB,KAAKuvC,YAAYxxB,GAAM,OAAO,0GAGtC,OAAO,GAGDitB,yBAAR,SAAqB3sB,WACbmxB,EAAmB,OACzB,IAAkB,IAAAC,EAAAxvC,EAAAoe,iCAAM,CAAnB,IAAMN,UACJA,GAAsB,iBAARA,IAER,YAAaA,GAAO,SAAUA,EACvCyxB,EAAO1uC,WAAP0uC,SAAexvC,KAAK0vC,aAAa3xB,EAAIM,YAC5B,YAAaN,GAAuB,qBAAhBA,EAAIwW,QACjCib,EAAO1uC,KAAKid,EAAI1Q,KACP0Q,aAAe1c,OACxBmuC,EAAO1uC,WAAP0uC,SAAexvC,KAAK0vC,aAAa3xB,4GAGrC,OAAOyxB,GAMDxE,6BAAR,0BACwBhrC,KAAK0pC,QAAQlH,MACnC,IAAMmN,EAAe,WACDryB,EAAKosB,QAAQlH,OAEjCxiC,KAAK6iC,QAAQjmB,GAAG7D,iBAAe6yB,MAAO+D,GACtC3vC,KAAK6iC,QAAQjmB,GAAG7D,iBAAe8yB,MAAO8D,kBAC3BC,GAEPA,EAAMztC,OAASuW,YAAUmhB,qBACzB+V,EAAM3kC,KAAKuH,SAAWmG,oBAAkB2hB,iBAEpC,aAAcsV,EAAM3kC,KACtB2kC,EAAM3kC,KAAKgtB,SAASliB,SAAQ,SAACxP,GAAM,OAAA+W,EAAKuyB,cAActpC,EAAGqpC,MAEzDE,EAAKD,cAAcD,EAAM3kC,KAAM2kC,gBARrC,IAAoB,IAAA/nC,EAAA5H,EAAAD,KAAK0pC,QAAQlH,MAAMpkB,QAAQulB,sJAazCqH,0BAAR,SAAsB//B,EAA6BiV,GAAnD,WACE,GACoB,cAAlBjV,EAAKyE,UACmB,iBAAjBzE,EAAKoT,KAAK,IAChBre,KAAKwmC,SAASjpB,IAAI2C,GAQVlgB,KAAKuvC,YAAYtkC,EAAKoT,OAC/Bre,KAAK0vC,aAAazkC,EAAKoT,MAAMtI,SAAQ,SAAC1R,GACpC,IAAMuW,EAAQ,IAAImsB,MAClBnsB,EAAMvN,IAAMhJ,EACZiZ,EAAKkpB,SAASzsB,IAAI1V,EAAKuW,UAXzB,CACA,IAAMvQ,EAAS3E,SAASF,cAAc,UAChC8E,EAAMD,EAAOE,WAAW,MACxBwsB,EAAOzsB,MAAAA,SAAAA,EAAKylC,gBAAgB1lC,EAAOI,MAAOJ,EAAOM,QAC/CosB,MAAAA,GAAAA,EAAM9rB,KACV8mB,KAAKrgB,MAAMzG,EAAKoT,KAAK,IACzB/T,MAAAA,GAAAA,EAAK0lC,aAAajZ,EAAO,EAAG,KAUxBiU,6BAAR,SACEpqC,EACAokC,GAFF,eAIgBxmB,EAAM5d,OACpB,OAAQ4d,EAAEhM,QACR,KAAKmG,oBAAkBuJ,SACjB8iB,IACFxmB,EAAE4D,KAAKrM,SAAQ,SAAC1V,GAAM,OAAAid,EAAKwrB,UAAUvnB,IAAIlhB,MACzCme,EAAE2C,MAAMpL,SAAQ,SAAC1V,GACf,IAAMyc,EAASQ,EAAK0C,OAAO5C,QAAQ/c,EAAEiI,IAC/BoN,EAAUoH,MAAAA,SAAAA,EAAQ3V,WAGpBuO,GAAU4H,EAAK2rB,qBAAqB1rB,IAAI7H,IAC1C4H,EAAK2rB,qBAAqBtnB,OAAOjM,GAEnC4H,EAAKwrB,UAAUzmC,KAAKhC,MAEtBme,EAAEhV,WAAWuM,SAAQ,SAAC1V,GAAM,OAAAid,EAAKwrB,UAAUniB,UAAUtmB,MACrDme,EAAE2D,QAAQpM,SAAQ,SAAC1V,GAAM,OAAAid,EAAKwrB,UAAU1X,OAAO/wB,EAAGid,EAAK0C,YAEzD,IACEhgB,KAAKiwC,cAAczxB,EAAGwmB,GACtB,MAAOjkC,GACPf,KAAKoM,KAAK,gCAAyBrL,EAAMmvC,SAAWnvC,GAASyd,GAE/D,MAEF,KAAK7F,oBAAkB0V,KACvB,KAAK1V,oBAAkB6V,UACvB,KAAK7V,oBAAkB4V,UACrB,GAAIyW,EAAQ,CACV,IAAMmL,EAAe3xB,EAAEwP,UAAUxP,EAAEwP,UAAUtuB,OAAS,GACtDM,KAAKysC,SAAW,CACdjiC,EAAG2lC,EAAa3lC,EAChBE,EAAGylC,EAAazlC,EAChBpC,GAAI6nC,EAAa7nC,GACjBqkC,UAAWnuB,QAGbA,EAAEwP,UAAUjY,SAAQ,SAACpW,GACnB,IAAMy/B,EAAS,CACbO,SAAU,WACRriB,EAAKovB,aAAa/sC,EAAE6K,EAAG7K,EAAE+K,EAAG/K,EAAE2I,GAAI08B,EAAQxmB,IAE5CkhB,MACE//B,EAAEwuB,WACFvtB,EAAEg3B,UACFta,EAAKosB,QAAQlH,MAAMpkB,QAAQ6hB,cAE/B3iB,EAAKsmB,MAAMuB,UAAU/F,MAGvBp/B,KAAK4jC,MAAMuB,UAAU,CACnBxF,sBACAD,MAAO9+B,EAAE8+B,iBAASlhB,EAAEwP,UAAU,yBAAIG,cAGtC,MACF,KAAKxV,oBAAkBuiB,iBAIrB,IAAc,IAAV1c,EAAElW,GACJ,MAEF,IAAM87B,EAAQ,IAAIgM,MAAMx3B,oBAAkB4F,EAAErc,MAAMG,eAElD,KADMwa,EAAS9c,KAAKggB,OAAO5C,QAAQoB,EAAElW,KAEnC,OAAOtI,KAAKqwC,kBAAkB7xB,EAAGA,EAAElW,IAErCtI,KAAK6iC,QAAQle,KAAK5L,iBAAemiB,iBAAkB,CACjD/4B,KAAMqc,EAAErc,KACR2a,WAEM,IAAAyrB,EAAiBvoC,KAAK+gC,oBAC9B,OAAQviB,EAAErc,MACR,KAAKyW,oBAAkB03B,KACjB,SAAYxzB,GACZA,EAAgCyzB,OAEpC,MACF,KAAK33B,oBAAkB43B,MACjBjI,GAAkBzrB,EAAgC2zB,OAClD3zB,EAAgC2zB,MAAM,CACtCC,eAAe,IAGnB,MACF,KAAK93B,oBAAkB+3B,MACvB,KAAK/3B,oBAAkBkvB,WACvB,KAAKlvB,oBAAkBg4B,SACjB5L,GACExmB,EAAErc,OAASyW,oBAAkBkvB,WAC/B9nC,KAAK4sC,aAAc,EACVpuB,EAAErc,OAASyW,oBAAkBg4B,WACtC5wC,KAAK4sC,aAAc,GAErB5sC,KAAKysC,SAAW,CACdjiC,EAAGgU,EAAEhU,EACLE,EAAG8T,EAAE9T,EACLpC,GAAIkW,EAAElW,GACNqkC,UAAWnuB,KAGTA,EAAErc,OAASyW,oBAAkBkvB,aAE/B9nC,KAAK6wC,cAAcnxC,OAAS,GAE9BM,KAAK0sC,aAAaluB,EAAEhU,EAAGgU,EAAE9T,EAAG8T,EAAElW,GAAI08B,EAAQxmB,GACtCA,EAAErc,OAASyW,oBAAkB+3B,OAS/B3wC,KAAK+qC,MAAMjkC,UAAUsqB,OAAO,UAEvBpxB,KAAK+qC,MAAM+F,YAChB9wC,KAAK+qC,MAAMjkC,UAAUya,IAAI,WAChB/C,EAAErc,OAASyW,oBAAkBkvB,YACjC9nC,KAAK+qC,MAAM+F,YAChB9wC,KAAK+qC,MAAMjkC,UAAUya,IAAI,iBAChB/C,EAAErc,OAASyW,oBAAkBg4B,UACtC5wC,KAAK+qC,MAAMjkC,UAAUsqB,OAAO,iBAGhC,MACF,KAAKxY,oBAAkBm4B,YACjB/L,EACFhlC,KAAK4sC,aAAc,EAEnB5sC,KAAK+qC,MAAMjkC,UAAUsqB,OAAO,gBAE9B,MACF,QACEtU,EAAOk0B,cAAc5M,GAEzB,MAEF,KAAKzrB,oBAAkByhB,OAIrB,IAAc,IAAV5b,EAAElW,GACJ,MAEF,GAAI08B,EAAQ,CACVhlC,KAAK8oC,UAAUrd,OAAOjN,GACtB,MAEFxe,KAAKupC,YAAY/qB,GAAG,GACpB,MAEF,KAAK7F,oBAAkBwiB,eACrBn7B,KAAK6iC,QAAQle,KAAK5L,iBAAe6vB,OAAQ,CACvCn+B,MAAO+T,EAAE/T,MACTE,OAAQ6T,EAAE7T,SAEZ,MACF,KAAKgO,oBAAkByiB,MAOrB,IAAc,IAAV5c,EAAElW,GACJ,MAEF,GAAI08B,EAAQ,CACVhlC,KAAK8oC,UAAU3b,MAAM3O,GACrB,MAEFxe,KAAKwpC,WAAWhrB,GAChB,MAEF,KAAK7F,oBAAkB0iB,iBAErB,KADMve,EAAS9c,KAAKggB,OAAO5C,QAAQoB,EAAElW,KAEnC,OAAOtI,KAAKqwC,kBAAkB7xB,EAAGA,EAAElW,IAErC,IAAM2oC,EAAWn0B,EACjB,IACM0B,EAAE7R,cACJskC,EAAQtkC,YAAc6R,EAAE7R,aAEtB6R,EAAE0R,SACJ+gB,EAAQ/gB,OAAS1R,EAAE0R,QAEjB1R,EAAE2R,QACJ8gB,EAAQ9gB,MAAQ3R,EAAE2R,WAEhB3R,EAAErc,MACJ8uC,EAAQl2B,YAENyD,EAAErc,MAKJ8uC,EAAQn2B,OAEV,MAAO/Z,GACHf,KAAK+gC,OAAOqH,aACdj8B,QAAQC,KACN,+CAAwCrL,EAAMmvC,SAAWnvC,IAI/D,MAEF,KAAK4X,oBAAkB2iB,eAErB,KADMxe,EAAS9c,KAAKggB,OAAO5C,QAAQoB,EAAElW,KAEnC,OAAOtI,KAAKqwC,kBAAkB7xB,EAAGA,EAAElW,IAGrC,IAUI4oC,EAVE3C,EAAWzxB,EACXq0B,EAAUr0B,EAAO3V,WACjBiqC,EAAqBpxC,KAAK+oC,kBAAkBxrB,IAAI4zB,GAOhDE,EAAaD,EAAqB,KAAO7C,EAAQ/mC,MAGlD6pC,IAOCrxC,KAAKipC,qBAAqB1rB,IAAIT,GAChCo0B,EAAQlxC,KAAKipC,qBAAqB3vB,IAAIwD,IAEtCo0B,EAAQ,GACRlxC,KAAKipC,qBAAqBlvB,IAAI+C,EAAQo0B,KAItC1yB,EAAE4D,MACJ5D,EAAE4D,KAAKrM,SAAQ,SAACnU,OAAEwB,SAAamiC,UAC7B,GAAI8L,EACF,IACE,GAAIhwC,MAAMyU,QAAQyvB,GAAc,CACxB,IAAA19B,EAAuBy9B,GAC3BC,GADMvX,cAAWtU,UAGA2rB,GACjBgM,EAAWruC,SACXgrB,GAESsC,WAAWltB,EAAMsW,OACvB,CACCA,OACYnR,IAAhBg9B,OACIh9B,EACAwC,KAAKC,IAAIu6B,EAAa8L,EAAWruC,SAAStD,QAChD2xC,EAAW/gB,WAAWltB,EAAMsW,IAE9B,MAAO9Y,SAWTswC,MAAAA,GAAAA,EAAOpwC,KAAK,CACVwC,QAASF,EACTsW,MAAO6rB,EACPpjC,KAAMijC,GAAcO,YAMxBnnB,EAAE2D,SACJ3D,EAAE2D,QAAQpM,SAAQ,SAACnU,OAAS2jC,UAC1B,GAAI6L,EACFF,MAAAA,GAAAA,EAAOpwC,KAAK,CAAE4Y,MAAO6rB,EAAapjC,KAAMijC,GAAcQ,cAEtD,IACE,GAAIvkC,MAAMyU,QAAQyvB,GAAc,CACxB,IAAA19B,EAAuBy9B,GAC3BC,GADMvX,cAAWtU,UAGA2rB,GACjBgM,EAAYruC,SACZgrB,GAESyC,WAAW/W,GAAS,QAE/B23B,MAAAA,GAAAA,EAAY5gB,WAAW8U,GAEzB,MAAO3kC,QAQf,MAEF,KAAK+X,oBAAkB4iB,iBAGrB,KADMze,EAAS9c,KAAKggB,OAAO5C,QAAQoB,EAAElW,KAEnC,OAAOtI,KAAKqwC,kBAAkB7xB,EAAGA,EAAElW,IAG/BimC,EAAWzxB,EAAjB,IACMw0B,EAAUx0B,EAAO3V,WAGjB3D,EAFqBxD,KAAK+oC,kBAAkBxrB,IAAI+zB,GAEd,KAAO/C,EAAQ/mC,MACnDzE,EAA2B,GAW/B,GATKS,IACCxD,KAAKipC,qBAAqB1rB,IAAIT,GAChC/Z,EAAQ/C,KAAKipC,qBAAqB3vB,IAAIwD,IAEtC/Z,EAAQ,GACR/C,KAAKipC,qBAAqBlvB,IAAI+C,EAAQ/Z,KAItCyb,EAAEzE,IACJ,GAAIvW,EACY6hC,GACZ7hC,EAAWT,MACXyb,EAAE9E,OAEC9E,MAAMoc,YAAYxS,EAAEzE,IAAIrK,SAAU8O,EAAEzE,IAAIxZ,MAAOie,EAAEzE,IAAImX,eAE1DnuB,EAAMjC,QACJqB,KAAMijC,GAAcgB,YACpB1sB,MAAO8E,EAAE9E,OACN8E,EAAEzE,MAKX,GAAIyE,EAAE4S,OACJ,GAAI5tB,EACY6hC,GACZ7hC,EAAWT,MACXyb,EAAE9E,OAEC9E,MAAMuc,eAAe3S,EAAE4S,OAAO1hB,eAEnC3M,EAAMjC,QACJqB,KAAMijC,GAAciB,eACpB3sB,MAAO8E,EAAE9E,OACN8E,EAAE4S,SAIX,MAEF,KAAKzY,oBAAkB2hB,eACrB,IAAKt6B,KAAK+gC,OAAOyH,oBACf,OAEF,IAAM1rB,EACN,KADMA,EAAS9c,KAAKggB,OAAO5C,QAAQoB,EAAElW,KAEnC,OAAOtI,KAAKqwC,kBAAkB7xB,EAAGA,EAAElW,cClvCN1G,OACrCse,UACAW,aACA/D,WACA0pB,aACAS,iBAQA,IACE,IAAMxiB,EACJ,aAAc5D,EAAWA,EAASoX,SAAW,CAACpX,GAE5C,CAAChI,EAAcwe,MAAOxe,EAAc0e,QAAQ2P,SAASrmB,EAAS1e,MACzDsiB,EAAU1O,SAAQ,SAACw7B,GACxBvK,GAAc,CACZnmB,SAAU0wB,EACVpvC,KAAM0e,EAAS1e,KACf2a,SACA0pB,WACAS,oBAKCxiB,EAAU1O,SAAQ,SAACw7B,aCnCS3vC,OACrCse,UACAW,aACA/D,WACA0pB,aACAS,iBAQA,IACE,IAAM38B,EAAQwS,EAAyCvS,WAAW,MAElE,GAAIsW,EAAS6U,OAIX,YADCprB,EAAYuW,EAASnR,UAAYmR,EAASxC,KAAK,IAGlD,IAAMK,EAAWpU,EACfuW,EAASnR,UAQX,GACwB,cAAtBmR,EAASnR,UACmB,iBAArBmR,EAASxC,KAAK,GACrB,CACA,IAAMzD,EAAQ4rB,EAASltB,IAAI4G,GAC3BW,EAASxC,KAAK,GAAKzD,EACnB8D,EAAS3e,MAAMuK,EAAKuW,EAASxC,WAE7BK,EAAS3e,MAAMuK,EAAKuW,EAASxC,MAE/B,MAAOtd,GACPkmC,EAAapmB,EAAU9f,IDNrBywC,CAAiB,CACftxB,QACAW,SAAU0wB,EACVz0B,SACA0pB,WACAS,oBAGJ,MAAOlmC,GACPkmC,EAAapmB,EAAU9f,ID8sCnBwsB,CAAe,CACbrN,MAAOtf,EACPigB,SAAUrC,EACV1B,OAASA,EACT0pB,SAAUxmC,KAAKwmC,SACfS,aAAcjnC,KAAKyxC,yBAAyB3nB,KAAK9pB,QAGnD,MAEF,KAAK2Y,oBAAkB6iB,KACrB,IACE,IAAM3J,EAAW,IAAIH,SACnBlT,EAAEmT,OACFnT,EAAEtT,OAAS,IAAI+mB,WAAWF,KAAKrgB,MAAM8M,EAAEsT,aAAetT,EAAEsT,WACxDtT,EAAEoT,uBAEJ5xB,KAAK4lB,OAAOtY,gCAAiB6kB,MAAM5Q,IAAIsQ,GACvC,MAAO9wB,GACHf,KAAK+gC,OAAOqH,aACdj8B,QAAQC,KAAKrL,MASfiqC,0BAAR,SAAsBxsB,EAAiBkzB,kBACrClzB,EAAE2D,QAAQpM,SAAQ,SAAC8K,GACjB,IAAI/D,EAASQ,EAAK0C,OAAO5C,QAAQyD,EAASvY,IAC1C,IAAKwU,EAAQ,CACX,GAAI0B,EAAE2D,QAAQtY,MAAK,SAAClJ,GAAM,OAAAA,EAAE2H,KAAOuY,EAASG,YAE1C,OAEF,OAAO1D,EAAKq0B,iBAAiBnzB,EAAGqC,EAASvY,IAEvCgV,EAAK2rB,qBAAqB1rB,IAAIT,IAChCQ,EAAK2rB,qBAAqBtnB,OAAO7E,GAEnC,IAAIpH,EAAoC4H,EAAK0C,OAAO5C,QAClDyD,EAASG,UAEX,IAAKtL,EACH,OAAO4H,EAAKq0B,iBAAiBnzB,EAAGqC,EAASG,UAO3C,GALIH,EAASpQ,UAAYwT,GAAcvO,KACrCA,EAASA,EAAO3T,YAGlBub,EAAK0C,OAAO3C,kBAAkBP,GAC1BpH,EAAQ,CACV,IAAIk8B,EAAa,KACXlD,EACJ,SAAUh5B,EAAS4H,EAAKyrB,kBAAkBzvB,IAAI5D,QAAUnN,EACtDmmC,GAAcA,EAAW3nC,SAAS+V,GACpCpH,EAASg5B,EACApxB,EAAKyrB,kBAAkBxrB,IAAIT,KAKpC80B,EAAat0B,EAAKyrB,kBAAkBzvB,IAAIwD,GACxCQ,EAAKyrB,kBAAkBpnB,OAAO7E,GAC9BA,EAAS80B,GAEX,IACEl8B,EAAO0F,YAAY0B,GACnB,MAAO/b,GACP,KAAIA,aAAiB8wC,cAUnB,MAAM9wC,EATNuc,EAAKlR,KACH,4CACAsJ,EACAg5B,EACA5xB,EACA80B,EACApzB,QAUV,IAAMszB,OACD9xC,KAAK2tC,4BAEJjrB,EAA6B,GAoB7BqvB,EAAa,SAAClxB,eAClB,IAAKvD,EAAKsI,OAAOtY,gBACf,OAAOnB,QAAQC,KAAK,gDAEtB,IAAIsJ,EAAoC4H,EAAK0C,OAAO5C,QAClDyD,EAASG,UAEX,IAAKtL,EACH,OAAImL,EAASla,KAAKxE,OAASlD,EAASyJ,SAE3B4U,EAAK4wB,iBAAiBptC,KAAK+f,GAE7B6B,EAAM5hB,KAAK+f,GAGpB,IAAImxB,EAAmB,KACnB10B,EAAKsI,OAAOtY,gBAAgBvG,SAC9BirC,EAAmB10B,EAAKsI,OAAOtY,gBAAgBvG,SAAS2O,GAC/C4H,EAAKsI,OAAOtY,gBAAgBiS,KAAKxY,WAG1CirC,EAAmB10B,EAAKsI,OAAOtY,gBAAgBiS,KAAKxY,SAAS2O,IAG/D,IAAMu8B,gBACFv8B,GAAmCi2B,kDAAuB,UACzDjsC,QAAS,EAKd,GACEgyC,GACAM,IACCzuB,GAAc7N,KACdu8B,EACD,CACA,IAAMC,EAAiBxsC,SAASysC,yBAOhC,IANA70B,EAAK0C,OAAO/c,IAAI4d,EAASG,UAAYkxB,EACrC50B,EAAKyrB,kBAAkBhvB,IAAIm4B,EAAex8B,GAG1C4H,EAAK80B,WAAW18B,GAETA,EAAO8F,YACZ02B,EAAc72B,YAAY3F,EAAO8F,YAEnC9F,EAASw8B,EAGPrxB,EAASla,KAAK8J,WAEXwT,GAAcvO,IACfA,EAAgC+F,aAAa,CAAEC,KAAM,SAElDhG,EAASA,EAAO3T,YAGzB,IAAI+b,EAAwB,KACxBxd,EAAoB,KAOxB,GANIugB,EAASwxB,aACXv0B,EAAWR,EAAK0C,OAAO5C,QAAQyD,EAASwxB,aAEtCxxB,EAASmC,SACX1iB,EAAOgd,EAAK0C,OAAO5C,QAAQyD,EAASmC,SAjFnB,SAACnC,GACpB,IAAIvgB,EAAoB,KAKxB,OAJIugB,EAASmC,SACX1iB,EAAOgd,EAAK0C,OAAO5C,QAAQyD,EAASmC,SAIhB,OAApBnC,EAASmC,aACWza,IAApBsY,EAASmC,SACY,IAArBnC,EAASmC,SACR1iB,EAyECgyC,CAAazxB,GACf,OAAO6B,EAAM5hB,KAAK+f,GAGpB,IAAIA,EAASla,KAAKY,QAAW+V,EAAK0C,OAAO5C,QAAQyD,EAASla,KAAKY,QAA/D,CAIA,IAAMgrC,EAAY1xB,EAASla,KAAKY,OAC5B+V,EAAK0C,OAAO5C,QAAQyD,EAASla,KAAKY,QAClC+V,EAAKsI,OAAOtY,gBAChB,GAAIiW,GAAc7N,GAChB4H,EAAK2wB,uBAAuBptB,EAAUnL,OADxC,CAIA,IAAMoH,EAASjB,EAAgBgF,EAASla,KAAM,CAC5CvB,IAAKmtC,EACLtvC,IAAKqa,EAAK0C,OAAO/c,IACjBuL,WAAW,EACX2L,SAAS,EACThB,MAAOmE,EAAKnE,QAId,IAA6B,IAAzB0H,EAASwxB,aAA0C,IAArBxxB,EAASmC,OAA3C,CAQA,GACE,SAAUtN,GACVA,EAAOtN,KAAKjG,OAASlD,EAASuO,SACN,aAAxBkI,EAAOtN,KAAKlG,SACZ2e,EAASla,KAAKxE,OAASlD,EAAS+O,SAIhC,IAAgB,IAAAzE,EAAAtJ,EAAAoB,MAAMH,KAAKwU,EAAO/M,2CAAa,CAA1C,IAAMpC,UACLA,EAAE9E,WAAaiU,EAAOtO,WACxBsO,EAAO0F,YAAY7U,qGAKzB,GAAIuX,GAAYA,EAAShQ,aAAegQ,EAAShQ,YAAY3G,WAC3DuO,EAAO21B,aAAavuB,EAAQgB,EAAShQ,kBAChC,GAAIxN,GAAQA,EAAK6G,WAGtBuO,EAAO3O,SAASzG,GACZoV,EAAO21B,aAAavuB,EAAQxc,GAC5BoV,EAAO21B,aAAavuB,EAAQ,UAC3B,CAIL,GAAIpH,IAAW68B,EACb,KAAOA,EAAU/2B,YACf+2B,EAAUn3B,YAAYm3B,EAAU/2B,YAIpC9F,EAAO2F,YAAYyB,GAGrB,GAAIyG,GAAczG,GAAS,CACzB,IAAM01B,EAAkBl1B,EAAK4wB,iBAAiBrkC,MAC5C,SAACxJ,GAAM,OAAAA,EAAE2gB,WAAalE,EAAO1U,KAAKE,MAEhCkqC,IACFl1B,EAAK2wB,uBAAuBuE,EAAiB11B,GAC7CQ,EAAK4wB,iBAAmB5wB,EAAK4wB,iBAAiBz0B,QAC5C,SAACpZ,GAAM,OAAAA,IAAMmyC,OAKf3xB,EAASwxB,YAAcxxB,EAASmC,SAClC1F,EAAKm1B,0BACHX,EACAp8B,EACAoH,EACA+D,QA5DFixB,EAAsBjxB,EAASla,KAAK2B,IAAM,CACxC3B,KAAMmW,EACN+D,eA+DNrC,EAAE4D,KAAKrM,SAAQ,SAAC8K,GACdkxB,EAAWlxB,MAIb,IADA,IAAI6d,EAAYzgB,KAAKD,MACd0E,EAAMhjB,QAAQ,CAEnB,IAAMgzC,EAAejwB,GAAoBC,GAEzC,GADAA,EAAMhjB,OAAS,EACXue,KAAKD,MAAQ0gB,EAAY,IAAK,CAChC1+B,KAAKoM,KACH,2DACAsmC,GAEF,UAEF,IAAmB,IAAAC,YAAA1yC,EAAAyyC,kCAAc,CAA5B,IAAMtxB,UACIphB,KAAKggB,OAAO5C,QAAQgE,EAAK7gB,MAAMygB,UAO1CqC,GAAmBjC,GAAM,SAACP,GACxBkxB,EAAWlxB,MANb7gB,KAAK4yC,MACH,gEACAxxB,sGAUJjiB,OAAO0W,KAAKi8B,GAAuBpyC,QACrCP,OAAOC,OAAOY,KAAK2tC,2BAA4BmE,GAGjDtzB,EAAE2C,MAAMpL,SAAQ,SAAC8K,GACf,IAAI/D,EAASQ,EAAK0C,OAAO5C,QAAQyD,EAASvY,IAC1C,IAAKwU,EAAQ,CACX,GAAI0B,EAAE2D,QAAQtY,MAAK,SAAClJ,GAAM,OAAAA,EAAE2H,KAAOuY,EAASvY,MAE1C,OAEF,OAAOgV,EAAKq0B,iBAAiBnzB,EAAGqC,EAASvY,IAKvCgV,EAAKyrB,kBAAkBxrB,IAAIT,KAC7BA,EAASQ,EAAKyrB,kBAAkBzvB,IAAIwD,IAEtCA,EAAO7S,YAAc4W,EAAStgB,SAEhCie,EAAEhV,WAAWuM,SAAQ,SAAC8K,GACpB,IAAI/D,EAASQ,EAAK0C,OAAO5C,QAAQyD,EAASvY,IAC1C,IAAKwU,EAAQ,CACX,GAAI0B,EAAE2D,QAAQtY,MAAK,SAAClJ,GAAM,OAAAA,EAAE2H,KAAOuY,EAASvY,MAE1C,OAEF,OAAOgV,EAAKq0B,iBAAiBnzB,EAAGqC,EAASvY,IAK3C,IAAK,IAAM0e,KAHP1J,EAAKyrB,kBAAkBxrB,IAAIT,KAC7BA,EAASQ,EAAKyrB,kBAAkBzvB,IAAIwD,IAEV+D,EAASrX,WACnC,GAA6B,iBAAlBwd,EAA4B,CACrC,IAAMzmB,EAAQsgB,EAASrX,WAAWwd,GAClC,GAAc,OAAVzmB,EACAuc,EAA4B+1B,gBAAgB7rB,QACzC,GAAqB,iBAAVzmB,EAChB,IACIuc,EAA4BjC,aAAamM,EAAezmB,GAC1D,MAAOQ,GACHuc,EAAKyjB,OAAOqH,aACdj8B,QAAQC,KACN,qDACArL,QAID,GAAsB,UAAlBimB,EAA2B,CACpC,IAAI8rB,EAAcvyC,EACZwyC,EAAYj2B,EAClB,IAAK,IAAIxd,KAAKwzC,EACZ,IAAuB,IAAnBA,EAAYxzC,GACdyzC,EAASn+B,MAAMuc,eAAe7xB,QACzB,GAAIwzC,EAAYxzC,aAAc+B,MAAO,CAC1C,IAAM2xC,EAAMF,EAAYxzC,GACxByzC,EAASn+B,MAAMoc,YAAY1xB,EAAG0zC,EAAI,GAAIA,EAAI,QACrC,CACL,IAAMC,EAAMH,EAAYxzC,GACxByzC,EAASn+B,MAAMoc,YAAY1xB,EAAG2zC,UAepCjI,wBAAR,SAAoBxsB,EAAewmB,GACjC,IAAMloB,EAAS9c,KAAKggB,OAAO5C,QAAQoB,EAAElW,IACrC,IAAKwU,EACH,OAAO9c,KAAKqwC,kBAAkB7xB,EAAGA,EAAElW,IAErC,GAAKwU,IAAoB9c,KAAK4lB,OAAOtY,gBACnCtN,KAAK4lB,OAAO/U,cAAe2rB,SAAS,CAClC3B,IAAKrc,EAAE9T,EACPiwB,KAAMnc,EAAEhU,EACR6yB,SAAU2H,EAAS,OAAS,gBAEzB,GAAIloB,EAAO1U,KAAKjG,OAASlD,EAASyJ,SAErCoU,EAAgC8G,YAAa4Y,SAAS,CACtD3B,IAAKrc,EAAE9T,EACPiwB,KAAMnc,EAAEhU,EACR6yB,SAAU2H,EAAS,OAAS,gBAG9B,IACIloB,EAA4BhQ,UAAY0R,EAAE9T,EAC1CoS,EAA4BlQ,WAAa4R,EAAEhU,EAC7C,MAAOzJ,MASLiqC,uBAAR,SAAmBxsB,GACjB,IAAM1B,EAAS9c,KAAKggB,OAAO5C,QAAQoB,EAAElW,IACrC,IAAKwU,EACH,OAAO9c,KAAKqwC,kBAAkB7xB,EAAGA,EAAElW,IAErC,IACIwU,EAAqC5S,QAAUsU,EAAE8Q,UACjDxS,EAAqCvc,MAAQie,EAAEnc,KACjD,MAAOtB,MAKHiqC,sBAAR,SAAkBxsB,EAAiBqC,GACjC,IAAM/D,EAAS9c,KAAKggB,OAAO5C,QAAQoB,EAAElW,IACrC,IAAKwU,EACH,OAAO9c,KAAKqwC,kBAAkBxvB,EAAUrC,EAAElW,IAE5C,IACIwU,EAAgC7S,YAAcuU,EAAEje,MAClD,MAAOQ,MAKHiqC,sCAAR,SACE/nC,EACAyS,EACAoH,EACAo2B,GAEQ,IAAAb,EAAuBa,aAAXlwB,EAAWkwB,SACzBC,EAAgBd,GAAcpvC,EAAIovC,GAClCe,EAAYpwB,GAAU/f,EAAI+f,GAChC,GAAImwB,EAAe,CACX,IAAAvxC,EAAqBuxC,EAAnBxsC,SAAMka,aACdnL,EAAO21B,aAAa1kC,EAAMmW,UACnB7Z,EAAI4d,EAASla,KAAK2B,WAClBtI,KAAK2tC,2BAA2B9sB,EAASla,KAAK2B,KACjDuY,EAASwxB,YAAcxxB,EAASmC,SAClChjB,KAAKyyC,0BAA0BxvC,EAAKyS,EAAQ/O,EAAcka,GAG9D,GAAIuyB,EAAW,CACP,IAAAvrC,EAAqBurC,EAAnBzsC,SAAMka,aACdnL,EAAO21B,aAAa1kC,EAAMmW,EAAOhP,oBAC1B7K,EAAI4d,EAASla,KAAK2B,WAClBtI,KAAK2tC,2BAA2B9sB,EAASla,KAAK2B,KACjDuY,EAASwxB,YAAcxxB,EAASmC,SAClChjB,KAAKyyC,0BAA0BxvC,EAAKyS,EAAQ/O,EAAcka,KAKxDmqB,yBAAR,SACExgC,EACAE,EACApC,EACA08B,EACA2H,GAEA,IAAM7vB,EAAS9c,KAAKggB,OAAO5C,QAAQ9U,GACnC,IAAKwU,EACH,OAAO9c,KAAKqwC,kBAAkB1D,EAAWrkC,GAG3C,IAAM+qC,EAAO7vB,GAAiB1G,EAAQ9c,KAAK4lB,QACrC0tB,EAAK9oC,EAAI6oC,EAAKvvB,cAAgBuvB,EAAK7oC,EACnC+oC,EAAK7oC,EAAI2oC,EAAKvvB,cAAgBuvB,EAAK3oC,EAEzC1K,KAAK+qC,MAAMn2B,MAAM+lB,KAAO,UAAG2Y,QAC3BtzC,KAAK+qC,MAAMn2B,MAAMimB,IAAM,UAAG0Y,QACrBvO,GACHhlC,KAAKwzC,cAAc,CAAEhpC,EAAG8oC,EAAI5oC,EAAG6oC,IAEjCvzC,KAAKyzC,cAAe32B,IAGdkuB,0BAAR,SAAsB94B,GAAtB,WACE,GAAKlS,KAAK0oC,UAAV,CAIM,IAAA9mC,GACsB,IAA1B5B,KAAK+gC,OAAO2H,UACRlB,GACAroC,OAAOC,OAAO,GAAIooC,GAAwBxnC,KAAK+gC,OAAO2H,WAHpDhB,YAASC,cAAWC,gBAAaH,aAKnCiM,EAAO,WACX,GAAKp2B,EAAKorB,UAAV,CAGA,IAAMp+B,EAAMgT,EAAKorB,UAAUn+B,WAAW,MACjCD,GAAQgT,EAAKuzB,cAAcnxC,SAGhC4K,EAAIqpC,UAAU,EAAG,EAAGr2B,EAAKorB,UAAUj+B,MAAO6S,EAAKorB,UAAU/9B,QACzDL,EAAIspC,YACJtpC,EAAIq9B,UAAYA,EAChBr9B,EAAIo9B,QAAUA,EACdp9B,EAAIs9B,YAAcA,EAClBt9B,EAAIupC,OAAOv2B,EAAKuzB,cAAc,GAAGrmC,EAAG8S,EAAKuzB,cAAc,GAAGnmC,GAC1D4S,EAAKuzB,cAAc96B,SAAQ,SAACpW,GAAM,OAAA2K,EAAIwpC,OAAOn0C,EAAE6K,EAAG7K,EAAE+K,MACpDJ,EAAIypC,YAGN/zC,KAAK6wC,cAAc/vC,KAAKoR,GACxBwhC,IACAviC,YAAW,WACTmM,EAAKuzB,cAAgBvzB,EAAKuzB,cAAcp3B,QAAO,SAAC9Z,GAAM,OAAAA,IAAMuS,KAC5DwhC,MACCjM,EAAWznC,KAAKgqC,aAAaxH,MAAMpkB,QAAQwlB,MAAM1E,SAG9C8L,0BAAR,SAAsBvjC,mBACpBzH,KAAK4lB,OAAOtY,gCACRkiB,iBAAiB,aAClBzZ,SAAQ,SAACi+B,GACRA,EAAUltC,UAAUsqB,OAAO,aAG/B,IADA,IAAI6iB,EAA4BxsC,EACzBwsC,GACDA,EAAUntC,WACZmtC,EAAUntC,UAAUya,IAAI,UAE1B0yB,EAAYA,EAAU5kB,eAIlB2b,8BAAR,SAA0B9qB,GACxB,OAAIA,EAAM/d,OAASuW,YAAUmhB,sBAI3B3Z,EAAMjV,KAAKuH,OAASmG,oBAAkBuJ,UACtChC,EAAMjV,KAAKuH,QAAUmG,oBAAkByiB,QAInC4P,yBAAR,WACEhrC,KAAK+sC,yBAA2B,KAC5B/sC,KAAKgqC,aAAaxH,MAAMt7B,QAAQ,YAGpClH,KAAKgqC,aAAa5H,KAAK,CAAEjgC,KAAM,mBAC/BnC,KAAK6iC,QAAQle,KAAK5L,iBAAem7B,QAAS,CACxChV,MAAOl/B,KAAKgqC,aAAaxH,MAAMpkB,QAAQ6rB,gBASnCe,8BAAR,SAA0B7B,EAAazzB,GACrC1V,KAAKggB,OAAO/c,IAAIyS,EAAOtN,KAAKE,IAAMoN,EAMhCA,EAAOtN,KAAKjG,OAASlD,EAASuO,SACN,aAAxBkI,EAAOtN,KAAKlG,SACZinC,EAAKl/B,cAEHyL,EAA2CnV,MAAQ4oC,EAAKl/B,aAE5DyL,EAAO2F,YAAY8tB,GAEnBnpC,KAAKm0C,aAAaz+B,IAQZs1B,uBAAR,SAAmBt1B,WACjB,GAAIA,GACEA,EAAOjU,WAAaiU,EAAOhU,aAAc,CAC3C,IAAM2tB,EAAiB3Z,GACnB2Z,EAAcziB,YAAcyiB,EAAcviB,YAE5C9M,KAAKgpC,gBAAgBjvB,IAAIrE,EAAQ,CAC/B+V,OAAQ,CAAC4D,EAAcziB,WAAYyiB,EAAcviB,aAGvB,UAA1BuiB,EAAcntB,kBFtqDxBmtB,EACA4Z,SAEA,IACE,IAAMnD,EAAWzkC,MAAMH,gBACpBmuB,EAAmC7nB,4BAAOxE,WAAY,IACvDC,KAAI,SAACG,GAAS,OAAAA,EAAKE,WACrB2lC,EAAqBlvB,IAAKsV,EAAoC,CAC5D,CACEltB,KAAMijC,GAAcS,SACpBC,cAGJ,MAAOllC,KE0pDDwzC,CACE/kB,EACArvB,KAAKipC,sBAET,IAAM/nB,EAAWmO,EAAcnO,aAC/B,IAAoB,IAAArZ,EAAA5H,EAAAoB,MAAMH,KAAKggB,kCAAW,CAArC,IAAMhG,UACTlb,KAAKoyC,WAAYl3B,wGAUjB8vB,yBAAR,SAAqBt1B,WACnB,GAAIA,EAAOjU,WAAaiU,EAAOhU,aAAc,CAC3C,IAAM2tB,EAAiB3Z,EACvB,GAAI1V,KAAKgpC,gBAAgBzrB,IAAI7H,GAAS,CACpC,IAAM2+B,EAAcr0C,KAAKgpC,gBAAgB1vB,IAAI5D,GAEzC2+B,EAAY5oB,SACd4D,EAAcziB,WAAaynC,EAAY5oB,OAAO,GAC9C4D,EAAcviB,UAAYunC,EAAY5oB,OAAO,IAE/CzrB,KAAKgpC,gBAAgBrnB,OAAOjM,GAE9B,IAAMwL,EAAWmO,EAAcnO,aAC/B,IAAoB,IAAArZ,EAAA5H,EAAAoB,MAAMH,KAAKggB,kCAAW,CAArC,IAAMhG,UACTlb,KAAKm0C,aAAcj5B,wGAKjB8vB,6BAAR,SAAyBrkC,GACvB,IAAM8+B,EAAczlC,KAAKipC,qBAAqB3vB,IAAI3S,GAC5B,UAAlBA,EAAK2tC,WAIJ7O,GAMLD,GAA6BC,EAFV9+B,KAKbqkC,6BAAR,SAAyBxsB,EAAoBlW,GACvCtI,KAAK8oC,UAAUyL,UAAUjsC,GAC3BtI,KAAKoM,KAAK,wBAAiB9D,gCAAgCkW,GAE3Dxe,KAAKoM,KAAK,wBAAiB9D,mBAAmBkW,IAI1CwsB,qCAAR,SACExsB,EACAzd,GAEAf,KAAKoM,KAAK,6BAA8BrL,EAAO,mBAAoByd,IAG7DwsB,8BAAR,SAA0BxsB,EAAoBlW,GAOxCtI,KAAK8oC,UAAUyL,UAAUjsC,GAC3BtI,KAAK4yC,MACHrL,GACA,wBAAiBj/B,gCACjBkW,GAGFxe,KAAK4yC,MAAMrL,GAAuB,wBAAiBj/B,mBAAmBkW,IAIlEwsB,iBAAR,eAAa,aAAAlmC,mBAAAA,IAAAuZ,kBACNre,KAAK+gC,OAAOqH,aAGjBj8B,QAAQC,WAARD,WAAao7B,MAA0BlpB,SAGjC2sB,kBAAR,eAAc,aAAAlmC,mBAAAA,IAAAuZ,kBACPre,KAAK+gC,OAAOsH,WAIjBl8B,QAAQqoC,UAARroC,WAAYo7B,MAA0BlpB,cGl6DlC4d,GAAmB9D,kBACnBiE,GAAejE,cCOnBsc,GAAKxiB,WAAYyiB,GAAMvgB,YAAawgB,GAAM7pC,YAE1C8pC,GAAO,IAAIH,GAAG,CAAC,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAgB,EAAG,EAAoB,IAG1II,GAAO,IAAIJ,GAAG,CAAC,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,GAAI,GAAI,GAAI,GAAI,GAAI,GAAI,GAAI,GAAiB,EAAG,IAEjIK,GAAO,IAAIL,GAAG,CAAC,GAAI,GAAI,GAAI,EAAG,EAAG,EAAG,EAAG,EAAG,GAAI,EAAG,GAAI,EAAG,GAAI,EAAG,GAAI,EAAG,GAAI,EAAG,KAE7EM,GAAO,SAAUC,EAAI7iC,GAErB,IADA,IAAIyH,EAAI,IAAI86B,GAAI,IACPn1C,EAAI,EAAGA,EAAI,KAAMA,EACtBqa,EAAEra,GAAK4S,GAAS,GAAK6iC,EAAGz1C,EAAI,GAGhC,IAAIoB,EAAI,IAAIg0C,GAAI/6B,EAAE,KAClB,IAASra,EAAI,EAAGA,EAAI,KAAMA,EACtB,IAAK,IAAI8hC,EAAIznB,EAAEra,GAAI8hC,EAAIznB,EAAEra,EAAI,KAAM8hC,EAC/B1gC,EAAE0gC,GAAOA,EAAIznB,EAAEra,IAAO,EAAKA,EAGnC,MAAO,CAACqa,EAAGjZ,IAEXiB,GAAKmzC,GAAKH,GAAM,GAAIK,GAAKrzC,GAAG,GAAIszC,GAAQtzC,GAAG,GAE/CqzC,GAAG,IAAM,IAAKC,GAAM,KAAO,GAI3B,IAHA,IAAIrtC,GAAKktC,GAAKF,GAAM,GAAIM,GAAKttC,GAAG,GAAIutC,GAAQvtC,GAAG,GAE3CwtC,GAAM,IAAIX,GAAI,OACTn1C,GAAI,EAAGA,GAAI,QAASA,GAAG,CAE5B,IAAIiL,IAAU,MAAJjL,MAAgB,GAAW,MAAJA,KAAe,EAEhDiL,IAAU,OADVA,IAAU,MAAJA,MAAgB,GAAW,MAAJA,KAAe,MACtB,GAAW,KAAJA,KAAe,EAC5C6qC,GAAI91C,MAAY,MAAJiL,MAAgB,GAAW,IAAJA,KAAe,KAAQ,EAK9D,IAAI8qC,YAAkBC,EAAIC,EAAI70C,GAO1B,IANA,IAAIrB,EAAIi2C,EAAG71C,OAEPH,EAAI,EAEJ6B,EAAI,IAAIszC,GAAIc,GAETj2C,EAAID,IAAKC,IACV6B,EAAEm0C,EAAGh2C,GAAK,GAEhB,IAIIk2C,EAJAC,EAAK,IAAIhB,GAAIc,GACjB,IAAKj2C,EAAI,EAAGA,EAAIi2C,IAAMj2C,EAClBm2C,EAAGn2C,GAAMm2C,EAAGn2C,EAAI,GAAK6B,EAAE7B,EAAI,IAAO,EAGtC,GAAIoB,EAAG,CAEH80C,EAAK,IAAIf,GAAI,GAAKc,GAElB,IAAIG,EAAM,GAAKH,EACf,IAAKj2C,EAAI,EAAGA,EAAID,IAAKC,EAEjB,GAAIg2C,EAAGh2C,GAQH,IANA,IAAIq2C,EAAMr2C,GAAK,EAAKg2C,EAAGh2C,GAEnBs2C,EAAML,EAAKD,EAAGh2C,GAEdyW,EAAI0/B,EAAGH,EAAGh2C,GAAK,MAAQs2C,EAElBx1C,EAAI2V,GAAM,GAAK6/B,GAAO,EAAI7/B,GAAK3V,IAAK2V,EAEzCy/B,EAAGJ,GAAIr/B,KAAO2/B,GAAOC,OAOjC,IADAH,EAAK,IAAIf,GAAIp1C,GACRC,EAAI,EAAGA,EAAID,IAAKC,EACjBk2C,EAAGl2C,GAAK81C,GAAIK,EAAGH,EAAGh2C,GAAK,QAAW,GAAKg2C,EAAGh2C,GAElD,OAAOk2C,GAGPK,GAAM,IAAIrB,GAAG,KACjB,IAASl1C,GAAI,EAAGA,GAAI,MAAOA,GACvBu2C,GAAIv2C,IAAK,EACb,IAASA,GAAI,IAAKA,GAAI,MAAOA,GACzBu2C,GAAIv2C,IAAK,EACb,IAASA,GAAI,IAAKA,GAAI,MAAOA,GACzBu2C,GAAIv2C,IAAK,EACb,IAASA,GAAI,IAAKA,GAAI,MAAOA,GACzBu2C,GAAIv2C,IAAK,EAEb,IAAIw2C,GAAM,IAAItB,GAAG,IACjB,IAASl1C,GAAI,EAAGA,GAAI,KAAMA,GACtBw2C,GAAIx2C,IAAK,EAEb,IAAIy2C,GAAoBV,GAAKQ,GAAK,EAAG,GAAIG,GAAqBX,GAAKQ,GAAK,EAAG,GAEvEI,GAAoBZ,GAAKS,GAAK,EAAG,GAAII,GAAqBb,GAAKS,GAAK,EAAG,GAEvEtI,GAAM,SAAUloC,GAEhB,IADA,IAAIlF,EAAIkF,EAAE,GACDhG,EAAI,EAAGA,EAAIgG,EAAE7F,SAAUH,EACxBgG,EAAEhG,GAAKc,IACPA,EAAIkF,EAAEhG,IAEd,OAAOc,GAGP+1C,GAAO,SAAU53B,EAAG7e,EAAGU,GACvB,IAAIH,EAAKP,EAAI,GAAM,EACnB,OAAS6e,EAAEte,GAAMse,EAAEte,EAAI,IAAM,MAAa,EAAJP,GAAUU,GAGhDg2C,GAAS,SAAU73B,EAAG7e,GACtB,IAAIO,EAAKP,EAAI,GAAM,EACnB,OAAS6e,EAAEte,GAAMse,EAAEte,EAAI,IAAM,EAAMse,EAAEte,EAAI,IAAM,OAAc,EAAJP,IAGzD22C,GAAO,SAAU32C,GAAK,OAASA,EAAI,GAAM,IAAU,EAAJA,GAAS,IAGxD42C,GAAM,SAAUvgC,EAAG1W,EAAGsB,IACb,MAALtB,GAAaA,EAAI,KACjBA,EAAI,IACC,MAALsB,GAAaA,EAAIoV,EAAEtW,UACnBkB,EAAIoV,EAAEtW,QAEV,IAAIF,EAAI,IAAKwW,aAAa0+B,GAAMA,GAAM1+B,aAAa2+B,GAAMA,GAAMF,IAAI7zC,EAAItB,GAEvE,OADAE,EAAEua,IAAI/D,EAAEwgC,SAASl3C,EAAGsB,IACbpB,GA6KPi3C,GAAQ,SAAUj4B,EAAG7e,EAAGqW,GACxBA,IAAU,EAAJrW,EACN,IAAIO,EAAKP,EAAI,GAAM,EACnB6e,EAAEte,IAAM8V,EACRwI,EAAEte,EAAI,IAAM8V,IAAM,GAGlB0gC,GAAU,SAAUl4B,EAAG7e,EAAGqW,GAC1BA,IAAU,EAAJrW,EACN,IAAIO,EAAKP,EAAI,GAAM,EACnB6e,EAAEte,IAAM8V,EACRwI,EAAEte,EAAI,IAAM8V,IAAM,EAClBwI,EAAEte,EAAI,IAAM8V,IAAM,IAGlB2gC,GAAQ,SAAUn4B,EAAGg3B,GAGrB,IADA,IAAIn2C,EAAI,GACCE,EAAI,EAAGA,EAAIif,EAAE9e,SAAUH,EACxBif,EAAEjf,IACFF,EAAEyB,KAAK,CAAExB,EAAGC,EAAGohC,EAAGniB,EAAEjf,KAE5B,IAAID,EAAID,EAAEK,OACNk3C,EAAKv3C,EAAEiC,QACX,IAAKhC,EACD,MAAO,CAAC,IAAIm1C,GAAG,GAAI,GACvB,GAAS,GAALn1C,EAAQ,CACR,IAAI0W,EAAI,IAAIy+B,GAAGp1C,EAAE,GAAGC,EAAI,GAExB,OADA0W,EAAE3W,EAAE,GAAGC,GAAK,EACL,CAAC0W,EAAG,GAEf3W,EAAEsa,MAAK,SAAUpU,EAAGqU,GAAK,OAAOrU,EAAEo7B,EAAI/mB,EAAE+mB,KAGxCthC,EAAEyB,KAAK,CAAExB,GAAI,EAAGqhC,EAAG,QACnB,IAAIv/B,EAAI/B,EAAE,GAAIsB,EAAItB,EAAE,GAAIw3C,EAAK,EAAGC,EAAK,EAAGC,EAAK,EAO7C,IANA13C,EAAE,GAAK,CAAEC,GAAI,EAAGqhC,EAAGv/B,EAAEu/B,EAAIhgC,EAAEggC,EAAGv/B,EAAGA,EAAGT,EAAGA,GAMhCm2C,GAAMx3C,EAAI,GACb8B,EAAI/B,EAAEA,EAAEw3C,GAAIlW,EAAIthC,EAAE03C,GAAIpW,EAAIkW,IAAOE,KACjCp2C,EAAItB,EAAEw3C,GAAMC,GAAMz3C,EAAEw3C,GAAIlW,EAAIthC,EAAE03C,GAAIpW,EAAIkW,IAAOE,KAC7C13C,EAAEy3C,KAAQ,CAAEx3C,GAAI,EAAGqhC,EAAGv/B,EAAEu/B,EAAIhgC,EAAEggC,EAAGv/B,EAAGA,EAAGT,EAAGA,GAE9C,IAAIq2C,EAASJ,EAAG,GAAGt3C,EACnB,IAASC,EAAI,EAAGA,EAAID,IAAKC,EACjBq3C,EAAGr3C,GAAGD,EAAI03C,IACVA,EAASJ,EAAGr3C,GAAGD,GAGvB,IAAI23C,EAAK,IAAIvC,GAAIsC,EAAS,GAEtBE,EAAMC,GAAG93C,EAAEy3C,EAAK,GAAIG,EAAI,GAC5B,GAAIC,EAAM1B,EAAI,CAINj2C,EAAI,EAAR,IAAW63C,EAAK,EAEZC,EAAMH,EAAM1B,EAAI8B,EAAM,GAAKD,EAE/B,IADAT,EAAGj9B,MAAK,SAAUpU,EAAGqU,GAAK,OAAOq9B,EAAGr9B,EAAEta,GAAK23C,EAAG1xC,EAAEjG,IAAMiG,EAAEo7B,EAAI/mB,EAAE+mB,KACvDphC,EAAID,IAAKC,EAAG,CACf,IAAIg4C,EAAOX,EAAGr3C,GAAGD,EACjB,KAAI23C,EAAGM,GAAQ/B,GAKX,MAJA4B,GAAME,GAAO,GAAMJ,EAAMD,EAAGM,IAC5BN,EAAGM,GAAQ/B,EAMnB,IADA4B,KAAQC,EACDD,EAAK,GAAG,CACX,IAAII,EAAOZ,EAAGr3C,GAAGD,EACb23C,EAAGO,GAAQhC,EACX4B,GAAM,GAAM5B,EAAKyB,EAAGO,KAAU,IAE5Bj4C,EAEV,KAAOA,GAAK,GAAK63C,IAAM73C,EAAG,CACtB,IAAIk4C,EAAOb,EAAGr3C,GAAGD,EACb23C,EAAGQ,IAASjC,MACVyB,EAAGQ,KACHL,GAGVF,EAAM1B,EAEV,MAAO,CAAC,IAAIf,GAAGwC,GAAKC,IAGpBC,GAAK,SAAU33C,EAAG4B,EAAGod,GACrB,OAAe,GAARhf,EAAEF,EACHyL,KAAK0iC,IAAI0J,GAAG33C,EAAE4B,EAAGA,EAAGod,EAAI,GAAI24B,GAAG33C,EAAEmB,EAAGS,EAAGod,EAAI,IAC1Cpd,EAAE5B,EAAEF,GAAKkf,GAGhBk5B,GAAK,SAAUnxC,GAGf,IAFA,IAAIjH,EAAIiH,EAAE7G,OAEHJ,IAAMiH,IAAIjH,KAMjB,IAJA,IAAIq4C,EAAK,IAAIjD,KAAMp1C,GAEfs4C,EAAM,EAAGC,EAAMtxC,EAAE,GAAIuxC,EAAM,EAC3Bzb,EAAI,SAAUrmB,GAAK2hC,EAAGC,KAAS5hC,GAC1BzW,EAAI,EAAGA,GAAKD,IAAKC,EACtB,GAAIgH,EAAEhH,IAAMs4C,GAAOt4C,GAAKD,IAClBw4C,MACD,CACD,IAAKD,GAAOC,EAAM,EAAG,CACjB,KAAOA,EAAM,IAAKA,GAAO,IACrBzb,EAAE,OACFyb,EAAM,IACNzb,EAAEyb,EAAM,GAAOA,EAAM,IAAO,EAAK,MAAUA,EAAM,GAAM,EAAK,OAC5DA,EAAM,QAGT,GAAIA,EAAM,EAAG,CAEd,IADAzb,EAAEwb,KAAQC,EACHA,EAAM,EAAGA,GAAO,EACnBzb,EAAE,MACFyb,EAAM,IACNzb,EAAIyb,EAAM,GAAM,EAAK,MAAOA,EAAM,GAE1C,KAAOA,KACHzb,EAAEwb,GACNC,EAAM,EACND,EAAMtxC,EAAEhH,GAGhB,MAAO,CAACo4C,EAAGnB,SAAS,EAAGoB,GAAMt4C,IAG7By4C,GAAO,SAAUC,EAAIL,GAErB,IADA,IAAIv2C,EAAI,EACC7B,EAAI,EAAGA,EAAIo4C,EAAGj4C,SAAUH,EAC7B6B,GAAK42C,EAAGz4C,GAAKo4C,EAAGp4C,GACpB,OAAO6B,GAIP62C,GAAQ,SAAUC,EAAKryC,EAAKsyC,GAE5B,IAAI74C,EAAI64C,EAAIz4C,OACRQ,EAAIo2C,GAAKzwC,EAAM,GACnBqyC,EAAIh4C,GAAS,IAAJZ,EACT44C,EAAIh4C,EAAI,GAAKZ,IAAM,EACnB44C,EAAIh4C,EAAI,GAAc,IAATg4C,EAAIh4C,GACjBg4C,EAAIh4C,EAAI,GAAkB,IAAbg4C,EAAIh4C,EAAI,GACrB,IAAK,IAAIX,EAAI,EAAGA,EAAID,IAAKC,EACrB24C,EAAIh4C,EAAIX,EAAI,GAAK44C,EAAI54C,GACzB,OAAqB,GAAbW,EAAI,EAAIZ,IAGhB84C,GAAO,SAAUD,EAAKD,EAAKG,EAAOC,EAAMC,EAAIC,EAAIxD,EAAIyD,EAAIC,EAAIC,EAAIh5C,GAChE82C,GAAMyB,EAAKv4C,IAAK04C,KACdE,EAAG,KAML,IALA,IAAI32C,EAAK+0C,GAAM4B,EAAI,IAAKK,EAAMh3C,EAAG,GAAIi3C,EAAMj3C,EAAG,GAC1CiG,EAAK8uC,GAAM6B,EAAI,IAAKM,EAAMjxC,EAAG,GAAIkxC,EAAMlxC,EAAG,GAC1CE,EAAK2vC,GAAGkB,GAAMI,EAAOjxC,EAAG,GAAIkxC,EAAMlxC,EAAG,GACrCwB,EAAKmuC,GAAGoB,GAAMI,EAAO3vC,EAAG,GAAI4vC,EAAM5vC,EAAG,GACrC6vC,EAAS,IAAI1E,GAAI,IACZn1C,EAAI,EAAGA,EAAIy5C,EAAKt5C,SAAUH,EAC/B65C,EAAiB,GAAVJ,EAAKz5C,MAChB,IAASA,EAAI,EAAGA,EAAI25C,EAAKx5C,SAAUH,EAC/B65C,EAAiB,GAAVF,EAAK35C,MAGhB,IAFA,IAAIkK,EAAKktC,GAAMyC,EAAQ,GAAIC,EAAM5vC,EAAG,GAAI6vC,EAAO7vC,EAAG,GAC9C8vC,EAAO,GACJA,EAAO,IAAMF,EAAIvE,GAAKyE,EAAO,MAAOA,GAE3C,IAKIC,EAAIC,EAAIC,EAAIC,EALZC,EAAQjB,EAAK,GAAM,EACnBkB,EAAQ9B,GAAKQ,EAAIzC,IAAOiC,GAAKS,EAAIzC,IAAOf,EACxC8E,EAAQ/B,GAAKQ,EAAIK,GAAOb,GAAKS,EAAIM,GAAO9D,EAAK,GAAK,EAAIuE,EAAOxB,GAAKqB,EAAQC,IAAQ,EAAID,EAAO,IAAM,EAAIA,EAAO,IAAM,EAAIA,EAAO,KACnI,GAAIQ,GAAQC,GAASD,GAAQE,EACzB,OAAO7B,GAAMC,EAAKv4C,EAAGw4C,EAAI3B,SAASkC,EAAIA,EAAKC,IAG/C,GADAlC,GAAMyB,EAAKv4C,EAAG,GAAKm6C,EAAQD,IAASl6C,GAAK,EACrCm6C,EAAQD,EAAO,CACfL,EAAKlE,GAAKsD,EAAKC,EAAK,GAAIY,EAAKb,EAAKc,EAAKpE,GAAKwD,EAAKC,EAAK,GAAIY,EAAKb,EAC/D,IAAIiB,EAAMzE,GAAK+D,EAAKC,EAAM,GAC1B7C,GAAMyB,EAAKv4C,EAAGs5C,EAAM,KACpBxC,GAAMyB,EAAKv4C,EAAI,EAAGw5C,EAAM,GACxB1C,GAAMyB,EAAKv4C,EAAI,GAAI45C,EAAO,GAC1B55C,GAAK,GACL,IAASJ,EAAI,EAAGA,EAAIg6C,IAAQh6C,EACxBk3C,GAAMyB,EAAKv4C,EAAI,EAAIJ,EAAG85C,EAAIvE,GAAKv1C,KACnCI,GAAK,EAAI45C,EAET,IADA,IAAIS,EAAO,CAAChB,EAAME,GACTe,EAAK,EAAGA,EAAK,IAAKA,EACvB,CAAA,IAAIC,EAAOF,EAAKC,GAChB,IAAS16C,EAAI,EAAGA,EAAI26C,EAAKx6C,SAAUH,EAAG,CAClC,IAAIq1B,EAAgB,GAAVslB,EAAK36C,GACfk3C,GAAMyB,EAAKv4C,EAAGo6C,EAAInlB,IAAOj1B,GAAK05C,EAAIzkB,GAC9BA,EAAM,KACN6hB,GAAMyB,EAAKv4C,EAAIu6C,EAAK36C,KAAO,EAAK,KAAMI,GAAKu6C,EAAK36C,KAAO,WAKnEi6C,EAAKxD,GAAKyD,EAAK3D,GAAK4D,EAAKxD,GAAKyD,EAAK5D,GAEvC,IAASx2C,EAAI,EAAGA,EAAIk5C,IAAMl5C,EACtB,GAAI+4C,EAAK/4C,GAAK,IAAK,CACXq1B,EAAO0jB,EAAK/4C,KAAO,GAAM,GAC7Bm3C,GAAQwB,EAAKv4C,EAAG65C,EAAG5kB,EAAM,MAAOj1B,GAAK85C,EAAG7kB,EAAM,KAC1CA,EAAM,IACN6hB,GAAMyB,EAAKv4C,EAAI24C,EAAK/4C,KAAO,GAAM,IAAKI,GAAKi1C,GAAKhgB,IACpD,IAAIulB,EAAgB,GAAV7B,EAAK/4C,GACfm3C,GAAQwB,EAAKv4C,EAAG+5C,EAAGS,IAAOx6C,GAAKg6C,EAAGQ,GAC9BA,EAAM,IACNzD,GAAQwB,EAAKv4C,EAAI24C,EAAK/4C,KAAO,EAAK,MAAOI,GAAKk1C,GAAKsF,SAGvDzD,GAAQwB,EAAKv4C,EAAG65C,EAAGlB,EAAK/4C,KAAMI,GAAK85C,EAAGnB,EAAK/4C,IAInD,OADAm3C,GAAQwB,EAAKv4C,EAAG65C,EAAG,MACZ75C,EAAI85C,EAAG,MAGdW,GAAoB,IAAIzF,GAAI,CAAC,MAAO,OAAQ,OAAQ,OAAQ,OAAQ,QAAS,QAAS,QAAS,UAE/F0F,GAAmB,IAAI5F,GAAG,GAwK1B6F,GAAO,SAAUnC,EAAKoC,EAAKC,EAAKC,EAAMC,GACtC,OAvKO,SAAUvC,EAAKwC,EAAKC,EAAMJ,EAAKC,EAAMI,GAC5C,IAAIv7C,EAAI64C,EAAIz4C,OACRQ,EAAI,IAAIu0C,GAAG+F,EAAMl7C,EAAI,GAAK,EAAIyL,KAAKg1B,MAAMzgC,EAAI,MAASm7C,GAEtDpe,EAAIn8B,EAAEs2C,SAASgE,EAAKt6C,EAAER,OAAS+6C,GAC/B50C,EAAM,EACV,IAAK80C,GAAOr7C,EAAI,EACZ,IAAK,IAAIC,EAAI,EAAGA,GAAKD,EAAGC,GAAK,MAAO,CAEhC,IAAIqB,EAAIrB,EAAI,MACRqB,EAAItB,EAEJuG,EAAMoyC,GAAM5b,EAAGx2B,EAAKsyC,EAAI3B,SAASj3C,EAAGqB,KAIpCy7B,EAAE98B,GAAKs7C,EACPh1C,EAAMoyC,GAAM5b,EAAGx2B,EAAKsyC,EAAI3B,SAASj3C,EAAGD,SAI3C,CAeD,IAdA,IAAIi7C,EAAMH,GAAIO,EAAM,GAChBn7C,EAAI+6C,IAAQ,GAAIh0C,EAAU,KAANg0C,EACpBO,GAAS,GAAKF,GAAQ,EAEtBG,EAAO,IAAIrG,GAAI,OAAQrwB,EAAO,IAAIqwB,GAAIoG,EAAQ,GAC9CE,EAAQjwC,KAAKkwC,KAAKL,EAAO,GAAIM,EAAQ,EAAIF,EACzCG,EAAM,SAAU57C,GAAK,OAAQ44C,EAAI54C,GAAM44C,EAAI54C,EAAI,IAAMy7C,EAAU7C,EAAI54C,EAAI,IAAM27C,GAAUJ,GAGvFxC,EAAO,IAAI3D,GAAI,MAEf4D,EAAK,IAAI7D,GAAI,KAAM8D,EAAK,IAAI9D,GAAI,IAEhC0G,EAAO,EAAGpG,EAAK,EAAUyD,GAAPl5C,EAAI,EAAQ,GAAG87C,EAAK,EAAG3C,EAAK,EAC3Cn5C,EAAID,IAAKC,EAAG,CAEf,IAAI+7C,EAAKH,EAAI57C,GAETg8C,EAAW,MAAJh8C,EAEPi8C,EAAQn3B,EAAKi3B,GAKjB,GAJAP,EAAKQ,GAAQC,EACbn3B,EAAKi3B,GAAMC,EAGPF,GAAM97C,EAAG,CAET,IAAIk8C,EAAMn8C,EAAIC,EACd,IAAK67C,EAAO,KAAQ3C,EAAK,QAAUgD,EAAM,IAAK,CAC1C51C,EAAMuyC,GAAKD,EAAK9b,EAAG,EAAGic,EAAMC,EAAIC,EAAIxD,EAAIyD,EAAIC,EAAIn5C,EAAIm5C,EAAI7yC,GACxD4yC,EAAK2C,EAAOpG,EAAK,EAAG0D,EAAKn5C,EACzB,IAAK,IAAI8hC,EAAI,EAAGA,EAAI,MAAOA,EACvBkX,EAAGlX,GAAK,EACZ,IAASA,EAAI,EAAGA,EAAI,KAAMA,EACtBmX,EAAGnX,GAAK,EAGhB,IAAIjgC,EAAI,EAAGod,EAAI,EAAGk9B,EAAOn1C,EAAGo1C,EAAOJ,EAAOC,EAAS,MACnD,GAAIC,EAAM,GAAKH,GAAMH,EAAI57C,EAAIo8C,GAMzB,IALA,IAAIC,EAAO7wC,KAAKC,IAAIxL,EAAGi8C,GAAO,EAC1BI,EAAO9wC,KAAKC,IAAI,MAAOzL,GAGvBu8C,EAAK/wC,KAAKC,IAAI,IAAKywC,GAChBE,GAAOE,KAAUH,GAAQH,GAAQC,GAAO,CAC3C,GAAIrD,EAAI54C,EAAI6B,IAAM+2C,EAAI54C,EAAI6B,EAAIu6C,GAAM,CAEhC,IADA,IAAII,EAAK,EACFA,EAAKD,GAAM3D,EAAI54C,EAAIw8C,IAAO5D,EAAI54C,EAAIw8C,EAAKJ,KAAQI,GAEtD,GAAIA,EAAK36C,EAAG,CAGR,GAFAA,EAAI26C,EAAIv9B,EAAIm9B,EAERI,EAAKH,EACL,MAIJ,IAAII,EAAMjxC,KAAKC,IAAI2wC,EAAKI,EAAK,GACzBE,EAAK,EACT,IAAS5a,EAAI,EAAGA,EAAI2a,IAAO3a,EAAG,CAC1B,IAAI6a,EAAM38C,EAAIo8C,EAAMta,EAAI,MAAS,MAE7BkU,EAAM2G,EADAnB,EAAKmB,GACM,MAAS,MAC1B3G,EAAK0G,IACLA,EAAK1G,EAAIiG,EAAQU,KAMjCP,IADAJ,EAAOC,IAAOA,EAAQT,EAAKQ,IACJ,MAAS,MAIxC,GAAI/8B,EAAG,CAGH85B,EAAKG,KAAQ,UAAavD,GAAM9zC,IAAM,GAAMg0C,GAAM52B,GAClD,IAAI29B,EAAiB,GAAXjH,GAAM9zC,GAASg7C,EAAiB,GAAXhH,GAAM52B,GACrCw2B,GAAMJ,GAAKuH,GAAOtH,GAAKuH,KACrB7D,EAAG,IAAM4D,KACT3D,EAAG4D,GACLf,EAAK97C,EAAI6B,IACPg6C,OAGF9C,EAAKG,KAAQN,EAAI54C,KACfg5C,EAAGJ,EAAI54C,KAIrBsG,EAAMuyC,GAAKD,EAAK9b,EAAGwe,EAAKvC,EAAMC,EAAIC,EAAIxD,EAAIyD,EAAIC,EAAIn5C,EAAIm5C,EAAI7yC,GAErDg1C,IACDh1C,EAAMoyC,GAAM5b,EAAGx2B,EAAKw0C,KAE5B,OAAO9D,GAAIr2C,EAAG,EAAGs6C,EAAMlE,GAAKzwC,GAAO40C,GAiD5B4B,CAAKlE,EAAkB,MAAboC,EAAI+B,MAAgB,EAAI/B,EAAI+B,MAAkB,MAAX/B,EAAIgC,IAAcxxC,KAAKkwC,KAAuD,IAAlDlwC,KAAK0iC,IAAI,EAAG1iC,KAAKC,IAAI,GAAID,KAAKypC,IAAI2D,EAAIz4C,WAAoB,GAAK66C,EAAIgC,IAAM/B,EAAKC,GAAOC,IA6hBlK,SAAS8B,GAASvxC,EAAMwxC,QACd,IAATA,IAAmBA,EAAO,IAC9B,IAAIl3C,EApjBI,WACR,IAAIA,EAAI,EAAGqU,EAAI,EACf,MAAO,CACHja,EAAG,SAAU6e,GAIT,IAFA,IAAIhf,EAAI+F,EAAGlF,EAAIuZ,EACXxY,EAAIod,EAAE9e,OACDH,EAAI,EAAGA,GAAK6B,GAAI,CAErB,IADA,IAAIR,EAAImK,KAAKC,IAAIzL,EAAI,KAAM6B,GACpB7B,EAAIqB,IAAKrB,EACDc,GAAXb,GAAKgf,EAAEjf,GACXC,GAAK,MAAOa,GAAK,MAErBkF,EAAI/F,EAAGoa,EAAIvZ,GAEfme,EAAG,WAAc,OAASjZ,IAAM,GAAM,IAAU,IAAJqU,IAAY,EAAKA,IAAM,GAA0B,IAAd,IAAJrU,IAAY,MAqiBnFm3C,GACRn3C,EAAE5F,EAAEsL,GACJ,IAAIuT,EAAI87B,GAAKrvC,EAAMwxC,EAAM,EAAG,GAC5B,OA9XM,SAAUl2C,EAAGrG,GACnB,IAAIy8C,EAAKz8C,EAAEo8C,MAAOrH,EAAW,GAAN0H,EAAU,EAAIA,EAAK,EAAI,EAAU,GAANA,EAAU,EAAI,EAChEp2C,EAAE,GAAK,IAAKA,EAAE,GAAM0uC,GAAM,GAAMA,EAAM,GAAK,EAAIA,EAAM,GA4X9C2H,CAAIp+B,EAAGi+B,GAnaL,SAAUj+B,EAAG5E,EAAG5D,GACzB,KAAOA,IAAK4D,EACR4E,EAAE5E,GAAK5D,EAAGA,KAAO,EAiaA6mC,CAAOr+B,EAAGA,EAAE9e,OAAS,EAAG6F,EAAEiZ,KAAMA,EA6ElD,SAASs+B,GAAW7xC,EAAMitC,GAC7B,OApqCQ,SAAUC,EAAKre,EAAK4gB,GAE5B,IAAIqC,EAAK5E,EAAIz4C,OAETs9C,GAASljB,GAAO4gB,EAEhBuC,GAAQvC,GAAMA,EAAGn7C,EAChBm7C,IACDA,EAAK,IAEJ5gB,IACDA,EAAM,IAAI2a,GAAQ,EAALsI,IAEjB,IAAIG,EAAO,SAAU97C,GACjB,IAAIu3C,EAAK7e,EAAIp6B,OAEb,GAAI0B,EAAIu3C,EAAI,CAER,IAAIwE,EAAO,IAAI1I,GAAG1pC,KAAK0iC,IAAS,EAALkL,EAAQv3C,IACnC+7C,EAAKpjC,IAAI+f,GACTA,EAAMqjB,IAIV9E,EAAQqC,EAAG/Z,GAAK,EAAG96B,EAAM60C,EAAG/6C,GAAK,EAAGy9C,EAAK1C,EAAG9gC,GAAK,EAAG4/B,EAAKkB,EAAGt5C,EAAGs4C,EAAKgB,EAAGl8B,EAAG6+B,EAAM3C,EAAGr6C,EAAGi9C,EAAM5C,EAAGl7C,EAE/F+9C,EAAY,EAALR,EACX,EAAG,CACC,IAAKvD,EAAI,CAELkB,EAAG/Z,EAAI0X,EAAQjC,GAAK+B,EAAKtyC,EAAK,GAE9B,IAAI1D,EAAOi0C,GAAK+B,EAAKtyC,EAAM,EAAG,GAE9B,GADAA,GAAO,GACF1D,EAAM,CAEP,IAAuBf,EAAI+2C,GAAvB74C,EAAIg3C,GAAKzwC,GAAO,GAAe,GAAMsyC,EAAI74C,EAAI,IAAM,EAAID,EAAIC,EAAI8B,EACnE,GAAI/B,EAAI09C,EAAI,CACR,GAAIE,EACA,KAAM,iBACV,MAGAD,GACAE,EAAKE,EAAKh8C,GAEd04B,EAAI/f,IAAIo+B,EAAI3B,SAASl3C,EAAGD,GAAI+9C,GAE5B1C,EAAG9gC,EAAIwjC,GAAMh8C,EAAGs5C,EAAG/6C,EAAIkG,EAAU,EAAJxG,EAC7B,SAEC,GAAY,GAAR8C,EACLq3C,EAAKvD,GAAMyD,EAAKvD,GAAMkH,EAAM,EAAGC,EAAM,MACpC,CAAA,GAAY,GAARn7C,EAqDL,KAAM,qBAnDN,IAAIq7C,EAAOpH,GAAK+B,EAAKtyC,EAAK,IAAM,IAAK43C,EAAQrH,GAAK+B,EAAKtyC,EAAM,GAAI,IAAM,EACnE63C,EAAKF,EAAOpH,GAAK+B,EAAKtyC,EAAM,EAAG,IAAM,EACzCA,GAAO,GAKP,IAHA,IAAI83C,EAAM,IAAIlJ,GAAGiJ,GAEbE,EAAM,IAAInJ,GAAG,IACRl1C,EAAI,EAAGA,EAAIk+C,IAASl+C,EAEzBq+C,EAAI9I,GAAKv1C,IAAM62C,GAAK+B,EAAKtyC,EAAU,EAAJtG,EAAO,GAE1CsG,GAAe,EAAR43C,EAEP,IAAII,EAAMpQ,GAAImQ,GAAME,GAAU,GAAKD,GAAO,EAC1C,IAAKZ,GAAQp3C,EAAM63C,GAAMG,EAAM,GAAKN,EAChC,MAEJ,IAAIQ,EAAMzI,GAAKsI,EAAKC,EAAK,GACzB,IAASt+C,EAAI,EAAGA,EAAIm+C,GAAK,CACrB,IAIIp+C,EAJAqB,EAAIo9C,EAAI3H,GAAK+B,EAAKtyC,EAAKi4C,IAM3B,GAJAj4C,GAAW,GAAJlF,GAEHrB,EAAIqB,IAAM,GAEN,GACJg9C,EAAIp+C,KAAOD,MAEV,CAED,IAAIiH,EAAI,EAAG/G,EAAI,EAOf,IANS,IAALF,GACAE,EAAI,EAAI42C,GAAK+B,EAAKtyC,EAAK,GAAIA,GAAO,EAAGU,EAAIo3C,EAAIp+C,EAAI,IACvC,IAALD,GACLE,EAAI,EAAI42C,GAAK+B,EAAKtyC,EAAK,GAAIA,GAAO,GACxB,IAALvG,IACLE,EAAI,GAAK42C,GAAK+B,EAAKtyC,EAAK,KAAMA,GAAO,GAClCrG,KACHm+C,EAAIp+C,KAAOgH,GAIvB,IAAIy3C,EAAKL,EAAInH,SAAS,EAAGgH,GAAOpG,EAAKuG,EAAInH,SAASgH,GAElDH,EAAM5P,GAAIuQ,GAEVV,EAAM7P,GAAI2J,GACVoC,EAAKlE,GAAK0I,EAAIX,EAAK,GACnB3D,EAAKpE,GAAK8B,EAAIkG,EAAK,GAIvB,GAAIz3C,EAAM03C,EACN,KAAM,iBAIVP,GACAE,EAAKE,EAAK,QAGd,IAFA,IAAIa,GAAO,GAAKZ,GAAO,EAAGa,GAAO,GAAKZ,GAAO,EACzCa,EAAMd,EAAMC,EAAM,GACfL,GAAQp3C,EAAMs4C,EAAMZ,GAAM,CAE7B,IAAoCa,GAAhC73C,EAAIizC,EAAGnD,GAAO8B,EAAKtyC,GAAOo4C,MAAkB,EAEhD,IADAp4C,GAAW,GAAJU,GACGg3C,EACN,KAAM,iBACV,IAAKh3C,EACD,KAAM,yBACV,GAAI63C,EAAM,IACNtkB,EAAIsjB,KAAQgB,MACX,CAAA,GAAW,KAAPA,EAAY,CACjB5E,EAAK,KACL,MAGA,IAAIj4B,EAAM68B,EAAM,IAEhB,GAAIA,EAAM,IAAK,CAEX,IAAmBxkC,EAAIg7B,GAAnBr1C,EAAI6+C,EAAM,KACd78B,EAAM60B,GAAK+B,EAAKtyC,GAAM,GAAK+T,GAAK,GAAKq7B,GAAG11C,GACxCsG,GAAO+T,EAGX,IAAI4E,EAAIk7B,EAAGrD,GAAO8B,EAAKtyC,GAAOq4C,GAAMG,EAAO7/B,IAAM,EACjD,IAAKA,EACD,KAAM,mBAOV,GANA3Y,GAAW,GAAJ2Y,EACH44B,EAAKjC,GAAGkJ,GACRA,EAAO,IACHzkC,EAAIi7B,GAAKwJ,GACbjH,GAAMf,GAAO8B,EAAKtyC,IAAS,GAAK+T,GAAK,EAAI/T,GAAO+T,GAEhD/T,EAAM03C,EACN,KAAM,iBACNP,GACAE,EAAKE,EAAK,QAEd,IADA,IAAI7qC,EAAM6qC,EAAK77B,EACR67B,EAAK7qC,EAAK6qC,GAAM,EACnBtjB,EAAIsjB,GAAMtjB,EAAIsjB,EAAKhG,GACnBtd,EAAIsjB,EAAK,GAAKtjB,EAAIsjB,EAAK,EAAIhG,GAC3Btd,EAAIsjB,EAAK,GAAKtjB,EAAIsjB,EAAK,EAAIhG,GAC3Btd,EAAIsjB,EAAK,GAAKtjB,EAAIsjB,EAAK,EAAIhG,GAE/BgG,EAAK7qC,GAGbmoC,EAAGt5C,EAAIo4C,EAAIkB,EAAG/6C,EAAIkG,EAAK60C,EAAG9gC,EAAIwjC,EAC1B5D,IACAnB,EAAQ,EAAGqC,EAAGr6C,EAAIg9C,EAAK3C,EAAGl8B,EAAIk7B,EAAIgB,EAAGl7C,EAAI89C,UACvCjF,GACV,OAAO+E,GAAMtjB,EAAIp6B,OAASo6B,EAAMyc,GAAIzc,EAAK,EAAGsjB,GA6/BrCkB,EAvcD,SAAU9/B,GAChB,GAAmB,IAAP,GAAPA,EAAE,KAAkBA,EAAE,KAAO,EAAK,IAAOA,EAAE,IAAM,EAAIA,EAAE,IAAM,GAC9D,KAAM,oBACV,GAAW,GAAPA,EAAE,GACF,KAAM,uDAmcI+/B,CAAItzC,GAAOA,EAAKurC,SAAS,GAAI,IAAK0B,GAyH7C,SAASsG,GAAQzsC,EAAK0sC,GACzB,IAAIr9C,EAAI2Q,EAAIrS,OACZ,IAAK++C,GAAgC,oBAAfC,YAClB,OAAO,IAAIA,aAAc7pB,OAAO9iB,GAIpC,IAHA,IAAIlR,EAAK,IAAI4zC,GAAG1iC,EAAIrS,QAAUqS,EAAIrS,SAAW,IACzCi/C,EAAK,EACLtiB,EAAI,SAAUrmB,GAAKnV,EAAG89C,KAAQ3oC,GACzBzW,EAAI,EAAGA,EAAI6B,IAAK7B,EAAG,CACxB,GAAIo/C,EAAK,EAAI99C,EAAGnB,OAAQ,CACpB,IAAIF,EAAI,IAAIi1C,GAAGkK,EAAK,GAAMv9C,EAAI7B,GAAM,IACpCC,EAAEua,IAAIlZ,GACNA,EAAKrB,EAET,IAAI+G,EAAIwL,EAAIuhB,WAAW/zB,GACnBgH,EAAI,KAAOk4C,EACXpiB,EAAE91B,GACGA,EAAI,MACT81B,EAAE,IAAO91B,IAAM,GAAK81B,EAAE,IAAW,GAAJ91B,IACxBA,EAAI,OAASA,EAAI,OAElB81B,EAAE,KADN91B,EAAI,OAAa,QAAJA,GAAyC,KAAtBwL,EAAIuhB,aAAa/zB,MAC9B,IAAM88B,EAAE,IAAQ91B,IAAM,GAAM,IAAM81B,EAAE,IAAQ91B,IAAM,EAAK,IAAM81B,EAAE,IAAW,GAAJ91B,KAEzF81B,EAAE,IAAO91B,IAAM,IAAM81B,EAAE,IAAQ91B,IAAM,EAAK,IAAM81B,EAAE,IAAW,GAAJ91B,IAEjE,OAAOgwC,GAAI11C,EAAI,EAAG89C,GASf,SAASC,GAAUzG,EAAKsG,GAC3B,IAAI99C,EAAI,GACR,IAAK89C,GAAgC,oBAAfI,YAClB,OAAO,IAAIA,aAAc/X,OAAOqR,GACpC,IAAK,IAAI54C,EAAI,EAAGA,EAAI44C,EAAIz4C,QAAS,CAC7B,IAAI6G,EAAI4xC,EAAI54C,KACRgH,EAAI,KAAOk4C,EACX99C,GAAK4rC,OAAOuS,aAAav4C,GACpBA,EAAI,IACT5F,GAAK4rC,OAAOuS,cAAkB,GAAJv4C,IAAW,EAAgB,GAAX4xC,EAAI54C,MACzCgH,EAAI,IACT5F,GAAK4rC,OAAOuS,cAAkB,GAAJv4C,IAAW,IAAiB,GAAX4xC,EAAI54C,OAAc,EAAgB,GAAX44C,EAAI54C,OAEtEgH,IAAU,GAAJA,IAAW,IAAiB,GAAX4xC,EAAI54C,OAAc,IAAiB,GAAX44C,EAAI54C,OAAc,EAAgB,GAAX44C,EAAI54C,MAAc,MACpFoB,GAAK4rC,OAAOuS,aAAa,MAASv4C,GAAK,GAAK,MAAa,KAAJA,IAEjE,OAAO5F,ECh+CJ,IAAMo+C,GAAO,mBCKlB,WAAYtpC,GAMVzV,KAAKg/C,SAAWvpC,EAAIupC,UAAY,GAChCh/C,KAAKi/C,aAAexpC,EAAIwpC,cAAgB,GACxCj/C,KAAKk/C,WAAazpC,EAAIypC,WACtBl/C,KAAKm/C,aAAe1pC,EAAI0pC,aAoB5B,OAjBEC,qBAAA,WACE,IAAMF,EAAal/C,KAAKk/C,YAAc,GAChCC,EAAen/C,KAAKm/C,cAAgB,GAC1C,OAAIn/C,KAAKi/C,aAELj/C,KAAKi/C,aACL,KACAj/C,KAAKg/C,SACL,IACAE,EACA,IACAC,EACA,IAGGn/C,KAAKg/C,SAAW,IAAME,EAAa,IAAMC,QAU9CE,GAA8B,eAC9BC,GAAyB,iCACzBC,GAA4B,8BACrBC,GAAmB,CAO9B9tC,MAAO,SAAU3Q,GAEf,IAAKA,EACH,MAAO,GAET,QAE8B,IAArBA,EAAM0+C,iBAEuB,IAA7B1+C,EAAM,mBAEb,OAAOf,KAAK0/C,WACV3+C,GAMG,GAAIA,EAAM4D,OAAS5D,EAAM4D,MAAMsB,MAAMq5C,IAC1C,OAAOt/C,KAAK2/C,YAAY5+C,GACnB,GAAIA,EAAM4D,MACf,OAAO3E,KAAK4/C,gBAAgB7+C,GAE5B,MAAM,IAAI6R,MAAM,oCAIpBitC,gBAAiB,SAAUC,GAEzB,IAA8B,IAA1BA,EAAQr7C,QAAQ,KAClB,MAAO,CAACq7C,GAGV,IACMl7C,EADS,+BACMsB,KAAK45C,EAAQh8C,QAAQ,QAAS,KACnD,IAAKc,EAAO,MAAM,IAAIgO,MAAM,kCAA2BktC,IACvD,MAAO,CAACl7C,EAAM,GAAIA,EAAM,SAAM2D,EAAW3D,EAAM,SAAM2D,IAEvDo3C,YAAa,SAAU5+C,GAKrB,OAJiBA,EAAM4D,MAAMD,MAAM,MAAM+U,QAAO,SAAUrH,GACxD,QAASA,EAAKnM,MAAMq5C,MACnBt/C,MAEaiD,KAAI,SAAUmP,GACxBA,EAAK3N,QAAQ,WAAa,IAE5B2N,EAAOA,EACJtO,QAAQ,aAAc,QACtBA,QAAQ,+BAAgC,KAE7C,IAAIi8C,EAAgB3tC,EAAKtO,QAAQ,OAAQ,IAAIA,QAAQ,eAAgB,KAI/DmN,EAAW8uC,EAAc95C,MAAM,4BAO/B+5C,GAJND,EAAgB9uC,EACZ8uC,EAAcj8C,QAAQmN,EAAS,GAAI,IACnC8uC,GAEyBr7C,MAAM,OAAOpD,MAAM,GAE1C2+C,EAAgBjgD,KAAK6/C,gBACzB5uC,EAAWA,EAAS,GAAK+uC,EAAOn7C,OAE5Bo6C,EAAee,EAAO78C,KAAK,WAAQoF,EACnCy2C,EACJ,CAAC,OAAQ,eAAev6C,QAAQw7C,EAAc,KAAO,OACjD13C,EACA03C,EAAc,GAEpB,OAAO,IAAIb,GAAW,CACpBH,eACAD,WACAE,WAAYe,EAAc,GAC1Bd,aAAcc,EAAc,OAE7BjgD,OAEL4/C,gBAAiB,SAAU7+C,GAKzB,OAJiBA,EAAM4D,MAAMD,MAAM,MAAM+U,QAAO,SAAUrH,GACxD,OAAQA,EAAKnM,MAAMs5C,MAClBv/C,MAEaiD,KAAI,SAAUmP,GAS5B,GAPIA,EAAK3N,QAAQ,YAAc,IAC7B2N,EAAOA,EAAKtO,QACV,mDACA,SAIuB,IAAvBsO,EAAK3N,QAAQ,OAAsC,IAAvB2N,EAAK3N,QAAQ,KAE3C,OAAO,IAAI26C,GAAW,CACpBH,aAAc7sC,IAGhB,IAAM8tC,EAAoB,6BACpBh5C,EAAUkL,EAAKnM,MAAMi6C,GACrBjB,EAAe/3C,GAAWA,EAAQ,GAAKA,EAAQ,QAAKqB,EACpD03C,EAAgBjgD,KAAK6/C,gBACzBztC,EAAKtO,QAAQo8C,EAAmB,KAGlC,OAAO,IAAId,GAAW,CACpBH,eACAD,SAAUiB,EAAc,GACxBf,WAAYe,EAAc,GAC1Bd,aAAcc,EAAc,OAG/BjgD,OAEL0/C,WAAY,SAAU9+C,GAKpB,OACGA,EAAE6+C,YACF7+C,EAAEsvC,QAAQzrC,QAAQ,OAAS,GAC1B7D,EAAEsvC,QAAQxrC,MAAM,MAAMhF,OAASkB,EAAE6+C,WAAW/6C,MAAM,MAAMhF,OAEnDM,KAAKmgD,YAAYv/C,GACdA,EAAE+D,MAGL3E,KAAKogD,aAAax/C,GAFlBZ,KAAKqgD,aAAaz/C,IAK7Bu/C,YAAa,SAAUv/C,GAKrB,IAJA,IAAM0/C,EAAS,oCACTtuC,EAAQpR,EAAEsvC,QAAQxrC,MAAM,MACxBmV,EAAS,GAENta,EAAI,EAAGq1B,EAAM5iB,EAAMtS,OAAQH,EAAIq1B,EAAKr1B,GAAK,EAAG,CACnD,IAAM0G,EAAQq6C,EAAOp6C,KAAK8L,EAAMzS,IAC5B0G,GACF4T,EAAO/Y,KACL,IAAIs+C,GAAW,CACbJ,SAAU/4C,EAAM,GAChBi5C,WAAY/T,WAAWllC,EAAM,OAMrC,OAAO4T,GAETwmC,aAAc,SAAUz/C,GAKtB,IAJA,IAAM0/C,EAAS,6DACTtuC,EAAQpR,EAAE6+C,WAAW/6C,MAAM,MAC3BmV,EAAS,GAENta,EAAI,EAAGq1B,EAAM5iB,EAAMtS,OAAQH,EAAIq1B,EAAKr1B,GAAK,EAAG,CACnD,IAAM0G,EAAQq6C,EAAOp6C,KAAK8L,EAAMzS,IAC5B0G,GACF4T,EAAO/Y,KACL,IAAIs+C,GAAW,CACbH,aAAch5C,EAAM,SAAMsC,EAC1By2C,SAAU/4C,EAAM,GAChBi5C,WAAY/T,WAAWllC,EAAM,OAMrC,OAAO4T,GAGTumC,aAAc,SAAUr/C,GAQtB,OAPiBA,EAAM4D,MAAMD,MAAM,MAAM+U,QAAO,SAAUrH,GACxD,QACIA,EAAKnM,MAAMo5C,MACZjtC,EAAKnM,MAAM,uBAEbjG,MAEaiD,KAAI,SAAUmP,GAC5B,IAAM4tC,EAAS5tC,EAAK1N,MAAM,KACpBu7C,EAAgBjgD,KAAK6/C,gBAAgBG,EAAOn7C,OAE5Co6C,GADee,EAAO/5B,SAAW,IAGlCniB,QAAQ,iCAAkC,MAC1CA,QAAQ,aAAc,UAAOyE,EAClC,OAAO,IAAI62C,GAAW,CACpBH,eACAD,SAAUiB,EAAc,GACxBf,WAAYe,EAAc,GAC1Bd,aAAcc,EAAc,OAE7BjgD,QCpPP,SAASugD,GAAe55C,GACtB,IAAKA,IAASA,EAAK65C,UACjB,MAAO,GAIT,IADA,IAAIx3B,EAAO,GACJriB,EAAK0oB,eAAe,CACzB,IAAI3lB,EAAO/C,EAAK85C,UAChB,IAAK/2C,EACH,MAEFA,EAAOA,EAAKpH,cACZ,IAAImsC,EAAS9nC,EAAK0oB,cAEdqxB,EAAc,GAElB,GAAIjS,EAAOvtB,UAAYutB,EAAOvtB,SAASxhB,OAAS,EAE9C,IAAK,IAAIH,EAAI,EAAGA,EAAIkvC,EAAOvtB,SAASxhB,OAAQH,IAAK,CAC/C,IAAIohD,EAAUlS,EAAOvtB,SAAS3hB,GAC1BohD,EAAQF,WAAaE,EAAQF,UAAUn+C,aACrCq+C,EAAQF,UAAUn+C,gBAAkBoH,GACtCg3C,EAAY5/C,KAAK6/C,GAMrBD,EAAYhhD,OAAS,IACvBgK,GAAQ,OAASg3C,EAAYj8C,QAAQkC,GAAQ,KAE/CqiB,EAAOtf,GAAQsf,EAAO,IAAMA,EAAO,IACnCriB,EAAO8nC,EAGT,OAAOzlB,EAMT,SAAS43B,GAASnrC,GAChB,MAA+C,oBAAxCtW,OAAOS,UAAUihD,SAAS/gD,KAAK2V,GAMxC,SAASqrC,GAAarrC,EAAUsrC,WAC9B,GAAc,IAAVA,EACF,OAAO,EAGT,IAAMlrC,EAAO1W,OAAO0W,KAAKJ,OACzB,IAAkB,IAAAurC,EAAA/gD,EAAA4V,iCAAM,CAAnB,IAAM0G,UACT,GAAIqkC,GAASnrC,EAAI8G,KAASukC,GAAarrC,EAAI8G,GAAMwkC,EAAQ,GACvD,OAAO,oGAIX,OAAO,WAOO/uB,GACdvc,EACAwrC,GAEA,IAAM35C,EAA4B,CAChC45C,eAAgB,GAChBC,aAAc,GAEhBhiD,OAAOC,OAAOkI,EAAS25C,GACvB,IAAMt8C,EAAe,GACfkR,EAAc,GACpB,OAAOkc,KAAKC,UAAUvc,GAAK,SAAU8G,EAAKhc,GAKxC,GAAIoE,EAAMjF,OAAS,EAAG,CACpB,IAAM0hD,EAAUz8C,EAAMF,QAAQzE,OAC7BohD,EAAUz8C,EAAMwe,OAAOi+B,EAAU,GAAKz8C,EAAM7D,KAAKd,OACjDohD,EAAUvrC,EAAKsN,OAAOi+B,EAASC,EAAAA,EAAU9kC,GAAO1G,EAAK/U,KAAKyb,IACtD5X,EAAMF,QAAQlE,KAEfA,EADEoE,EAAM,KAAOpE,EACP,eAGN,eACAsV,EAAKvU,MAAM,EAAGqD,EAAMF,QAAQlE,IAAQ4C,KAAK,KACzC,UAINwB,EAAM7D,KAAKP,GAIb,GAAIA,MAAAA,EACF,OAAOA,EAET,GAgCF,SAAsB+gD,GAEpB,GAAIV,GAASU,IAASniD,OAAO0W,KAAKyrC,GAAM5hD,OAAS4H,EAAQ45C,eACvD,OAAO,EAIT,GAAoB,mBAATI,EACT,OAAO,EAQT,GAAIV,GAASU,IAASR,GAAaQ,EAAMh6C,EAAQ65C,cAC/C,OAAO,EAGT,OAAO,EApDHI,CAAahhD,GACf,OAyDJ,SAAkB+gD,GAChB,IAAIvvC,EAAMuvC,EAAKT,WACXv5C,EAAQk6C,mBAAqBzvC,EAAIrS,OAAS4H,EAAQk6C,oBACpDzvC,EAAM,UAAGA,EAAIzQ,MAAM,EAAGgG,EAAQk6C,2BAEhC,OAAOzvC,EA9DE8uC,CAAStgD,GAElB,GAAIA,aAAiB6vC,MAAO,CAC1B,IAAMqR,EAAmB,GACzB,IAAK,IAAM52B,KAAYtqB,EAAO,CAC5B,IAAMmhD,EAAcnhD,EAAcsqB,GAC9BxpB,MAAMyU,QAAQ4rC,GAChBD,EAAY52B,GAAY01B,GACtBmB,EAAWhiD,OAASgiD,EAAW,GAAK,MAGtCD,EAAY52B,GAAY62B,EAG5B,OAAOD,EACF,OAAIlhD,aAAiBggB,KACtBhgB,aAAiByyB,YACZzyB,EAAQA,EAAMigD,UAAY,GAE5BjgD,EAAM+zC,SACJ/zC,aAAiBqS,MACnBrS,EAAMoE,MACTpE,EAAMoE,MAAQ,kCACdpE,EAAMqF,KAAO,KAAOrF,EAAM2vC,QAEzB3vC,KCpHX,IAAMohD,GAAsC,CAC1CrF,MAAO,CACL,SACA,QACA,QACA,aACA,QACA,MACA,SACA,QACA,QACA,iBACA,WACA,OACA,MACA,QACA,OACA,UACA,UACA,QACA,QAEFsF,gBAAiB,IACjBC,OAAQ,WAwDV,SAASC,GACPx+B,EACA1S,EACAmxC,WAMIF,EAJEG,EAAaD,EAAWF,OAC9B,IAAKG,EACH,OAAO,aAIPH,EADwB,iBAAfG,EACApxC,EAAIoxC,GAEJA,EAEX,IAAIC,EAAW,EACTC,EAAoC,GAE1C,GAAIH,EAAWzF,MAAOpV,SAAS,UACzB/nB,OAAQ,CACV,IAAMgjC,EAAe,SAACjiC,GACZ,IAAAgwB,EAAmBhwB,UAAVnf,EAAUmf,QACrBkiC,EAAkB5C,GAAiB9tC,MACvC3Q,GACAkC,KAAI,SAACo/C,GAA2B,OAAAA,EAAWxB,cACvCn6B,EAAU,CAACsL,GAAUke,EAAS6R,EAAWd,mBAC/C39B,EAAG,CACDg5B,MAAO,QACP8F,QACA17B,aAGJvH,OAAOjO,iBAAiB,QAASixC,GACjCD,EAAephD,MAAK,WACdqe,QAAQA,OAAOlC,oBAAoB,QAASklC,UAItD,IAAwB,IAAAt6C,EAAA5H,EAAA8hD,EAAWzF,qCAAQ,CAAtC,IAAMgG,UACTJ,EAAephD,KAAKgD,EAAQ+9C,EAAQS,sGAEtC,OAAO,WACLJ,EAAensC,SAAQ,SAACoV,GAAM,OAAAA,QAQhC,SAASrnB,EAAQy+C,EAAiBjG,GAAlC,WACE,OAAKiG,EAAQjG,GAIN19B,EAAM2jC,EAASjG,GAAO,SAAC59B,GAC5B,OAAO,eAAC,aAAA5Z,mBAAAA,IAAAuZ,kBACNK,EAAS3e,MAAMud,EAAMe,GACrB,IACE,IAAM+jC,EAAQ5C,GAAiB9tC,MAAM,IAAIkB,OACtC3P,KAAI,SAACo/C,GAA2B,OAAAA,EAAWxB,cAC3C19B,OAAO,GACJuD,EAAUrI,EAAKpb,KAAI,SAAC3D,GACxB,OAAA0yB,GAAU1yB,EAAGyiD,EAAWd,uBAE1BgB,EACeF,EAAWH,gBACxBt+B,EAAG,CACDg5B,QACA8F,QACA17B,YAEOu7B,IAAaF,EAAWH,iBAEjCt+B,EAAG,CACDg5B,MAAO,OACP8F,MAAO,GACP17B,QAAS,CACPsL,GAAU,uDAIhB,MAAOjxB,GACP2d,kBAAS,sBAAuB3d,KAAUsd,aA/BvC,kBAsCAmkC,GAAc,kBC5KrBC,GAAoC,CACxCnG,MAAO,CACL,SACA,QACA,QACA,aACA,QACA,MACA,SACA,QACA,QACA,iBACA,WACA,OACA,MACA,QACA,OACA,UACA,UACA,QACA,QAEFoG,kBAAcn6C,iBAMd,WAAYw4B,GACV/gC,KAAK+gC,OAAS5hC,OAAOC,OAAOqjD,GAAkB1hB,GAuDlD,OAjDS4hB,6BAAP,0BACQD,EAA6B,cACxBpG,GAEPoG,EAAapG,GADD,UAAVA,EACoB,SAACrxC,IACJkB,QAAQqoC,IACA,mBAEnBroC,QAAQqoC,IACe,mBAEzBroC,QAAQqoC,2BAEPvpC,EAAKyb,QAAQzjB,KAAI,SAAC3D,GAAM,OAAAyyB,KAAKrgB,MAAMpS,YACtCge,EAAKslC,cAAc33C,UAID,SAACA,IACJkB,QAAQmwC,GACA,mBAEnBnwC,QAAQmwC,GACe,mBAEzBnwC,QAAQmwC,0BAEPrxC,EAAKyb,QAAQzjB,KAAI,SAAC3D,GAAM,OAAAyyB,KAAKrgB,MAAMpS,YACtCge,EAAKslC,cAAc33C,eA1B3B,IAAoB,IAAApD,EAAA5H,EAAAD,KAAK+gC,OAAOub,mJA+BhC,OAAOoG,GAODC,0BAAR,SAAsB13C,GACpB,GAA0B,IAAtBA,EAAKm3C,MAAM1iD,OACb,MAAO,GAET,IAAMmjD,EAAc,UAChBhpC,EAASgpC,EAEb,OADAhpC,GAAU5O,EAAKm3C,MAAMj/C,KAAK0/C,4GD+FV,SAACv7C,GAAY,OAC/B1B,KAAM48C,GACN54B,SAAUk4B,GACVx6C,QAASA,EACLnI,OAAOC,OAAO,GAAIuiD,GAAmBr6C,GACrCq6C,8BC7Fc,SAACr6C,GACnB,IAAMo7C,GACJp7C,MAAAA,SAAAA,EAASo7C,eAAgB,IAAIC,GAAgBr7C,GAASw7C,mBAExD,MAAO,CACL/3B,QAAA,SAAQ7K,EAAsB6iC,EAAS3kC,GACrC,IAAI4kC,EAA0B,KAY9B,GAVE9iC,EAAM/d,OAASuW,YAAUmhB,qBACzB3Z,EAAMjV,KAAKuH,SAAYmG,oBAAkBsqC,IAEzCD,EAAW9iC,EAAMjV,KAEjBiV,EAAM/d,OAASuW,YAAU+iB,QACzBvb,EAAMjV,KAAKsnB,SAAWiwB,KAEtBQ,EAAU9iC,EAAMjV,KAAKyb,SAEnBs8B,EACF,IAC6C,mBAAhCN,EAAaM,EAAQ1G,QAC9BoG,EAAaM,EAAQ1G,OAAQ0G,GAE/B,MAAOjiD,GACHqd,EAAQivB,SAAStM,OAAOqH,aAC1Bj8B,QAAQC,KAAKrL,cCtIG,SAACmf,GAC3B,IAAMzW,SACDyW,IACHlK,EAAG+oC,KAEL,OAAOH,GAAUpC,GAASgC,GAAQzsB,KAAKC,UAAUvoB,MAAO,yBCJ1B,SAACy5C,GAC/B,GAAmB,iBAARA,EACT,OAAOA,EAET,IAEE,IADMtiD,EAAmBmxB,KAAKrgB,MAAMwxC,IAC9BtrB,UACJ,OAAOh3B,EAET,MAAOG,IAGT,IACE,IAAMH,EAGN,IAHMA,EAA4BmxB,KAAKrgB,MACrCktC,GAAU9B,GAAW0B,GAAQ0E,GAAK,OAE9BltC,IAAM+oC,GACV,OAAOn+C,EAET,MAAM,IAAIgS,MACR,+CAAwChS,EAAEoV,wDAA+C+oC,SAE3F,MAAOh+C,GAEP,MADAoL,QAAQpL,MAAMA,GACR,IAAI6R,MAAM"} +\ No newline at end of file ++{"version":3,"file":"rrweb-all.min.js","sources":["../node_modules/tslib/tslib.es6.js","../../rrweb-snapshot/es/rrweb-snapshot.js","../../src/types.ts","../../src/utils.ts","../../src/record/mutation.ts","../../src/record/observer.ts","../../src/record/iframe-manager.ts","../../src/record/shadow-dom-manager.ts","../../../node_modules/base64-arraybuffer/dist/base64-arraybuffer.es5.js","../../src/record/observers/canvas/serialize-args.ts","../../src/record/observers/canvas/webgl.ts","../../src/record/observers/canvas/canvas-manager.ts","../../src/record/index.ts","../../src/record/observers/canvas/canvas.ts","../../src/record/observers/canvas/2d.ts","../../../node_modules/mitt/dist/mitt.es.js","../../src/replay/smoothscroll.ts","../../src/replay/timer.ts","../../../node_modules/@xstate/fsm/es/index.js","../../src/replay/machine.ts","../../src/replay/styles/inject-style.ts","../../src/replay/virtual-styles.ts","../../src/replay/canvas/webgl.ts","../../src/replay/index.ts","../../src/replay/canvas/index.ts","../../src/replay/canvas/2d.ts","../../src/index.ts","../../../node_modules/fflate/esm/browser.js","../../src/packer/base.ts","../../src/plugins/console/record/error-stack-parser.ts","../../src/plugins/console/record/stringify.ts","../../src/plugins/console/record/index.ts","../../src/plugins/console/replay/index.ts","../../src/packer/pack.ts","../../src/packer/unpack.ts"],"sourcesContent":["/*! *****************************************************************************\r\nCopyright (c) Microsoft Corporation.\r\n\r\nPermission to use, copy, modify, and/or distribute this software for any\r\npurpose with or without fee is hereby granted.\r\n\r\nTHE SOFTWARE IS PROVIDED \"AS IS\" AND THE AUTHOR DISCLAIMS ALL WARRANTIES WITH\r\nREGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF MERCHANTABILITY\r\nAND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR ANY SPECIAL, DIRECT,\r\nINDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES WHATSOEVER RESULTING FROM\r\nLOSS OF USE, DATA OR PROFITS, WHETHER IN AN ACTION OF CONTRACT, NEGLIGENCE OR\r\nOTHER TORTIOUS ACTION, ARISING OUT OF OR IN CONNECTION WITH THE USE OR\r\nPERFORMANCE OF THIS SOFTWARE.\r\n***************************************************************************** */\r\n/* global Reflect, Promise */\r\n\r\nvar extendStatics = function(d, b) {\r\n extendStatics = Object.setPrototypeOf ||\r\n ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) ||\r\n function (d, b) { for (var p in b) if (Object.prototype.hasOwnProperty.call(b, p)) d[p] = b[p]; };\r\n return extendStatics(d, b);\r\n};\r\n\r\nexport function __extends(d, b) {\r\n if (typeof b !== \"function\" && b !== null)\r\n throw new TypeError(\"Class extends value \" + String(b) + \" is not a constructor or null\");\r\n extendStatics(d, b);\r\n function __() { this.constructor = d; }\r\n d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __());\r\n}\r\n\r\nexport var __assign = function() {\r\n __assign = Object.assign || function __assign(t) {\r\n for (var s, i = 1, n = arguments.length; i < n; i++) {\r\n s = arguments[i];\r\n for (var p in s) if (Object.prototype.hasOwnProperty.call(s, p)) t[p] = s[p];\r\n }\r\n return t;\r\n }\r\n return __assign.apply(this, arguments);\r\n}\r\n\r\nexport function __rest(s, e) {\r\n var t = {};\r\n for (var p in s) if (Object.prototype.hasOwnProperty.call(s, p) && e.indexOf(p) < 0)\r\n t[p] = s[p];\r\n if (s != null && typeof Object.getOwnPropertySymbols === \"function\")\r\n for (var i = 0, p = Object.getOwnPropertySymbols(s); i < p.length; i++) {\r\n if (e.indexOf(p[i]) < 0 && Object.prototype.propertyIsEnumerable.call(s, p[i]))\r\n t[p[i]] = s[p[i]];\r\n }\r\n return t;\r\n}\r\n\r\nexport function __decorate(decorators, target, key, desc) {\r\n var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d;\r\n if (typeof Reflect === \"object\" && typeof Reflect.decorate === \"function\") r = Reflect.decorate(decorators, target, key, desc);\r\n else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r;\r\n return c > 3 && r && Object.defineProperty(target, key, r), r;\r\n}\r\n\r\nexport function __param(paramIndex, decorator) {\r\n return function (target, key) { decorator(target, key, paramIndex); }\r\n}\r\n\r\nexport function __metadata(metadataKey, metadataValue) {\r\n if (typeof Reflect === \"object\" && typeof Reflect.metadata === \"function\") return Reflect.metadata(metadataKey, metadataValue);\r\n}\r\n\r\nexport function __awaiter(thisArg, _arguments, P, generator) {\r\n function adopt(value) { return value instanceof P ? value : new P(function (resolve) { resolve(value); }); }\r\n return new (P || (P = Promise))(function (resolve, reject) {\r\n function fulfilled(value) { try { step(generator.next(value)); } catch (e) { reject(e); } }\r\n function rejected(value) { try { step(generator[\"throw\"](value)); } catch (e) { reject(e); } }\r\n function step(result) { result.done ? resolve(result.value) : adopt(result.value).then(fulfilled, rejected); }\r\n step((generator = generator.apply(thisArg, _arguments || [])).next());\r\n });\r\n}\r\n\r\nexport function __generator(thisArg, body) {\r\n var _ = { label: 0, sent: function() { if (t[0] & 1) throw t[1]; return t[1]; }, trys: [], ops: [] }, f, y, t, g;\r\n return g = { next: verb(0), \"throw\": verb(1), \"return\": verb(2) }, typeof Symbol === \"function\" && (g[Symbol.iterator] = function() { return this; }), g;\r\n function verb(n) { return function (v) { return step([n, v]); }; }\r\n function step(op) {\r\n if (f) throw new TypeError(\"Generator is already executing.\");\r\n while (_) try {\r\n if (f = 1, y && (t = op[0] & 2 ? y[\"return\"] : op[0] ? y[\"throw\"] || ((t = y[\"return\"]) && t.call(y), 0) : y.next) && !(t = t.call(y, op[1])).done) return t;\r\n if (y = 0, t) op = [op[0] & 2, t.value];\r\n switch (op[0]) {\r\n case 0: case 1: t = op; break;\r\n case 4: _.label++; return { value: op[1], done: false };\r\n case 5: _.label++; y = op[1]; op = [0]; continue;\r\n case 7: op = _.ops.pop(); _.trys.pop(); continue;\r\n default:\r\n if (!(t = _.trys, t = t.length > 0 && t[t.length - 1]) && (op[0] === 6 || op[0] === 2)) { _ = 0; continue; }\r\n if (op[0] === 3 && (!t || (op[1] > t[0] && op[1] < t[3]))) { _.label = op[1]; break; }\r\n if (op[0] === 6 && _.label < t[1]) { _.label = t[1]; t = op; break; }\r\n if (t && _.label < t[2]) { _.label = t[2]; _.ops.push(op); break; }\r\n if (t[2]) _.ops.pop();\r\n _.trys.pop(); continue;\r\n }\r\n op = body.call(thisArg, _);\r\n } catch (e) { op = [6, e]; y = 0; } finally { f = t = 0; }\r\n if (op[0] & 5) throw op[1]; return { value: op[0] ? op[1] : void 0, done: true };\r\n }\r\n}\r\n\r\nexport var __createBinding = Object.create ? (function(o, m, k, k2) {\r\n if (k2 === undefined) k2 = k;\r\n Object.defineProperty(o, k2, { enumerable: true, get: function() { return m[k]; } });\r\n}) : (function(o, m, k, k2) {\r\n if (k2 === undefined) k2 = k;\r\n o[k2] = m[k];\r\n});\r\n\r\nexport function __exportStar(m, o) {\r\n for (var p in m) if (p !== \"default\" && !Object.prototype.hasOwnProperty.call(o, p)) __createBinding(o, m, p);\r\n}\r\n\r\nexport function __values(o) {\r\n var s = typeof Symbol === \"function\" && Symbol.iterator, m = s && o[s], i = 0;\r\n if (m) return m.call(o);\r\n if (o && typeof o.length === \"number\") return {\r\n next: function () {\r\n if (o && i >= o.length) o = void 0;\r\n return { value: o && o[i++], done: !o };\r\n }\r\n };\r\n throw new TypeError(s ? \"Object is not iterable.\" : \"Symbol.iterator is not defined.\");\r\n}\r\n\r\nexport function __read(o, n) {\r\n var m = typeof Symbol === \"function\" && o[Symbol.iterator];\r\n if (!m) return o;\r\n var i = m.call(o), r, ar = [], e;\r\n try {\r\n while ((n === void 0 || n-- > 0) && !(r = i.next()).done) ar.push(r.value);\r\n }\r\n catch (error) { e = { error: error }; }\r\n finally {\r\n try {\r\n if (r && !r.done && (m = i[\"return\"])) m.call(i);\r\n }\r\n finally { if (e) throw e.error; }\r\n }\r\n return ar;\r\n}\r\n\r\n/** @deprecated */\r\nexport function __spread() {\r\n for (var ar = [], i = 0; i < arguments.length; i++)\r\n ar = ar.concat(__read(arguments[i]));\r\n return ar;\r\n}\r\n\r\n/** @deprecated */\r\nexport function __spreadArrays() {\r\n for (var s = 0, i = 0, il = arguments.length; i < il; i++) s += arguments[i].length;\r\n for (var r = Array(s), k = 0, i = 0; i < il; i++)\r\n for (var a = arguments[i], j = 0, jl = a.length; j < jl; j++, k++)\r\n r[k] = a[j];\r\n return r;\r\n}\r\n\r\nexport function __spreadArray(to, from, pack) {\r\n if (pack || arguments.length === 2) for (var i = 0, l = from.length, ar; i < l; i++) {\r\n if (ar || !(i in from)) {\r\n if (!ar) ar = Array.prototype.slice.call(from, 0, i);\r\n ar[i] = from[i];\r\n }\r\n }\r\n return to.concat(ar || Array.prototype.slice.call(from));\r\n}\r\n\r\nexport function __await(v) {\r\n return this instanceof __await ? (this.v = v, this) : new __await(v);\r\n}\r\n\r\nexport function __asyncGenerator(thisArg, _arguments, generator) {\r\n if (!Symbol.asyncIterator) throw new TypeError(\"Symbol.asyncIterator is not defined.\");\r\n var g = generator.apply(thisArg, _arguments || []), i, q = [];\r\n return i = {}, verb(\"next\"), verb(\"throw\"), verb(\"return\"), i[Symbol.asyncIterator] = function () { return this; }, i;\r\n function verb(n) { if (g[n]) i[n] = function (v) { return new Promise(function (a, b) { q.push([n, v, a, b]) > 1 || resume(n, v); }); }; }\r\n function resume(n, v) { try { step(g[n](v)); } catch (e) { settle(q[0][3], e); } }\r\n function step(r) { r.value instanceof __await ? Promise.resolve(r.value.v).then(fulfill, reject) : settle(q[0][2], r); }\r\n function fulfill(value) { resume(\"next\", value); }\r\n function reject(value) { resume(\"throw\", value); }\r\n function settle(f, v) { if (f(v), q.shift(), q.length) resume(q[0][0], q[0][1]); }\r\n}\r\n\r\nexport function __asyncDelegator(o) {\r\n var i, p;\r\n return i = {}, verb(\"next\"), verb(\"throw\", function (e) { throw e; }), verb(\"return\"), i[Symbol.iterator] = function () { return this; }, i;\r\n function verb(n, f) { i[n] = o[n] ? function (v) { return (p = !p) ? { value: __await(o[n](v)), done: n === \"return\" } : f ? f(v) : v; } : f; }\r\n}\r\n\r\nexport function __asyncValues(o) {\r\n if (!Symbol.asyncIterator) throw new TypeError(\"Symbol.asyncIterator is not defined.\");\r\n var m = o[Symbol.asyncIterator], i;\r\n return m ? m.call(o) : (o = typeof __values === \"function\" ? __values(o) : o[Symbol.iterator](), i = {}, verb(\"next\"), verb(\"throw\"), verb(\"return\"), i[Symbol.asyncIterator] = function () { return this; }, i);\r\n function verb(n) { i[n] = o[n] && function (v) { return new Promise(function (resolve, reject) { v = o[n](v), settle(resolve, reject, v.done, v.value); }); }; }\r\n function settle(resolve, reject, d, v) { Promise.resolve(v).then(function(v) { resolve({ value: v, done: d }); }, reject); }\r\n}\r\n\r\nexport function __makeTemplateObject(cooked, raw) {\r\n if (Object.defineProperty) { Object.defineProperty(cooked, \"raw\", { value: raw }); } else { cooked.raw = raw; }\r\n return cooked;\r\n};\r\n\r\nvar __setModuleDefault = Object.create ? (function(o, v) {\r\n Object.defineProperty(o, \"default\", { enumerable: true, value: v });\r\n}) : function(o, v) {\r\n o[\"default\"] = v;\r\n};\r\n\r\nexport function __importStar(mod) {\r\n if (mod && mod.__esModule) return mod;\r\n var result = {};\r\n if (mod != null) for (var k in mod) if (k !== \"default\" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding(result, mod, k);\r\n __setModuleDefault(result, mod);\r\n return result;\r\n}\r\n\r\nexport function __importDefault(mod) {\r\n return (mod && mod.__esModule) ? mod : { default: mod };\r\n}\r\n\r\nexport function __classPrivateFieldGet(receiver, state, kind, f) {\r\n if (kind === \"a\" && !f) throw new TypeError(\"Private accessor was defined without a getter\");\r\n if (typeof state === \"function\" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError(\"Cannot read private member from an object whose class did not declare it\");\r\n return kind === \"m\" ? f : kind === \"a\" ? f.call(receiver) : f ? f.value : state.get(receiver);\r\n}\r\n\r\nexport function __classPrivateFieldSet(receiver, state, value, kind, f) {\r\n if (kind === \"m\") throw new TypeError(\"Private method is not writable\");\r\n if (kind === \"a\" && !f) throw new TypeError(\"Private accessor was defined without a setter\");\r\n if (typeof state === \"function\" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError(\"Cannot write private member to an object whose class did not declare it\");\r\n return (kind === \"a\" ? f.call(receiver, value) : f ? f.value = value : state.set(receiver, value)), value;\r\n}\r\n","var NodeType;\n(function (NodeType) {\n NodeType[NodeType[\"Document\"] = 0] = \"Document\";\n NodeType[NodeType[\"DocumentType\"] = 1] = \"DocumentType\";\n NodeType[NodeType[\"Element\"] = 2] = \"Element\";\n NodeType[NodeType[\"Text\"] = 3] = \"Text\";\n NodeType[NodeType[\"CDATA\"] = 4] = \"CDATA\";\n NodeType[NodeType[\"Comment\"] = 5] = \"Comment\";\n})(NodeType || (NodeType = {}));\n\nfunction isElement(n) {\n return n.nodeType === n.ELEMENT_NODE;\n}\nfunction isShadowRoot(n) {\n var _a;\n var host = (_a = n) === null || _a === void 0 ? void 0 : _a.host;\n return Boolean(host && host.shadowRoot && host.shadowRoot === n);\n}\nfunction maskInputValue(_a) {\n var input = _a.input, maskInputSelector = _a.maskInputSelector, unmaskInputSelector = _a.unmaskInputSelector, maskInputOptions = _a.maskInputOptions, tagName = _a.tagName, type = _a.type, value = _a.value, maskInputFn = _a.maskInputFn;\n var text = value || '';\n if (unmaskInputSelector && input.matches(unmaskInputSelector)) {\n return text;\n }\n if (maskInputOptions[tagName.toLowerCase()] ||\n maskInputOptions[type] ||\n (maskInputSelector && input.matches(maskInputSelector))) {\n if (maskInputFn) {\n text = maskInputFn(text);\n }\n else {\n text = '*'.repeat(text.length);\n }\n }\n return text;\n}\nvar ORIGINAL_ATTRIBUTE_NAME = '__rrweb_original__';\nfunction is2DCanvasBlank(canvas) {\n var ctx = canvas.getContext('2d');\n if (!ctx)\n return true;\n var chunkSize = 50;\n for (var x = 0; x < canvas.width; x += chunkSize) {\n for (var y = 0; y < canvas.height; y += chunkSize) {\n var getImageData = ctx.getImageData;\n var originalGetImageData = ORIGINAL_ATTRIBUTE_NAME in getImageData\n ? getImageData[ORIGINAL_ATTRIBUTE_NAME]\n : getImageData;\n var pixelBuffer = new Uint32Array(originalGetImageData.call(ctx, x, y, Math.min(chunkSize, canvas.width - x), Math.min(chunkSize, canvas.height - y)).data.buffer);\n if (pixelBuffer.some(function (pixel) { return pixel !== 0; }))\n return false;\n }\n }\n return true;\n}\n\nvar _id = 1;\nvar tagNameRegex = new RegExp('[^a-z0-9-_:]');\nvar IGNORED_NODE = -2;\nfunction genId() {\n return _id++;\n}\nfunction getValidTagName(element) {\n if (element instanceof HTMLFormElement) {\n return 'form';\n }\n var processedTagName = element.tagName.toLowerCase().trim();\n if (tagNameRegex.test(processedTagName)) {\n return 'div';\n }\n return processedTagName;\n}\nfunction getCssRulesString(s) {\n try {\n var rules = s.rules || s.cssRules;\n return rules ? Array.from(rules).map(getCssRuleString).join('') : null;\n }\n catch (error) {\n return null;\n }\n}\nfunction getCssRuleString(rule) {\n var cssStringified = rule.cssText;\n if (isCSSImportRule(rule)) {\n try {\n cssStringified = getCssRulesString(rule.styleSheet) || cssStringified;\n }\n catch (_a) {\n }\n }\n return cssStringified;\n}\nfunction isCSSImportRule(rule) {\n return 'styleSheet' in rule;\n}\nfunction stringifyStyleSheet(sheet) {\n return sheet.cssRules\n ? Array.from(sheet.cssRules)\n .map(function (rule) { return rule.cssText || ''; })\n .join('')\n : '';\n}\nfunction extractOrigin(url) {\n var origin = '';\n if (url.indexOf('//') > -1) {\n origin = url.split('/').slice(0, 3).join('/');\n }\n else {\n origin = url.split('/')[0];\n }\n origin = origin.split('?')[0];\n return origin;\n}\nvar canvasService;\nvar canvasCtx;\nvar URL_IN_CSS_REF = /url\\((?:(')([^']*)'|(\")(.*?)\"|([^)]*))\\)/gm;\nvar RELATIVE_PATH = /^(?!www\\.|(?:http|ftp)s?:\\/\\/|[A-Za-z]:\\\\|\\/\\/|#).*/;\nvar DATA_URI = /^(data:)([^,]*),(.*)/i;\nfunction absoluteToStylesheet(cssText, href) {\n return (cssText || '').replace(URL_IN_CSS_REF, function (origin, quote1, path1, quote2, path2, path3) {\n var filePath = path1 || path2 || path3;\n var maybeQuote = quote1 || quote2 || '';\n if (!filePath) {\n return origin;\n }\n if (!RELATIVE_PATH.test(filePath)) {\n return \"url(\" + maybeQuote + filePath + maybeQuote + \")\";\n }\n if (DATA_URI.test(filePath)) {\n return \"url(\" + maybeQuote + filePath + maybeQuote + \")\";\n }\n if (filePath[0] === '/') {\n return \"url(\" + maybeQuote + (extractOrigin(href) + filePath) + maybeQuote + \")\";\n }\n var stack = href.split('/');\n var parts = filePath.split('/');\n stack.pop();\n for (var _i = 0, parts_1 = parts; _i < parts_1.length; _i++) {\n var part = parts_1[_i];\n if (part === '.') {\n continue;\n }\n else if (part === '..') {\n stack.pop();\n }\n else {\n stack.push(part);\n }\n }\n return \"url(\" + maybeQuote + stack.join('/') + maybeQuote + \")\";\n });\n}\nvar SRCSET_NOT_SPACES = /^[^ \\t\\n\\r\\u000c]+/;\nvar SRCSET_COMMAS_OR_SPACES = /^[, \\t\\n\\r\\u000c]+/;\nfunction getAbsoluteSrcsetString(doc, attributeValue) {\n if (attributeValue.trim() === '') {\n return attributeValue;\n }\n var pos = 0;\n function collectCharacters(regEx) {\n var chars;\n var match = regEx.exec(attributeValue.substring(pos));\n if (match) {\n chars = match[0];\n pos += chars.length;\n return chars;\n }\n return '';\n }\n var output = [];\n while (true) {\n collectCharacters(SRCSET_COMMAS_OR_SPACES);\n if (pos >= attributeValue.length) {\n break;\n }\n var url = collectCharacters(SRCSET_NOT_SPACES);\n if (url.slice(-1) === ',') {\n url = absoluteToDoc(doc, url.substring(0, url.length - 1));\n output.push(url);\n }\n else {\n var descriptorsStr = '';\n url = absoluteToDoc(doc, url);\n var inParens = false;\n while (true) {\n var c = attributeValue.charAt(pos);\n if (c === '') {\n output.push((url + descriptorsStr).trim());\n break;\n }\n else if (!inParens) {\n if (c === ',') {\n pos += 1;\n output.push((url + descriptorsStr).trim());\n break;\n }\n else if (c === '(') {\n inParens = true;\n }\n }\n else {\n if (c === ')') {\n inParens = false;\n }\n }\n descriptorsStr += c;\n pos += 1;\n }\n }\n }\n return output.join(', ');\n}\nfunction absoluteToDoc(doc, attributeValue) {\n if (!attributeValue || attributeValue.trim() === '') {\n return attributeValue;\n }\n var a = doc.createElement('a');\n a.href = attributeValue;\n return a.href;\n}\nfunction isSVGElement(el) {\n return Boolean(el.tagName === 'svg' || el.ownerSVGElement);\n}\nfunction getHref() {\n var a = document.createElement('a');\n a.href = '';\n return a.href;\n}\nfunction transformAttribute(doc, tagName, name, value) {\n if (name === 'src' || (name === 'href' && value)) {\n return absoluteToDoc(doc, value);\n }\n else if (name === 'xlink:href' && value && value[0] !== '#') {\n return absoluteToDoc(doc, value);\n }\n else if (name === 'background' &&\n value &&\n (tagName === 'table' || tagName === 'td' || tagName === 'th')) {\n return absoluteToDoc(doc, value);\n }\n else if (name === 'srcset' && value) {\n return getAbsoluteSrcsetString(doc, value);\n }\n else if (name === 'style' && value) {\n return absoluteToStylesheet(value, getHref());\n }\n else if (tagName === 'object' && name === 'data' && value) {\n return absoluteToDoc(doc, value);\n }\n else {\n return value;\n }\n}\nfunction _isBlockedElement(element, blockClass, blockSelector, unblockSelector) {\n if (unblockSelector && element.matches(unblockSelector)) {\n return false;\n }\n if (typeof blockClass === 'string') {\n if (element.classList.contains(blockClass)) {\n return true;\n }\n }\n else {\n for (var eIndex = 0; eIndex < element.classList.length; eIndex++) {\n var className = element.classList[eIndex];\n if (blockClass.test(className)) {\n return true;\n }\n }\n }\n if (blockSelector) {\n return element.matches(blockSelector);\n }\n return false;\n}\nfunction needMaskingText(node, maskTextClass, maskTextSelector, unmaskTextSelector) {\n if (!node) {\n return false;\n }\n if (node.nodeType === node.ELEMENT_NODE) {\n if (unmaskTextSelector) {\n if (node.matches(unmaskTextSelector) || node.closest(unmaskTextSelector)) {\n return false;\n }\n }\n if (typeof maskTextClass === 'string') {\n if (node.classList.contains(maskTextClass)) {\n return true;\n }\n }\n else {\n for (var eIndex = 0; eIndex < node.classList.length; eIndex++) {\n var className = node.classList[eIndex];\n if (maskTextClass.test(className)) {\n return true;\n }\n }\n }\n if (maskTextSelector) {\n if (node.matches(maskTextSelector)) {\n return true;\n }\n }\n return needMaskingText(node.parentNode, maskTextClass, maskTextSelector, unmaskTextSelector);\n }\n if (node.nodeType === node.TEXT_NODE) {\n return needMaskingText(node.parentNode, maskTextClass, maskTextSelector, unmaskTextSelector);\n }\n return needMaskingText(node.parentNode, maskTextClass, maskTextSelector, unmaskTextSelector);\n}\nfunction onceIframeLoaded(iframeEl, listener, iframeLoadTimeout) {\n var win = iframeEl.contentWindow;\n if (!win) {\n return;\n }\n var fired = false;\n var readyState;\n try {\n readyState = win.document.readyState;\n }\n catch (error) {\n return;\n }\n if (readyState !== 'complete') {\n var timer_1 = setTimeout(function () {\n if (!fired) {\n listener();\n fired = true;\n }\n }, iframeLoadTimeout);\n iframeEl.addEventListener('load', function () {\n clearTimeout(timer_1);\n fired = true;\n listener();\n });\n return;\n }\n var blankUrl = 'about:blank';\n if (win.location.href !== blankUrl ||\n iframeEl.src === blankUrl ||\n iframeEl.src === '') {\n setTimeout(listener, 0);\n return;\n }\n iframeEl.addEventListener('load', listener);\n}\nfunction serializeNode(n, options) {\n var _a;\n var doc = options.doc, blockClass = options.blockClass, blockSelector = options.blockSelector, unblockSelector = options.unblockSelector, maskTextClass = options.maskTextClass, maskTextSelector = options.maskTextSelector, unmaskTextSelector = options.unmaskTextSelector, inlineStylesheet = options.inlineStylesheet, maskInputSelector = options.maskInputSelector, unmaskInputSelector = options.unmaskInputSelector, _b = options.maskInputOptions, maskInputOptions = _b === void 0 ? {} : _b, maskTextFn = options.maskTextFn, maskInputFn = options.maskInputFn, _c = options.dataURLOptions, dataURLOptions = _c === void 0 ? {} : _c, inlineImages = options.inlineImages, recordCanvas = options.recordCanvas, keepIframeSrcFn = options.keepIframeSrcFn;\n var rootId;\n if (doc.__sn) {\n var docId = doc.__sn.id;\n rootId = docId === 1 ? undefined : docId;\n }\n switch (n.nodeType) {\n case n.DOCUMENT_NODE:\n if (n.compatMode !== 'CSS1Compat') {\n return {\n type: NodeType.Document,\n childNodes: [],\n compatMode: n.compatMode,\n rootId: rootId\n };\n }\n else {\n return {\n type: NodeType.Document,\n childNodes: [],\n rootId: rootId\n };\n }\n case n.DOCUMENT_TYPE_NODE:\n return {\n type: NodeType.DocumentType,\n name: n.name,\n publicId: n.publicId,\n systemId: n.systemId,\n rootId: rootId\n };\n case n.ELEMENT_NODE:\n var needBlock = _isBlockedElement(n, blockClass, blockSelector, unblockSelector);\n var tagName = getValidTagName(n);\n var attributes_1 = {};\n for (var _i = 0, _d = Array.from(n.attributes); _i < _d.length; _i++) {\n var _e = _d[_i], name_1 = _e.name, value = _e.value;\n attributes_1[name_1] = transformAttribute(doc, tagName, name_1, value);\n }\n if (tagName === 'link' && inlineStylesheet) {\n var stylesheet = Array.from(doc.styleSheets).find(function (s) {\n return s.href === n.href;\n });\n var cssText = null;\n if (stylesheet) {\n cssText = getCssRulesString(stylesheet);\n }\n if (cssText) {\n delete attributes_1.rel;\n delete attributes_1.href;\n attributes_1._cssText = absoluteToStylesheet(cssText, stylesheet.href);\n }\n }\n if (tagName === 'style' &&\n n.sheet &&\n !(n.innerText ||\n n.textContent ||\n '').trim().length) {\n var cssText = getCssRulesString(n.sheet);\n if (cssText) {\n attributes_1._cssText = absoluteToStylesheet(cssText, getHref());\n }\n }\n if (tagName === 'input' ||\n tagName === 'textarea' ||\n tagName === 'select') {\n var value = n.value;\n if (attributes_1.type !== 'radio' &&\n attributes_1.type !== 'checkbox' &&\n attributes_1.type !== 'submit' &&\n attributes_1.type !== 'button' &&\n value) {\n attributes_1.value = maskInputValue({\n input: n,\n type: attributes_1.type,\n tagName: tagName,\n value: value,\n maskInputSelector: maskInputSelector,\n unmaskInputSelector: unmaskInputSelector,\n maskInputOptions: maskInputOptions,\n maskInputFn: maskInputFn\n });\n }\n else if (n.checked) {\n attributes_1.checked = n.checked;\n }\n }\n if (tagName === 'option') {\n if (n.selected && !maskInputOptions['select']) {\n attributes_1.selected = true;\n }\n else {\n delete attributes_1.selected;\n }\n }\n if (tagName === 'canvas' && recordCanvas) {\n if (n.__context === '2d') {\n if (!is2DCanvasBlank(n)) {\n attributes_1.rr_dataURL = n.toDataURL(dataURLOptions.type, dataURLOptions.quality);\n }\n }\n else if (!('__context' in n)) {\n var canvasDataURL = n.toDataURL(dataURLOptions.type, dataURLOptions.quality);\n var blankCanvas = document.createElement('canvas');\n blankCanvas.width = n.width;\n blankCanvas.height = n.height;\n var blankCanvasDataURL = blankCanvas.toDataURL(dataURLOptions.type, dataURLOptions.quality);\n if (canvasDataURL !== blankCanvasDataURL) {\n attributes_1.rr_dataURL = canvasDataURL;\n }\n }\n }\n if (tagName === 'img' && inlineImages) {\n if (!canvasService) {\n canvasService = doc.createElement('canvas');\n canvasCtx = canvasService.getContext('2d');\n }\n var image_1 = n;\n var oldValue_1 = image_1.crossOrigin;\n image_1.crossOrigin = 'anonymous';\n var recordInlineImage = function () {\n try {\n canvasService.width = image_1.naturalWidth;\n canvasService.height = image_1.naturalHeight;\n canvasCtx.drawImage(image_1, 0, 0);\n attributes_1.rr_dataURL = canvasService.toDataURL(dataURLOptions.type, dataURLOptions.quality);\n }\n catch (err) {\n console.warn(\"Cannot inline img src=\" + image_1.currentSrc + \"! Error: \" + err);\n }\n oldValue_1\n ? (attributes_1.crossOrigin = oldValue_1)\n : delete attributes_1.crossOrigin;\n };\n if (image_1.complete && image_1.naturalWidth !== 0)\n recordInlineImage();\n else\n image_1.onload = recordInlineImage;\n }\n if (tagName === 'audio' || tagName === 'video') {\n attributes_1.rr_mediaState = n.paused\n ? 'paused'\n : 'played';\n attributes_1.rr_mediaCurrentTime = n.currentTime;\n }\n if (n.scrollLeft) {\n attributes_1.rr_scrollLeft = n.scrollLeft;\n }\n if (n.scrollTop) {\n attributes_1.rr_scrollTop = n.scrollTop;\n }\n if (needBlock) {\n var _f = n.getBoundingClientRect(), width = _f.width, height = _f.height;\n attributes_1 = {\n \"class\": attributes_1[\"class\"],\n rr_width: width + \"px\",\n rr_height: height + \"px\"\n };\n }\n if (tagName === 'iframe' && !keepIframeSrcFn(attributes_1.src)) {\n if (!n.contentDocument) {\n attributes_1.rr_src = attributes_1.src;\n }\n delete attributes_1.src;\n }\n return {\n type: NodeType.Element,\n tagName: tagName,\n attributes: attributes_1,\n childNodes: [],\n isSVG: isSVGElement(n) || undefined,\n needBlock: needBlock,\n rootId: rootId\n };\n case n.TEXT_NODE:\n var parentTagName = n.parentNode && n.parentNode.tagName;\n var textContent = n.textContent;\n var isStyle = parentTagName === 'STYLE' ? true : undefined;\n var isScript = parentTagName === 'SCRIPT' ? true : undefined;\n if (isStyle && textContent) {\n try {\n if (n.nextSibling || n.previousSibling) {\n }\n else if ((_a = n.parentNode.sheet) === null || _a === void 0 ? void 0 : _a.cssRules) {\n textContent = stringifyStyleSheet(n.parentNode.sheet);\n }\n }\n catch (err) {\n console.warn(\"Cannot get CSS styles from text's parentNode. Error: \" + err, n);\n }\n textContent = absoluteToStylesheet(textContent, getHref());\n }\n if (isScript) {\n textContent = 'SCRIPT_PLACEHOLDER';\n }\n if (!isStyle &&\n !isScript &&\n needMaskingText(n, maskTextClass, maskTextSelector, unmaskTextSelector) &&\n textContent) {\n textContent = maskTextFn\n ? maskTextFn(textContent)\n : textContent.replace(/[\\S]/g, '*');\n }\n return {\n type: NodeType.Text,\n textContent: textContent || '',\n isStyle: isStyle,\n rootId: rootId\n };\n case n.CDATA_SECTION_NODE:\n return {\n type: NodeType.CDATA,\n textContent: '',\n rootId: rootId\n };\n case n.COMMENT_NODE:\n return {\n type: NodeType.Comment,\n textContent: n.textContent || '',\n rootId: rootId\n };\n default:\n return false;\n }\n}\nfunction lowerIfExists(maybeAttr) {\n if (maybeAttr === undefined) {\n return '';\n }\n else {\n return maybeAttr.toLowerCase();\n }\n}\nfunction slimDOMExcluded(sn, slimDOMOptions) {\n if (slimDOMOptions.comment && sn.type === NodeType.Comment) {\n return true;\n }\n else if (sn.type === NodeType.Element) {\n if (slimDOMOptions.script &&\n (sn.tagName === 'script' ||\n (sn.tagName === 'link' &&\n sn.attributes.rel === 'preload' &&\n sn.attributes.as === 'script') ||\n (sn.tagName === 'link' &&\n sn.attributes.rel === 'prefetch' &&\n typeof sn.attributes.href === 'string' &&\n sn.attributes.href.endsWith('.js')))) {\n return true;\n }\n else if (slimDOMOptions.headFavicon &&\n ((sn.tagName === 'link' && sn.attributes.rel === 'shortcut icon') ||\n (sn.tagName === 'meta' &&\n (lowerIfExists(sn.attributes.name).match(/^msapplication-tile(image|color)$/) ||\n lowerIfExists(sn.attributes.name) === 'application-name' ||\n lowerIfExists(sn.attributes.rel) === 'icon' ||\n lowerIfExists(sn.attributes.rel) === 'apple-touch-icon' ||\n lowerIfExists(sn.attributes.rel) === 'shortcut icon')))) {\n return true;\n }\n else if (sn.tagName === 'meta') {\n if (slimDOMOptions.headMetaDescKeywords &&\n lowerIfExists(sn.attributes.name).match(/^description|keywords$/)) {\n return true;\n }\n else if (slimDOMOptions.headMetaSocial &&\n (lowerIfExists(sn.attributes.property).match(/^(og|twitter|fb):/) ||\n lowerIfExists(sn.attributes.name).match(/^(og|twitter):/) ||\n lowerIfExists(sn.attributes.name) === 'pinterest')) {\n return true;\n }\n else if (slimDOMOptions.headMetaRobots &&\n (lowerIfExists(sn.attributes.name) === 'robots' ||\n lowerIfExists(sn.attributes.name) === 'googlebot' ||\n lowerIfExists(sn.attributes.name) === 'bingbot')) {\n return true;\n }\n else if (slimDOMOptions.headMetaHttpEquiv &&\n sn.attributes['http-equiv'] !== undefined) {\n return true;\n }\n else if (slimDOMOptions.headMetaAuthorship &&\n (lowerIfExists(sn.attributes.name) === 'author' ||\n lowerIfExists(sn.attributes.name) === 'generator' ||\n lowerIfExists(sn.attributes.name) === 'framework' ||\n lowerIfExists(sn.attributes.name) === 'publisher' ||\n lowerIfExists(sn.attributes.name) === 'progid' ||\n lowerIfExists(sn.attributes.property).match(/^article:/) ||\n lowerIfExists(sn.attributes.property).match(/^product:/))) {\n return true;\n }\n else if (slimDOMOptions.headMetaVerification &&\n (lowerIfExists(sn.attributes.name) === 'google-site-verification' ||\n lowerIfExists(sn.attributes.name) === 'yandex-verification' ||\n lowerIfExists(sn.attributes.name) === 'csrf-token' ||\n lowerIfExists(sn.attributes.name) === 'p:domain_verify' ||\n lowerIfExists(sn.attributes.name) === 'verify-v1' ||\n lowerIfExists(sn.attributes.name) === 'verification' ||\n lowerIfExists(sn.attributes.name) === 'shopify-checkout-api-token')) {\n return true;\n }\n }\n }\n return false;\n}\nfunction serializeNodeWithId(n, options) {\n var doc = options.doc, map = options.map, blockClass = options.blockClass, blockSelector = options.blockSelector, unblockSelector = options.unblockSelector, maskTextClass = options.maskTextClass, maskTextSelector = options.maskTextSelector, unmaskTextSelector = options.unmaskTextSelector, _a = options.skipChild, skipChild = _a === void 0 ? false : _a, _b = options.inlineStylesheet, inlineStylesheet = _b === void 0 ? true : _b, maskInputSelector = options.maskInputSelector, unmaskInputSelector = options.unmaskInputSelector, _c = options.maskInputOptions, maskInputOptions = _c === void 0 ? {} : _c, maskTextFn = options.maskTextFn, maskInputFn = options.maskInputFn, slimDOMOptions = options.slimDOMOptions, _d = options.dataURLOptions, dataURLOptions = _d === void 0 ? {} : _d, _e = options.inlineImages, inlineImages = _e === void 0 ? false : _e, _f = options.recordCanvas, recordCanvas = _f === void 0 ? false : _f, onSerialize = options.onSerialize, onIframeLoad = options.onIframeLoad, _g = options.iframeLoadTimeout, iframeLoadTimeout = _g === void 0 ? 5000 : _g, _h = options.keepIframeSrcFn, keepIframeSrcFn = _h === void 0 ? function () { return false; } : _h;\n var _j = options.preserveWhiteSpace, preserveWhiteSpace = _j === void 0 ? true : _j;\n var _serializedNode = serializeNode(n, {\n doc: doc,\n blockClass: blockClass,\n blockSelector: blockSelector,\n unblockSelector: unblockSelector,\n maskTextClass: maskTextClass,\n maskTextSelector: maskTextSelector,\n unmaskTextSelector: unmaskTextSelector,\n inlineStylesheet: inlineStylesheet,\n maskInputSelector: maskInputSelector,\n unmaskInputSelector: unmaskInputSelector,\n maskInputOptions: maskInputOptions,\n maskTextFn: maskTextFn,\n maskInputFn: maskInputFn,\n dataURLOptions: dataURLOptions,\n inlineImages: inlineImages,\n recordCanvas: recordCanvas,\n keepIframeSrcFn: keepIframeSrcFn\n });\n if (!_serializedNode) {\n console.warn(n, 'not serialized');\n return null;\n }\n var id;\n if ('__sn' in n) {\n id = n.__sn.id;\n }\n else if (slimDOMExcluded(_serializedNode, slimDOMOptions) ||\n (!preserveWhiteSpace &&\n _serializedNode.type === NodeType.Text &&\n !_serializedNode.isStyle &&\n !_serializedNode.textContent.replace(/^\\s+|\\s+$/gm, '').length)) {\n id = IGNORED_NODE;\n }\n else {\n id = genId();\n }\n var serializedNode = Object.assign(_serializedNode, { id: id });\n n.__sn = serializedNode;\n if (id === IGNORED_NODE) {\n return null;\n }\n map[id] = n;\n if (onSerialize) {\n onSerialize(n);\n }\n var recordChild = !skipChild;\n if (serializedNode.type === NodeType.Element) {\n recordChild = recordChild && !serializedNode.needBlock;\n delete serializedNode.needBlock;\n if (n.shadowRoot)\n serializedNode.isShadowHost = true;\n }\n if ((serializedNode.type === NodeType.Document ||\n serializedNode.type === NodeType.Element) &&\n recordChild) {\n if (slimDOMOptions.headWhitespace &&\n _serializedNode.type === NodeType.Element &&\n _serializedNode.tagName === 'head') {\n preserveWhiteSpace = false;\n }\n var bypassOptions = {\n doc: doc,\n map: map,\n blockClass: blockClass,\n blockSelector: blockSelector,\n unblockSelector: unblockSelector,\n maskTextClass: maskTextClass,\n maskTextSelector: maskTextSelector,\n unmaskTextSelector: unmaskTextSelector,\n skipChild: skipChild,\n inlineStylesheet: inlineStylesheet,\n maskInputSelector: maskInputSelector,\n unmaskInputSelector: unmaskInputSelector,\n maskInputOptions: maskInputOptions,\n maskTextFn: maskTextFn,\n maskInputFn: maskInputFn,\n slimDOMOptions: slimDOMOptions,\n dataURLOptions: dataURLOptions,\n inlineImages: inlineImages,\n recordCanvas: recordCanvas,\n preserveWhiteSpace: preserveWhiteSpace,\n onSerialize: onSerialize,\n onIframeLoad: onIframeLoad,\n iframeLoadTimeout: iframeLoadTimeout,\n keepIframeSrcFn: keepIframeSrcFn\n };\n for (var _i = 0, _k = Array.from(n.childNodes); _i < _k.length; _i++) {\n var childN = _k[_i];\n var serializedChildNode = serializeNodeWithId(childN, bypassOptions);\n if (serializedChildNode) {\n serializedNode.childNodes.push(serializedChildNode);\n }\n }\n if (isElement(n) && n.shadowRoot) {\n for (var _l = 0, _m = Array.from(n.shadowRoot.childNodes); _l < _m.length; _l++) {\n var childN = _m[_l];\n var serializedChildNode = serializeNodeWithId(childN, bypassOptions);\n if (serializedChildNode) {\n serializedChildNode.isShadow = true;\n serializedNode.childNodes.push(serializedChildNode);\n }\n }\n }\n }\n if (n.parentNode && isShadowRoot(n.parentNode)) {\n serializedNode.isShadow = true;\n }\n if (serializedNode.type === NodeType.Element &&\n serializedNode.tagName === 'iframe') {\n onceIframeLoaded(n, function () {\n var iframeDoc = n.contentDocument;\n if (iframeDoc && onIframeLoad) {\n var serializedIframeNode = serializeNodeWithId(iframeDoc, {\n doc: iframeDoc,\n map: map,\n blockClass: blockClass,\n blockSelector: blockSelector,\n unblockSelector: unblockSelector,\n maskTextClass: maskTextClass,\n maskTextSelector: maskTextSelector,\n unmaskTextSelector: unmaskTextSelector,\n skipChild: false,\n inlineStylesheet: inlineStylesheet,\n maskInputSelector: maskInputSelector,\n unmaskInputSelector: unmaskInputSelector,\n maskInputOptions: maskInputOptions,\n maskTextFn: maskTextFn,\n maskInputFn: maskInputFn,\n slimDOMOptions: slimDOMOptions,\n dataURLOptions: dataURLOptions,\n inlineImages: inlineImages,\n recordCanvas: recordCanvas,\n preserveWhiteSpace: preserveWhiteSpace,\n onSerialize: onSerialize,\n onIframeLoad: onIframeLoad,\n iframeLoadTimeout: iframeLoadTimeout,\n keepIframeSrcFn: keepIframeSrcFn\n });\n if (serializedIframeNode) {\n onIframeLoad(n, serializedIframeNode);\n }\n }\n }, iframeLoadTimeout);\n }\n return serializedNode;\n}\nfunction snapshot(n, options) {\n var _a = options || {}, _b = _a.blockClass, blockClass = _b === void 0 ? 'rr-block' : _b, _c = _a.blockSelector, blockSelector = _c === void 0 ? null : _c, _d = _a.unblockSelector, unblockSelector = _d === void 0 ? null : _d, _e = _a.maskTextClass, maskTextClass = _e === void 0 ? 'rr-mask' : _e, _f = _a.maskTextSelector, maskTextSelector = _f === void 0 ? null : _f, _g = _a.unmaskTextSelector, unmaskTextSelector = _g === void 0 ? null : _g, _h = _a.inlineStylesheet, inlineStylesheet = _h === void 0 ? true : _h, _j = _a.inlineImages, inlineImages = _j === void 0 ? false : _j, _k = _a.recordCanvas, recordCanvas = _k === void 0 ? false : _k, _l = _a.maskInputSelector, maskInputSelector = _l === void 0 ? null : _l, _m = _a.unmaskInputSelector, unmaskInputSelector = _m === void 0 ? null : _m, _o = _a.maskAllInputs, maskAllInputs = _o === void 0 ? false : _o, maskTextFn = _a.maskTextFn, maskInputFn = _a.maskInputFn, _p = _a.slimDOM, slimDOM = _p === void 0 ? false : _p, dataURLOptions = _a.dataURLOptions, preserveWhiteSpace = _a.preserveWhiteSpace, onSerialize = _a.onSerialize, onIframeLoad = _a.onIframeLoad, iframeLoadTimeout = _a.iframeLoadTimeout, _q = _a.keepIframeSrcFn, keepIframeSrcFn = _q === void 0 ? function () { return false; } : _q;\n var idNodeMap = {};\n var maskInputOptions = maskAllInputs === true\n ? {\n color: true,\n date: true,\n 'datetime-local': true,\n email: true,\n month: true,\n number: true,\n range: true,\n search: true,\n tel: true,\n text: true,\n time: true,\n url: true,\n week: true,\n textarea: true,\n select: true,\n password: true\n }\n : maskAllInputs === false\n ? {\n password: true\n }\n : maskAllInputs;\n var slimDOMOptions = slimDOM === true || slimDOM === 'all'\n ?\n {\n script: true,\n comment: true,\n headFavicon: true,\n headWhitespace: true,\n headMetaDescKeywords: slimDOM === 'all',\n headMetaSocial: true,\n headMetaRobots: true,\n headMetaHttpEquiv: true,\n headMetaAuthorship: true,\n headMetaVerification: true\n }\n : slimDOM === false\n ? {}\n : slimDOM;\n return [\n serializeNodeWithId(n, {\n doc: n,\n map: idNodeMap,\n blockClass: blockClass,\n blockSelector: blockSelector,\n unblockSelector: unblockSelector,\n maskTextClass: maskTextClass,\n maskTextSelector: maskTextSelector,\n unmaskTextSelector: unmaskTextSelector,\n skipChild: false,\n inlineStylesheet: inlineStylesheet,\n maskInputSelector: maskInputSelector,\n unmaskInputSelector: unmaskInputSelector,\n maskInputOptions: maskInputOptions,\n maskTextFn: maskTextFn,\n maskInputFn: maskInputFn,\n slimDOMOptions: slimDOMOptions,\n dataURLOptions: dataURLOptions,\n inlineImages: inlineImages,\n recordCanvas: recordCanvas,\n preserveWhiteSpace: preserveWhiteSpace,\n onSerialize: onSerialize,\n onIframeLoad: onIframeLoad,\n iframeLoadTimeout: iframeLoadTimeout,\n keepIframeSrcFn: keepIframeSrcFn\n }),\n idNodeMap,\n ];\n}\nfunction visitSnapshot(node, onVisit) {\n function walk(current) {\n onVisit(current);\n if (current.type === NodeType.Document ||\n current.type === NodeType.Element) {\n current.childNodes.forEach(walk);\n }\n }\n walk(node);\n}\nfunction cleanupSnapshot() {\n _id = 1;\n}\n\nvar commentre = /\\/\\*[^*]*\\*+([^/*][^*]*\\*+)*\\//g;\nfunction parse(css, options) {\n if (options === void 0) { options = {}; }\n var lineno = 1;\n var column = 1;\n function updatePosition(str) {\n var lines = str.match(/\\n/g);\n if (lines) {\n lineno += lines.length;\n }\n var i = str.lastIndexOf('\\n');\n column = i === -1 ? column + str.length : str.length - i;\n }\n function position() {\n var start = { line: lineno, column: column };\n return function (node) {\n node.position = new Position(start);\n whitespace();\n return node;\n };\n }\n var Position = (function () {\n function Position(start) {\n this.start = start;\n this.end = { line: lineno, column: column };\n this.source = options.source;\n }\n return Position;\n }());\n Position.prototype.content = css;\n var errorsList = [];\n function error(msg) {\n var err = new Error(options.source + ':' + lineno + ':' + column + ': ' + msg);\n err.reason = msg;\n err.filename = options.source;\n err.line = lineno;\n err.column = column;\n err.source = css;\n if (options.silent) {\n errorsList.push(err);\n }\n else {\n throw err;\n }\n }\n function stylesheet() {\n var rulesList = rules();\n return {\n type: 'stylesheet',\n stylesheet: {\n source: options.source,\n rules: rulesList,\n parsingErrors: errorsList\n }\n };\n }\n function open() {\n return match(/^{\\s*/);\n }\n function close() {\n return match(/^}/);\n }\n function rules() {\n var node;\n var rules = [];\n whitespace();\n comments(rules);\n while (css.length && css.charAt(0) !== '}' && (node = atrule() || rule())) {\n if (node !== false) {\n rules.push(node);\n comments(rules);\n }\n }\n return rules;\n }\n function match(re) {\n var m = re.exec(css);\n if (!m) {\n return;\n }\n var str = m[0];\n updatePosition(str);\n css = css.slice(str.length);\n return m;\n }\n function whitespace() {\n match(/^\\s*/);\n }\n function comments(rules) {\n if (rules === void 0) { rules = []; }\n var c;\n while ((c = comment())) {\n if (c !== false) {\n rules.push(c);\n }\n c = comment();\n }\n return rules;\n }\n function comment() {\n var pos = position();\n if ('/' !== css.charAt(0) || '*' !== css.charAt(1)) {\n return;\n }\n var i = 2;\n while ('' !== css.charAt(i) &&\n ('*' !== css.charAt(i) || '/' !== css.charAt(i + 1))) {\n ++i;\n }\n i += 2;\n if ('' === css.charAt(i - 1)) {\n return error('End of comment missing');\n }\n var str = css.slice(2, i - 2);\n column += 2;\n updatePosition(str);\n css = css.slice(i);\n column += 2;\n return pos({\n type: 'comment',\n comment: str\n });\n }\n function selector() {\n var m = match(/^([^{]+)/);\n if (!m) {\n return;\n }\n return trim(m[0])\n .replace(/\\/\\*([^*]|[\\r\\n]|(\\*+([^*/]|[\\r\\n])))*\\*\\/+/g, '')\n .replace(/\"(?:\\\\\"|[^\"])*\"|'(?:\\\\'|[^'])*'/g, function (m) {\n return m.replace(/,/g, '\\u200C');\n })\n .split(/\\s*(?![^(]*\\)),\\s*/)\n .map(function (s) {\n return s.replace(/\\u200C/g, ',');\n });\n }\n function declaration() {\n var pos = position();\n var propMatch = match(/^(\\*?[-#\\/\\*\\\\\\w]+(\\[[0-9a-z_-]+\\])?)\\s*/);\n if (!propMatch) {\n return;\n }\n var prop = trim(propMatch[0]);\n if (!match(/^:\\s*/)) {\n return error(\"property missing ':'\");\n }\n var val = match(/^((?:'(?:\\\\'|.)*?'|\"(?:\\\\\"|.)*?\"|\\([^\\)]*?\\)|[^};])+)/);\n var ret = pos({\n type: 'declaration',\n property: prop.replace(commentre, ''),\n value: val ? trim(val[0]).replace(commentre, '') : ''\n });\n match(/^[;\\s]*/);\n return ret;\n }\n function declarations() {\n var decls = [];\n if (!open()) {\n return error(\"missing '{'\");\n }\n comments(decls);\n var decl;\n while ((decl = declaration())) {\n if (decl !== false) {\n decls.push(decl);\n comments(decls);\n }\n decl = declaration();\n }\n if (!close()) {\n return error(\"missing '}'\");\n }\n return decls;\n }\n function keyframe() {\n var m;\n var vals = [];\n var pos = position();\n while ((m = match(/^((\\d+\\.\\d+|\\.\\d+|\\d+)%?|[a-z]+)\\s*/))) {\n vals.push(m[1]);\n match(/^,\\s*/);\n }\n if (!vals.length) {\n return;\n }\n return pos({\n type: 'keyframe',\n values: vals,\n declarations: declarations()\n });\n }\n function atkeyframes() {\n var pos = position();\n var m = match(/^@([-\\w]+)?keyframes\\s*/);\n if (!m) {\n return;\n }\n var vendor = m[1];\n m = match(/^([-\\w]+)\\s*/);\n if (!m) {\n return error('@keyframes missing name');\n }\n var name = m[1];\n if (!open()) {\n return error(\"@keyframes missing '{'\");\n }\n var frame;\n var frames = comments();\n while ((frame = keyframe())) {\n frames.push(frame);\n frames = frames.concat(comments());\n }\n if (!close()) {\n return error(\"@keyframes missing '}'\");\n }\n return pos({\n type: 'keyframes',\n name: name,\n vendor: vendor,\n keyframes: frames\n });\n }\n function atsupports() {\n var pos = position();\n var m = match(/^@supports *([^{]+)/);\n if (!m) {\n return;\n }\n var supports = trim(m[1]);\n if (!open()) {\n return error(\"@supports missing '{'\");\n }\n var style = comments().concat(rules());\n if (!close()) {\n return error(\"@supports missing '}'\");\n }\n return pos({\n type: 'supports',\n supports: supports,\n rules: style\n });\n }\n function athost() {\n var pos = position();\n var m = match(/^@host\\s*/);\n if (!m) {\n return;\n }\n if (!open()) {\n return error(\"@host missing '{'\");\n }\n var style = comments().concat(rules());\n if (!close()) {\n return error(\"@host missing '}'\");\n }\n return pos({\n type: 'host',\n rules: style\n });\n }\n function atmedia() {\n var pos = position();\n var m = match(/^@media *([^{]+)/);\n if (!m) {\n return;\n }\n var media = trim(m[1]);\n if (!open()) {\n return error(\"@media missing '{'\");\n }\n var style = comments().concat(rules());\n if (!close()) {\n return error(\"@media missing '}'\");\n }\n return pos({\n type: 'media',\n media: media,\n rules: style\n });\n }\n function atcustommedia() {\n var pos = position();\n var m = match(/^@custom-media\\s+(--[^\\s]+)\\s*([^{;]+);/);\n if (!m) {\n return;\n }\n return pos({\n type: 'custom-media',\n name: trim(m[1]),\n media: trim(m[2])\n });\n }\n function atpage() {\n var pos = position();\n var m = match(/^@page */);\n if (!m) {\n return;\n }\n var sel = selector() || [];\n if (!open()) {\n return error(\"@page missing '{'\");\n }\n var decls = comments();\n var decl;\n while ((decl = declaration())) {\n decls.push(decl);\n decls = decls.concat(comments());\n }\n if (!close()) {\n return error(\"@page missing '}'\");\n }\n return pos({\n type: 'page',\n selectors: sel,\n declarations: decls\n });\n }\n function atdocument() {\n var pos = position();\n var m = match(/^@([-\\w]+)?document *([^{]+)/);\n if (!m) {\n return;\n }\n var vendor = trim(m[1]);\n var doc = trim(m[2]);\n if (!open()) {\n return error(\"@document missing '{'\");\n }\n var style = comments().concat(rules());\n if (!close()) {\n return error(\"@document missing '}'\");\n }\n return pos({\n type: 'document',\n document: doc,\n vendor: vendor,\n rules: style\n });\n }\n function atfontface() {\n var pos = position();\n var m = match(/^@font-face\\s*/);\n if (!m) {\n return;\n }\n if (!open()) {\n return error(\"@font-face missing '{'\");\n }\n var decls = comments();\n var decl;\n while ((decl = declaration())) {\n decls.push(decl);\n decls = decls.concat(comments());\n }\n if (!close()) {\n return error(\"@font-face missing '}'\");\n }\n return pos({\n type: 'font-face',\n declarations: decls\n });\n }\n var atimport = _compileAtrule('import');\n var atcharset = _compileAtrule('charset');\n var atnamespace = _compileAtrule('namespace');\n function _compileAtrule(name) {\n var re = new RegExp('^@' + name + '\\\\s*([^;]+);');\n return function () {\n var pos = position();\n var m = match(re);\n if (!m) {\n return;\n }\n var ret = { type: name };\n ret[name] = m[1].trim();\n return pos(ret);\n };\n }\n function atrule() {\n if (css[0] !== '@') {\n return;\n }\n return (atkeyframes() ||\n atmedia() ||\n atcustommedia() ||\n atsupports() ||\n atimport() ||\n atcharset() ||\n atnamespace() ||\n atdocument() ||\n atpage() ||\n athost() ||\n atfontface());\n }\n function rule() {\n var pos = position();\n var sel = selector();\n if (!sel) {\n return error('selector missing');\n }\n comments();\n return pos({\n type: 'rule',\n selectors: sel,\n declarations: declarations()\n });\n }\n return addParent(stylesheet());\n}\nfunction trim(str) {\n return str ? str.replace(/^\\s+|\\s+$/g, '') : '';\n}\nfunction addParent(obj, parent) {\n var isNode = obj && typeof obj.type === 'string';\n var childParent = isNode ? obj : parent;\n for (var _i = 0, _a = Object.keys(obj); _i < _a.length; _i++) {\n var k = _a[_i];\n var value = obj[k];\n if (Array.isArray(value)) {\n value.forEach(function (v) {\n addParent(v, childParent);\n });\n }\n else if (value && typeof value === 'object') {\n addParent(value, childParent);\n }\n }\n if (isNode) {\n Object.defineProperty(obj, 'parent', {\n configurable: true,\n writable: true,\n enumerable: false,\n value: parent || null\n });\n }\n return obj;\n}\n\nvar tagMap = {\n script: 'noscript',\n altglyph: 'altGlyph',\n altglyphdef: 'altGlyphDef',\n altglyphitem: 'altGlyphItem',\n animatecolor: 'animateColor',\n animatemotion: 'animateMotion',\n animatetransform: 'animateTransform',\n clippath: 'clipPath',\n feblend: 'feBlend',\n fecolormatrix: 'feColorMatrix',\n fecomponenttransfer: 'feComponentTransfer',\n fecomposite: 'feComposite',\n feconvolvematrix: 'feConvolveMatrix',\n fediffuselighting: 'feDiffuseLighting',\n fedisplacementmap: 'feDisplacementMap',\n fedistantlight: 'feDistantLight',\n fedropshadow: 'feDropShadow',\n feflood: 'feFlood',\n fefunca: 'feFuncA',\n fefuncb: 'feFuncB',\n fefuncg: 'feFuncG',\n fefuncr: 'feFuncR',\n fegaussianblur: 'feGaussianBlur',\n feimage: 'feImage',\n femerge: 'feMerge',\n femergenode: 'feMergeNode',\n femorphology: 'feMorphology',\n feoffset: 'feOffset',\n fepointlight: 'fePointLight',\n fespecularlighting: 'feSpecularLighting',\n fespotlight: 'feSpotLight',\n fetile: 'feTile',\n feturbulence: 'feTurbulence',\n foreignobject: 'foreignObject',\n glyphref: 'glyphRef',\n lineargradient: 'linearGradient',\n radialgradient: 'radialGradient'\n};\nfunction getTagName(n) {\n var tagName = tagMap[n.tagName] ? tagMap[n.tagName] : n.tagName;\n if (tagName === 'link' && n.attributes._cssText) {\n tagName = 'style';\n }\n return tagName;\n}\nfunction escapeRegExp(str) {\n return str.replace(/[.*+?^${}()|[\\]\\\\]/g, '\\\\$&');\n}\nvar HOVER_SELECTOR = /([^\\\\]):hover/;\nvar HOVER_SELECTOR_GLOBAL = new RegExp(HOVER_SELECTOR.source, 'g');\nfunction addHoverClass(cssText, cache) {\n var cachedStyle = cache === null || cache === void 0 ? void 0 : cache.stylesWithHoverClass.get(cssText);\n if (cachedStyle)\n return cachedStyle;\n var ast = parse(cssText, {\n silent: true\n });\n if (!ast.stylesheet) {\n return cssText;\n }\n var selectors = [];\n ast.stylesheet.rules.forEach(function (rule) {\n if ('selectors' in rule) {\n (rule.selectors || []).forEach(function (selector) {\n if (HOVER_SELECTOR.test(selector)) {\n selectors.push(selector);\n }\n });\n }\n });\n if (selectors.length === 0) {\n return cssText;\n }\n var selectorMatcher = new RegExp(selectors\n .filter(function (selector, index) { return selectors.indexOf(selector) === index; })\n .sort(function (a, b) { return b.length - a.length; })\n .map(function (selector) {\n return escapeRegExp(selector);\n })\n .join('|'), 'g');\n var result = cssText.replace(selectorMatcher, function (selector) {\n var newSelector = selector.replace(HOVER_SELECTOR_GLOBAL, '$1.\\\\:hover');\n return selector + \", \" + newSelector;\n });\n cache === null || cache === void 0 ? void 0 : cache.stylesWithHoverClass.set(cssText, result);\n return result;\n}\nfunction createCache() {\n var stylesWithHoverClass = new Map();\n return {\n stylesWithHoverClass: stylesWithHoverClass\n };\n}\nfunction buildNode(n, options) {\n var doc = options.doc, hackCss = options.hackCss, cache = options.cache;\n switch (n.type) {\n case NodeType.Document:\n return doc.implementation.createDocument(null, '', null);\n case NodeType.DocumentType:\n return doc.implementation.createDocumentType(n.name || 'html', n.publicId, n.systemId);\n case NodeType.Element:\n var tagName = getTagName(n);\n var node_1;\n if (n.isSVG) {\n node_1 = doc.createElementNS('http://www.w3.org/2000/svg', tagName);\n }\n else {\n node_1 = doc.createElement(tagName);\n }\n var _loop_1 = function (name_1) {\n if (!n.attributes.hasOwnProperty(name_1)) {\n return \"continue\";\n }\n var value = n.attributes[name_1];\n if (tagName === 'option' && name_1 === 'selected' && value === false) {\n return \"continue\";\n }\n value =\n typeof value === 'boolean' || typeof value === 'number' ? '' : value;\n if (!name_1.startsWith('rr_')) {\n var isTextarea = tagName === 'textarea' && name_1 === 'value';\n var isRemoteOrDynamicCss = tagName === 'style' && name_1 === '_cssText';\n if (isRemoteOrDynamicCss && hackCss) {\n value = addHoverClass(value, cache);\n }\n if (isTextarea || isRemoteOrDynamicCss) {\n var child = doc.createTextNode(value);\n for (var _i = 0, _a = Array.from(node_1.childNodes); _i < _a.length; _i++) {\n var c = _a[_i];\n if (c.nodeType === node_1.TEXT_NODE) {\n node_1.removeChild(c);\n }\n }\n node_1.appendChild(child);\n return \"continue\";\n }\n try {\n if (n.isSVG && name_1 === 'xlink:href') {\n node_1.setAttributeNS('http://www.w3.org/1999/xlink', name_1, value);\n }\n else if (name_1 === 'onload' ||\n name_1 === 'onclick' ||\n name_1.substring(0, 7) === 'onmouse') {\n node_1.setAttribute('_' + name_1, value);\n }\n else if (tagName === 'meta' &&\n n.attributes['http-equiv'] === 'Content-Security-Policy' &&\n name_1 === 'content') {\n node_1.setAttribute('csp-content', value);\n return \"continue\";\n }\n else if (tagName === 'link' &&\n n.attributes.rel === 'preload' &&\n n.attributes.as === 'script') {\n }\n else if (tagName === 'link' &&\n n.attributes.rel === 'prefetch' &&\n typeof n.attributes.href === 'string' &&\n n.attributes.href.endsWith('.js')) {\n }\n else if (tagName === 'img' &&\n n.attributes.srcset &&\n n.attributes.rr_dataURL) {\n node_1.setAttribute('rrweb-original-srcset', n.attributes.srcset);\n }\n else {\n node_1.setAttribute(name_1, value);\n }\n }\n catch (error) {\n }\n }\n else {\n if (tagName === 'canvas' && name_1 === 'rr_dataURL') {\n var image_1 = document.createElement('img');\n image_1.src = value;\n image_1.onload = function () {\n var ctx = node_1.getContext('2d');\n if (ctx) {\n ctx.drawImage(image_1, 0, 0, image_1.width, image_1.height);\n }\n };\n }\n else if (tagName === 'img' && name_1 === 'rr_dataURL') {\n var image = node_1;\n if (!image.currentSrc.startsWith('data:')) {\n image.setAttribute('rrweb-original-src', n.attributes.src);\n image.src = value;\n }\n }\n if (name_1 === 'rr_width') {\n node_1.style.width = value;\n }\n else if (name_1 === 'rr_height') {\n node_1.style.height = value;\n }\n else if (name_1 === 'rr_mediaCurrentTime') {\n node_1.currentTime = n.attributes\n .rr_mediaCurrentTime;\n }\n else if (name_1 === 'rr_mediaState') {\n switch (value) {\n case 'played':\n node_1\n .play()[\"catch\"](function (e) { return console.warn('media playback error', e); });\n break;\n case 'paused':\n node_1.pause();\n break;\n }\n }\n }\n };\n for (var name_1 in n.attributes) {\n _loop_1(name_1);\n }\n if (n.isShadowHost) {\n if (!node_1.shadowRoot) {\n node_1.attachShadow({ mode: 'open' });\n }\n else {\n while (node_1.shadowRoot.firstChild) {\n node_1.shadowRoot.removeChild(node_1.shadowRoot.firstChild);\n }\n }\n }\n return node_1;\n case NodeType.Text:\n return doc.createTextNode(n.isStyle && hackCss\n ? addHoverClass(n.textContent, cache)\n : n.textContent);\n case NodeType.CDATA:\n return doc.createCDATASection(n.textContent);\n case NodeType.Comment:\n return doc.createComment(n.textContent);\n default:\n return null;\n }\n}\nfunction buildNodeWithSN(n, options) {\n var doc = options.doc, map = options.map, _a = options.skipChild, skipChild = _a === void 0 ? false : _a, _b = options.hackCss, hackCss = _b === void 0 ? true : _b, afterAppend = options.afterAppend, cache = options.cache;\n var node = buildNode(n, { doc: doc, hackCss: hackCss, cache: cache });\n if (!node) {\n return null;\n }\n if (n.rootId) {\n console.assert(map[n.rootId] === doc, 'Target document should has the same root id.');\n }\n if (n.type === NodeType.Document) {\n doc.close();\n doc.open();\n if (n.compatMode === 'BackCompat' &&\n n.childNodes &&\n n.childNodes[0].type !== NodeType.DocumentType) {\n if (n.childNodes[0].type === NodeType.Element &&\n 'xmlns' in n.childNodes[0].attributes &&\n n.childNodes[0].attributes.xmlns === 'http://www.w3.org/1999/xhtml') {\n doc.write('');\n }\n else {\n doc.write('');\n }\n }\n node = doc;\n }\n node.__sn = n;\n map[n.id] = node;\n if ((n.type === NodeType.Document || n.type === NodeType.Element) &&\n !skipChild) {\n for (var _i = 0, _c = n.childNodes; _i < _c.length; _i++) {\n var childN = _c[_i];\n var childNode = buildNodeWithSN(childN, {\n doc: doc,\n map: map,\n skipChild: false,\n hackCss: hackCss,\n afterAppend: afterAppend,\n cache: cache\n });\n if (!childNode) {\n console.warn('Failed to rebuild', childN);\n continue;\n }\n if (childN.isShadow && isElement(node) && node.shadowRoot) {\n node.shadowRoot.appendChild(childNode);\n }\n else {\n node.appendChild(childNode);\n }\n if (afterAppend) {\n afterAppend(childNode);\n }\n }\n }\n return node;\n}\nfunction visit(idNodeMap, onVisit) {\n function walk(node) {\n onVisit(node);\n }\n for (var key in idNodeMap) {\n if (idNodeMap[key]) {\n walk(idNodeMap[key]);\n }\n }\n}\nfunction handleScroll(node) {\n var n = node.__sn;\n if (n.type !== NodeType.Element) {\n return;\n }\n var el = node;\n for (var name_2 in n.attributes) {\n if (!(n.attributes.hasOwnProperty(name_2) && name_2.startsWith('rr_'))) {\n continue;\n }\n var value = n.attributes[name_2];\n if (name_2 === 'rr_scrollLeft') {\n el.scrollLeft = value;\n }\n if (name_2 === 'rr_scrollTop') {\n el.scrollTop = value;\n }\n }\n}\nfunction rebuild(n, options) {\n var doc = options.doc, onVisit = options.onVisit, _a = options.hackCss, hackCss = _a === void 0 ? true : _a, afterAppend = options.afterAppend, cache = options.cache;\n var idNodeMap = {};\n var node = buildNodeWithSN(n, {\n doc: doc,\n map: idNodeMap,\n skipChild: false,\n hackCss: hackCss,\n afterAppend: afterAppend,\n cache: cache\n });\n visit(idNodeMap, function (visitedNode) {\n if (onVisit) {\n onVisit(visitedNode);\n }\n handleScroll(visitedNode);\n });\n return [node, idNodeMap];\n}\n\nexport { IGNORED_NODE, NodeType, addHoverClass, buildNodeWithSN, cleanupSnapshot, createCache, is2DCanvasBlank, isElement, isShadowRoot, maskInputValue, needMaskingText, rebuild, serializeNodeWithId, snapshot, transformAttribute, visitSnapshot };\n","import {\n serializedNodeWithId,\n idNodeMap,\n INode,\n MaskInputOptions,\n SlimDOMOptions,\n MaskInputFn,\n MaskTextFn,\n} from 'rrweb-snapshot';\nimport { PackFn, UnpackFn } from './packer/base';\nimport { IframeManager } from './record/iframe-manager';\nimport { ShadowDomManager } from './record/shadow-dom-manager';\nimport type { Replayer } from './replay';\nimport { CanvasManager } from './record/observers/canvas/canvas-manager';\n\nexport enum EventType {\n DomContentLoaded,\n Load,\n FullSnapshot,\n IncrementalSnapshot,\n Meta,\n Custom,\n Plugin,\n}\n\nexport type domContentLoadedEvent = {\n type: EventType.DomContentLoaded;\n data: {};\n};\n\nexport type loadedEvent = {\n type: EventType.Load;\n data: {};\n};\n\nexport type fullSnapshotEvent = {\n type: EventType.FullSnapshot;\n data: {\n node: serializedNodeWithId;\n initialOffset: {\n top: number;\n left: number;\n };\n };\n};\n\nexport type incrementalSnapshotEvent = {\n type: EventType.IncrementalSnapshot;\n data: incrementalData;\n};\n\nexport type metaEvent = {\n type: EventType.Meta;\n data: {\n href: string;\n width: number;\n height: number;\n };\n};\n\nexport type customEvent = {\n type: EventType.Custom;\n data: {\n tag: string;\n payload: T;\n };\n};\n\nexport type pluginEvent = {\n type: EventType.Plugin;\n data: {\n plugin: string;\n payload: T;\n };\n};\n\nexport type styleSheetEvent = {};\n\nexport enum IncrementalSource {\n Mutation,\n MouseMove,\n MouseInteraction,\n Scroll,\n ViewportResize,\n Input,\n TouchMove,\n MediaInteraction,\n StyleSheetRule,\n CanvasMutation,\n Font,\n Log,\n Drag,\n StyleDeclaration,\n}\n\nexport type mutationData = {\n source: IncrementalSource.Mutation;\n} & mutationCallbackParam;\n\nexport type mousemoveData = {\n source:\n | IncrementalSource.MouseMove\n | IncrementalSource.TouchMove\n | IncrementalSource.Drag;\n positions: mousePosition[];\n};\n\nexport type mouseInteractionData = {\n source: IncrementalSource.MouseInteraction;\n} & mouseInteractionParam;\n\nexport type scrollData = {\n source: IncrementalSource.Scroll;\n} & scrollPosition;\n\nexport type viewportResizeData = {\n source: IncrementalSource.ViewportResize;\n} & viewportResizeDimension;\n\nexport type inputData = {\n source: IncrementalSource.Input;\n id: number;\n} & inputValue;\n\nexport type mediaInteractionData = {\n source: IncrementalSource.MediaInteraction;\n} & mediaInteractionParam;\n\nexport type styleSheetRuleData = {\n source: IncrementalSource.StyleSheetRule;\n} & styleSheetRuleParam;\n\nexport type styleDeclarationData = {\n source: IncrementalSource.StyleDeclaration;\n} & styleDeclarationParam;\n\nexport type canvasMutationData = {\n source: IncrementalSource.CanvasMutation;\n} & canvasMutationParam;\n\nexport type fontData = {\n source: IncrementalSource.Font;\n} & fontParam;\n\nexport type incrementalData =\n | mutationData\n | mousemoveData\n | mouseInteractionData\n | scrollData\n | viewportResizeData\n | inputData\n | mediaInteractionData\n | styleSheetRuleData\n | canvasMutationData\n | fontData\n | styleDeclarationData;\n\nexport type event =\n | domContentLoadedEvent\n | loadedEvent\n | fullSnapshotEvent\n | incrementalSnapshotEvent\n | metaEvent\n | customEvent\n | pluginEvent;\n\nexport type eventWithTime = event & {\n timestamp: number;\n delay?: number;\n};\n\nexport type blockClass = string | RegExp;\n\nexport type maskTextClass = string | RegExp;\n\nexport type SamplingStrategy = Partial<{\n /**\n * false means not to record mouse/touch move events\n * number is the throttle threshold of recording mouse/touch move\n */\n mousemove: boolean | number;\n /**\n * number is the throttle threshold of mouse/touch move callback\n */\n mousemoveCallback: number;\n /**\n * false means not to record mouse interaction events\n * can also specify record some kinds of mouse interactions\n */\n mouseInteraction: boolean | Record;\n /**\n * number is the throttle threshold of recording scroll\n */\n scroll: number;\n /**\n * number is the throttle threshold of recording media interactions\n */\n media: number;\n /**\n * 'all' will record all the input events\n * 'last' will only record the last input value while input a sequence of chars\n */\n input: 'all' | 'last';\n}>;\n\nexport type RecordPlugin = {\n name: string;\n observer?: (cb: Function, win: IWindow, options: TOptions) => listenerHandler;\n eventProcessor?: (event: eventWithTime) => eventWithTime & TExtend;\n options: TOptions;\n};\n\nexport type recordOptions = {\n emit?: (e: T, isCheckout?: boolean) => void;\n checkoutEveryNth?: number;\n checkoutEveryNms?: number;\n blockClass?: blockClass;\n blockSelector?: string;\n unblockSelector?: string;\n ignoreClass?: string;\n ignoreSelector?: string;\n maskTextClass?: maskTextClass;\n maskTextSelector?: string;\n maskAllInputs?: boolean;\n maskInputSelector?: string;\n maskInputOptions?: MaskInputOptions;\n maskInputFn?: MaskInputFn;\n maskTextFn?: MaskTextFn;\n unmaskTextSelector?: string;\n unmaskInputSelector?: string;\n slimDOMOptions?: SlimDOMOptions | 'all' | true;\n inlineStylesheet?: boolean;\n hooks?: hooksParam;\n packFn?: PackFn;\n sampling?: SamplingStrategy;\n recordCanvas?: boolean;\n userTriggeredOnInput?: boolean;\n collectFonts?: boolean;\n inlineImages?: boolean;\n plugins?: RecordPlugin[];\n // departed, please use sampling options\n mousemoveWait?: number;\n keepIframeSrcFn?: KeepIframeSrcFn;\n};\n\nexport type observerParam = {\n mutationCb: mutationCallBack;\n mousemoveCb: mousemoveCallBack;\n mouseInteractionCb: mouseInteractionCallBack;\n scrollCb: scrollCallback;\n viewportResizeCb: viewportResizeCallback;\n inputCb: inputCallback;\n mediaInteractionCb: mediaInteractionCallback;\n blockClass: blockClass;\n blockSelector: string | null;\n unblockSelector: string | null;\n ignoreClass: string;\n ignoreSelector: string | null;\n maskTextClass: maskTextClass;\n maskTextSelector: string | null;\n unmaskTextSelector: string | null;\n maskInputSelector: string | null;\n unmaskInputSelector: string | null;\n maskInputOptions: MaskInputOptions;\n maskInputFn?: MaskInputFn;\n maskTextFn?: MaskTextFn;\n inlineStylesheet: boolean;\n styleSheetRuleCb: styleSheetRuleCallback;\n styleDeclarationCb: styleDeclarationCallback;\n canvasMutationCb: canvasMutationCallback;\n fontCb: fontCallback;\n sampling: SamplingStrategy;\n recordCanvas: boolean;\n inlineImages: boolean;\n userTriggeredOnInput: boolean;\n collectFonts: boolean;\n slimDOMOptions: SlimDOMOptions;\n doc: Document;\n mirror: Mirror;\n iframeManager: IframeManager;\n shadowDomManager: ShadowDomManager;\n canvasManager: CanvasManager;\n plugins: Array<{\n observer: Function;\n callback: Function;\n options: unknown;\n }>;\n};\n\nexport type MutationBufferParam = Pick<\n observerParam,\n | 'mutationCb'\n | 'blockClass'\n | 'blockSelector'\n | 'unblockSelector'\n | 'maskTextClass'\n | 'maskTextSelector'\n | 'unmaskTextSelector'\n | 'inlineStylesheet'\n | 'maskInputSelector'\n | 'unmaskInputSelector'\n | 'maskInputOptions'\n | 'maskTextFn'\n | 'maskInputFn'\n | 'recordCanvas'\n | 'inlineImages'\n | 'slimDOMOptions'\n | 'doc'\n | 'mirror'\n | 'iframeManager'\n | 'shadowDomManager'\n | 'canvasManager'\n>;\n\nexport type hooksParam = {\n mutation?: mutationCallBack;\n mousemove?: mousemoveCallBack;\n mouseInteraction?: mouseInteractionCallBack;\n scroll?: scrollCallback;\n viewportResize?: viewportResizeCallback;\n input?: inputCallback;\n mediaInteaction?: mediaInteractionCallback;\n styleSheetRule?: styleSheetRuleCallback;\n styleDeclaration?: styleDeclarationCallback;\n canvasMutation?: canvasMutationCallback;\n font?: fontCallback;\n};\n\n// https://dom.spec.whatwg.org/#interface-mutationrecord\nexport type mutationRecord = {\n type: string;\n target: Node;\n oldValue: string | null;\n addedNodes: NodeList;\n removedNodes: NodeList;\n attributeName: string | null;\n};\n\nexport type textCursor = {\n node: Node;\n value: string | null;\n};\nexport type textMutation = {\n id: number;\n value: string | null;\n};\n\nexport type styleAttributeValue = {\n [key: string]: styleValueWithPriority | string | false;\n};\n\nexport type styleValueWithPriority = [string, string];\n\nexport type attributeCursor = {\n node: Node;\n attributes: {\n [key: string]: string | styleAttributeValue | null;\n };\n};\nexport type attributeMutation = {\n id: number;\n attributes: {\n [key: string]: string | styleAttributeValue | null;\n };\n};\n\nexport type removedNodeMutation = {\n parentId: number;\n id: number;\n isShadow?: boolean;\n};\n\nexport type addedNodeMutation = {\n parentId: number;\n // Newly recorded mutations will not have previousId any more, just for compatibility\n previousId?: number | null;\n nextId: number | null;\n node: serializedNodeWithId;\n};\n\nexport type mutationCallbackParam = {\n texts: textMutation[];\n attributes: attributeMutation[];\n removes: removedNodeMutation[];\n adds: addedNodeMutation[];\n isAttachIframe?: true;\n};\n\nexport type mutationCallBack = (m: mutationCallbackParam) => void;\n\nexport type mousemoveCallBack = (\n p: mousePosition[],\n source:\n | IncrementalSource.MouseMove\n | IncrementalSource.TouchMove\n | IncrementalSource.Drag,\n) => void;\n\nexport type mousePosition = {\n x: number;\n y: number;\n id: number;\n timeOffset: number;\n};\n\nexport type mouseMovePos = {\n x: number;\n y: number;\n id: number;\n debugData: incrementalData;\n};\n\nexport enum MouseInteractions {\n MouseUp,\n MouseDown,\n Click,\n ContextMenu,\n DblClick,\n Focus,\n Blur,\n TouchStart,\n TouchMove_Departed, // we will start a separate observer for touch move event\n TouchEnd,\n TouchCancel,\n}\n\nexport enum CanvasContext {\n '2D',\n WebGL,\n WebGL2,\n}\n\nexport type SerializedWebGlArg =\n | {\n rr_type: 'ArrayBuffer';\n base64: string; // base64\n }\n | {\n rr_type: string;\n src: string; // url of image\n }\n | {\n rr_type: string;\n args: SerializedWebGlArg[];\n }\n | {\n rr_type: string;\n index: number;\n }\n | string\n | number\n | boolean\n | null\n | SerializedWebGlArg[];\n\ntype mouseInteractionParam = {\n type: MouseInteractions;\n id: number;\n x: number;\n y: number;\n};\n\nexport type mouseInteractionCallBack = (d: mouseInteractionParam) => void;\n\nexport type scrollPosition = {\n id: number;\n x: number;\n y: number;\n};\n\nexport type scrollCallback = (p: scrollPosition) => void;\n\nexport type styleSheetAddRule = {\n rule: string;\n index?: number | number[];\n};\n\nexport type styleSheetDeleteRule = {\n index: number | number[];\n};\n\nexport type styleSheetRuleParam = {\n id: number;\n removes?: styleSheetDeleteRule[];\n adds?: styleSheetAddRule[];\n};\n\nexport type styleSheetRuleCallback = (s: styleSheetRuleParam) => void;\n\nexport type styleDeclarationParam = {\n id: number;\n index: number[];\n set?: {\n property: string;\n value: string | null;\n priority: string | undefined;\n };\n remove?: {\n property: string;\n };\n};\n\nexport type styleDeclarationCallback = (s: styleDeclarationParam) => void;\n\nexport type canvasMutationCommand = {\n property: string;\n args: Array;\n setter?: true;\n};\n\nexport type canvasMutationParam =\n | {\n id: number;\n type: CanvasContext;\n commands: canvasMutationCommand[];\n }\n | ({\n id: number;\n type: CanvasContext;\n } & canvasMutationCommand);\n\nexport type canvasMutationWithType = {\n type: CanvasContext;\n} & canvasMutationCommand;\n\nexport type canvasMutationCallback = (p: canvasMutationParam) => void;\n\nexport type canvasManagerMutationCallback = (\n target: HTMLCanvasElement,\n p: canvasMutationWithType,\n) => void;\n\nexport type fontParam = {\n family: string;\n fontSource: string;\n buffer: boolean;\n descriptors?: FontFaceDescriptors;\n};\n\nexport type fontCallback = (p: fontParam) => void;\n\nexport type viewportResizeDimension = {\n width: number;\n height: number;\n};\n\nexport type viewportResizeCallback = (d: viewportResizeDimension) => void;\n\nexport type inputValue = {\n text: string;\n isChecked: boolean;\n\n // `userTriggered` indicates if this event was triggered directly by user (userTriggered: true)\n // or was triggered indirectly (userTriggered: false)\n // Example of `userTriggered` in action:\n // User clicks on radio element (userTriggered: true) which triggers the other radio element to change (userTriggered: false)\n userTriggered?: boolean;\n};\n\nexport type inputCallback = (v: inputValue & { id: number }) => void;\n\nexport const enum MediaInteractions {\n Play,\n Pause,\n Seeked,\n VolumeChange,\n}\n\nexport type mediaInteractionParam = {\n type: MediaInteractions;\n id: number;\n currentTime?: number;\n volume?: number;\n muted?: boolean;\n};\n\nexport type mediaInteractionCallback = (p: mediaInteractionParam) => void;\n\nexport type DocumentDimension = {\n x: number;\n y: number;\n // scale value relative to its parent iframe\n relativeScale: number;\n // scale value relative to the root iframe\n absoluteScale: number;\n};\n\nexport type Mirror = {\n map: idNodeMap;\n getId: (n: INode) => number;\n getNode: (id: number) => INode | null;\n removeNodeFromMap: (n: INode) => void;\n has: (id: number) => boolean;\n reset: () => void;\n};\n\nexport type throttleOptions = {\n leading?: boolean;\n trailing?: boolean;\n};\n\nexport type listenerHandler = () => void;\nexport type hookResetter = () => void;\n\nexport type ReplayPlugin = {\n handler: (\n event: eventWithTime,\n isSync: boolean,\n context: { replayer: Replayer },\n ) => void;\n};\nexport type playerConfig = {\n speed: number;\n maxSpeed: number;\n root: Element;\n loadTimeout: number;\n skipInactive: boolean;\n showWarning: boolean;\n showDebug: boolean;\n blockClass: string;\n liveMode: boolean;\n insertStyleRules: string[];\n triggerFocus: boolean;\n UNSAFE_replayCanvas: boolean;\n pauseAnimation?: boolean;\n mouseTail:\n | boolean\n | {\n duration?: number;\n lineCap?: string;\n lineWidth?: number;\n strokeStyle?: string;\n };\n unpackFn?: UnpackFn;\n plugins?: ReplayPlugin[];\n};\n\nexport type playerMetaData = {\n startTime: number;\n endTime: number;\n totalTime: number;\n};\n\nexport type missingNode = {\n node: Node;\n mutation: addedNodeMutation;\n};\nexport type missingNodeMap = {\n [id: number]: missingNode;\n};\n\nexport type actionWithDelay = {\n doAction: () => void;\n delay: number;\n};\n\nexport type Handler = (event?: unknown) => void;\n\nexport type Emitter = {\n on(type: string, handler: Handler): void;\n emit(type: string, event?: unknown): void;\n off(type: string, handler: Handler): void;\n};\n\nexport type Arguments = T extends (...payload: infer U) => unknown\n ? U\n : unknown;\n\nexport enum ReplayerEvents {\n Start = 'start',\n Pause = 'pause',\n Resume = 'resume',\n Resize = 'resize',\n Finish = 'finish',\n FullsnapshotRebuilded = 'fullsnapshot-rebuilded',\n LoadStylesheetStart = 'load-stylesheet-start',\n LoadStylesheetEnd = 'load-stylesheet-end',\n SkipStart = 'skip-start',\n SkipEnd = 'skip-end',\n MouseInteraction = 'mouse-interaction',\n EventCast = 'event-cast',\n CustomEvent = 'custom-event',\n Flush = 'flush',\n StateChange = 'state-change',\n PlayBack = 'play-back',\n}\n\n// store the state that would be changed during the process(unmount from dom and mount again)\nexport type ElementState = {\n // [scrollLeft,scrollTop]\n scroll?: [number, number];\n};\n\nexport type KeepIframeSrcFn = (src: string) => boolean;\n\ndeclare global {\n interface Window {\n FontFace: typeof FontFace;\n }\n}\n\nexport type IWindow = Window & typeof globalThis;\n\nexport type Optional = Pick, K> & Omit;\n","import {\n Mirror,\n throttleOptions,\n listenerHandler,\n hookResetter,\n blockClass,\n IncrementalSource,\n addedNodeMutation,\n removedNodeMutation,\n textMutation,\n attributeMutation,\n mutationData,\n scrollData,\n inputData,\n DocumentDimension,\n IWindow,\n} from './types';\nimport {\n INode,\n IGNORED_NODE,\n serializedNodeWithId,\n NodeType,\n isShadowRoot,\n} from 'rrweb-snapshot';\n\nexport function on(\n type: string,\n fn: EventListenerOrEventListenerObject,\n target: Document | IWindow = document,\n): listenerHandler {\n const options = { capture: true, passive: true };\n target.addEventListener(type, fn, options);\n return () => target.removeEventListener(type, fn, options);\n}\n\nexport function createMirror(): Mirror {\n return {\n map: {},\n getId(n) {\n // if n is not a serialized INode, use -1 as its id.\n if (!n || !n.__sn) {\n return -1;\n }\n return n.__sn.id;\n },\n getNode(id) {\n return this.map[id] || null;\n },\n // TODO: use a weakmap to get rid of manually memory management\n removeNodeFromMap(n) {\n const id = n.__sn && n.__sn.id;\n delete this.map[id];\n if (n.childNodes) {\n n.childNodes.forEach((child) =>\n this.removeNodeFromMap((child as Node) as INode),\n );\n }\n },\n has(id) {\n return this.map.hasOwnProperty(id);\n },\n reset() {\n this.map = {};\n },\n };\n}\n\n// https://github.com/rrweb-io/rrweb/pull/407\nconst DEPARTED_MIRROR_ACCESS_WARNING =\n 'Please stop import mirror directly. Instead of that,' +\n '\\r\\n' +\n 'now you can use replayer.getMirror() to access the mirror instance of a replayer,' +\n '\\r\\n' +\n 'or you can use record.mirror to access the mirror instance during recording.';\nexport let _mirror: Mirror = {\n map: {},\n getId() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n return -1;\n },\n getNode() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n return null;\n },\n removeNodeFromMap() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n },\n has() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n return false;\n },\n reset() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n },\n};\nif (typeof window !== 'undefined' && window.Proxy && window.Reflect) {\n _mirror = new Proxy(_mirror, {\n get(target, prop, receiver) {\n if (prop === 'map') {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n }\n return Reflect.get(target, prop, receiver);\n },\n });\n}\n\n// copy from underscore and modified\nexport function throttle(\n func: (arg: T) => void,\n wait: number,\n options: throttleOptions = {},\n) {\n let timeout: ReturnType | null = null;\n let previous = 0;\n // tslint:disable-next-line: only-arrow-functions\n return function (arg: T) {\n let now = Date.now();\n if (!previous && options.leading === false) {\n previous = now;\n }\n let remaining = wait - (now - previous);\n let context = this;\n let args = arguments;\n if (remaining <= 0 || remaining > wait) {\n if (timeout) {\n clearTimeout(timeout);\n timeout = null;\n }\n previous = now;\n func.apply(context, args);\n } else if (!timeout && options.trailing !== false) {\n timeout = setTimeout(() => {\n previous = options.leading === false ? 0 : Date.now();\n timeout = null;\n func.apply(context, args);\n }, remaining);\n }\n };\n}\n\nexport function hookSetter(\n target: T,\n key: string | number | symbol,\n d: PropertyDescriptor,\n isRevoked?: boolean,\n win = window,\n): hookResetter {\n const original = win.Object.getOwnPropertyDescriptor(target, key);\n win.Object.defineProperty(\n target,\n key,\n isRevoked\n ? d\n : {\n set(value) {\n // put hooked setter into event loop to avoid of set latency\n setTimeout(() => {\n d.set!.call(this, value);\n }, 0);\n if (original && original.set) {\n original.set.call(this, value);\n }\n },\n },\n );\n return () => hookSetter(target, key, original || {}, true);\n}\n\n// copy from https://github.com/getsentry/sentry-javascript/blob/b2109071975af8bf0316d3b5b38f519bdaf5dc15/packages/utils/src/object.ts\nexport function patch(\n // tslint:disable-next-line:no-any\n source: { [key: string]: any },\n name: string,\n // tslint:disable-next-line:no-any\n replacement: (...args: any[]) => any,\n): () => void {\n try {\n if (!(name in source)) {\n return () => {};\n }\n\n const original = source[name] as () => unknown;\n const wrapped = replacement(original);\n\n // Make sure it's a function first, as we need to attach an empty prototype for `defineProperties` to work\n // otherwise it'll throw \"TypeError: Object.defineProperties called on non-object\"\n // tslint:disable-next-line:strict-type-predicates\n if (typeof wrapped === 'function') {\n wrapped.prototype = wrapped.prototype || {};\n Object.defineProperties(wrapped, {\n __rrweb_original__: {\n enumerable: false,\n value: original,\n },\n });\n }\n\n source[name] = wrapped;\n\n return () => {\n source[name] = original;\n };\n } catch {\n return () => {};\n // This can throw if multiple fill happens on a global object like XMLHttpRequest\n // Fixes https://github.com/getsentry/sentry-javascript/issues/2043\n }\n}\n\nexport function getWindowHeight(): number {\n return (\n window.innerHeight ||\n (document.documentElement && document.documentElement.clientHeight) ||\n (document.body && document.body.clientHeight)\n );\n}\n\nexport function getWindowWidth(): number {\n return (\n window.innerWidth ||\n (document.documentElement && document.documentElement.clientWidth) ||\n (document.body && document.body.clientWidth)\n );\n}\n\nexport function isBlocked(node: Node | null, blockClass: blockClass): boolean {\n if (!node) {\n return false;\n }\n if (node.nodeType === node.ELEMENT_NODE) {\n let needBlock = false;\n if (typeof blockClass === 'string') {\n if ((node as HTMLElement).closest !== undefined) {\n return (node as HTMLElement).closest('.' + blockClass) !== null;\n } else {\n needBlock = (node as HTMLElement).classList.contains(blockClass);\n }\n } else {\n (node as HTMLElement).classList.forEach((className) => {\n if (blockClass.test(className)) {\n needBlock = true;\n }\n });\n }\n return needBlock || isBlocked(node.parentNode, blockClass);\n }\n if (node.nodeType === node.TEXT_NODE) {\n // check parent node since text node do not have class name\n return isBlocked(node.parentNode, blockClass);\n }\n return isBlocked(node.parentNode, blockClass);\n}\n\nexport function isIgnored(n: Node | INode): boolean {\n if ('__sn' in n) {\n return (n as INode).__sn.id === IGNORED_NODE;\n }\n // The main part of the slimDOM check happens in\n // rrweb-snapshot::serializeNodeWithId\n return false;\n}\n\nexport function isAncestorRemoved(target: INode, mirror: Mirror): boolean {\n if (isShadowRoot(target)) {\n return false;\n }\n const id = mirror.getId(target);\n if (!mirror.has(id)) {\n return true;\n }\n if (\n target.parentNode &&\n target.parentNode.nodeType === target.DOCUMENT_NODE\n ) {\n return false;\n }\n // if the root is not document, it means the node is not in the DOM tree anymore\n if (!target.parentNode) {\n return true;\n }\n return isAncestorRemoved((target.parentNode as unknown) as INode, mirror);\n}\n\nexport function isTouchEvent(\n event: MouseEvent | TouchEvent,\n): event is TouchEvent {\n return Boolean((event as TouchEvent).changedTouches);\n}\n\nexport function polyfill(win = window) {\n if ('NodeList' in win && !win.NodeList.prototype.forEach) {\n win.NodeList.prototype.forEach = (Array.prototype\n .forEach as unknown) as NodeList['forEach'];\n }\n\n if ('DOMTokenList' in win && !win.DOMTokenList.prototype.forEach) {\n win.DOMTokenList.prototype.forEach = (Array.prototype\n .forEach as unknown) as DOMTokenList['forEach'];\n }\n\n // https://github.com/Financial-Times/polyfill-service/pull/183\n if (!Node.prototype.contains) {\n Node.prototype.contains = function contains(node) {\n if (!(0 in arguments)) {\n throw new TypeError('1 argument is required');\n }\n\n do {\n if (this === node) {\n return true;\n }\n // tslint:disable-next-line: no-conditional-assignment\n } while ((node = node && node.parentNode));\n\n return false;\n };\n }\n}\n\nexport type TreeNode = {\n id: number;\n mutation: addedNodeMutation;\n parent?: TreeNode;\n children: Record;\n texts: textMutation[];\n attributes: attributeMutation[];\n};\nexport class TreeIndex {\n public tree!: Record;\n\n private removeNodeMutations!: removedNodeMutation[];\n private textMutations!: textMutation[];\n private attributeMutations!: attributeMutation[];\n private indexes!: Map;\n private removeIdSet!: Set;\n private scrollMap!: Map;\n private inputMap!: Map;\n\n constructor() {\n this.reset();\n }\n\n public add(mutation: addedNodeMutation) {\n const parentTreeNode = this.indexes.get(mutation.parentId);\n const treeNode: TreeNode = {\n id: mutation.node.id,\n mutation,\n children: [],\n texts: [],\n attributes: [],\n };\n if (!parentTreeNode) {\n this.tree[treeNode.id] = treeNode;\n } else {\n treeNode.parent = parentTreeNode;\n parentTreeNode.children[treeNode.id] = treeNode;\n }\n this.indexes.set(treeNode.id, treeNode);\n }\n\n public remove(mutation: removedNodeMutation, mirror: Mirror) {\n const parentTreeNode = this.indexes.get(mutation.parentId);\n const treeNode = this.indexes.get(mutation.id);\n\n const deepRemoveFromMirror = (id: number) => {\n this.removeIdSet.add(id);\n const node = mirror.getNode(id);\n node?.childNodes.forEach((childNode) => {\n if ('__sn' in childNode) {\n deepRemoveFromMirror(((childNode as unknown) as INode).__sn.id);\n }\n });\n };\n const deepRemoveFromTreeIndex = (node: TreeNode) => {\n this.removeIdSet.add(node.id);\n Object.values(node.children).forEach((n) => deepRemoveFromTreeIndex(n));\n const _treeNode = this.indexes.get(node.id);\n if (_treeNode) {\n const _parentTreeNode = _treeNode.parent;\n if (_parentTreeNode) {\n delete _treeNode.parent;\n delete _parentTreeNode.children[_treeNode.id];\n this.indexes.delete(mutation.id);\n }\n }\n };\n\n if (!treeNode) {\n this.removeNodeMutations.push(mutation);\n deepRemoveFromMirror(mutation.id);\n } else if (!parentTreeNode) {\n delete this.tree[treeNode.id];\n this.indexes.delete(treeNode.id);\n deepRemoveFromTreeIndex(treeNode);\n } else {\n delete treeNode.parent;\n delete parentTreeNode.children[treeNode.id];\n this.indexes.delete(mutation.id);\n deepRemoveFromTreeIndex(treeNode);\n }\n }\n\n public text(mutation: textMutation) {\n const treeNode = this.indexes.get(mutation.id);\n if (treeNode) {\n treeNode.texts.push(mutation);\n } else {\n this.textMutations.push(mutation);\n }\n }\n\n public attribute(mutation: attributeMutation) {\n const treeNode = this.indexes.get(mutation.id);\n if (treeNode) {\n treeNode.attributes.push(mutation);\n } else {\n this.attributeMutations.push(mutation);\n }\n }\n\n public scroll(d: scrollData) {\n this.scrollMap.set(d.id, d);\n }\n\n public input(d: inputData) {\n this.inputMap.set(d.id, d);\n }\n\n public flush(): {\n mutationData: mutationData;\n scrollMap: TreeIndex['scrollMap'];\n inputMap: TreeIndex['inputMap'];\n } {\n const {\n tree,\n removeNodeMutations,\n textMutations,\n attributeMutations,\n } = this;\n\n const batchMutationData: mutationData = {\n source: IncrementalSource.Mutation,\n removes: removeNodeMutations,\n texts: textMutations,\n attributes: attributeMutations,\n adds: [],\n };\n\n const walk = (treeNode: TreeNode, removed: boolean) => {\n if (removed) {\n this.removeIdSet.add(treeNode.id);\n }\n batchMutationData.texts = batchMutationData.texts\n .concat(removed ? [] : treeNode.texts)\n .filter((m) => !this.removeIdSet.has(m.id));\n batchMutationData.attributes = batchMutationData.attributes\n .concat(removed ? [] : treeNode.attributes)\n .filter((m) => !this.removeIdSet.has(m.id));\n if (\n !this.removeIdSet.has(treeNode.id) &&\n !this.removeIdSet.has(treeNode.mutation.parentId) &&\n !removed\n ) {\n batchMutationData.adds.push(treeNode.mutation);\n if (treeNode.children) {\n Object.values(treeNode.children).forEach((n) => walk(n, false));\n }\n } else {\n Object.values(treeNode.children).forEach((n) => walk(n, true));\n }\n };\n\n Object.values(tree).forEach((n) => walk(n, false));\n\n for (const id of this.scrollMap.keys()) {\n if (this.removeIdSet.has(id)) {\n this.scrollMap.delete(id);\n }\n }\n for (const id of this.inputMap.keys()) {\n if (this.removeIdSet.has(id)) {\n this.inputMap.delete(id);\n }\n }\n\n const scrollMap = new Map(this.scrollMap);\n const inputMap = new Map(this.inputMap);\n\n this.reset();\n\n return {\n mutationData: batchMutationData,\n scrollMap,\n inputMap,\n };\n }\n\n private reset() {\n this.tree = [];\n this.indexes = new Map();\n this.removeNodeMutations = [];\n this.textMutations = [];\n this.attributeMutations = [];\n this.removeIdSet = new Set();\n this.scrollMap = new Map();\n this.inputMap = new Map();\n }\n\n public idRemoved(id: number): boolean {\n return this.removeIdSet.has(id);\n }\n}\n\ntype ResolveTree = {\n value: addedNodeMutation;\n children: ResolveTree[];\n parent: ResolveTree | null;\n};\n\nexport function queueToResolveTrees(queue: addedNodeMutation[]): ResolveTree[] {\n const queueNodeMap: Record = {};\n const putIntoMap = (\n m: addedNodeMutation,\n parent: ResolveTree | null,\n ): ResolveTree => {\n const nodeInTree: ResolveTree = {\n value: m,\n parent,\n children: [],\n };\n queueNodeMap[m.node.id] = nodeInTree;\n return nodeInTree;\n };\n\n const queueNodeTrees: ResolveTree[] = [];\n for (const mutation of queue) {\n const { nextId, parentId } = mutation;\n if (nextId && nextId in queueNodeMap) {\n const nextInTree = queueNodeMap[nextId];\n if (nextInTree.parent) {\n const idx = nextInTree.parent.children.indexOf(nextInTree);\n nextInTree.parent.children.splice(\n idx,\n 0,\n putIntoMap(mutation, nextInTree.parent),\n );\n } else {\n const idx = queueNodeTrees.indexOf(nextInTree);\n queueNodeTrees.splice(idx, 0, putIntoMap(mutation, null));\n }\n continue;\n }\n if (parentId in queueNodeMap) {\n const parentInTree = queueNodeMap[parentId];\n parentInTree.children.push(putIntoMap(mutation, parentInTree));\n continue;\n }\n queueNodeTrees.push(putIntoMap(mutation, null));\n }\n\n return queueNodeTrees;\n}\n\nexport function iterateResolveTree(\n tree: ResolveTree,\n cb: (mutation: addedNodeMutation) => unknown,\n) {\n cb(tree.value);\n /**\n * The resolve tree was designed to reflect the DOM layout,\n * but we need append next sibling first, so we do a reverse\n * loop here.\n */\n for (let i = tree.children.length - 1; i >= 0; i--) {\n iterateResolveTree(tree.children[i], cb);\n }\n}\n\ntype HTMLIFrameINode = HTMLIFrameElement & {\n __sn: serializedNodeWithId;\n};\nexport type AppendedIframe = {\n mutationInQueue: addedNodeMutation;\n builtNode: HTMLIFrameINode;\n};\n\nexport function isIframeINode(\n node: INode | ShadowRoot,\n): node is HTMLIFrameINode {\n if ('__sn' in node) {\n return (\n node.__sn.type === NodeType.Element && node.__sn.tagName === 'iframe'\n );\n }\n // node can be document fragment when using the virtual parent feature\n return false;\n}\n\nexport function getBaseDimension(\n node: Node,\n rootIframe: Node,\n): DocumentDimension {\n const frameElement = node.ownerDocument?.defaultView?.frameElement;\n if (!frameElement || frameElement === rootIframe) {\n return {\n x: 0,\n y: 0,\n relativeScale: 1,\n absoluteScale: 1,\n };\n }\n\n const frameDimension = frameElement.getBoundingClientRect();\n const frameBaseDimension = getBaseDimension(frameElement, rootIframe);\n // the iframe element may have a scale transform\n const relativeScale = frameDimension.height / frameElement.clientHeight;\n return {\n x:\n frameDimension.x * frameBaseDimension.relativeScale +\n frameBaseDimension.x,\n y:\n frameDimension.y * frameBaseDimension.relativeScale +\n frameBaseDimension.y,\n relativeScale,\n absoluteScale: frameBaseDimension.absoluteScale * relativeScale,\n };\n}\n\nexport function hasShadowRoot(\n n: T,\n): n is T & { shadowRoot: ShadowRoot } {\n return Boolean(((n as unknown) as Element)?.shadowRoot);\n}\n","import {\n INode,\n serializeNodeWithId,\n transformAttribute,\n IGNORED_NODE,\n isShadowRoot,\n needMaskingText,\n maskInputValue,\n} from 'rrweb-snapshot';\nimport {\n mutationRecord,\n textCursor,\n attributeCursor,\n removedNodeMutation,\n addedNodeMutation,\n Mirror,\n styleAttributeValue,\n observerParam,\n MutationBufferParam,\n Optional,\n} from '../types';\nimport {\n isBlocked,\n isAncestorRemoved,\n isIgnored,\n isIframeINode,\n hasShadowRoot,\n} from '../utils';\n\ntype DoubleLinkedListNode = {\n previous: DoubleLinkedListNode | null;\n next: DoubleLinkedListNode | null;\n value: NodeInLinkedList;\n};\ntype NodeInLinkedList = Node & {\n __ln: DoubleLinkedListNode;\n};\n\nfunction isNodeInLinkedList(n: Node | NodeInLinkedList): n is NodeInLinkedList {\n return '__ln' in n;\n}\nclass DoubleLinkedList {\n public length = 0;\n public head: DoubleLinkedListNode | null = null;\n\n public get(position: number) {\n if (position >= this.length) {\n throw new Error('Position outside of list range');\n }\n\n let current = this.head;\n for (let index = 0; index < position; index++) {\n current = current?.next || null;\n }\n return current;\n }\n\n public addNode(n: Node) {\n const node: DoubleLinkedListNode = {\n value: n as NodeInLinkedList,\n previous: null,\n next: null,\n };\n (n as NodeInLinkedList).__ln = node;\n if (n.previousSibling && isNodeInLinkedList(n.previousSibling)) {\n const current = n.previousSibling.__ln.next;\n node.next = current;\n node.previous = n.previousSibling.__ln;\n n.previousSibling.__ln.next = node;\n if (current) {\n current.previous = node;\n }\n } else if (\n n.nextSibling &&\n isNodeInLinkedList(n.nextSibling) &&\n n.nextSibling.__ln.previous\n ) {\n const current = n.nextSibling.__ln.previous;\n node.previous = current;\n node.next = n.nextSibling.__ln;\n n.nextSibling.__ln.previous = node;\n if (current) {\n current.next = node;\n }\n } else {\n if (this.head) {\n this.head.previous = node;\n }\n node.next = this.head;\n this.head = node;\n }\n this.length++;\n }\n\n public removeNode(n: NodeInLinkedList) {\n const current = n.__ln;\n if (!this.head) {\n return;\n }\n\n if (!current.previous) {\n this.head = current.next;\n if (this.head) {\n this.head.previous = null;\n }\n } else {\n current.previous.next = current.next;\n if (current.next) {\n current.next.previous = current.previous;\n }\n }\n if (n.__ln) {\n delete (n as Optional).__ln;\n }\n this.length--;\n }\n}\n\nconst moveKey = (id: number, parentId: number) => `${id}@${parentId}`;\nfunction isINode(n: Node | INode): n is INode {\n return '__sn' in n;\n}\n\n/**\n * controls behaviour of a MutationObserver\n */\nexport default class MutationBuffer {\n private frozen: boolean = false;\n private locked: boolean = false;\n\n private texts: textCursor[] = [];\n private attributes: attributeCursor[] = [];\n private removes: removedNodeMutation[] = [];\n private mapRemoves: Node[] = [];\n\n private movedMap: Record = {};\n\n /**\n * the browser MutationObserver emits multiple mutations after\n * a delay for performance reasons, making tracing added nodes hard\n * in our `processMutations` callback function.\n * For example, if we append an element el_1 into body, and then append\n * another element el_2 into el_1, these two mutations may be passed to the\n * callback function together when the two operations were done.\n * Generally we need to trace child nodes of newly added nodes, but in this\n * case if we count el_2 as el_1's child node in the first mutation record,\n * then we will count el_2 again in the second mutation record which was\n * duplicated.\n * To avoid of duplicate counting added nodes, we use a Set to store\n * added nodes and its child nodes during iterate mutation records. Then\n * collect added nodes from the Set which have no duplicate copy. But\n * this also causes newly added nodes will not be serialized with id ASAP,\n * which means all the id related calculation should be lazy too.\n */\n private addedSet = new Set();\n private movedSet = new Set();\n private droppedSet = new Set();\n\n private mutationCb: observerParam['mutationCb'];\n private blockClass: observerParam['blockClass'];\n private blockSelector: observerParam['blockSelector'];\n private unblockSelector: observerParam['unblockSelector'];\n private maskTextClass: observerParam['maskTextClass'];\n private maskTextSelector: observerParam['maskTextSelector'];\n private unmaskTextSelector: observerParam['unmaskTextSelector'];\n private maskInputSelector: observerParam['maskInputSelector'];\n private unmaskInputSelector: observerParam['unmaskInputSelector'];\n private inlineStylesheet: observerParam['inlineStylesheet'];\n private maskInputOptions: observerParam['maskInputOptions'];\n private maskTextFn: observerParam['maskTextFn'];\n private maskInputFn: observerParam['maskInputFn'];\n private recordCanvas: observerParam['recordCanvas'];\n private inlineImages: observerParam['inlineImages'];\n private slimDOMOptions: observerParam['slimDOMOptions'];\n private doc: observerParam['doc'];\n private mirror: observerParam['mirror'];\n private iframeManager: observerParam['iframeManager'];\n private shadowDomManager: observerParam['shadowDomManager'];\n private canvasManager: observerParam['canvasManager'];\n\n public init(options: MutationBufferParam) {\n ([\n 'mutationCb',\n 'blockClass',\n 'blockSelector',\n 'unblockSelector',\n 'maskTextClass',\n 'maskTextSelector',\n 'unmaskTextSelector',\n 'maskInputSelector',\n 'unmaskInputSelector',\n 'inlineStylesheet',\n 'maskInputOptions',\n 'maskTextFn',\n 'maskInputFn',\n 'recordCanvas',\n 'inlineImages',\n 'slimDOMOptions',\n 'doc',\n 'mirror',\n 'iframeManager',\n 'shadowDomManager',\n 'canvasManager',\n ] as const).forEach((key) => {\n // just a type trick, the runtime result is correct\n this[key] = options[key] as never;\n });\n }\n\n public freeze() {\n this.frozen = true;\n this.canvasManager.freeze();\n }\n\n public unfreeze() {\n this.frozen = false;\n this.canvasManager.unfreeze();\n this.emit();\n }\n\n public isFrozen() {\n return this.frozen;\n }\n\n public lock() {\n this.locked = true;\n this.canvasManager.lock();\n }\n\n public unlock() {\n this.locked = false;\n this.canvasManager.unlock();\n this.emit();\n }\n\n public reset() {\n this.shadowDomManager.reset();\n this.canvasManager.reset();\n }\n\n public processMutations = (mutations: mutationRecord[]) => {\n mutations.forEach(this.processMutation); // adds mutations to the buffer\n this.emit(); // clears buffer if not locked/frozen\n };\n\n public emit = () => {\n if (this.frozen || this.locked) {\n return;\n }\n\n // delay any modification of the mirror until this function\n // so that the mirror for takeFullSnapshot doesn't get mutated while it's event is being processed\n\n const adds: addedNodeMutation[] = [];\n\n /**\n * Sometimes child node may be pushed before its newly added\n * parent, so we init a queue to store these nodes.\n */\n const addList = new DoubleLinkedList();\n const getNextId = (n: Node): number | null => {\n let ns: Node | null = n;\n let nextId: number | null = IGNORED_NODE; // slimDOM: ignored\n while (nextId === IGNORED_NODE) {\n ns = ns && ns.nextSibling;\n nextId = ns && this.mirror.getId((ns as unknown) as INode);\n }\n return nextId;\n };\n const pushAdd = (n: Node) => {\n const shadowHost: Element | null = n.getRootNode\n ? (n.getRootNode() as ShadowRoot)?.host\n : null;\n // If n is in a nested shadow dom.\n let rootShadowHost = shadowHost;\n while ((rootShadowHost?.getRootNode?.() as ShadowRoot | undefined)?.host)\n rootShadowHost =\n (rootShadowHost?.getRootNode?.() as ShadowRoot | undefined)?.host ||\n null;\n // ensure shadowHost is a Node, or doc.contains will throw an error\n const notInDoc =\n !this.doc.contains(n) &&\n (rootShadowHost === null || !this.doc.contains(rootShadowHost));\n if (!n.parentNode || notInDoc) {\n return;\n }\n const parentId = isShadowRoot(n.parentNode)\n ? this.mirror.getId((shadowHost as unknown) as INode)\n : this.mirror.getId((n.parentNode as Node) as INode);\n const nextId = getNextId(n);\n if (parentId === -1 || nextId === -1) {\n return addList.addNode(n);\n }\n let sn = serializeNodeWithId(n, {\n doc: this.doc,\n map: this.mirror.map,\n blockClass: this.blockClass,\n blockSelector: this.blockSelector,\n unblockSelector: this.unblockSelector,\n maskTextClass: this.maskTextClass,\n maskTextSelector: this.maskTextSelector,\n unmaskTextSelector: this.unmaskTextSelector,\n maskInputSelector: this.maskInputSelector,\n unmaskInputSelector: this.unmaskInputSelector,\n skipChild: true,\n inlineStylesheet: this.inlineStylesheet,\n maskInputOptions: this.maskInputOptions,\n maskTextFn: this.maskTextFn,\n maskInputFn: this.maskInputFn,\n slimDOMOptions: this.slimDOMOptions,\n recordCanvas: this.recordCanvas,\n inlineImages: this.inlineImages,\n onSerialize: (currentN) => {\n if (isIframeINode(currentN)) {\n this.iframeManager.addIframe(currentN);\n }\n if (hasShadowRoot(n)) {\n this.shadowDomManager.addShadowRoot(n.shadowRoot, document);\n }\n },\n onIframeLoad: (iframe, childSn) => {\n this.iframeManager.attachIframe(iframe, childSn);\n this.shadowDomManager.observeAttachShadow(\n (iframe as Node) as HTMLIFrameElement,\n );\n },\n });\n if (sn) {\n adds.push({\n parentId,\n nextId,\n node: sn,\n });\n }\n };\n\n while (this.mapRemoves.length) {\n this.mirror.removeNodeFromMap(this.mapRemoves.shift() as INode);\n }\n\n for (const n of this.movedSet) {\n if (\n isParentRemoved(this.removes, n, this.mirror) &&\n !this.movedSet.has(n.parentNode!)\n ) {\n continue;\n }\n pushAdd(n);\n }\n\n for (const n of this.addedSet) {\n if (\n !isAncestorInSet(this.droppedSet, n) &&\n !isParentRemoved(this.removes, n, this.mirror)\n ) {\n pushAdd(n);\n } else if (isAncestorInSet(this.movedSet, n)) {\n pushAdd(n);\n } else {\n this.droppedSet.add(n);\n }\n }\n\n let candidate: DoubleLinkedListNode | null = null;\n while (addList.length) {\n let node: DoubleLinkedListNode | null = null;\n if (candidate) {\n const parentId = this.mirror.getId(\n (candidate.value.parentNode as Node) as INode,\n );\n const nextId = getNextId(candidate.value);\n if (parentId !== -1 && nextId !== -1) {\n node = candidate;\n }\n }\n if (!node) {\n for (let index = addList.length - 1; index >= 0; index--) {\n const _node = addList.get(index)!;\n // ensure _node is defined before attempting to find value\n if (_node) {\n const parentId = this.mirror.getId(\n (_node.value.parentNode as Node) as INode,\n );\n const nextId = getNextId(_node.value);\n if (parentId !== -1 && nextId !== -1) {\n node = _node;\n break;\n }\n }\n }\n }\n if (!node) {\n /**\n * If all nodes in queue could not find a serialized parent,\n * it may be a bug or corner case. We need to escape the\n * dead while loop at once.\n */\n while (addList.head) {\n addList.removeNode(addList.head.value);\n }\n break;\n }\n candidate = node.previous;\n addList.removeNode(node.value);\n pushAdd(node.value);\n }\n\n const payload = {\n texts: this.texts\n .map((text) => ({\n id: this.mirror.getId(text.node as INode),\n value: text.value,\n }))\n // text mutation's id was not in the mirror map means the target node has been removed\n .filter((text) => this.mirror.has(text.id)),\n attributes: this.attributes\n .map((attribute) => ({\n id: this.mirror.getId(attribute.node as INode),\n attributes: attribute.attributes,\n }))\n // attribute mutation's id was not in the mirror map means the target node has been removed\n .filter((attribute) => this.mirror.has(attribute.id)),\n removes: this.removes,\n adds,\n };\n // payload may be empty if the mutations happened in some blocked elements\n if (\n !payload.texts.length &&\n !payload.attributes.length &&\n !payload.removes.length &&\n !payload.adds.length\n ) {\n return;\n }\n\n // reset\n this.texts = [];\n this.attributes = [];\n this.removes = [];\n this.addedSet = new Set();\n this.movedSet = new Set();\n this.droppedSet = new Set();\n this.movedMap = {};\n\n this.mutationCb(payload);\n };\n\n private processMutation = (m: mutationRecord) => {\n if (isIgnored(m.target)) {\n return;\n }\n switch (m.type) {\n case 'characterData': {\n const value = m.target.textContent;\n if (!isBlocked(m.target, this.blockClass) && value !== m.oldValue) {\n this.texts.push({\n value:\n needMaskingText(\n m.target,\n this.maskTextClass,\n this.maskTextSelector,\n this.unmaskTextSelector\n ) && value\n ? this.maskTextFn\n ? this.maskTextFn(value)\n : value.replace(/[\\S]/g, '*')\n : value,\n node: m.target,\n });\n }\n break;\n }\n case 'attributes': {\n const target = m.target as HTMLElement;\n let value = (m.target as HTMLElement).getAttribute(m.attributeName!);\n if (m.attributeName === 'value') {\n value = maskInputValue({\n input: target,\n maskInputSelector: this.maskInputSelector,\n unmaskInputSelector: this.unmaskInputSelector,\n maskInputOptions: this.maskInputOptions,\n tagName: (m.target as HTMLElement).tagName,\n type: (m.target as HTMLElement).getAttribute('type'),\n value,\n maskInputFn: this.maskInputFn,\n });\n }\n if (isBlocked(m.target, this.blockClass) || value === m.oldValue) {\n return;\n }\n let item: attributeCursor | undefined = this.attributes.find(\n (a) => a.node === m.target,\n );\n if (!item) {\n item = {\n node: m.target,\n attributes: {},\n };\n this.attributes.push(item);\n }\n if (m.attributeName === 'style') {\n const old = this.doc.createElement('span');\n if (m.oldValue) {\n old.setAttribute('style', m.oldValue);\n }\n if (\n item.attributes.style === undefined ||\n item.attributes.style === null\n ) {\n item.attributes.style = {};\n }\n const styleObj = item.attributes.style as styleAttributeValue;\n for (const pname of Array.from(target.style)) {\n const newValue = target.style.getPropertyValue(pname);\n const newPriority = target.style.getPropertyPriority(pname);\n if (\n newValue !== old.style.getPropertyValue(pname) ||\n newPriority !== old.style.getPropertyPriority(pname)\n ) {\n if (newPriority === '') {\n styleObj[pname] = newValue;\n } else {\n styleObj[pname] = [newValue, newPriority];\n }\n }\n }\n for (const pname of Array.from(old.style)) {\n if (target.style.getPropertyValue(pname) === '') {\n // \"if not set, returns the empty string\"\n styleObj[pname] = false; // delete\n }\n }\n } else {\n // overwrite attribute if the mutations was triggered in same time\n item.attributes[m.attributeName!] = transformAttribute(\n this.doc,\n (m.target as HTMLElement).tagName,\n m.attributeName!,\n value!,\n );\n }\n break;\n }\n case 'childList': {\n m.addedNodes.forEach((n) => this.genAdds(n, m.target));\n m.removedNodes.forEach((n) => {\n const nodeId = this.mirror.getId(n as INode);\n const parentId = isShadowRoot(m.target)\n ? this.mirror.getId((m.target.host as unknown) as INode)\n : this.mirror.getId(m.target as INode);\n if (isBlocked(m.target, this.blockClass) || isIgnored(n)) {\n return;\n }\n // removed node has not been serialized yet, just remove it from the Set\n if (this.addedSet.has(n)) {\n deepDelete(this.addedSet, n);\n this.droppedSet.add(n);\n } else if (this.addedSet.has(m.target) && nodeId === -1) {\n /**\n * If target was newly added and removed child node was\n * not serialized, it means the child node has been removed\n * before callback fired, so we can ignore it because\n * newly added node will be serialized without child nodes.\n * TODO: verify this\n */\n } else if (isAncestorRemoved(m.target as INode, this.mirror)) {\n /**\n * If parent id was not in the mirror map any more, it\n * means the parent node has already been removed. So\n * the node is also removed which we do not need to track\n * and replay.\n */\n } else if (\n this.movedSet.has(n) &&\n this.movedMap[moveKey(nodeId, parentId)]\n ) {\n deepDelete(this.movedSet, n);\n } else {\n this.removes.push({\n parentId,\n id: nodeId,\n isShadow: isShadowRoot(m.target) ? true : undefined,\n });\n }\n this.mapRemoves.push(n);\n });\n break;\n }\n default:\n break;\n }\n };\n\n private genAdds = (n: Node | INode, target?: Node | INode) => {\n // parent was blocked, so we can ignore this node\n if (target && isBlocked(target, this.blockClass)) {\n return;\n }\n if (isINode(n)) {\n if (isIgnored(n)) {\n return;\n }\n this.movedSet.add(n);\n let targetId: number | null = null;\n if (target && isINode(target)) {\n targetId = target.__sn.id;\n }\n if (targetId) {\n this.movedMap[moveKey(n.__sn.id, targetId)] = true;\n }\n } else {\n this.addedSet.add(n);\n this.droppedSet.delete(n);\n }\n\n // if this node is blocked `serializeNode` will turn it into a placeholder element\n // but we have to remove it's children otherwise they will be added as placeholders too\n if (!isBlocked(n, this.blockClass))\n n.childNodes.forEach((childN) => this.genAdds(childN));\n };\n}\n\n/**\n * Some utils to handle the mutation observer DOM records.\n * It should be more clear to extend the native data structure\n * like Set and Map, but currently Typescript does not support\n * that.\n */\nfunction deepDelete(addsSet: Set, n: Node) {\n addsSet.delete(n);\n n.childNodes.forEach((childN) => deepDelete(addsSet, childN));\n}\n\nfunction isParentRemoved(\n removes: removedNodeMutation[],\n n: Node,\n mirror: Mirror,\n): boolean {\n const { parentNode } = n;\n if (!parentNode) {\n return false;\n }\n const parentId = mirror.getId((parentNode as Node) as INode);\n if (removes.some((r) => r.id === parentId)) {\n return true;\n }\n return isParentRemoved(removes, parentNode, mirror);\n}\n\nfunction isAncestorInSet(set: Set, n: Node): boolean {\n const { parentNode } = n;\n if (!parentNode) {\n return false;\n }\n if (set.has(parentNode)) {\n return true;\n }\n return isAncestorInSet(set, parentNode);\n}\n","import { INode, MaskInputOptions, maskInputValue } from 'rrweb-snapshot';\nimport { FontFaceSet } from 'css-font-loading-module';\nimport {\n throttle,\n on,\n hookSetter,\n getWindowHeight,\n getWindowWidth,\n isBlocked,\n isTouchEvent,\n patch,\n} from '../utils';\nimport {\n mutationCallBack,\n observerParam,\n mousemoveCallBack,\n mousePosition,\n mouseInteractionCallBack,\n MouseInteractions,\n listenerHandler,\n scrollCallback,\n styleSheetRuleCallback,\n viewportResizeCallback,\n inputValue,\n inputCallback,\n hookResetter,\n IncrementalSource,\n hooksParam,\n Arguments,\n mediaInteractionCallback,\n MediaInteractions,\n canvasMutationCallback,\n fontCallback,\n fontParam,\n styleDeclarationCallback,\n IWindow,\n MutationBufferParam,\n} from '../types';\nimport MutationBuffer from './mutation';\n\ntype WindowWithStoredMutationObserver = IWindow & {\n __rrMutationObserver?: MutationObserver;\n};\ntype WindowWithAngularZone = IWindow & {\n Zone?: {\n __symbol__?: (key: string) => string;\n };\n};\n\nexport const mutationBuffers: MutationBuffer[] = [];\n\nconst isCSSGroupingRuleSupported = typeof CSSGroupingRule !== 'undefined';\nconst isCSSMediaRuleSupported = typeof CSSMediaRule !== 'undefined';\nconst isCSSSupportsRuleSupported = typeof CSSSupportsRule !== 'undefined';\nconst isCSSConditionRuleSupported = typeof CSSConditionRule !== 'undefined';\n\n// Event.path is non-standard and used in some older browsers\ntype NonStandardEvent = Omit & {\n path: EventTarget[];\n};\n\nfunction getEventTarget(event: Event | NonStandardEvent): EventTarget | null {\n try {\n if ('composedPath' in event) {\n const path = event.composedPath();\n if (path.length) {\n return path[0];\n }\n } else if ('path' in event && event.path.length) {\n return event.path[0];\n }\n return event.target;\n } catch {\n return event.target;\n }\n}\n\nexport function initMutationObserver(\n options: MutationBufferParam,\n rootEl: Node,\n): MutationObserver {\n const mutationBuffer = new MutationBuffer();\n mutationBuffers.push(mutationBuffer);\n // see mutation.ts for details\n mutationBuffer.init(options);\n let mutationObserverCtor =\n window.MutationObserver ||\n /**\n * Some websites may disable MutationObserver by removing it from the window object.\n * If someone is using rrweb to build a browser extention or things like it, they\n * could not change the website's code but can have an opportunity to inject some\n * code before the website executing its JS logic.\n * Then they can do this to store the native MutationObserver:\n * window.__rrMutationObserver = MutationObserver\n */\n (window as WindowWithStoredMutationObserver).__rrMutationObserver;\n const angularZoneSymbol = (window as WindowWithAngularZone)?.Zone?.__symbol__?.(\n 'MutationObserver',\n );\n if (\n angularZoneSymbol &&\n ((window as unknown) as Record)[\n angularZoneSymbol\n ]\n ) {\n mutationObserverCtor = ((window as unknown) as Record<\n string,\n typeof MutationObserver\n >)[angularZoneSymbol];\n }\n const observer = new mutationObserverCtor(\n mutationBuffer.processMutations.bind(mutationBuffer),\n );\n observer.observe(rootEl, {\n attributes: true,\n attributeOldValue: true,\n characterData: true,\n characterDataOldValue: true,\n childList: true,\n subtree: true,\n });\n return observer;\n}\n\nfunction initMoveObserver({\n mousemoveCb,\n sampling,\n doc,\n mirror,\n}: observerParam): listenerHandler {\n if (sampling.mousemove === false) {\n return () => {};\n }\n\n const threshold =\n typeof sampling.mousemove === 'number' ? sampling.mousemove : 50;\n const callbackThreshold =\n typeof sampling.mousemoveCallback === 'number'\n ? sampling.mousemoveCallback\n : 500;\n\n let positions: mousePosition[] = [];\n let timeBaseline: number | null;\n const wrappedCb = throttle(\n (\n source:\n | IncrementalSource.MouseMove\n | IncrementalSource.TouchMove\n | IncrementalSource.Drag,\n ) => {\n const totalOffset = Date.now() - timeBaseline!;\n mousemoveCb(\n positions.map((p) => {\n p.timeOffset -= totalOffset;\n return p;\n }),\n source,\n );\n positions = [];\n timeBaseline = null;\n },\n callbackThreshold,\n );\n const updatePosition = throttle(\n (evt) => {\n const target = getEventTarget(evt);\n const { clientX, clientY } = isTouchEvent(evt)\n ? evt.changedTouches[0]\n : evt;\n if (!timeBaseline) {\n timeBaseline = Date.now();\n }\n positions.push({\n x: clientX,\n y: clientY,\n id: mirror.getId(target as INode),\n timeOffset: Date.now() - timeBaseline,\n });\n // it is possible DragEvent is undefined even on devices\n // that support event 'drag'\n wrappedCb(\n typeof DragEvent !== 'undefined' && evt instanceof DragEvent\n ? IncrementalSource.Drag\n : evt instanceof MouseEvent\n ? IncrementalSource.MouseMove\n : IncrementalSource.TouchMove,\n );\n },\n threshold,\n {\n trailing: false,\n },\n );\n const handlers = [\n on('mousemove', updatePosition, doc),\n on('touchmove', updatePosition, doc),\n on('drag', updatePosition, doc),\n ];\n return () => {\n handlers.forEach((h) => h());\n };\n}\n\nfunction initMouseInteractionObserver({\n mouseInteractionCb,\n doc,\n mirror,\n blockClass,\n sampling,\n}: observerParam): listenerHandler {\n if (sampling.mouseInteraction === false) {\n return () => {};\n }\n const disableMap: Record =\n sampling.mouseInteraction === true ||\n sampling.mouseInteraction === undefined\n ? {}\n : sampling.mouseInteraction;\n\n const handlers: listenerHandler[] = [];\n const getHandler = (eventKey: keyof typeof MouseInteractions) => {\n return (event: MouseEvent | TouchEvent) => {\n const target = getEventTarget(event) as Node;\n if (isBlocked(target as Node, blockClass)) {\n return;\n }\n const e = isTouchEvent(event) ? event.changedTouches[0] : event;\n if (!e) {\n return;\n }\n const id = mirror.getId(target as INode);\n const { clientX, clientY } = e;\n mouseInteractionCb({\n type: MouseInteractions[eventKey],\n id,\n x: clientX,\n y: clientY,\n });\n };\n };\n Object.keys(MouseInteractions)\n .filter(\n (key) =>\n Number.isNaN(Number(key)) &&\n !key.endsWith('_Departed') &&\n disableMap[key] !== false,\n )\n .forEach((eventKey: keyof typeof MouseInteractions) => {\n const eventName = eventKey.toLowerCase();\n const handler = getHandler(eventKey);\n handlers.push(on(eventName, handler, doc));\n });\n return () => {\n handlers.forEach((h) => h());\n };\n}\n\nexport function initScrollObserver({\n scrollCb,\n doc,\n mirror,\n blockClass,\n sampling,\n}: Pick<\n observerParam,\n 'scrollCb' | 'doc' | 'mirror' | 'blockClass' | 'sampling'\n>): listenerHandler {\n const updatePosition = throttle((evt) => {\n const target = getEventTarget(evt);\n if (!target || isBlocked(target as Node, blockClass)) {\n return;\n }\n const id = mirror.getId(target as INode);\n if (target === doc) {\n const scrollEl = (doc.scrollingElement || doc.documentElement)!;\n scrollCb({\n id,\n x: scrollEl.scrollLeft,\n y: scrollEl.scrollTop,\n });\n } else {\n scrollCb({\n id,\n x: (target as HTMLElement).scrollLeft,\n y: (target as HTMLElement).scrollTop,\n });\n }\n }, sampling.scroll || 100);\n return on('scroll', updatePosition, doc);\n}\n\nfunction initViewportResizeObserver({\n viewportResizeCb,\n}: observerParam): listenerHandler {\n let lastH = -1;\n let lastW = -1;\n const updateDimension = throttle(() => {\n const height = getWindowHeight();\n const width = getWindowWidth();\n if (lastH !== height || lastW !== width) {\n viewportResizeCb({\n width: Number(width),\n height: Number(height),\n });\n lastH = height;\n lastW = width;\n }\n }, 200);\n return on('resize', updateDimension, window);\n}\n\nfunction wrapEventWithUserTriggeredFlag(\n v: inputValue,\n enable: boolean,\n): inputValue {\n const value = { ...v };\n if (!enable) delete value.userTriggered;\n return value;\n}\n\nexport const INPUT_TAGS = ['INPUT', 'TEXTAREA', 'SELECT'];\nconst lastInputValueMap: WeakMap = new WeakMap();\nfunction initInputObserver({\n inputCb,\n doc,\n mirror,\n blockClass,\n ignoreClass,\n ignoreSelector,\n maskInputSelector,\n unmaskInputSelector,\n maskInputOptions,\n maskInputFn,\n sampling,\n userTriggeredOnInput,\n}: observerParam): listenerHandler {\n function eventHandler(event: Event) {\n let target = getEventTarget(event);\n const userTriggered = event.isTrusted;\n /**\n * If a site changes the value 'selected' of an option element, the value of its parent element, usually a select element, will be changed as well.\n * We can treat this change as a value change of the select element the current target belongs to.\n */\n if (target && (target as Element).tagName === 'OPTION')\n target = (target as Element).parentElement;\n if (\n !target ||\n !(target as Element).tagName ||\n INPUT_TAGS.indexOf((target as Element).tagName) < 0 ||\n isBlocked(target as Node, blockClass)\n ) {\n return;\n }\n const type: string | undefined = (target as HTMLInputElement).type;\n if ((target as HTMLElement).classList.contains(ignoreClass) || (ignoreSelector && (target as HTMLElement).matches(ignoreSelector))) {\n return;\n }\n let text = (target as HTMLInputElement).value;\n let isChecked = false;\n if (type === 'radio' || type === 'checkbox') {\n isChecked = (target as HTMLInputElement).checked;\n } else if (\n maskInputOptions[\n (target as Element).tagName.toLowerCase() as keyof MaskInputOptions\n ] ||\n maskInputOptions[type as keyof MaskInputOptions]\n ) {\n text = maskInputValue({\n input: (target as HTMLElement),\n maskInputOptions,\n maskInputSelector,\n unmaskInputSelector,\n tagName: (target as HTMLElement).tagName,\n type,\n value: text,\n maskInputFn,\n });\n }\n cbWithDedup(\n target,\n wrapEventWithUserTriggeredFlag(\n { text, isChecked, userTriggered },\n userTriggeredOnInput,\n ),\n );\n // if a radio was checked\n // the other radios with the same name attribute will be unchecked.\n const name: string | undefined = (target as HTMLInputElement).name;\n if (type === 'radio' && name && isChecked) {\n doc\n .querySelectorAll(`input[type=\"radio\"][name=\"${name}\"]`)\n .forEach((el) => {\n if (el !== target) {\n cbWithDedup(\n el,\n wrapEventWithUserTriggeredFlag(\n {\n text: (el as HTMLInputElement).value,\n isChecked: !isChecked,\n userTriggered: false,\n },\n userTriggeredOnInput,\n ),\n );\n }\n });\n }\n }\n function cbWithDedup(target: EventTarget, v: inputValue) {\n const lastInputValue = lastInputValueMap.get(target);\n if (\n !lastInputValue ||\n lastInputValue.text !== v.text ||\n lastInputValue.isChecked !== v.isChecked\n ) {\n lastInputValueMap.set(target, v);\n const id = mirror.getId(target as INode);\n inputCb({\n ...v,\n id,\n });\n }\n }\n const events = sampling.input === 'last' ? ['change'] : ['input', 'change'];\n const handlers: Array<\n listenerHandler | hookResetter\n > = events.map((eventName) => on(eventName, eventHandler, doc));\n const propertyDescriptor = Object.getOwnPropertyDescriptor(\n HTMLInputElement.prototype,\n 'value',\n );\n const hookProperties: Array<[HTMLElement, string]> = [\n [HTMLInputElement.prototype, 'value'],\n [HTMLInputElement.prototype, 'checked'],\n [HTMLSelectElement.prototype, 'value'],\n [HTMLTextAreaElement.prototype, 'value'],\n // Some UI library use selectedIndex to set select value\n [HTMLSelectElement.prototype, 'selectedIndex'],\n [HTMLOptionElement.prototype, 'selected'],\n ];\n if (propertyDescriptor && propertyDescriptor.set) {\n handlers.push(\n ...hookProperties.map((p) =>\n hookSetter(p[0], p[1], {\n set() {\n // mock to a normal event\n eventHandler({ target: this } as Event);\n },\n }),\n ),\n );\n }\n return () => {\n handlers.forEach((h) => h());\n };\n}\n\ntype GroupingCSSRule =\n | CSSGroupingRule\n | CSSMediaRule\n | CSSSupportsRule\n | CSSConditionRule;\ntype GroupingCSSRuleTypes =\n | typeof CSSGroupingRule\n | typeof CSSMediaRule\n | typeof CSSSupportsRule\n | typeof CSSConditionRule;\n\nfunction getNestedCSSRulePositions(rule: CSSRule): number[] {\n const positions: number[] = [];\n function recurse(childRule: CSSRule, pos: number[]) {\n if (\n (isCSSGroupingRuleSupported &&\n childRule.parentRule instanceof CSSGroupingRule) ||\n (isCSSMediaRuleSupported &&\n childRule.parentRule instanceof CSSMediaRule) ||\n (isCSSSupportsRuleSupported &&\n childRule.parentRule instanceof CSSSupportsRule) ||\n (isCSSConditionRuleSupported &&\n childRule.parentRule instanceof CSSConditionRule)\n ) {\n const rules = Array.from(\n (childRule.parentRule as GroupingCSSRule).cssRules,\n );\n const index = rules.indexOf(childRule);\n pos.unshift(index);\n } else {\n const rules = Array.from(childRule.parentStyleSheet!.cssRules);\n const index = rules.indexOf(childRule);\n pos.unshift(index);\n }\n return pos;\n }\n return recurse(rule, positions);\n}\n\nfunction initStyleSheetObserver(\n { styleSheetRuleCb, mirror }: observerParam,\n { win }: { win: IWindow },\n): listenerHandler {\n if (!win.CSSStyleSheet || !win.CSSStyleSheet.prototype) {\n // If, for whatever reason, CSSStyleSheet is not available, we skip the observation of stylesheets.\n return () => {};\n }\n\n const insertRule = win.CSSStyleSheet.prototype.insertRule;\n win.CSSStyleSheet.prototype.insertRule = function (\n rule: string,\n index?: number,\n ) {\n const id = mirror.getId(this.ownerNode as INode);\n if (id !== -1) {\n styleSheetRuleCb({\n id,\n adds: [{ rule, index }],\n });\n }\n return insertRule.apply(this, arguments);\n };\n\n const deleteRule = win.CSSStyleSheet.prototype.deleteRule;\n win.CSSStyleSheet.prototype.deleteRule = function (index: number) {\n const id = mirror.getId(this.ownerNode as INode);\n if (id !== -1) {\n styleSheetRuleCb({\n id,\n removes: [{ index }],\n });\n }\n return deleteRule.apply(this, arguments);\n };\n\n const supportedNestedCSSRuleTypes: {\n [key: string]: GroupingCSSRuleTypes;\n } = {};\n if (isCSSGroupingRuleSupported) {\n supportedNestedCSSRuleTypes.CSSGroupingRule = win.CSSGroupingRule;\n } else {\n // Some browsers (Safari) don't support CSSGroupingRule\n // https://caniuse.com/?search=cssgroupingrule\n // fall back to monkey patching classes that would have inherited from CSSGroupingRule\n\n if (isCSSMediaRuleSupported) {\n supportedNestedCSSRuleTypes.CSSMediaRule = win.CSSMediaRule;\n }\n if (isCSSConditionRuleSupported) {\n supportedNestedCSSRuleTypes.CSSConditionRule = win.CSSConditionRule;\n }\n if (isCSSSupportsRuleSupported) {\n supportedNestedCSSRuleTypes.CSSSupportsRule = win.CSSSupportsRule;\n }\n }\n\n const unmodifiedFunctions: {\n [key: string]: {\n insertRule: (rule: string, index?: number) => number;\n deleteRule: (index: number) => void;\n };\n } = {};\n\n Object.entries(supportedNestedCSSRuleTypes).forEach(([typeKey, type]) => {\n unmodifiedFunctions[typeKey] = {\n insertRule: (type as GroupingCSSRuleTypes).prototype.insertRule,\n deleteRule: (type as GroupingCSSRuleTypes).prototype.deleteRule,\n };\n\n type.prototype.insertRule = function (rule: string, index?: number) {\n const id = mirror.getId(this.parentStyleSheet.ownerNode as INode);\n if (id !== -1) {\n styleSheetRuleCb({\n id,\n adds: [\n {\n rule,\n index: [\n ...getNestedCSSRulePositions(this),\n index || 0, // defaults to 0\n ],\n },\n ],\n });\n }\n return unmodifiedFunctions[typeKey].insertRule.apply(this, arguments);\n };\n\n type.prototype.deleteRule = function (index: number) {\n const id = mirror.getId(this.parentStyleSheet.ownerNode as INode);\n if (id !== -1) {\n styleSheetRuleCb({\n id,\n removes: [{ index: [...getNestedCSSRulePositions(this), index] }],\n });\n }\n return unmodifiedFunctions[typeKey].deleteRule.apply(this, arguments);\n };\n });\n\n return () => {\n win.CSSStyleSheet.prototype.insertRule = insertRule;\n win.CSSStyleSheet.prototype.deleteRule = deleteRule;\n Object.entries(supportedNestedCSSRuleTypes).forEach(([typeKey, type]) => {\n type.prototype.insertRule = unmodifiedFunctions[typeKey].insertRule;\n type.prototype.deleteRule = unmodifiedFunctions[typeKey].deleteRule;\n });\n };\n}\n\nfunction initStyleDeclarationObserver(\n { styleDeclarationCb, mirror }: observerParam,\n { win }: { win: IWindow },\n): listenerHandler {\n const setProperty = win.CSSStyleDeclaration.prototype.setProperty;\n win.CSSStyleDeclaration.prototype.setProperty = function (\n this: CSSStyleDeclaration,\n property: string,\n value: string,\n priority: string,\n ) {\n const id = mirror.getId(\n (this.parentRule?.parentStyleSheet?.ownerNode as unknown) as INode,\n );\n if (id !== -1) {\n styleDeclarationCb({\n id,\n set: {\n property,\n value,\n priority,\n },\n index: getNestedCSSRulePositions(this.parentRule!),\n });\n }\n return setProperty.apply(this, arguments);\n };\n\n const removeProperty = win.CSSStyleDeclaration.prototype.removeProperty;\n win.CSSStyleDeclaration.prototype.removeProperty = function (\n this: CSSStyleDeclaration,\n property: string,\n ) {\n const id = mirror.getId(\n (this.parentRule?.parentStyleSheet?.ownerNode as unknown) as INode,\n );\n if (id !== -1) {\n styleDeclarationCb({\n id,\n remove: {\n property,\n },\n index: getNestedCSSRulePositions(this.parentRule!),\n });\n }\n return removeProperty.apply(this, arguments);\n };\n\n return () => {\n win.CSSStyleDeclaration.prototype.setProperty = setProperty;\n win.CSSStyleDeclaration.prototype.removeProperty = removeProperty;\n };\n}\n\nfunction initMediaInteractionObserver({\n mediaInteractionCb,\n blockClass,\n mirror,\n sampling,\n}: observerParam): listenerHandler {\n const handler = (type: MediaInteractions) =>\n throttle((event: Event) => {\n const target = getEventTarget(event);\n if (!target || isBlocked(target as Node, blockClass)) {\n return;\n }\n const { currentTime, volume, muted } = target as HTMLMediaElement;\n mediaInteractionCb({\n type,\n id: mirror.getId(target as INode),\n currentTime,\n volume,\n muted,\n });\n }, sampling.media || 500);\n const handlers = [\n on('play', handler(MediaInteractions.Play)),\n on('pause', handler(MediaInteractions.Pause)),\n on('seeked', handler(MediaInteractions.Seeked)),\n on('volumechange', handler(MediaInteractions.VolumeChange)),\n ];\n return () => {\n handlers.forEach((h) => h());\n };\n}\n\nfunction initFontObserver({ fontCb, doc }: observerParam): listenerHandler {\n const win = doc.defaultView as IWindow;\n if (!win) {\n return () => {};\n }\n\n const handlers: listenerHandler[] = [];\n\n const fontMap = new WeakMap();\n\n const originalFontFace = win.FontFace;\n win.FontFace = (function FontFace(\n family: string,\n source: string | ArrayBufferView,\n descriptors?: FontFaceDescriptors,\n ) {\n const fontFace = new originalFontFace(family, source, descriptors);\n fontMap.set(fontFace, {\n family,\n buffer: typeof source !== 'string',\n descriptors,\n fontSource:\n typeof source === 'string'\n ? source\n : // tslint:disable-next-line: no-any\n JSON.stringify(Array.from(new Uint8Array(source as any))),\n });\n return fontFace;\n } as unknown) as typeof FontFace;\n\n const restoreHandler = patch(doc.fonts, 'add', function (original) {\n return function (this: FontFaceSet, fontFace: FontFace) {\n setTimeout(() => {\n const p = fontMap.get(fontFace);\n if (p) {\n fontCb(p);\n fontMap.delete(fontFace);\n }\n }, 0);\n return original.apply(this, [fontFace]);\n };\n });\n\n handlers.push(() => {\n win.FontFace = originalFontFace;\n });\n handlers.push(restoreHandler);\n\n return () => {\n handlers.forEach((h) => h());\n };\n}\n\nfunction mergeHooks(o: observerParam, hooks: hooksParam) {\n const {\n mutationCb,\n mousemoveCb,\n mouseInteractionCb,\n scrollCb,\n viewportResizeCb,\n inputCb,\n mediaInteractionCb,\n styleSheetRuleCb,\n styleDeclarationCb,\n canvasMutationCb,\n fontCb,\n } = o;\n o.mutationCb = (...p: Arguments) => {\n if (hooks.mutation) {\n hooks.mutation(...p);\n }\n mutationCb(...p);\n };\n o.mousemoveCb = (...p: Arguments) => {\n if (hooks.mousemove) {\n hooks.mousemove(...p);\n }\n mousemoveCb(...p);\n };\n o.mouseInteractionCb = (...p: Arguments) => {\n if (hooks.mouseInteraction) {\n hooks.mouseInteraction(...p);\n }\n mouseInteractionCb(...p);\n };\n o.scrollCb = (...p: Arguments) => {\n if (hooks.scroll) {\n hooks.scroll(...p);\n }\n scrollCb(...p);\n };\n o.viewportResizeCb = (...p: Arguments) => {\n if (hooks.viewportResize) {\n hooks.viewportResize(...p);\n }\n viewportResizeCb(...p);\n };\n o.inputCb = (...p: Arguments) => {\n if (hooks.input) {\n hooks.input(...p);\n }\n inputCb(...p);\n };\n o.mediaInteractionCb = (...p: Arguments) => {\n if (hooks.mediaInteaction) {\n hooks.mediaInteaction(...p);\n }\n mediaInteractionCb(...p);\n };\n o.styleSheetRuleCb = (...p: Arguments) => {\n if (hooks.styleSheetRule) {\n hooks.styleSheetRule(...p);\n }\n styleSheetRuleCb(...p);\n };\n o.styleDeclarationCb = (...p: Arguments) => {\n if (hooks.styleDeclaration) {\n hooks.styleDeclaration(...p);\n }\n styleDeclarationCb(...p);\n };\n o.canvasMutationCb = (...p: Arguments) => {\n if (hooks.canvasMutation) {\n hooks.canvasMutation(...p);\n }\n canvasMutationCb(...p);\n };\n o.fontCb = (...p: Arguments) => {\n if (hooks.font) {\n hooks.font(...p);\n }\n fontCb(...p);\n };\n}\n\nexport function initObservers(\n o: observerParam,\n hooks: hooksParam = {},\n): listenerHandler {\n const currentWindow = o.doc.defaultView; // basically document.window\n if (!currentWindow) {\n return () => {};\n }\n\n mergeHooks(o, hooks);\n const mutationObserver = initMutationObserver(o, o.doc);\n const mousemoveHandler = initMoveObserver(o);\n const mouseInteractionHandler = initMouseInteractionObserver(o);\n const scrollHandler = initScrollObserver(o);\n const viewportResizeHandler = initViewportResizeObserver(o);\n const inputHandler = initInputObserver(o);\n const mediaInteractionHandler = initMediaInteractionObserver(o);\n\n const styleSheetObserver = initStyleSheetObserver(o, { win: currentWindow });\n const styleDeclarationObserver = initStyleDeclarationObserver(o, {\n win: currentWindow,\n });\n const fontObserver = o.collectFonts ? initFontObserver(o) : () => {};\n // plugins\n const pluginHandlers: listenerHandler[] = [];\n for (const plugin of o.plugins) {\n pluginHandlers.push(\n plugin.observer(plugin.callback, currentWindow, plugin.options),\n );\n }\n\n return () => {\n mutationBuffers.forEach((b) => b.reset());\n mutationObserver.disconnect();\n mousemoveHandler();\n mouseInteractionHandler();\n scrollHandler();\n viewportResizeHandler();\n inputHandler();\n mediaInteractionHandler();\n styleSheetObserver();\n styleDeclarationObserver();\n fontObserver();\n pluginHandlers.forEach((h) => h());\n };\n}\n","import { serializedNodeWithId, INode } from 'rrweb-snapshot';\nimport { mutationCallBack } from '../types';\n\nexport class IframeManager {\n private iframes: WeakMap = new WeakMap();\n private mutationCb: mutationCallBack;\n private loadListener?: (iframeEl: HTMLIFrameElement) => unknown;\n\n constructor(options: { mutationCb: mutationCallBack }) {\n this.mutationCb = options.mutationCb;\n }\n\n public addIframe(iframeEl: HTMLIFrameElement) {\n this.iframes.set(iframeEl, true);\n }\n\n public addLoadListener(cb: (iframeEl: HTMLIFrameElement) => unknown) {\n this.loadListener = cb;\n }\n\n public attachIframe(iframeEl: INode, childSn: serializedNodeWithId) {\n this.mutationCb({\n adds: [\n {\n parentId: iframeEl.__sn.id,\n nextId: null,\n node: childSn,\n },\n ],\n removes: [],\n texts: [],\n attributes: [],\n isAttachIframe: true,\n });\n this.loadListener?.((iframeEl as unknown) as HTMLIFrameElement);\n }\n}\n","import {\n mutationCallBack,\n Mirror,\n scrollCallback,\n MutationBufferParam,\n SamplingStrategy,\n} from '../types';\nimport { initMutationObserver, initScrollObserver } from './observer';\nimport { patch } from '../utils';\n\ntype BypassOptions = Omit<\n MutationBufferParam,\n 'doc' | 'mutationCb' | 'mirror' | 'shadowDomManager'\n> & {\n sampling: SamplingStrategy;\n};\n\nexport class ShadowDomManager {\n private mutationCb: mutationCallBack;\n private scrollCb: scrollCallback;\n private bypassOptions: BypassOptions;\n private mirror: Mirror;\n private restorePatches: (() => void)[] = [];\n\n constructor(options: {\n mutationCb: mutationCallBack;\n scrollCb: scrollCallback;\n bypassOptions: BypassOptions;\n mirror: Mirror;\n }) {\n this.mutationCb = options.mutationCb;\n this.scrollCb = options.scrollCb;\n this.bypassOptions = options.bypassOptions;\n this.mirror = options.mirror;\n\n // Patch 'attachShadow' to observe newly added shadow doms.\n const manager = this;\n this.restorePatches.push(\n patch(HTMLElement.prototype, 'attachShadow', function (original) {\n return function () {\n const shadowRoot = original.apply(this, arguments);\n if (this.shadowRoot)\n manager.addShadowRoot(this.shadowRoot, this.ownerDocument);\n return shadowRoot;\n };\n }),\n );\n }\n\n public addShadowRoot(shadowRoot: ShadowRoot, doc: Document) {\n initMutationObserver(\n {\n ...this.bypassOptions,\n doc,\n mutationCb: this.mutationCb,\n mirror: this.mirror,\n shadowDomManager: this,\n },\n shadowRoot,\n );\n initScrollObserver({\n ...this.bypassOptions,\n scrollCb: this.scrollCb,\n // https://gist.github.com/praveenpuglia/0832da687ed5a5d7a0907046c9ef1813\n // scroll is not allowed to pass the boundary, so we need to listen the shadow document\n doc: (shadowRoot as unknown) as Document,\n mirror: this.mirror,\n });\n }\n\n /**\n * Monkey patch 'attachShadow' of an IFrameElement to observe newly added shadow doms.\n */\n public observeAttachShadow(iframeElement: HTMLIFrameElement) {\n if (iframeElement.contentWindow) {\n const manager = this;\n this.restorePatches.push(\n patch(\n (iframeElement.contentWindow as Window & {\n HTMLElement: { prototype: HTMLElement };\n }).HTMLElement.prototype,\n 'attachShadow',\n function (original) {\n return function () {\n const shadowRoot = original.apply(this, arguments);\n if (this.shadowRoot)\n manager.addShadowRoot(\n this.shadowRoot,\n iframeElement.contentDocument as Document,\n );\n return shadowRoot;\n };\n },\n ),\n );\n }\n }\n\n public reset() {\n this.restorePatches.forEach((restorePatch) => restorePatch());\n }\n}\n","/*\n * base64-arraybuffer 1.0.1 \n * Copyright (c) 2021 Niklas von Hertzen \n * Released under MIT License\n */\nvar chars = 'ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/';\n// Use a lookup table to find the index.\nvar lookup = typeof Uint8Array === 'undefined' ? [] : new Uint8Array(256);\nfor (var i = 0; i < chars.length; i++) {\n lookup[chars.charCodeAt(i)] = i;\n}\nvar encode = function (arraybuffer) {\n var bytes = new Uint8Array(arraybuffer), i, len = bytes.length, base64 = '';\n for (i = 0; i < len; i += 3) {\n base64 += chars[bytes[i] >> 2];\n base64 += chars[((bytes[i] & 3) << 4) | (bytes[i + 1] >> 4)];\n base64 += chars[((bytes[i + 1] & 15) << 2) | (bytes[i + 2] >> 6)];\n base64 += chars[bytes[i + 2] & 63];\n }\n if (len % 3 === 2) {\n base64 = base64.substring(0, base64.length - 1) + '=';\n }\n else if (len % 3 === 1) {\n base64 = base64.substring(0, base64.length - 2) + '==';\n }\n return base64;\n};\nvar decode = function (base64) {\n var bufferLength = base64.length * 0.75, len = base64.length, i, p = 0, encoded1, encoded2, encoded3, encoded4;\n if (base64[base64.length - 1] === '=') {\n bufferLength--;\n if (base64[base64.length - 2] === '=') {\n bufferLength--;\n }\n }\n var arraybuffer = new ArrayBuffer(bufferLength), bytes = new Uint8Array(arraybuffer);\n for (i = 0; i < len; i += 4) {\n encoded1 = lookup[base64.charCodeAt(i)];\n encoded2 = lookup[base64.charCodeAt(i + 1)];\n encoded3 = lookup[base64.charCodeAt(i + 2)];\n encoded4 = lookup[base64.charCodeAt(i + 3)];\n bytes[p++] = (encoded1 << 2) | (encoded2 >> 4);\n bytes[p++] = ((encoded2 & 15) << 4) | (encoded3 >> 2);\n bytes[p++] = ((encoded3 & 3) << 6) | (encoded4 & 63);\n }\n return arraybuffer;\n};\n\nexport { decode, encode };\n//# sourceMappingURL=base64-arraybuffer.es5.js.map\n","import { encode } from 'base64-arraybuffer';\nimport { IWindow, SerializedWebGlArg } from '../../../types';\n\n// TODO: unify with `replay/webgl.ts`\ntype GLVarMap = Map;\nconst webGLVarMap: Map<\n WebGLRenderingContext | WebGL2RenderingContext,\n GLVarMap\n> = new Map();\nexport function variableListFor(\n ctx: WebGLRenderingContext | WebGL2RenderingContext,\n ctor: string,\n) {\n let contextMap = webGLVarMap.get(ctx);\n if (!contextMap) {\n contextMap = new Map();\n webGLVarMap.set(ctx, contextMap);\n }\n if (!contextMap.has(ctor)) {\n contextMap.set(ctor, []);\n }\n return contextMap.get(ctor) as any[];\n}\n\nexport const saveWebGLVar = (\n value: any,\n win: IWindow,\n ctx: WebGL2RenderingContext | WebGLRenderingContext,\n): number | void => {\n if (\n !value ||\n !(isInstanceOfWebGLObject(value, win) || typeof value === 'object')\n )\n return;\n\n const name = value.constructor.name;\n const list = variableListFor(ctx, name);\n let index = list.indexOf(value);\n\n if (index === -1) {\n index = list.length;\n list.push(value);\n }\n return index;\n};\n\n// from webgl-recorder: https://github.com/evanw/webgl-recorder/blob/bef0e65596e981ee382126587e2dcbe0fc7748e2/webgl-recorder.js#L50-L77\nexport function serializeArg(\n value: any,\n win: IWindow,\n ctx: WebGL2RenderingContext | WebGLRenderingContext,\n): SerializedWebGlArg {\n if (value instanceof Array) {\n return value.map((arg) => serializeArg(arg, win, ctx));\n } else if (value === null) {\n return value;\n } else if (\n value instanceof Float32Array ||\n value instanceof Float64Array ||\n value instanceof Int32Array ||\n value instanceof Uint32Array ||\n value instanceof Uint8Array ||\n value instanceof Uint16Array ||\n value instanceof Int16Array ||\n value instanceof Int8Array ||\n value instanceof Uint8ClampedArray\n ) {\n const name = value.constructor.name;\n return {\n rr_type: name,\n args: [Object.values(value)],\n };\n } else if (\n // SharedArrayBuffer disabled on most browsers due to spectre.\n // More info: https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/SharedArrayBuffer/SharedArrayBuffer\n // value instanceof SharedArrayBuffer ||\n value instanceof ArrayBuffer\n ) {\n const name = value.constructor.name as 'ArrayBuffer';\n const base64 = encode(value);\n\n return {\n rr_type: name,\n base64,\n };\n } else if (value instanceof DataView) {\n const name = value.constructor.name;\n return {\n rr_type: name,\n args: [\n serializeArg(value.buffer, win, ctx),\n value.byteOffset,\n value.byteLength,\n ],\n };\n } else if (value instanceof HTMLImageElement) {\n const name = value.constructor.name;\n const { src } = value;\n return {\n rr_type: name,\n src,\n };\n } else if (value instanceof ImageData) {\n const name = value.constructor.name;\n return {\n rr_type: name,\n args: [serializeArg(value.data, win, ctx), value.width, value.height],\n };\n } else if (isInstanceOfWebGLObject(value, win) || typeof value === 'object') {\n const name = value.constructor.name;\n const index = saveWebGLVar(value, win, ctx) as number;\n\n return {\n rr_type: name,\n index: index,\n };\n }\n\n return value;\n}\n\nexport const serializeArgs = (\n args: Array,\n win: IWindow,\n ctx: WebGLRenderingContext | WebGL2RenderingContext,\n) => {\n return [...args].map((arg) => serializeArg(arg, win, ctx));\n};\n\nexport const isInstanceOfWebGLObject = (\n value: any,\n win: IWindow,\n): value is\n | WebGLActiveInfo\n | WebGLBuffer\n | WebGLFramebuffer\n | WebGLProgram\n | WebGLRenderbuffer\n | WebGLShader\n | WebGLShaderPrecisionFormat\n | WebGLTexture\n | WebGLUniformLocation\n | WebGLVertexArrayObject => {\n const webGLConstructorNames: string[] = [\n 'WebGLActiveInfo',\n 'WebGLBuffer',\n 'WebGLFramebuffer',\n 'WebGLProgram',\n 'WebGLRenderbuffer',\n 'WebGLShader',\n 'WebGLShaderPrecisionFormat',\n 'WebGLTexture',\n 'WebGLUniformLocation',\n 'WebGLVertexArrayObject',\n // In old Chrome versions, value won't be an instanceof WebGLVertexArrayObject.\n 'WebGLVertexArrayObjectOES',\n ];\n const supportedWebGLConstructorNames = webGLConstructorNames.filter(\n (name: string) => typeof win[name as keyof Window] === 'function',\n );\n return Boolean(\n supportedWebGLConstructorNames.find(\n (name: string) => value instanceof win[name as keyof Window],\n ),\n );\n};\n","import { INode } from 'rrweb-snapshot';\nimport {\n blockClass,\n CanvasContext,\n canvasManagerMutationCallback,\n canvasMutationWithType,\n IWindow,\n listenerHandler,\n Mirror,\n} from '../../../types';\nimport { hookSetter, isBlocked, patch } from '../../../utils';\nimport { saveWebGLVar, serializeArgs } from './serialize-args';\n\nfunction patchGLPrototype(\n prototype: WebGLRenderingContext | WebGL2RenderingContext,\n type: CanvasContext,\n cb: canvasManagerMutationCallback,\n blockClass: blockClass,\n mirror: Mirror,\n win: IWindow,\n): listenerHandler[] {\n const handlers: listenerHandler[] = [];\n\n const props = Object.getOwnPropertyNames(prototype);\n\n for (const prop of props) {\n try {\n if (typeof prototype[prop as keyof typeof prototype] !== 'function') {\n continue;\n }\n const restoreHandler = patch(prototype, prop, function (original) {\n return function (this: typeof prototype, ...args: Array) {\n const result = original.apply(this, args);\n saveWebGLVar(result, win, prototype);\n if (!isBlocked((this.canvas as unknown) as INode, blockClass)) {\n const id = mirror.getId((this.canvas as unknown) as INode);\n\n const recordArgs = serializeArgs([...args], win, prototype);\n const mutation: canvasMutationWithType = {\n type,\n property: prop,\n args: recordArgs,\n };\n // TODO: this could potentially also be an OffscreenCanvas as well as HTMLCanvasElement\n cb(this.canvas as HTMLCanvasElement, mutation);\n }\n\n return result;\n };\n });\n handlers.push(restoreHandler);\n } catch {\n const hookHandler = hookSetter(prototype, prop, {\n set(v) {\n // TODO: this could potentially also be an OffscreenCanvas as well as HTMLCanvasElement\n cb(this.canvas as HTMLCanvasElement, {\n type,\n property: prop,\n args: [v],\n setter: true,\n });\n },\n });\n handlers.push(hookHandler);\n }\n }\n\n return handlers;\n}\n\nexport default function initCanvasWebGLMutationObserver(\n cb: canvasManagerMutationCallback,\n win: IWindow,\n blockClass: blockClass,\n mirror: Mirror,\n): listenerHandler {\n const handlers: listenerHandler[] = [];\n\n handlers.push(\n ...patchGLPrototype(\n win.WebGLRenderingContext.prototype,\n CanvasContext.WebGL,\n cb,\n blockClass,\n mirror,\n win,\n ),\n );\n\n if (typeof win.WebGL2RenderingContext !== 'undefined') {\n handlers.push(\n ...patchGLPrototype(\n win.WebGL2RenderingContext.prototype,\n CanvasContext.WebGL2,\n cb,\n blockClass,\n mirror,\n win,\n ),\n );\n }\n\n return () => {\n handlers.forEach((h) => h());\n };\n}\n","import { INode } from 'rrweb-snapshot';\nimport {\n blockClass,\n canvasManagerMutationCallback,\n canvasMutationCallback,\n canvasMutationCommand,\n canvasMutationWithType,\n IWindow,\n listenerHandler,\n Mirror,\n} from '../../../types';\nimport initCanvas2DMutationObserver from './2d';\nimport initCanvasContextObserver from './canvas';\nimport initCanvasWebGLMutationObserver from './webgl';\n\nexport type RafStamps = { latestId: number; invokeId: number | null };\n\ntype pendingCanvasMutationsMap = Map<\n HTMLCanvasElement,\n canvasMutationWithType[]\n>;\n\nexport class CanvasManager {\n private pendingCanvasMutations: pendingCanvasMutationsMap = new Map();\n private rafStamps: RafStamps = { latestId: 0, invokeId: null };\n private mirror: Mirror;\n\n private mutationCb: canvasMutationCallback;\n private resetObservers?: listenerHandler;\n private frozen: boolean = false;\n private locked: boolean = false;\n\n public reset() {\n this.pendingCanvasMutations.clear();\n this.resetObservers && this.resetObservers();\n }\n\n public freeze() {\n this.frozen = true;\n }\n\n public unfreeze() {\n this.frozen = false;\n }\n\n public lock() {\n this.locked = true;\n }\n\n public unlock() {\n this.locked = false;\n }\n\n constructor(options: {\n recordCanvas: boolean | number;\n mutationCb: canvasMutationCallback;\n win: IWindow;\n blockClass: blockClass;\n mirror: Mirror;\n }) {\n this.mutationCb = options.mutationCb;\n this.mirror = options.mirror;\n\n if (options.recordCanvas === true)\n this.initCanvasMutationObserver(options.win, options.blockClass);\n }\n\n private processMutation: canvasManagerMutationCallback = function (\n target,\n mutation,\n ) {\n const newFrame =\n this.rafStamps.invokeId &&\n this.rafStamps.latestId !== this.rafStamps.invokeId;\n if (newFrame || !this.rafStamps.invokeId)\n this.rafStamps.invokeId = this.rafStamps.latestId;\n\n if (!this.pendingCanvasMutations.has(target)) {\n this.pendingCanvasMutations.set(target, []);\n }\n\n this.pendingCanvasMutations.get(target)!.push(mutation);\n };\n\n private initCanvasMutationObserver(\n win: IWindow,\n blockClass: blockClass,\n ): void {\n this.startRAFTimestamping();\n this.startPendingCanvasMutationFlusher();\n\n const canvasContextReset = initCanvasContextObserver(win, blockClass);\n const canvas2DReset = initCanvas2DMutationObserver(\n this.processMutation.bind(this),\n win,\n blockClass,\n this.mirror,\n );\n\n const canvasWebGL1and2Reset = initCanvasWebGLMutationObserver(\n this.processMutation.bind(this),\n win,\n blockClass,\n this.mirror,\n );\n\n this.resetObservers = () => {\n canvasContextReset();\n canvas2DReset();\n canvasWebGL1and2Reset();\n };\n }\n\n private startPendingCanvasMutationFlusher() {\n requestAnimationFrame(() => this.flushPendingCanvasMutations());\n }\n\n private startRAFTimestamping() {\n const setLatestRAFTimestamp = (timestamp: DOMHighResTimeStamp) => {\n this.rafStamps.latestId = timestamp;\n requestAnimationFrame(setLatestRAFTimestamp);\n };\n requestAnimationFrame(setLatestRAFTimestamp);\n }\n\n flushPendingCanvasMutations() {\n this.pendingCanvasMutations.forEach(\n (values: canvasMutationCommand[], canvas: HTMLCanvasElement) => {\n const id = this.mirror.getId((canvas as unknown) as INode);\n this.flushPendingCanvasMutationFor(canvas, id);\n },\n );\n requestAnimationFrame(() => this.flushPendingCanvasMutations());\n }\n\n flushPendingCanvasMutationFor(canvas: HTMLCanvasElement, id: number) {\n if (this.frozen || this.locked) {\n return;\n }\n\n const valuesWithType = this.pendingCanvasMutations.get(canvas);\n if (!valuesWithType || id === -1) return;\n\n const values = valuesWithType.map((value) => {\n const { type, ...rest } = value;\n return rest;\n });\n const { type } = valuesWithType[0];\n\n this.mutationCb({ id, type, commands: values });\n\n this.pendingCanvasMutations.delete(canvas);\n }\n}\n","import { snapshot, MaskInputOptions, SlimDOMOptions } from 'rrweb-snapshot';\nimport { initObservers, mutationBuffers } from './observer';\nimport {\n on,\n getWindowWidth,\n getWindowHeight,\n polyfill,\n isIframeINode,\n hasShadowRoot,\n createMirror,\n} from '../utils';\nimport {\n EventType,\n event,\n eventWithTime,\n recordOptions,\n IncrementalSource,\n listenerHandler,\n mutationCallbackParam,\n scrollCallback,\n canvasMutationParam,\n} from '../types';\nimport { IframeManager } from './iframe-manager';\nimport { ShadowDomManager } from './shadow-dom-manager';\nimport { CanvasManager } from './observers/canvas/canvas-manager';\n\nfunction wrapEvent(e: event): eventWithTime {\n return {\n ...e,\n timestamp: Date.now(),\n };\n}\n\nlet wrappedEmit!: (e: eventWithTime, isCheckout?: boolean) => void;\n\nlet takeFullSnapshot!: (isCheckout?: boolean) => void;\n\nconst mirror = createMirror();\nfunction record(\n options: recordOptions = {},\n): listenerHandler | undefined {\n const {\n emit,\n checkoutEveryNms,\n checkoutEveryNth,\n blockClass = 'rr-block',\n blockSelector = null,\n unblockSelector = null,\n ignoreClass = 'rr-ignore',\n ignoreSelector =null,\n maskTextClass = 'rr-mask',\n maskTextSelector = null,\n maskInputSelector = null,\n unmaskTextSelector = null,\n unmaskInputSelector = null,\n inlineStylesheet = true,\n maskAllInputs,\n maskInputOptions: _maskInputOptions,\n slimDOMOptions: _slimDOMOptions,\n maskInputFn,\n maskTextFn,\n hooks,\n packFn,\n sampling = {},\n mousemoveWait,\n recordCanvas = false,\n userTriggeredOnInput = false,\n collectFonts = false,\n inlineImages = false,\n plugins,\n keepIframeSrcFn = () => false,\n } = options;\n // runtime checks for user options\n if (!emit) {\n throw new Error('emit function is required');\n }\n // move departed options to new options\n if (mousemoveWait !== undefined && sampling.mousemove === undefined) {\n sampling.mousemove = mousemoveWait;\n }\n\n const maskInputOptions: MaskInputOptions =\n maskAllInputs === true\n ? {\n color: true,\n date: true,\n 'datetime-local': true,\n email: true,\n month: true,\n number: true,\n range: true,\n search: true,\n tel: true,\n text: true,\n time: true,\n url: true,\n week: true,\n textarea: true,\n select: true,\n password: true,\n }\n : _maskInputOptions !== undefined\n ? _maskInputOptions\n : { password: true };\n\n const slimDOMOptions: SlimDOMOptions =\n _slimDOMOptions === true || _slimDOMOptions === 'all'\n ? {\n script: true,\n comment: true,\n headFavicon: true,\n headWhitespace: true,\n headMetaSocial: true,\n headMetaRobots: true,\n headMetaHttpEquiv: true,\n headMetaVerification: true,\n // the following are off for slimDOMOptions === true,\n // as they destroy some (hidden) info:\n headMetaAuthorship: _slimDOMOptions === 'all',\n headMetaDescKeywords: _slimDOMOptions === 'all',\n }\n : _slimDOMOptions\n ? _slimDOMOptions\n : {};\n\n polyfill();\n\n let lastFullSnapshotEvent: eventWithTime;\n let incrementalSnapshotCount = 0;\n const eventProcessor = (e: eventWithTime): T => {\n for (const plugin of plugins || []) {\n if (plugin.eventProcessor) {\n e = plugin.eventProcessor(e);\n }\n }\n if (packFn) {\n e = (packFn(e) as unknown) as eventWithTime;\n }\n return (e as unknown) as T;\n };\n wrappedEmit = (e: eventWithTime, isCheckout?: boolean) => {\n if (\n mutationBuffers[0]?.isFrozen() &&\n e.type !== EventType.FullSnapshot &&\n !(\n e.type === EventType.IncrementalSnapshot &&\n e.data.source === IncrementalSource.Mutation\n )\n ) {\n // we've got a user initiated event so first we need to apply\n // all DOM changes that have been buffering during paused state\n mutationBuffers.forEach((buf) => buf.unfreeze());\n }\n\n emit(eventProcessor(e), isCheckout);\n if (e.type === EventType.FullSnapshot) {\n lastFullSnapshotEvent = e;\n incrementalSnapshotCount = 0;\n } else if (e.type === EventType.IncrementalSnapshot) {\n // attach iframe should be considered as full snapshot\n if (\n e.data.source === IncrementalSource.Mutation &&\n e.data.isAttachIframe\n ) {\n return;\n }\n\n incrementalSnapshotCount++;\n const exceedCount =\n checkoutEveryNth && incrementalSnapshotCount >= checkoutEveryNth;\n const exceedTime =\n checkoutEveryNms &&\n e.timestamp - lastFullSnapshotEvent.timestamp > checkoutEveryNms;\n if (exceedCount || exceedTime) {\n takeFullSnapshot(true);\n }\n }\n };\n\n const wrappedMutationEmit = (m: mutationCallbackParam) => {\n wrappedEmit(\n wrapEvent({\n type: EventType.IncrementalSnapshot,\n data: {\n source: IncrementalSource.Mutation,\n ...m,\n },\n }),\n );\n };\n const wrappedScrollEmit: scrollCallback = (p) =>\n wrappedEmit(\n wrapEvent({\n type: EventType.IncrementalSnapshot,\n data: {\n source: IncrementalSource.Scroll,\n ...p,\n },\n }),\n );\n const wrappedCanvasMutationEmit = (p: canvasMutationParam) =>\n wrappedEmit(\n wrapEvent({\n type: EventType.IncrementalSnapshot,\n data: {\n source: IncrementalSource.CanvasMutation,\n ...p,\n },\n }),\n );\n\n const iframeManager = new IframeManager({\n mutationCb: wrappedMutationEmit,\n });\n\n const canvasManager = new CanvasManager({\n recordCanvas,\n mutationCb: wrappedCanvasMutationEmit,\n win: window,\n blockClass,\n mirror,\n });\n\n const shadowDomManager = new ShadowDomManager({\n mutationCb: wrappedMutationEmit,\n scrollCb: wrappedScrollEmit,\n bypassOptions: {\n blockClass,\n blockSelector,\n unblockSelector,\n maskTextClass,\n maskTextSelector,\n unmaskTextSelector,\n maskInputSelector,\n unmaskInputSelector,\n inlineStylesheet,\n maskInputOptions,\n maskTextFn,\n maskInputFn,\n recordCanvas,\n inlineImages,\n sampling,\n slimDOMOptions,\n iframeManager,\n canvasManager,\n },\n mirror,\n });\n\n takeFullSnapshot = (isCheckout = false) => {\n wrappedEmit(\n wrapEvent({\n type: EventType.Meta,\n data: {\n href: window.location.href,\n width: getWindowWidth(),\n height: getWindowHeight(),\n },\n }),\n isCheckout,\n );\n\n mutationBuffers.forEach((buf) => buf.lock()); // don't allow any mirror modifications during snapshotting\n const [node, idNodeMap] = snapshot(document, {\n blockClass,\n blockSelector,\n unblockSelector,\n maskTextClass,\n maskTextSelector,\n unmaskTextSelector,\n maskInputSelector,\n unmaskInputSelector,\n inlineStylesheet,\n maskAllInputs: maskInputOptions,\n maskTextFn,\n slimDOM: slimDOMOptions,\n recordCanvas,\n inlineImages,\n onSerialize: (n) => {\n if (isIframeINode(n)) {\n iframeManager.addIframe(n);\n }\n if (hasShadowRoot(n)) {\n shadowDomManager.addShadowRoot(n.shadowRoot, document);\n }\n },\n onIframeLoad: (iframe, childSn) => {\n iframeManager.attachIframe(iframe, childSn);\n shadowDomManager.observeAttachShadow(\n (iframe as Node) as HTMLIFrameElement,\n );\n },\n keepIframeSrcFn,\n });\n\n if (!node) {\n return console.warn('Failed to snapshot the document');\n }\n\n mirror.map = idNodeMap;\n wrappedEmit(\n wrapEvent({\n type: EventType.FullSnapshot,\n data: {\n node,\n initialOffset: {\n left:\n window.pageXOffset !== undefined\n ? window.pageXOffset\n : document?.documentElement.scrollLeft ||\n document?.body?.parentElement?.scrollLeft ||\n document?.body.scrollLeft ||\n 0,\n top:\n window.pageYOffset !== undefined\n ? window.pageYOffset\n : document?.documentElement.scrollTop ||\n document?.body?.parentElement?.scrollTop ||\n document?.body.scrollTop ||\n 0,\n },\n },\n }),\n );\n mutationBuffers.forEach((buf) => buf.unlock()); // generate & emit any mutations that happened during snapshotting, as can now apply against the newly built mirror\n };\n\n try {\n const handlers: listenerHandler[] = [];\n handlers.push(\n on('DOMContentLoaded', () => {\n wrappedEmit(\n wrapEvent({\n type: EventType.DomContentLoaded,\n data: {},\n }),\n );\n }),\n );\n\n const observe = (doc: Document) => {\n return initObservers(\n {\n mutationCb: wrappedMutationEmit,\n mousemoveCb: (positions, source) =>\n wrappedEmit(\n wrapEvent({\n type: EventType.IncrementalSnapshot,\n data: {\n source,\n positions,\n },\n }),\n ),\n mouseInteractionCb: (d) =>\n wrappedEmit(\n wrapEvent({\n type: EventType.IncrementalSnapshot,\n data: {\n source: IncrementalSource.MouseInteraction,\n ...d,\n },\n }),\n ),\n scrollCb: wrappedScrollEmit,\n viewportResizeCb: (d) =>\n wrappedEmit(\n wrapEvent({\n type: EventType.IncrementalSnapshot,\n data: {\n source: IncrementalSource.ViewportResize,\n ...d,\n },\n }),\n ),\n inputCb: (v) =>\n wrappedEmit(\n wrapEvent({\n type: EventType.IncrementalSnapshot,\n data: {\n source: IncrementalSource.Input,\n ...v,\n },\n }),\n ),\n mediaInteractionCb: (p) =>\n wrappedEmit(\n wrapEvent({\n type: EventType.IncrementalSnapshot,\n data: {\n source: IncrementalSource.MediaInteraction,\n ...p,\n },\n }),\n ),\n styleSheetRuleCb: (r) =>\n wrappedEmit(\n wrapEvent({\n type: EventType.IncrementalSnapshot,\n data: {\n source: IncrementalSource.StyleSheetRule,\n ...r,\n },\n }),\n ),\n styleDeclarationCb: (r) =>\n wrappedEmit(\n wrapEvent({\n type: EventType.IncrementalSnapshot,\n data: {\n source: IncrementalSource.StyleDeclaration,\n ...r,\n },\n }),\n ),\n canvasMutationCb: wrappedCanvasMutationEmit,\n fontCb: (p) =>\n wrappedEmit(\n wrapEvent({\n type: EventType.IncrementalSnapshot,\n data: {\n source: IncrementalSource.Font,\n ...p,\n },\n }),\n ),\n blockClass,\n ignoreClass,\n ignoreSelector,\n maskTextClass,\n maskTextSelector,\n unmaskTextSelector,\n maskInputSelector,\n unmaskInputSelector,\n maskInputOptions,\n inlineStylesheet,\n sampling,\n recordCanvas,\n inlineImages,\n userTriggeredOnInput,\n collectFonts,\n doc,\n maskInputFn,\n maskTextFn,\n blockSelector,\n unblockSelector,\n slimDOMOptions,\n mirror,\n iframeManager,\n shadowDomManager,\n canvasManager,\n plugins:\n plugins\n ?.filter((p) => p.observer)\n ?.map((p) => ({\n observer: p.observer!,\n options: p.options,\n callback: (payload: object) =>\n wrappedEmit(\n wrapEvent({\n type: EventType.Plugin,\n data: {\n plugin: p.name,\n payload,\n },\n }),\n ),\n })) || [],\n },\n hooks,\n );\n };\n\n iframeManager.addLoadListener((iframeEl) => {\n try {\n handlers.push(observe(iframeEl.contentDocument!));\n } catch (error) {\n // TODO: handle internal error\n console.warn(error);\n }\n });\n\n const init = () => {\n takeFullSnapshot();\n handlers.push(observe(document));\n };\n if (\n document.readyState === 'interactive' ||\n document.readyState === 'complete'\n ) {\n init();\n } else {\n handlers.push(\n on(\n 'load',\n () => {\n wrappedEmit(\n wrapEvent({\n type: EventType.Load,\n data: {},\n }),\n );\n init();\n },\n window,\n ),\n );\n }\n return () => {\n handlers.forEach((h) => h());\n };\n } catch (error) {\n // TODO: handle internal error\n console.warn(error);\n }\n}\n\nrecord.addCustomEvent = (tag: string, payload: T) => {\n if (!wrappedEmit) {\n throw new Error('please add custom event after start recording');\n }\n wrappedEmit(\n wrapEvent({\n type: EventType.Custom,\n data: {\n tag,\n payload,\n },\n }),\n );\n};\n\nrecord.freezePage = () => {\n mutationBuffers.forEach((buf) => buf.freeze());\n};\n\nrecord.takeFullSnapshot = (isCheckout?: boolean) => {\n if (!takeFullSnapshot) {\n throw new Error('please take full snapshot after start recording');\n }\n takeFullSnapshot(isCheckout);\n};\n\nrecord.mirror = mirror;\n\nexport default record;\n","import { INode, ICanvas } from 'rrweb-snapshot';\nimport { blockClass, IWindow, listenerHandler } from '../../../types';\nimport { isBlocked, patch } from '../../../utils';\n\nexport default function initCanvasContextObserver(\n win: IWindow,\n blockClass: blockClass,\n): listenerHandler {\n const handlers: listenerHandler[] = [];\n try {\n const restoreHandler = patch(\n win.HTMLCanvasElement.prototype,\n 'getContext',\n function (original) {\n return function (\n this: ICanvas,\n contextType: string,\n ...args: Array\n ) {\n if (!isBlocked((this as unknown) as INode, blockClass)) {\n if (!('__context' in this))\n (this as ICanvas).__context = contextType;\n }\n return original.apply(this, [contextType, ...args]);\n };\n },\n );\n handlers.push(restoreHandler);\n } catch {\n console.error('failed to patch HTMLCanvasElement.prototype.getContext');\n }\n return () => {\n handlers.forEach((h) => h());\n };\n}\n","import { INode } from 'rrweb-snapshot';\nimport {\n blockClass,\n CanvasContext,\n canvasManagerMutationCallback,\n IWindow,\n listenerHandler,\n Mirror,\n} from '../../../types';\nimport { hookSetter, isBlocked, patch } from '../../../utils';\n\nexport default function initCanvas2DMutationObserver(\n cb: canvasManagerMutationCallback,\n win: IWindow,\n blockClass: blockClass,\n mirror: Mirror,\n): listenerHandler {\n const handlers: listenerHandler[] = [];\n const props2D = Object.getOwnPropertyNames(\n win.CanvasRenderingContext2D.prototype,\n );\n for (const prop of props2D) {\n try {\n if (\n typeof win.CanvasRenderingContext2D.prototype[\n prop as keyof CanvasRenderingContext2D\n ] !== 'function'\n ) {\n continue;\n }\n const restoreHandler = patch(\n win.CanvasRenderingContext2D.prototype,\n prop,\n function (original) {\n return function (\n this: CanvasRenderingContext2D,\n ...args: Array\n ) {\n if (!isBlocked((this.canvas as unknown) as INode, blockClass)) {\n // Using setTimeout as getImageData + JSON.stringify can be heavy\n // and we'd rather not block the main thread\n setTimeout(() => {\n const recordArgs = [...args];\n if (prop === 'drawImage') {\n if (\n recordArgs[0] &&\n recordArgs[0] instanceof HTMLCanvasElement\n ) {\n const canvas = recordArgs[0];\n const ctx = canvas.getContext('2d');\n let imgd = ctx?.getImageData(\n 0,\n 0,\n canvas.width,\n canvas.height,\n );\n let pix = imgd?.data;\n recordArgs[0] = JSON.stringify(pix);\n }\n }\n cb(this.canvas, {\n type: CanvasContext['2D'],\n property: prop,\n args: recordArgs,\n });\n }, 0);\n }\n return original.apply(this, args);\n };\n },\n );\n handlers.push(restoreHandler);\n } catch {\n const hookHandler = hookSetter(\n win.CanvasRenderingContext2D.prototype,\n prop,\n {\n set(v) {\n cb(this.canvas, {\n type: CanvasContext['2D'],\n property: prop,\n args: [v],\n setter: true,\n });\n },\n },\n );\n handlers.push(hookHandler);\n }\n }\n return () => {\n handlers.forEach((h) => h());\n };\n}\n","// \n// An event handler can take an optional event argument\n// and should not return a value\n \n \n\n// An array of all currently registered event handlers for a type\n \n \n// A map of event types and their corresponding event handlers.\n \n \n \n \n\n/** Mitt: Tiny (~200b) functional event emitter / pubsub.\n * @name mitt\n * @returns {Mitt}\n */\nfunction mitt(all ) {\n\tall = all || Object.create(null);\n\n\treturn {\n\t\t/**\n\t\t * Register an event handler for the given type.\n\t\t *\n\t\t * @param {String} type\tType of event to listen for, or `\"*\"` for all events\n\t\t * @param {Function} handler Function to call in response to given event\n\t\t * @memberOf mitt\n\t\t */\n\t\ton: function on(type , handler ) {\n\t\t\t(all[type] || (all[type] = [])).push(handler);\n\t\t},\n\n\t\t/**\n\t\t * Remove an event handler for the given type.\n\t\t *\n\t\t * @param {String} type\tType of event to unregister `handler` from, or `\"*\"`\n\t\t * @param {Function} handler Handler function to remove\n\t\t * @memberOf mitt\n\t\t */\n\t\toff: function off(type , handler ) {\n\t\t\tif (all[type]) {\n\t\t\t\tall[type].splice(all[type].indexOf(handler) >>> 0, 1);\n\t\t\t}\n\t\t},\n\n\t\t/**\n\t\t * Invoke all handlers for the given type.\n\t\t * If present, `\"*\"` handlers are invoked after type-matched handlers.\n\t\t *\n\t\t * @param {String} type The event type to invoke\n\t\t * @param {Any} [evt] Any value (object is recommended and powerful), passed to each handler\n\t\t * @memberOf mitt\n\t\t */\n\t\temit: function emit(type , evt ) {\n\t\t\t(all[type] || []).slice().map(function (handler) { handler(evt); });\n\t\t\t(all['*'] || []).slice().map(function (handler) { handler(type, evt); });\n\t\t}\n\t};\n}\n\nexport default mitt;\n//# sourceMappingURL=mitt.es.js.map\n","/**\n * A fork version of https://github.com/iamdustan/smoothscroll\n * Add support of customize target window and document\n */\n\n// @ts-nocheck\n// tslint:disable\nexport function polyfill(w: Window = window, d = document) {\n // return if scroll behavior is supported and polyfill is not forced\n if (\n 'scrollBehavior' in d.documentElement.style &&\n w.__forceSmoothScrollPolyfill__ !== true\n ) {\n return;\n }\n\n // globals\n var Element = w.HTMLElement || w.Element;\n var SCROLL_TIME = 468;\n\n // object gathering original scroll methods\n var original = {\n scroll: w.scroll || w.scrollTo,\n scrollBy: w.scrollBy,\n elementScroll: Element.prototype.scroll || scrollElement,\n scrollIntoView: Element.prototype.scrollIntoView,\n };\n\n // define timing method\n var now =\n w.performance && w.performance.now\n ? w.performance.now.bind(w.performance)\n : Date.now;\n\n /**\n * indicates if a the current browser is made by Microsoft\n * @method isMicrosoftBrowser\n * @param {String} userAgent\n * @returns {Boolean}\n */\n function isMicrosoftBrowser(userAgent) {\n var userAgentPatterns = ['MSIE ', 'Trident/', 'Edge/'];\n\n return new RegExp(userAgentPatterns.join('|')).test(userAgent);\n }\n\n /*\n * IE has rounding bug rounding down clientHeight and clientWidth and\n * rounding up scrollHeight and scrollWidth causing false positives\n * on hasScrollableSpace\n */\n var ROUNDING_TOLERANCE = isMicrosoftBrowser(w.navigator.userAgent) ? 1 : 0;\n\n /**\n * changes scroll position inside an element\n * @method scrollElement\n * @param {Number} x\n * @param {Number} y\n * @returns {undefined}\n */\n function scrollElement(x, y) {\n this.scrollLeft = x;\n this.scrollTop = y;\n }\n\n /**\n * returns result of applying ease math function to a number\n * @method ease\n * @param {Number} k\n * @returns {Number}\n */\n function ease(k) {\n return 0.5 * (1 - Math.cos(Math.PI * k));\n }\n\n /**\n * indicates if a smooth behavior should be applied\n * @method shouldBailOut\n * @param {Number|Object} firstArg\n * @returns {Boolean}\n */\n function shouldBailOut(firstArg) {\n if (\n firstArg === null ||\n typeof firstArg !== 'object' ||\n firstArg.behavior === undefined ||\n firstArg.behavior === 'auto' ||\n firstArg.behavior === 'instant'\n ) {\n // first argument is not an object/null\n // or behavior is auto, instant or undefined\n return true;\n }\n\n if (typeof firstArg === 'object' && firstArg.behavior === 'smooth') {\n // first argument is an object and behavior is smooth\n return false;\n }\n\n // throw error when behavior is not supported\n throw new TypeError(\n 'behavior member of ScrollOptions ' +\n firstArg.behavior +\n ' is not a valid value for enumeration ScrollBehavior.',\n );\n }\n\n /**\n * indicates if an element has scrollable space in the provided axis\n * @method hasScrollableSpace\n * @param {Node} el\n * @param {String} axis\n * @returns {Boolean}\n */\n function hasScrollableSpace(el, axis) {\n if (axis === 'Y') {\n return el.clientHeight + ROUNDING_TOLERANCE < el.scrollHeight;\n }\n\n if (axis === 'X') {\n return el.clientWidth + ROUNDING_TOLERANCE < el.scrollWidth;\n }\n }\n\n /**\n * indicates if an element has a scrollable overflow property in the axis\n * @method canOverflow\n * @param {Node} el\n * @param {String} axis\n * @returns {Boolean}\n */\n function canOverflow(el, axis) {\n var overflowValue = w.getComputedStyle(el, null)['overflow' + axis];\n\n return overflowValue === 'auto' || overflowValue === 'scroll';\n }\n\n /**\n * indicates if an element can be scrolled in either axis\n * @method isScrollable\n * @param {Node} el\n * @param {String} axis\n * @returns {Boolean}\n */\n function isScrollable(el) {\n var isScrollableY = hasScrollableSpace(el, 'Y') && canOverflow(el, 'Y');\n var isScrollableX = hasScrollableSpace(el, 'X') && canOverflow(el, 'X');\n\n return isScrollableY || isScrollableX;\n }\n\n /**\n * finds scrollable parent of an element\n * @method findScrollableParent\n * @param {Node} el\n * @returns {Node} el\n */\n function findScrollableParent(el) {\n while (el !== d.body && isScrollable(el) === false) {\n el = el.parentNode || el.host;\n }\n\n return el;\n }\n\n /**\n * self invoked function that, given a context, steps through scrolling\n * @method step\n * @param {Object} context\n * @returns {undefined}\n */\n function step(context) {\n var time = now();\n var value;\n var currentX;\n var currentY;\n var elapsed = (time - context.startTime) / SCROLL_TIME;\n\n // avoid elapsed times higher than one\n elapsed = elapsed > 1 ? 1 : elapsed;\n\n // apply easing to elapsed time\n value = ease(elapsed);\n\n currentX = context.startX + (context.x - context.startX) * value;\n currentY = context.startY + (context.y - context.startY) * value;\n\n context.method.call(context.scrollable, currentX, currentY);\n\n // scroll more if we have not reached our destination\n if (currentX !== context.x || currentY !== context.y) {\n w.requestAnimationFrame(step.bind(w, context));\n }\n }\n\n /**\n * scrolls window or element with a smooth behavior\n * @method smoothScroll\n * @param {Object|Node} el\n * @param {Number} x\n * @param {Number} y\n * @returns {undefined}\n */\n function smoothScroll(el, x, y) {\n var scrollable;\n var startX;\n var startY;\n var method;\n var startTime = now();\n\n // define scroll context\n if (el === d.body) {\n scrollable = w;\n startX = w.scrollX || w.pageXOffset;\n startY = w.scrollY || w.pageYOffset;\n method = original.scroll;\n } else {\n scrollable = el;\n startX = el.scrollLeft;\n startY = el.scrollTop;\n method = scrollElement;\n }\n\n // scroll looping over a frame\n step({\n scrollable: scrollable,\n method: method,\n startTime: startTime,\n startX: startX,\n startY: startY,\n x: x,\n y: y,\n });\n }\n\n // ORIGINAL METHODS OVERRIDES\n // w.scroll and w.scrollTo\n w.scroll = w.scrollTo = function () {\n // avoid action when no arguments are passed\n if (arguments[0] === undefined) {\n return;\n }\n\n // avoid smooth behavior if not required\n if (shouldBailOut(arguments[0]) === true) {\n original.scroll.call(\n w,\n arguments[0].left !== undefined\n ? arguments[0].left\n : typeof arguments[0] !== 'object'\n ? arguments[0]\n : w.scrollX || w.pageXOffset,\n // use top prop, second argument if present or fallback to scrollY\n arguments[0].top !== undefined\n ? arguments[0].top\n : arguments[1] !== undefined\n ? arguments[1]\n : w.scrollY || w.pageYOffset,\n );\n\n return;\n }\n\n // LET THE SMOOTHNESS BEGIN!\n smoothScroll.call(\n w,\n d.body,\n arguments[0].left !== undefined\n ? ~~arguments[0].left\n : w.scrollX || w.pageXOffset,\n arguments[0].top !== undefined\n ? ~~arguments[0].top\n : w.scrollY || w.pageYOffset,\n );\n };\n\n // w.scrollBy\n w.scrollBy = function () {\n // avoid action when no arguments are passed\n if (arguments[0] === undefined) {\n return;\n }\n\n // avoid smooth behavior if not required\n if (shouldBailOut(arguments[0])) {\n original.scrollBy.call(\n w,\n arguments[0].left !== undefined\n ? arguments[0].left\n : typeof arguments[0] !== 'object'\n ? arguments[0]\n : 0,\n arguments[0].top !== undefined\n ? arguments[0].top\n : arguments[1] !== undefined\n ? arguments[1]\n : 0,\n );\n\n return;\n }\n\n // LET THE SMOOTHNESS BEGIN!\n smoothScroll.call(\n w,\n d.body,\n ~~arguments[0].left + (w.scrollX || w.pageXOffset),\n ~~arguments[0].top + (w.scrollY || w.pageYOffset),\n );\n };\n\n // Element.prototype.scroll and Element.prototype.scrollTo\n Element.prototype.scroll = Element.prototype.scrollTo = function () {\n // avoid action when no arguments are passed\n if (arguments[0] === undefined) {\n return;\n }\n\n // avoid smooth behavior if not required\n if (shouldBailOut(arguments[0]) === true) {\n // if one number is passed, throw error to match Firefox implementation\n if (typeof arguments[0] === 'number' && arguments[1] === undefined) {\n throw new SyntaxError('Value could not be converted');\n }\n\n original.elementScroll.call(\n this,\n // use left prop, first number argument or fallback to scrollLeft\n arguments[0].left !== undefined\n ? ~~arguments[0].left\n : typeof arguments[0] !== 'object'\n ? ~~arguments[0]\n : this.scrollLeft,\n // use top prop, second argument or fallback to scrollTop\n arguments[0].top !== undefined\n ? ~~arguments[0].top\n : arguments[1] !== undefined\n ? ~~arguments[1]\n : this.scrollTop,\n );\n\n return;\n }\n\n var left = arguments[0].left;\n var top = arguments[0].top;\n\n // LET THE SMOOTHNESS BEGIN!\n smoothScroll.call(\n this,\n this,\n typeof left === 'undefined' ? this.scrollLeft : ~~left,\n typeof top === 'undefined' ? this.scrollTop : ~~top,\n );\n };\n\n // Element.prototype.scrollBy\n Element.prototype.scrollBy = function () {\n // avoid action when no arguments are passed\n if (arguments[0] === undefined) {\n return;\n }\n\n // avoid smooth behavior if not required\n if (shouldBailOut(arguments[0]) === true) {\n original.elementScroll.call(\n this,\n arguments[0].left !== undefined\n ? ~~arguments[0].left + this.scrollLeft\n : ~~arguments[0] + this.scrollLeft,\n arguments[0].top !== undefined\n ? ~~arguments[0].top + this.scrollTop\n : ~~arguments[1] + this.scrollTop,\n );\n\n return;\n }\n\n this.scroll({\n left: ~~arguments[0].left + this.scrollLeft,\n top: ~~arguments[0].top + this.scrollTop,\n behavior: arguments[0].behavior,\n });\n };\n\n // Element.prototype.scrollIntoView\n Element.prototype.scrollIntoView = function () {\n // avoid smooth behavior if not required\n if (shouldBailOut(arguments[0]) === true) {\n original.scrollIntoView.call(\n this,\n arguments[0] === undefined ? true : arguments[0],\n );\n\n return;\n }\n\n // LET THE SMOOTHNESS BEGIN!\n var scrollableParent = findScrollableParent(this);\n var parentRects = scrollableParent.getBoundingClientRect();\n var clientRects = this.getBoundingClientRect();\n\n if (scrollableParent !== d.body) {\n // reveal element inside parent\n smoothScroll.call(\n this,\n scrollableParent,\n scrollableParent.scrollLeft + clientRects.left - parentRects.left,\n scrollableParent.scrollTop + clientRects.top - parentRects.top,\n );\n\n // reveal parent in viewport unless is fixed\n if (w.getComputedStyle(scrollableParent).position !== 'fixed') {\n w.scrollBy({\n left: parentRects.left,\n top: parentRects.top,\n behavior: 'smooth',\n });\n }\n } else {\n // reveal element in viewport\n w.scrollBy({\n left: clientRects.left,\n top: clientRects.top,\n behavior: 'smooth',\n });\n }\n };\n}\n","import {\n actionWithDelay,\n eventWithTime,\n EventType,\n IncrementalSource,\n} from '../types';\n\nexport class Timer {\n public timeOffset: number = 0;\n public speed: number;\n\n private actions: actionWithDelay[];\n private raf: number | null = null;\n private liveMode: boolean;\n\n constructor(actions: actionWithDelay[] = [], speed: number) {\n this.actions = actions;\n this.speed = speed;\n }\n /**\n * Add an action after the timer starts.\n * @param action\n */\n public addAction(action: actionWithDelay) {\n const index = this.findActionIndex(action);\n this.actions.splice(index, 0, action);\n }\n /**\n * Add all actions before the timer starts\n * @param actions\n */\n public addActions(actions: actionWithDelay[]) {\n this.actions = this.actions.concat(actions);\n }\n\n public start() {\n this.timeOffset = 0;\n let lastTimestamp = performance.now();\n const { actions } = this;\n const self = this;\n function check() {\n const time = performance.now();\n self.timeOffset += (time - lastTimestamp) * self.speed;\n lastTimestamp = time;\n while (actions.length) {\n const action = actions[0];\n\n if (self.timeOffset >= action.delay) {\n actions.shift();\n action.doAction();\n } else {\n break;\n }\n }\n if (actions.length > 0 || self.liveMode) {\n self.raf = requestAnimationFrame(check);\n }\n }\n this.raf = requestAnimationFrame(check);\n }\n\n public clear() {\n if (this.raf) {\n cancelAnimationFrame(this.raf);\n this.raf = null;\n }\n this.actions.length = 0;\n }\n\n public setSpeed(speed: number) {\n this.speed = speed;\n }\n\n public toggleLiveMode(mode: boolean) {\n this.liveMode = mode;\n }\n\n public isActive() {\n return this.raf !== null;\n }\n\n private findActionIndex(action: actionWithDelay): number {\n let start = 0;\n let end = this.actions.length - 1;\n while (start <= end) {\n let mid = Math.floor((start + end) / 2);\n if (this.actions[mid].delay < action.delay) {\n start = mid + 1;\n } else if (this.actions[mid].delay > action.delay) {\n end = mid - 1;\n } else {\n // already an action with same delay (timestamp)\n // the plus one will splice the new one after the existing one\n return mid + 1;\n }\n }\n return start;\n }\n}\n\n// TODO: add speed to mouse move timestamp calculation\nexport function addDelay(event: eventWithTime, baselineTime: number): number {\n // Mouse move events was recorded in a throttle function,\n // so we need to find the real timestamp by traverse the time offsets.\n if (\n event.type === EventType.IncrementalSnapshot &&\n event.data.source === IncrementalSource.MouseMove\n ) {\n const firstOffset = event.data.positions[0].timeOffset;\n // timeOffset is a negative offset to event.timestamp\n const firstTimestamp = event.timestamp + firstOffset;\n event.delay = firstTimestamp - baselineTime;\n return firstTimestamp - baselineTime;\n }\n\n event.delay = event.timestamp - baselineTime;\n return event.delay;\n}\n","/*! *****************************************************************************\nCopyright (c) Microsoft Corporation.\n\nPermission to use, copy, modify, and/or distribute this software for any\npurpose with or without fee is hereby granted.\n\nTHE SOFTWARE IS PROVIDED \"AS IS\" AND THE AUTHOR DISCLAIMS ALL WARRANTIES WITH\nREGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF MERCHANTABILITY\nAND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR ANY SPECIAL, DIRECT,\nINDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES WHATSOEVER RESULTING FROM\nLOSS OF USE, DATA OR PROFITS, WHETHER IN AN ACTION OF CONTRACT, NEGLIGENCE OR\nOTHER TORTIOUS ACTION, ARISING OUT OF OR IN CONNECTION WITH THE USE OR\nPERFORMANCE OF THIS SOFTWARE.\n***************************************************************************** */\nfunction t(t,n){var e=\"function\"==typeof Symbol&&t[Symbol.iterator];if(!e)return t;var r,o,i=e.call(t),a=[];try{for(;(void 0===n||n-- >0)&&!(r=i.next()).done;)a.push(r.value)}catch(t){o={error:t}}finally{try{r&&!r.done&&(e=i.return)&&e.call(i)}finally{if(o)throw o.error}}return a}var n;!function(t){t[t.NotStarted=0]=\"NotStarted\",t[t.Running=1]=\"Running\",t[t.Stopped=2]=\"Stopped\"}(n||(n={}));var e={type:\"xstate.init\"};function r(t){return void 0===t?[]:[].concat(t)}function o(t){return{type:\"xstate.assign\",assignment:t}}function i(t,n){return\"string\"==typeof(t=\"string\"==typeof t&&n&&n[t]?n[t]:t)?{type:t}:\"function\"==typeof t?{type:t.name,exec:t}:t}function a(t){return function(n){return t===n}}function u(t){return\"string\"==typeof t?{type:t}:t}function c(t,n){return{value:t,context:n,actions:[],changed:!1,matches:a(t)}}function f(t,n,e){var r=n,o=!1;return[t.filter((function(t){if(\"xstate.assign\"===t.type){o=!0;var n=Object.assign({},r);return\"function\"==typeof t.assignment?n=t.assignment(r,e):Object.keys(t.assignment).forEach((function(o){n[o]=\"function\"==typeof t.assignment[o]?t.assignment[o](r,e):t.assignment[o]})),r=n,!1}return!0})),r,o]}function s(n,o){void 0===o&&(o={});var s=t(f(r(n.states[n.initial].entry).map((function(t){return i(t,o.actions)})),n.context,e),2),l=s[0],v=s[1],y={config:n,_options:o,initialState:{value:n.initial,actions:l,context:v,matches:a(n.initial)},transition:function(e,o){var s,l,v=\"string\"==typeof e?{value:e,context:n.context}:e,p=v.value,g=v.context,d=u(o),x=n.states[p];if(x.on){var m=r(x.on[d.type]);try{for(var h=function(t){var n=\"function\"==typeof Symbol&&Symbol.iterator,e=n&&t[n],r=0;if(e)return e.call(t);if(t&&\"number\"==typeof t.length)return{next:function(){return t&&r>=t.length&&(t=void 0),{value:t&&t[r++],done:!t}}};throw new TypeError(n?\"Object is not iterable.\":\"Symbol.iterator is not defined.\")}(m),b=h.next();!b.done;b=h.next()){var S=b.value;if(void 0===S)return c(p,g);var w=\"string\"==typeof S?{target:S}:S,j=w.target,E=w.actions,R=void 0===E?[]:E,N=w.cond,O=void 0===N?function(){return!0}:N,_=void 0===j,k=null!=j?j:p,T=n.states[k];if(O(g,d)){var q=t(f((_?r(R):[].concat(x.exit,R,T.entry).filter((function(t){return t}))).map((function(t){return i(t,y._options.actions)})),g,d),3),z=q[0],A=q[1],B=q[2],C=null!=j?j:p;return{value:C,context:A,actions:z,changed:j!==p||z.length>0||B,matches:a(C)}}}}catch(t){s={error:t}}finally{try{b&&!b.done&&(l=h.return)&&l.call(h)}finally{if(s)throw s.error}}}return c(p,g)}};return y}var l=function(t,n){return t.actions.forEach((function(e){var r=e.exec;return r&&r(t.context,n)}))};function v(t){var r=t.initialState,o=n.NotStarted,i=new Set,c={_machine:t,send:function(e){o===n.Running&&(r=t.transition(r,e),l(r,u(e)),i.forEach((function(t){return t(r)})))},subscribe:function(t){return i.add(t),t(r),{unsubscribe:function(){return i.delete(t)}}},start:function(i){if(i){var u=\"object\"==typeof i?i:{context:t.config.context,value:i};r={value:u.value,actions:[],context:u.context,matches:a(u.value)}}return o=n.Running,l(r,e),c},stop:function(){return o=n.Stopped,i.clear(),c},get state(){return r},get status(){return o}};return c}export{n as InterpreterStatus,o as assign,s as createMachine,v as interpret};\n","import { createMachine, interpret, assign, StateMachine } from '@xstate/fsm';\nimport {\n playerConfig,\n eventWithTime,\n actionWithDelay,\n ReplayerEvents,\n EventType,\n Emitter,\n IncrementalSource,\n} from '../types';\nimport { Timer, addDelay } from './timer';\n\nexport type PlayerContext = {\n events: eventWithTime[];\n timer: Timer;\n timeOffset: number;\n baselineTime: number;\n lastPlayedEvent: eventWithTime | null;\n};\nexport type PlayerEvent =\n | {\n type: 'PLAY';\n payload: {\n timeOffset: number;\n };\n }\n | {\n type: 'CAST_EVENT';\n payload: {\n event: eventWithTime;\n };\n }\n | { type: 'PAUSE' }\n | { type: 'TO_LIVE'; payload: { baselineTime?: number } }\n | {\n type: 'ADD_EVENT';\n payload: {\n event: eventWithTime;\n };\n }\n | {\n type: 'END';\n };\nexport type PlayerState =\n | {\n value: 'playing';\n context: PlayerContext;\n }\n | {\n value: 'paused';\n context: PlayerContext;\n }\n | {\n value: 'live';\n context: PlayerContext;\n };\n\n/**\n * If the array have multiple meta and fullsnapshot events,\n * return the events from last meta to the end.\n */\nexport function discardPriorSnapshots(\n events: eventWithTime[],\n baselineTime: number,\n): eventWithTime[] {\n for (let idx = events.length - 1; idx >= 0; idx--) {\n const event = events[idx];\n if (event.type === EventType.Meta) {\n if (event.timestamp <= baselineTime) {\n return events.slice(idx);\n }\n }\n }\n return events;\n}\n\ntype PlayerAssets = {\n emitter: Emitter;\n applyEventsSynchronously(events: Array): void;\n getCastFn(event: eventWithTime, isSync: boolean): () => void;\n};\nexport function createPlayerService(\n context: PlayerContext,\n { getCastFn, applyEventsSynchronously, emitter }: PlayerAssets,\n) {\n const playerMachine = createMachine(\n {\n id: 'player',\n context,\n initial: 'paused',\n states: {\n playing: {\n on: {\n PAUSE: {\n target: 'paused',\n actions: ['pause'],\n },\n CAST_EVENT: {\n target: 'playing',\n actions: 'castEvent',\n },\n END: {\n target: 'paused',\n actions: ['resetLastPlayedEvent', 'pause'],\n },\n ADD_EVENT: {\n target: 'playing',\n actions: ['addEvent'],\n },\n },\n },\n paused: {\n on: {\n PLAY: {\n target: 'playing',\n actions: ['recordTimeOffset', 'play'],\n },\n CAST_EVENT: {\n target: 'paused',\n actions: 'castEvent',\n },\n TO_LIVE: {\n target: 'live',\n actions: ['startLive'],\n },\n ADD_EVENT: {\n target: 'paused',\n actions: ['addEvent'],\n },\n },\n },\n live: {\n on: {\n ADD_EVENT: {\n target: 'live',\n actions: ['addEvent'],\n },\n CAST_EVENT: {\n target: 'live',\n actions: ['castEvent'],\n },\n },\n },\n },\n },\n {\n actions: {\n castEvent: assign({\n lastPlayedEvent: (ctx, event) => {\n if (event.type === 'CAST_EVENT') {\n return event.payload.event;\n }\n return ctx.lastPlayedEvent;\n },\n }),\n recordTimeOffset: assign((ctx, event) => {\n let timeOffset = ctx.timeOffset;\n if ('payload' in event && 'timeOffset' in event.payload) {\n timeOffset = event.payload.timeOffset;\n }\n return {\n ...ctx,\n timeOffset,\n baselineTime: ctx.events[0].timestamp + timeOffset,\n };\n }),\n play(ctx) {\n const { timer, events, baselineTime, lastPlayedEvent } = ctx;\n timer.clear();\n\n for (const event of events) {\n // TODO: improve this API\n addDelay(event, baselineTime);\n }\n const neededEvents = discardPriorSnapshots(events, baselineTime);\n\n let lastPlayedTimestamp = lastPlayedEvent?.timestamp;\n if (\n lastPlayedEvent?.type === EventType.IncrementalSnapshot &&\n lastPlayedEvent.data.source === IncrementalSource.MouseMove\n ) {\n lastPlayedTimestamp =\n lastPlayedEvent.timestamp +\n lastPlayedEvent.data.positions[0]?.timeOffset;\n }\n if (baselineTime < (lastPlayedTimestamp || 0)) {\n emitter.emit(ReplayerEvents.PlayBack);\n }\n\n const syncEvents = new Array();\n const actions = new Array();\n for (const event of neededEvents) {\n if (\n lastPlayedTimestamp &&\n lastPlayedTimestamp < baselineTime &&\n (event.timestamp <= lastPlayedTimestamp ||\n event === lastPlayedEvent)\n ) {\n continue;\n }\n if (event.timestamp < baselineTime) {\n syncEvents.push(event);\n } else {\n const castFn = getCastFn(event, false);\n actions.push({\n doAction: () => {\n castFn();\n },\n delay: event.delay!,\n });\n }\n }\n applyEventsSynchronously(syncEvents);\n emitter.emit(ReplayerEvents.Flush);\n timer.addActions(actions);\n timer.start();\n },\n pause(ctx) {\n ctx.timer.clear();\n },\n resetLastPlayedEvent: assign((ctx) => {\n return {\n ...ctx,\n lastPlayedEvent: null,\n };\n }),\n startLive: assign({\n baselineTime: (ctx, event) => {\n ctx.timer.toggleLiveMode(true);\n ctx.timer.start();\n if (event.type === 'TO_LIVE' && event.payload.baselineTime) {\n return event.payload.baselineTime;\n }\n return Date.now();\n },\n }),\n addEvent: assign((ctx, machineEvent) => {\n const { baselineTime, timer, events } = ctx;\n if (machineEvent.type === 'ADD_EVENT') {\n const { event } = machineEvent.payload;\n addDelay(event, baselineTime);\n\n let end = events.length - 1;\n if (!events[end] || events[end].timestamp <= event.timestamp) {\n // fast track\n events.push(event);\n } else {\n let insertionIndex = -1;\n let start = 0;\n while (start <= end) {\n let mid = Math.floor((start + end) / 2);\n if (events[mid].timestamp <= event.timestamp) {\n start = mid + 1;\n } else {\n end = mid - 1;\n }\n }\n if (insertionIndex === -1) {\n insertionIndex = start;\n }\n events.splice(insertionIndex, 0, event);\n }\n\n const isSync = event.timestamp < baselineTime;\n const castFn = getCastFn(event, isSync);\n if (isSync) {\n castFn();\n } else if (timer.isActive()) {\n timer.addAction({\n doAction: () => {\n castFn();\n },\n delay: event.delay!,\n });\n }\n }\n return { ...ctx, events };\n }),\n },\n },\n );\n return interpret(playerMachine);\n}\n\nexport type SpeedContext = {\n normalSpeed: playerConfig['speed'];\n timer: Timer;\n};\n\nexport type SpeedEvent =\n | {\n type: 'FAST_FORWARD';\n payload: { speed: playerConfig['speed'] };\n }\n | {\n type: 'BACK_TO_NORMAL';\n }\n | {\n type: 'SET_SPEED';\n payload: { speed: playerConfig['speed'] };\n };\n\nexport type SpeedState =\n | {\n value: 'normal';\n context: SpeedContext;\n }\n | {\n value: 'skipping';\n context: SpeedContext;\n };\n\nexport function createSpeedService(context: SpeedContext) {\n const speedMachine = createMachine(\n {\n id: 'speed',\n context,\n initial: 'normal',\n states: {\n normal: {\n on: {\n FAST_FORWARD: {\n target: 'skipping',\n actions: ['recordSpeed', 'setSpeed'],\n },\n SET_SPEED: {\n target: 'normal',\n actions: ['setSpeed'],\n },\n },\n },\n skipping: {\n on: {\n BACK_TO_NORMAL: {\n target: 'normal',\n actions: ['restoreSpeed'],\n },\n SET_SPEED: {\n target: 'normal',\n actions: ['setSpeed'],\n },\n },\n },\n },\n },\n {\n actions: {\n setSpeed: (ctx, event) => {\n if ('payload' in event) {\n ctx.timer.setSpeed(event.payload.speed);\n }\n },\n recordSpeed: assign({\n normalSpeed: (ctx) => ctx.timer.speed,\n }),\n restoreSpeed: (ctx) => {\n ctx.timer.setSpeed(ctx.normalSpeed);\n },\n },\n },\n );\n\n return interpret(speedMachine);\n}\n\nexport type PlayerMachineState = StateMachine.State<\n PlayerContext,\n PlayerEvent,\n PlayerState\n>;\n\nexport type SpeedMachineState = StateMachine.State<\n SpeedContext,\n SpeedEvent,\n SpeedState\n>;\n","const rules: (blockClass: string) => string[] = (blockClass: string) => [\n `.${blockClass} { background: currentColor }`,\n 'noscript { display: none !important; }',\n];\n\nexport default rules;\n","import { INode } from 'rrweb-snapshot';\n\nexport enum StyleRuleType {\n Insert,\n Remove,\n Snapshot,\n SetProperty,\n RemoveProperty,\n}\n\ntype InsertRule = {\n cssText: string;\n type: StyleRuleType.Insert;\n index?: number | number[];\n};\ntype RemoveRule = {\n type: StyleRuleType.Remove;\n index: number | number[];\n};\ntype SnapshotRule = {\n type: StyleRuleType.Snapshot;\n cssTexts: string[];\n};\ntype SetPropertyRule = {\n type: StyleRuleType.SetProperty;\n index: number[];\n property: string;\n value: string | null;\n priority: string | undefined;\n};\ntype RemovePropertyRule = {\n type: StyleRuleType.RemoveProperty;\n index: number[];\n property: string;\n};\n\nexport type VirtualStyleRules = Array<\n InsertRule | RemoveRule | SnapshotRule | SetPropertyRule | RemovePropertyRule\n>;\nexport type VirtualStyleRulesMap = Map;\n\nexport function getNestedRule(\n rules: CSSRuleList,\n position: number[],\n): CSSGroupingRule {\n const rule = rules[position[0]] as CSSGroupingRule;\n if (position.length === 1) {\n return rule;\n } else {\n return getNestedRule(\n ((rule as CSSGroupingRule).cssRules[position[1]] as CSSGroupingRule)\n .cssRules,\n position.slice(2),\n );\n }\n}\n\nexport function getPositionsAndIndex(nestedIndex: number[]) {\n const positions = [...nestedIndex];\n const index = positions.pop();\n return { positions, index };\n}\n\nexport function applyVirtualStyleRulesToNode(\n storedRules: VirtualStyleRules,\n styleNode: HTMLStyleElement,\n) {\n const { sheet } = styleNode;\n if (!sheet) {\n // styleNode without sheet means the DOM has been removed\n // so the rules no longer need to be applied\n return;\n }\n\n storedRules.forEach((rule) => {\n if (rule.type === StyleRuleType.Insert) {\n try {\n if (Array.isArray(rule.index)) {\n const { positions, index } = getPositionsAndIndex(rule.index);\n const nestedRule = getNestedRule(sheet.cssRules, positions);\n nestedRule.insertRule(rule.cssText, index);\n } else {\n sheet.insertRule(rule.cssText, rule.index);\n }\n } catch (e) {\n /**\n * sometimes we may capture rules with browser prefix\n * insert rule with prefixs in other browsers may cause Error\n */\n }\n } else if (rule.type === StyleRuleType.Remove) {\n try {\n if (Array.isArray(rule.index)) {\n const { positions, index } = getPositionsAndIndex(rule.index);\n const nestedRule = getNestedRule(sheet.cssRules, positions);\n nestedRule.deleteRule(index || 0);\n } else {\n sheet.deleteRule(rule.index);\n }\n } catch (e) {\n /**\n * accessing styleSheet rules may cause SecurityError\n * for specific access control settings\n */\n }\n } else if (rule.type === StyleRuleType.Snapshot) {\n restoreSnapshotOfStyleRulesToNode(rule.cssTexts, styleNode);\n } else if (rule.type === StyleRuleType.SetProperty) {\n const nativeRule = (getNestedRule(\n sheet.cssRules,\n rule.index,\n ) as unknown) as CSSStyleRule;\n nativeRule.style.setProperty(rule.property, rule.value, rule.priority);\n } else if (rule.type === StyleRuleType.RemoveProperty) {\n const nativeRule = (getNestedRule(\n sheet.cssRules,\n rule.index,\n ) as unknown) as CSSStyleRule;\n nativeRule.style.removeProperty(rule.property);\n }\n });\n}\n\nfunction restoreSnapshotOfStyleRulesToNode(\n cssTexts: string[],\n styleNode: HTMLStyleElement,\n) {\n try {\n const existingRules = Array.from(styleNode.sheet?.cssRules || []).map(\n (rule) => rule.cssText,\n );\n const existingRulesReversed = Object.entries(existingRules).reverse();\n let lastMatch = existingRules.length;\n existingRulesReversed.forEach(([index, rule]) => {\n const indexOf = cssTexts.indexOf(rule);\n if (indexOf === -1 || indexOf > lastMatch) {\n try {\n styleNode.sheet?.deleteRule(Number(index));\n } catch (e) {\n /**\n * accessing styleSheet rules may cause SecurityError\n * for specific access control settings\n */\n }\n }\n lastMatch = indexOf;\n });\n cssTexts.forEach((cssText, index) => {\n try {\n if (styleNode.sheet?.cssRules[index]?.cssText !== cssText) {\n styleNode.sheet?.insertRule(cssText, index);\n }\n } catch (e) {\n /**\n * sometimes we may capture rules with browser prefix\n * insert rule with prefixs in other browsers may cause Error\n */\n }\n });\n } catch (e) {\n /**\n * accessing styleSheet rules may cause SecurityError\n * for specific access control settings\n */\n }\n}\n\nexport function storeCSSRules(\n parentElement: HTMLStyleElement,\n virtualStyleRulesMap: VirtualStyleRulesMap,\n) {\n try {\n const cssTexts = Array.from(\n (parentElement as HTMLStyleElement).sheet?.cssRules || [],\n ).map((rule) => rule.cssText);\n virtualStyleRulesMap.set((parentElement as unknown) as INode, [\n {\n type: StyleRuleType.Snapshot,\n cssTexts,\n },\n ]);\n } catch (e) {\n /**\n * accessing styleSheet rules may cause SecurityError\n * for specific access control settings\n */\n }\n}\n","import { decode } from 'base64-arraybuffer';\nimport { Replayer } from '../';\nimport {\n CanvasContext,\n canvasMutationCommand,\n SerializedWebGlArg,\n} from '../../types';\n\n// TODO: add ability to wipe this list\ntype GLVarMap = Map;\nconst webGLVarMap: Map<\n WebGLRenderingContext | WebGL2RenderingContext,\n GLVarMap\n> = new Map();\nexport function variableListFor(\n ctx: WebGLRenderingContext | WebGL2RenderingContext,\n ctor: string,\n) {\n let contextMap = webGLVarMap.get(ctx);\n if (!contextMap) {\n contextMap = new Map();\n webGLVarMap.set(ctx, contextMap);\n }\n if (!contextMap.has(ctor)) {\n contextMap.set(ctor, []);\n }\n return contextMap.get(ctor) as any[];\n}\n\nfunction getContext(\n target: HTMLCanvasElement,\n type: CanvasContext,\n): WebGLRenderingContext | WebGL2RenderingContext | null {\n // Note to whomever is going to implement support for `contextAttributes`:\n // if `preserveDrawingBuffer` is set to true,\n // you might have to do `ctx.flush()` before every webgl canvas event\n try {\n if (type === CanvasContext.WebGL) {\n return (\n target.getContext('webgl')! || target.getContext('experimental-webgl')\n );\n }\n return target.getContext('webgl2')!;\n } catch (e) {\n return null;\n }\n}\n\nconst WebGLVariableConstructorsNames = [\n 'WebGLActiveInfo',\n 'WebGLBuffer',\n 'WebGLFramebuffer',\n 'WebGLProgram',\n 'WebGLRenderbuffer',\n 'WebGLShader',\n 'WebGLShaderPrecisionFormat',\n 'WebGLTexture',\n 'WebGLUniformLocation',\n 'WebGLVertexArrayObject',\n];\n\nfunction saveToWebGLVarMap(\n ctx: WebGLRenderingContext | WebGL2RenderingContext,\n result: any,\n) {\n if (!result?.constructor) return; // probably null or undefined\n\n const { name } = result.constructor;\n if (!WebGLVariableConstructorsNames.includes(name)) return; // not a WebGL variable\n\n const variables = variableListFor(ctx, name);\n if (!variables.includes(result)) variables.push(result);\n}\n\nexport function deserializeArg(\n imageMap: Replayer['imageMap'],\n ctx: WebGLRenderingContext | WebGL2RenderingContext,\n): (arg: SerializedWebGlArg) => any {\n return (arg: SerializedWebGlArg): any => {\n if (arg && typeof arg === 'object' && 'rr_type' in arg) {\n if ('index' in arg) {\n const { rr_type: name, index } = arg;\n return variableListFor(ctx, name)[index];\n } else if ('args' in arg) {\n const { rr_type: name, args } = arg;\n const ctor = window[name as keyof Window];\n\n return new ctor(...args.map(deserializeArg(imageMap, ctx)));\n } else if ('base64' in arg) {\n return decode(arg.base64);\n } else if ('src' in arg) {\n const image = imageMap.get(arg.src);\n if (image) {\n return image;\n } else {\n const image = new Image();\n image.src = arg.src;\n imageMap.set(arg.src, image);\n return image;\n }\n }\n } else if (Array.isArray(arg)) {\n return arg.map(deserializeArg(imageMap, ctx));\n }\n return arg;\n };\n}\n\nexport default function webglMutation({\n mutation,\n target,\n type,\n imageMap,\n errorHandler,\n}: {\n mutation: canvasMutationCommand;\n target: HTMLCanvasElement;\n type: CanvasContext;\n imageMap: Replayer['imageMap'];\n errorHandler: Replayer['warnCanvasMutationFailed'];\n}): void {\n try {\n const ctx = getContext(target, type);\n if (!ctx) return;\n\n // NOTE: if `preserveDrawingBuffer` is set to true,\n // we must flush the buffers on every new canvas event\n // if (mutation.newFrame) ctx.flush();\n\n if (mutation.setter) {\n // skip some read-only type checks\n // tslint:disable-next-line:no-any\n (ctx as any)[mutation.property] = mutation.args[0];\n return;\n }\n const original = ctx[\n mutation.property as Exclude\n ] as Function;\n\n const args = mutation.args.map(deserializeArg(imageMap, ctx));\n const result = original.apply(ctx, args);\n saveToWebGLVarMap(ctx, result);\n\n // Slows down replay considerably, only use for debugging\n const debugMode = false;\n if (debugMode) {\n if (mutation.property === 'compileShader') {\n if (!ctx.getShaderParameter(args[0], ctx.COMPILE_STATUS))\n console.warn(\n 'something went wrong in replay',\n ctx.getShaderInfoLog(args[0]),\n );\n } else if (mutation.property === 'linkProgram') {\n ctx.validateProgram(args[0]);\n if (!ctx.getProgramParameter(args[0], ctx.LINK_STATUS))\n console.warn(\n 'something went wrong in replay',\n ctx.getProgramInfoLog(args[0]),\n );\n }\n const webglError = ctx.getError();\n if (webglError !== ctx.NO_ERROR) {\n console.warn(\n 'WEBGL ERROR',\n webglError,\n 'on command:',\n mutation.property,\n ...args,\n );\n }\n }\n } catch (error) {\n errorHandler(mutation, error);\n }\n}\n","import {\n rebuild,\n buildNodeWithSN,\n INode,\n NodeType,\n BuildCache,\n createCache,\n} from 'rrweb-snapshot';\nimport * as mittProxy from 'mitt';\nimport { polyfill as smoothscrollPolyfill } from './smoothscroll';\nimport { Timer } from './timer';\nimport { createPlayerService, createSpeedService } from './machine';\nimport {\n EventType,\n IncrementalSource,\n fullSnapshotEvent,\n eventWithTime,\n MouseInteractions,\n playerConfig,\n playerMetaData,\n viewportResizeDimension,\n missingNodeMap,\n addedNodeMutation,\n missingNode,\n incrementalSnapshotEvent,\n incrementalData,\n ReplayerEvents,\n Handler,\n Emitter,\n MediaInteractions,\n metaEvent,\n mutationData,\n scrollData,\n inputData,\n canvasMutationData,\n Mirror,\n ElementState,\n styleAttributeValue,\n styleValueWithPriority,\n mouseMovePos,\n IWindow,\n canvasMutationCommand,\n textMutation,\n} from '../types';\nimport {\n createMirror,\n polyfill,\n TreeIndex,\n queueToResolveTrees,\n iterateResolveTree,\n AppendedIframe,\n isIframeINode,\n getBaseDimension,\n hasShadowRoot,\n} from '../utils';\nimport getInjectStyleRules from './styles/inject-style';\nimport './styles/style.css';\nimport {\n applyVirtualStyleRulesToNode,\n storeCSSRules,\n StyleRuleType,\n VirtualStyleRules,\n VirtualStyleRulesMap,\n getNestedRule,\n getPositionsAndIndex,\n} from './virtual-styles';\nimport canvasMutation from './canvas';\n\nconst SKIP_TIME_THRESHOLD = 10 * 1000;\nconst SKIP_TIME_INTERVAL = 5 * 1000;\n\n// https://github.com/rollup/rollup/issues/1267#issuecomment-296395734\n// tslint:disable-next-line\nconst mitt = (mittProxy as any).default || mittProxy;\n\nconst REPLAY_CONSOLE_PREFIX = '[replayer]';\n\nconst defaultMouseTailConfig = {\n duration: 500,\n lineCap: 'round',\n lineWidth: 3,\n strokeStyle: 'red',\n} as const;\n\nfunction indicatesTouchDevice(e: eventWithTime) {\n return (\n e.type == EventType.IncrementalSnapshot &&\n (e.data.source == IncrementalSource.TouchMove ||\n (e.data.source == IncrementalSource.MouseInteraction &&\n e.data.type == MouseInteractions.TouchStart))\n );\n}\n\nexport class Replayer {\n public wrapper: HTMLDivElement;\n public iframe: HTMLIFrameElement;\n\n public service: ReturnType;\n public speedService: ReturnType;\n public get timer() {\n return this.service.state.context.timer;\n }\n\n public config: playerConfig;\n\n private mouse: HTMLDivElement;\n private mouseTail: HTMLCanvasElement | null = null;\n private tailPositions: Array<{ x: number; y: number }> = [];\n\n private emitter: Emitter = mitt();\n\n private nextUserInteractionEvent: eventWithTime | null;\n\n // tslint:disable-next-line: variable-name\n private legacy_missingNodeRetryMap: missingNodeMap = {};\n\n private treeIndex!: TreeIndex;\n private fragmentParentMap!: Map;\n private elementStateMap!: Map;\n // Hold the list of CSSRules for in-memory state restoration\n private virtualStyleRulesMap!: VirtualStyleRulesMap;\n\n // The replayer uses the cache to speed up replay and scrubbing.\n private cache: BuildCache = createCache();\n\n private imageMap: Map = new Map();\n\n private mirror: Mirror = createMirror();\n\n private firstFullSnapshot: eventWithTime | true | null = null;\n\n private newDocumentQueue: addedNodeMutation[] = [];\n\n private mousePos: mouseMovePos | null = null;\n private touchActive: boolean | null = null;\n\n constructor(\n events: Array,\n config?: Partial,\n ) {\n if (!config?.liveMode && events.length < 2) {\n throw new Error('Replayer need at least 2 events.');\n }\n const defaultConfig: playerConfig = {\n speed: 1,\n maxSpeed: 360,\n root: document.body,\n loadTimeout: 0,\n skipInactive: false,\n showWarning: true,\n showDebug: false,\n blockClass: 'rr-block',\n liveMode: false,\n insertStyleRules: [],\n triggerFocus: true,\n UNSAFE_replayCanvas: false,\n pauseAnimation: true,\n mouseTail: defaultMouseTailConfig,\n };\n this.config = Object.assign({}, defaultConfig, config);\n\n this.handleResize = this.handleResize.bind(this);\n this.getCastFn = this.getCastFn.bind(this);\n this.applyEventsSynchronously = this.applyEventsSynchronously.bind(this);\n this.emitter.on(ReplayerEvents.Resize, this.handleResize as Handler);\n\n this.setupDom();\n\n this.treeIndex = new TreeIndex();\n this.fragmentParentMap = new Map();\n this.elementStateMap = new Map();\n this.virtualStyleRulesMap = new Map();\n\n this.emitter.on(ReplayerEvents.Flush, () => {\n const { scrollMap, inputMap, mutationData } = this.treeIndex.flush();\n\n this.fragmentParentMap.forEach((parent, frag) =>\n this.restoreRealParent(frag, parent),\n );\n // apply text needs to happen before virtual style rules gets applied\n // as it can overwrite the contents of a stylesheet\n for (const d of mutationData.texts) {\n this.applyText(d, mutationData);\n }\n\n for (const node of this.virtualStyleRulesMap.keys()) {\n // restore css rules of style elements after they are mounted\n this.restoreNodeSheet(node);\n }\n this.fragmentParentMap.clear();\n this.elementStateMap.clear();\n this.virtualStyleRulesMap.clear();\n\n for (const d of scrollMap.values()) {\n this.applyScroll(d, true);\n }\n for (const d of inputMap.values()) {\n this.applyInput(d);\n }\n });\n this.emitter.on(ReplayerEvents.PlayBack, () => {\n this.firstFullSnapshot = null;\n this.mirror.reset();\n });\n\n const timer = new Timer([], config?.speed || defaultConfig.speed);\n this.service = createPlayerService(\n {\n events: events\n .map((e) => {\n if (config && config.unpackFn) {\n return config.unpackFn(e as string);\n }\n return e as eventWithTime;\n })\n .sort((a1, a2) => a1.timestamp - a2.timestamp),\n timer,\n timeOffset: 0,\n baselineTime: 0,\n lastPlayedEvent: null,\n },\n {\n getCastFn: this.getCastFn,\n applyEventsSynchronously: this.applyEventsSynchronously,\n emitter: this.emitter,\n },\n );\n this.service.start();\n this.service.subscribe((state) => {\n this.emitter.emit(ReplayerEvents.StateChange, {\n player: state,\n });\n });\n this.speedService = createSpeedService({\n normalSpeed: -1,\n timer,\n });\n this.speedService.start();\n this.speedService.subscribe((state) => {\n this.emitter.emit(ReplayerEvents.StateChange, {\n speed: state,\n });\n });\n\n // rebuild first full snapshot as the poster of the player\n // maybe we can cache it for performance optimization\n const firstMeta = this.service.state.context.events.find(\n (e) => e.type === EventType.Meta,\n );\n const firstFullsnapshot = this.service.state.context.events.find(\n (e) => e.type === EventType.FullSnapshot,\n );\n if (firstMeta) {\n const { width, height } = firstMeta.data as metaEvent['data'];\n setTimeout(() => {\n this.emitter.emit(ReplayerEvents.Resize, {\n width,\n height,\n });\n }, 0);\n }\n if (firstFullsnapshot) {\n setTimeout(() => {\n // when something has been played, there is no need to rebuild poster\n if (this.firstFullSnapshot) {\n // true if any other fullSnapshot has been executed by Timer already\n return;\n }\n this.firstFullSnapshot = firstFullsnapshot;\n this.rebuildFullSnapshot(\n firstFullsnapshot as fullSnapshotEvent & { timestamp: number },\n );\n this.iframe.contentWindow!.scrollTo(\n (firstFullsnapshot as fullSnapshotEvent).data.initialOffset,\n );\n }, 1);\n }\n if (this.service.state.context.events.find(indicatesTouchDevice)) {\n this.mouse.classList.add('touch-device');\n }\n }\n\n public on(event: string, handler: Handler) {\n this.emitter.on(event, handler);\n return this;\n }\n\n public off(event: string, handler: Handler) {\n this.emitter.off(event, handler);\n return this;\n }\n\n public setConfig(config: Partial) {\n Object.keys(config).forEach((key) => {\n // @ts-ignore\n this.config[key] = config[key];\n });\n if (!this.config.skipInactive) {\n this.backToNormal();\n }\n if (typeof config.speed !== 'undefined') {\n this.speedService.send({\n type: 'SET_SPEED',\n payload: {\n speed: config.speed!,\n },\n });\n }\n if (typeof config.mouseTail !== 'undefined') {\n if (config.mouseTail === false) {\n if (this.mouseTail) {\n this.mouseTail.style.display = 'none';\n }\n } else {\n if (!this.mouseTail) {\n this.mouseTail = document.createElement('canvas');\n this.mouseTail.width = Number.parseFloat(this.iframe.width);\n this.mouseTail.height = Number.parseFloat(this.iframe.height);\n this.mouseTail.classList.add('replayer-mouse-tail');\n this.wrapper.insertBefore(this.mouseTail, this.iframe);\n }\n this.mouseTail.style.display = 'inherit';\n }\n }\n }\n\n public getMetaData(): playerMetaData {\n const firstEvent = this.service.state.context.events[0];\n const lastEvent = this.service.state.context.events[\n this.service.state.context.events.length - 1\n ];\n return {\n startTime: firstEvent.timestamp,\n endTime: lastEvent.timestamp,\n totalTime: lastEvent.timestamp - firstEvent.timestamp,\n };\n }\n\n public getCurrentTime(): number {\n return this.timer.timeOffset + this.getTimeOffset();\n }\n\n public getTimeOffset(): number {\n const { baselineTime, events } = this.service.state.context;\n return baselineTime - events[0].timestamp;\n }\n\n public getMirror(): Mirror {\n return this.mirror;\n }\n\n /**\n * This API was designed to be used as play at any time offset.\n * Since we minimized the data collected from recorder, we do not\n * have the ability of undo an event.\n * So the implementation of play at any time offset will always iterate\n * all of the events, cast event before the offset synchronously\n * and cast event after the offset asynchronously with timer.\n * @param timeOffset number\n */\n public play(timeOffset = 0) {\n if (this.service.state.matches('paused')) {\n this.service.send({ type: 'PLAY', payload: { timeOffset } });\n } else {\n this.service.send({ type: 'PAUSE' });\n this.service.send({ type: 'PLAY', payload: { timeOffset } });\n }\n this.iframe.contentDocument\n ?.getElementsByTagName('html')[0]\n .classList.remove('rrweb-paused');\n this.emitter.emit(ReplayerEvents.Start);\n }\n\n public pause(timeOffset?: number) {\n if (timeOffset === undefined && this.service.state.matches('playing')) {\n this.service.send({ type: 'PAUSE' });\n }\n if (typeof timeOffset === 'number') {\n this.play(timeOffset);\n this.service.send({ type: 'PAUSE' });\n }\n this.iframe.contentDocument\n ?.getElementsByTagName('html')[0]\n .classList.add('rrweb-paused');\n this.emitter.emit(ReplayerEvents.Pause);\n }\n\n public resume(timeOffset = 0) {\n console.warn(\n `The 'resume' will be departed in 1.0. Please use 'play' method which has the same interface.`,\n );\n this.play(timeOffset);\n this.emitter.emit(ReplayerEvents.Resume);\n }\n\n public startLive(baselineTime?: number) {\n this.service.send({ type: 'TO_LIVE', payload: { baselineTime } });\n }\n\n public addEvent(rawEvent: eventWithTime | string) {\n const event = this.config.unpackFn\n ? this.config.unpackFn(rawEvent as string)\n : (rawEvent as eventWithTime);\n if (indicatesTouchDevice(event)) {\n this.mouse.classList.add('touch-device');\n }\n Promise.resolve().then(() =>\n this.service.send({ type: 'ADD_EVENT', payload: { event } }),\n );\n }\n\n public enableInteract() {\n this.iframe.setAttribute('scrolling', 'auto');\n this.iframe.style.pointerEvents = 'auto';\n }\n\n public disableInteract() {\n this.iframe.setAttribute('scrolling', 'no');\n this.iframe.style.pointerEvents = 'none';\n }\n\n /**\n * Empties the replayer's cache and reclaims memory.\n * The replayer will use this cache to speed up the playback.\n */\n public resetCache() {\n this.cache = createCache();\n }\n\n private setupDom() {\n this.wrapper = document.createElement('div');\n this.wrapper.classList.add('replayer-wrapper');\n this.config.root!.appendChild(this.wrapper);\n\n this.mouse = document.createElement('div');\n this.mouse.classList.add('replayer-mouse');\n this.wrapper.appendChild(this.mouse);\n\n if (this.config.mouseTail !== false) {\n this.mouseTail = document.createElement('canvas');\n this.mouseTail.classList.add('replayer-mouse-tail');\n this.mouseTail.style.display = 'inherit';\n this.wrapper.appendChild(this.mouseTail);\n }\n\n this.iframe = document.createElement('iframe');\n const attributes = ['allow-same-origin'];\n if (this.config.UNSAFE_replayCanvas) {\n attributes.push('allow-scripts');\n }\n // hide iframe before first meta event\n this.iframe.style.display = 'none';\n this.iframe.setAttribute('sandbox', attributes.join(' '));\n this.disableInteract();\n this.wrapper.appendChild(this.iframe);\n if (this.iframe.contentWindow && this.iframe.contentDocument) {\n smoothscrollPolyfill(\n this.iframe.contentWindow,\n this.iframe.contentDocument,\n );\n\n polyfill(this.iframe.contentWindow as IWindow);\n }\n }\n\n private handleResize(dimension: viewportResizeDimension) {\n this.iframe.style.display = 'inherit';\n for (const el of [this.mouseTail, this.iframe]) {\n if (!el) {\n continue;\n }\n el.setAttribute('width', String(dimension.width));\n el.setAttribute('height', String(dimension.height));\n }\n }\n\n private applyEventsSynchronously(events: Array) {\n for (const event of events) {\n switch (event.type) {\n case EventType.DomContentLoaded:\n case EventType.Load:\n case EventType.Custom:\n continue;\n case EventType.FullSnapshot:\n case EventType.Meta:\n case EventType.Plugin:\n break;\n case EventType.IncrementalSnapshot:\n switch (event.data.source) {\n case IncrementalSource.MediaInteraction:\n continue;\n default:\n break;\n }\n break;\n default:\n break;\n }\n const castFn = this.getCastFn(event, true);\n castFn();\n }\n if (this.mousePos) {\n this.moveAndHover(\n this.mousePos.x,\n this.mousePos.y,\n this.mousePos.id,\n true,\n this.mousePos.debugData,\n );\n }\n this.mousePos = null;\n if (this.touchActive === true) {\n this.mouse.classList.add('touch-active');\n } else if (this.touchActive === false) {\n this.mouse.classList.remove('touch-active');\n }\n this.touchActive = null;\n }\n\n private getCastFn(event: eventWithTime, isSync = false) {\n let castFn: undefined | (() => void);\n switch (event.type) {\n case EventType.DomContentLoaded:\n case EventType.Load:\n break;\n case EventType.Custom:\n castFn = () => {\n /**\n * emit custom-event and pass the event object.\n *\n * This will add more value to the custom event and allows the client to react for custom-event.\n */\n this.emitter.emit(ReplayerEvents.CustomEvent, event);\n };\n break;\n case EventType.Meta:\n castFn = () =>\n this.emitter.emit(ReplayerEvents.Resize, {\n width: event.data.width,\n height: event.data.height,\n });\n break;\n case EventType.FullSnapshot:\n castFn = () => {\n if (this.firstFullSnapshot) {\n if (this.firstFullSnapshot === event) {\n // we've already built this exact FullSnapshot when the player was mounted, and haven't built any other FullSnapshot since\n this.firstFullSnapshot = true; // forget as we might need to re-execute this FullSnapshot later e.g. to rebuild after scrubbing\n return;\n }\n } else {\n // Timer (requestAnimationFrame) can be faster than setTimeout(..., 1)\n this.firstFullSnapshot = true;\n }\n this.rebuildFullSnapshot(event, isSync);\n this.iframe.contentWindow!.scrollTo(event.data.initialOffset);\n };\n break;\n case EventType.IncrementalSnapshot:\n castFn = () => {\n this.applyIncremental(event, isSync);\n if (isSync) {\n // do not check skip in sync\n return;\n }\n if (event === this.nextUserInteractionEvent) {\n this.nextUserInteractionEvent = null;\n this.backToNormal();\n }\n if (this.config.skipInactive && !this.nextUserInteractionEvent) {\n for (const _event of this.service.state.context.events) {\n if (_event.timestamp! <= event.timestamp!) {\n continue;\n }\n if (this.isUserInteraction(_event)) {\n if (\n _event.delay! - event.delay! >\n SKIP_TIME_THRESHOLD *\n this.speedService.state.context.timer.speed\n ) {\n this.nextUserInteractionEvent = _event;\n }\n break;\n }\n }\n if (this.nextUserInteractionEvent) {\n const skipTime =\n this.nextUserInteractionEvent.delay! - event.delay!;\n const payload = {\n speed: Math.min(\n Math.round(skipTime / SKIP_TIME_INTERVAL),\n this.config.maxSpeed,\n ),\n };\n this.speedService.send({ type: 'FAST_FORWARD', payload });\n this.emitter.emit(ReplayerEvents.SkipStart, payload);\n }\n }\n };\n break;\n default:\n }\n const wrappedCastFn = () => {\n if (castFn) {\n castFn();\n }\n\n for (const plugin of this.config.plugins || []) {\n plugin.handler(event, isSync, { replayer: this });\n }\n\n this.service.send({ type: 'CAST_EVENT', payload: { event } });\n\n // events are kept sorted by timestamp, check if this is the last event\n let last_index = this.service.state.context.events.length - 1;\n if (event === this.service.state.context.events[last_index]) {\n const finish = () => {\n if (last_index < this.service.state.context.events.length - 1) {\n // more events have been added since the setTimeout\n return;\n }\n this.backToNormal();\n this.service.send('END');\n this.emitter.emit(ReplayerEvents.Finish);\n };\n if (\n event.type === EventType.IncrementalSnapshot &&\n event.data.source === IncrementalSource.MouseMove &&\n event.data.positions.length\n ) {\n // defer finish event if the last event is a mouse move\n setTimeout(() => {\n finish();\n }, Math.max(0, -event.data.positions[0].timeOffset + 50)); // Add 50 to make sure the timer would check the last mousemove event. Otherwise, the timer may be stopped by the service before checking the last event.\n } else {\n finish();\n }\n }\n\n this.emitter.emit(ReplayerEvents.EventCast, event);\n };\n return wrappedCastFn;\n }\n\n private rebuildFullSnapshot(\n event: fullSnapshotEvent & { timestamp: number },\n isSync: boolean = false,\n ) {\n if (!this.iframe.contentDocument) {\n return console.warn('Looks like your replayer has been destroyed.');\n }\n if (Object.keys(this.legacy_missingNodeRetryMap).length) {\n console.warn(\n 'Found unresolved missing node map',\n this.legacy_missingNodeRetryMap,\n );\n }\n this.legacy_missingNodeRetryMap = {};\n const collected: AppendedIframe[] = [];\n this.mirror.map = rebuild(event.data.node, {\n doc: this.iframe.contentDocument,\n afterAppend: (builtNode) => {\n this.collectIframeAndAttachDocument(collected, builtNode);\n },\n cache: this.cache,\n })[1];\n for (const { mutationInQueue, builtNode } of collected) {\n this.attachDocumentToIframe(mutationInQueue, builtNode);\n this.newDocumentQueue = this.newDocumentQueue.filter(\n (m) => m !== mutationInQueue,\n );\n }\n const { documentElement, head } = this.iframe.contentDocument;\n this.insertStyleRules(documentElement, head);\n if (!this.service.state.matches('playing')) {\n this.iframe.contentDocument\n .getElementsByTagName('html')[0]\n .classList.add('rrweb-paused');\n }\n this.emitter.emit(ReplayerEvents.FullsnapshotRebuilded, event);\n if (!isSync) {\n this.waitForStylesheetLoad();\n }\n if (this.config.UNSAFE_replayCanvas) {\n this.preloadAllImages();\n }\n }\n\n private insertStyleRules(\n documentElement: HTMLElement,\n head: HTMLHeadElement,\n ) {\n const styleEl = document.createElement('style');\n documentElement!.insertBefore(styleEl, head);\n const injectStylesRules = getInjectStyleRules(\n this.config.blockClass,\n ).concat(this.config.insertStyleRules);\n if (this.config.pauseAnimation) {\n injectStylesRules.push(\n 'html.rrweb-paused *, html.rrweb-paused *:before, html.rrweb-paused *:after { animation-play-state: paused !important; }',\n );\n }\n for (let idx = 0; idx < injectStylesRules.length; idx++) {\n (styleEl.sheet! as CSSStyleSheet).insertRule(injectStylesRules[idx], idx);\n }\n }\n\n private attachDocumentToIframe(\n mutation: addedNodeMutation,\n iframeEl: HTMLIFrameElement,\n ) {\n const collected: AppendedIframe[] = [];\n // If iframeEl is detached from dom, iframeEl.contentDocument is null.\n if (!iframeEl.contentDocument) {\n let parent = iframeEl.parentNode;\n while (parent) {\n // The parent of iframeEl is virtual parent and we need to mount it on the dom.\n if (this.fragmentParentMap.has((parent as unknown) as INode)) {\n const frag = (parent as unknown) as INode;\n const realParent = this.fragmentParentMap.get(frag)!;\n this.restoreRealParent(frag, realParent);\n break;\n }\n parent = parent.parentNode;\n }\n }\n buildNodeWithSN(mutation.node, {\n doc: iframeEl.contentDocument!,\n map: this.mirror.map,\n hackCss: true,\n skipChild: false,\n afterAppend: (builtNode) => {\n this.collectIframeAndAttachDocument(collected, builtNode);\n if (\n builtNode.__sn.type === NodeType.Element &&\n builtNode.__sn.tagName.toUpperCase() === 'HTML'\n ) {\n const { documentElement, head } = iframeEl.contentDocument!;\n this.insertStyleRules(documentElement, head);\n }\n },\n cache: this.cache,\n });\n for (const { mutationInQueue, builtNode } of collected) {\n this.attachDocumentToIframe(mutationInQueue, builtNode);\n this.newDocumentQueue = this.newDocumentQueue.filter(\n (m) => m !== mutationInQueue,\n );\n }\n }\n\n private collectIframeAndAttachDocument(\n collected: AppendedIframe[],\n builtNode: INode,\n ) {\n if (isIframeINode(builtNode)) {\n const mutationInQueue = this.newDocumentQueue.find(\n (m) => m.parentId === builtNode.__sn.id,\n );\n if (mutationInQueue) {\n collected.push({ mutationInQueue, builtNode });\n }\n }\n }\n\n /**\n * pause when loading style sheet, resume when loaded all timeout exceed\n */\n private waitForStylesheetLoad() {\n const head = this.iframe.contentDocument?.head;\n if (head) {\n const unloadSheets: Set = new Set();\n let timer: ReturnType | -1;\n let beforeLoadState = this.service.state;\n const stateHandler = () => {\n beforeLoadState = this.service.state;\n };\n this.emitter.on(ReplayerEvents.Start, stateHandler);\n this.emitter.on(ReplayerEvents.Pause, stateHandler);\n const unsubscribe = () => {\n this.emitter.off(ReplayerEvents.Start, stateHandler);\n this.emitter.off(ReplayerEvents.Pause, stateHandler);\n };\n head\n .querySelectorAll('link[rel=\"stylesheet\"]')\n .forEach((css: HTMLLinkElement) => {\n if (!css.sheet) {\n unloadSheets.add(css);\n css.addEventListener('load', () => {\n unloadSheets.delete(css);\n // all loaded and timer not released yet\n if (unloadSheets.size === 0 && timer !== -1) {\n if (beforeLoadState.matches('playing')) {\n this.play(this.getCurrentTime());\n }\n this.emitter.emit(ReplayerEvents.LoadStylesheetEnd);\n if (timer) {\n clearTimeout(timer);\n }\n unsubscribe();\n }\n });\n }\n });\n\n if (unloadSheets.size > 0) {\n // find some unload sheets after iterate\n this.service.send({ type: 'PAUSE' });\n this.emitter.emit(ReplayerEvents.LoadStylesheetStart);\n timer = setTimeout(() => {\n if (beforeLoadState.matches('playing')) {\n this.play(this.getCurrentTime());\n }\n // mark timer was called\n timer = -1;\n unsubscribe();\n }, this.config.loadTimeout);\n }\n }\n }\n\n private hasImageArg(args: any[]): boolean {\n for (const arg of args) {\n if (!arg || typeof arg !== 'object') {\n // do nothing\n } else if ('rr_type' in arg && 'args' in arg) {\n if (this.hasImageArg(arg.args)) return true;\n } else if ('rr_type' in arg && arg.rr_type === 'HTMLImageElement') {\n return true; // has image!\n } else if (arg instanceof Array) {\n if (this.hasImageArg(arg)) return true;\n }\n }\n return false;\n }\n\n private getImageArgs(args: any[]): string[] {\n const images: string[] = [];\n for (const arg of args) {\n if (!arg || typeof arg !== 'object') {\n // do nothing\n } else if ('rr_type' in arg && 'args' in arg) {\n images.push(...this.getImageArgs(arg.args));\n } else if ('rr_type' in arg && arg.rr_type === 'HTMLImageElement') {\n images.push(arg.src);\n } else if (arg instanceof Array) {\n images.push(...this.getImageArgs(arg));\n }\n }\n return images;\n }\n\n /**\n * pause when there are some canvas drawImage args need to be loaded\n */\n private preloadAllImages() {\n let beforeLoadState = this.service.state;\n const stateHandler = () => {\n beforeLoadState = this.service.state;\n };\n this.emitter.on(ReplayerEvents.Start, stateHandler);\n this.emitter.on(ReplayerEvents.Pause, stateHandler);\n for (const event of this.service.state.context.events) {\n if (\n event.type === EventType.IncrementalSnapshot &&\n event.data.source === IncrementalSource.CanvasMutation\n )\n if ('commands' in event.data) {\n event.data.commands.forEach((c) => this.preloadImages(c, event));\n } else {\n this.preloadImages(event.data, event);\n }\n }\n }\n\n private preloadImages(data: canvasMutationCommand, event: eventWithTime) {\n if (\n data.property === 'drawImage' &&\n typeof data.args[0] === 'string' &&\n !this.imageMap.has(event)\n ) {\n const canvas = document.createElement('canvas');\n const ctx = canvas.getContext('2d');\n const imgd = ctx?.createImageData(canvas.width, canvas.height);\n let d = imgd?.data;\n d = JSON.parse(data.args[0]);\n ctx?.putImageData(imgd!, 0, 0);\n } else if (this.hasImageArg(data.args)) {\n this.getImageArgs(data.args).forEach((url) => {\n const image = new Image();\n image.src = url; // this preloads the image\n this.imageMap.set(url, image);\n });\n }\n }\n\n private applyIncremental(\n e: incrementalSnapshotEvent & { timestamp: number; delay?: number },\n isSync: boolean,\n ) {\n const { data: d } = e;\n switch (d.source) {\n case IncrementalSource.Mutation: {\n if (isSync) {\n d.adds.forEach((m) => this.treeIndex.add(m));\n d.texts.forEach((m) => {\n const target = this.mirror.getNode(m.id);\n const parent = (target?.parentNode as unknown) as INode | null;\n // remove any style rules that pending\n // for stylesheets where the contents get replaced\n if (parent && this.virtualStyleRulesMap.has(parent))\n this.virtualStyleRulesMap.delete(parent);\n\n this.treeIndex.text(m);\n });\n d.attributes.forEach((m) => this.treeIndex.attribute(m));\n d.removes.forEach((m) => this.treeIndex.remove(m, this.mirror));\n }\n try {\n this.applyMutation(d, isSync);\n } catch (error) {\n this.warn(`Exception in mutation ${error.message || error}`, d);\n }\n break;\n }\n case IncrementalSource.Drag:\n case IncrementalSource.TouchMove:\n case IncrementalSource.MouseMove:\n if (isSync) {\n const lastPosition = d.positions[d.positions.length - 1];\n this.mousePos = {\n x: lastPosition.x,\n y: lastPosition.y,\n id: lastPosition.id,\n debugData: d,\n };\n } else {\n d.positions.forEach((p) => {\n const action = {\n doAction: () => {\n this.moveAndHover(p.x, p.y, p.id, isSync, d);\n },\n delay:\n p.timeOffset +\n e.timestamp -\n this.service.state.context.baselineTime,\n };\n this.timer.addAction(action);\n });\n // add a dummy action to keep timer alive\n this.timer.addAction({\n doAction() {},\n delay: e.delay! - d.positions[0]?.timeOffset,\n });\n }\n break;\n case IncrementalSource.MouseInteraction: {\n /**\n * Same as the situation of missing input target.\n */\n if (d.id === -1) {\n break;\n }\n const event = new Event(MouseInteractions[d.type].toLowerCase());\n const target = this.mirror.getNode(d.id);\n if (!target) {\n return this.debugNodeNotFound(d, d.id);\n }\n this.emitter.emit(ReplayerEvents.MouseInteraction, {\n type: d.type,\n target,\n });\n const { triggerFocus } = this.config;\n switch (d.type) {\n case MouseInteractions.Blur:\n if ('blur' in ((target as Node) as HTMLElement)) {\n ((target as Node) as HTMLElement).blur();\n }\n break;\n case MouseInteractions.Focus:\n if (triggerFocus && ((target as Node) as HTMLElement).focus) {\n ((target as Node) as HTMLElement).focus({\n preventScroll: true,\n });\n }\n break;\n case MouseInteractions.Click:\n case MouseInteractions.TouchStart:\n case MouseInteractions.TouchEnd:\n if (isSync) {\n if (d.type === MouseInteractions.TouchStart) {\n this.touchActive = true;\n } else if (d.type === MouseInteractions.TouchEnd) {\n this.touchActive = false;\n }\n this.mousePos = {\n x: d.x,\n y: d.y,\n id: d.id,\n debugData: d,\n };\n } else {\n if (d.type === MouseInteractions.TouchStart) {\n // don't draw a trail as user has lifted finger and is placing at a new point\n this.tailPositions.length = 0;\n }\n this.moveAndHover(d.x, d.y, d.id, isSync, d);\n if (d.type === MouseInteractions.Click) {\n /*\n * don't want target.click() here as could trigger an iframe navigation\n * instead any effects of the click should already be covered by mutations\n */\n /*\n * removal and addition of .active class (along with void line to trigger repaint)\n * triggers the 'click' css animation in styles/style.css\n */\n this.mouse.classList.remove('active');\n // tslint:disable-next-line\n void this.mouse.offsetWidth;\n this.mouse.classList.add('active');\n } else if (d.type === MouseInteractions.TouchStart) {\n void this.mouse.offsetWidth; // needed for the position update of moveAndHover to apply without the .touch-active transition\n this.mouse.classList.add('touch-active');\n } else if (d.type === MouseInteractions.TouchEnd) {\n this.mouse.classList.remove('touch-active');\n }\n }\n break;\n case MouseInteractions.TouchCancel:\n if (isSync) {\n this.touchActive = false;\n } else {\n this.mouse.classList.remove('touch-active');\n }\n break;\n default:\n target.dispatchEvent(event);\n }\n break;\n }\n case IncrementalSource.Scroll: {\n /**\n * Same as the situation of missing input target.\n */\n if (d.id === -1) {\n break;\n }\n if (isSync) {\n this.treeIndex.scroll(d);\n break;\n }\n this.applyScroll(d, false);\n break;\n }\n case IncrementalSource.ViewportResize:\n this.emitter.emit(ReplayerEvents.Resize, {\n width: d.width,\n height: d.height,\n });\n break;\n case IncrementalSource.Input: {\n /**\n * Input event on an unserialized node usually means the event\n * was synchrony triggered programmatically after the node was\n * created. This means there was not an user observable interaction\n * and we do not need to replay it.\n */\n if (d.id === -1) {\n break;\n }\n if (isSync) {\n this.treeIndex.input(d);\n break;\n }\n this.applyInput(d);\n break;\n }\n case IncrementalSource.MediaInteraction: {\n const target = this.mirror.getNode(d.id);\n if (!target) {\n return this.debugNodeNotFound(d, d.id);\n }\n const mediaEl = (target as Node) as HTMLMediaElement;\n try {\n if (d.currentTime) {\n mediaEl.currentTime = d.currentTime;\n }\n if (d.volume) {\n mediaEl.volume = d.volume;\n }\n if (d.muted) {\n mediaEl.muted = d.muted;\n }\n if (d.type === MediaInteractions.Pause) {\n mediaEl.pause();\n }\n if (d.type === MediaInteractions.Play) {\n // remove listener for 'canplay' event because play() is async and returns a promise\n // i.e. media will evntualy start to play when data is loaded\n // 'canplay' event fires even when currentTime attribute changes which may lead to\n // unexpeted behavior\n mediaEl.play();\n }\n } catch (error) {\n if (this.config.showWarning) {\n console.warn(\n `Failed to replay media interactions: ${error.message || error}`,\n );\n }\n }\n break;\n }\n case IncrementalSource.StyleSheetRule: {\n const target = this.mirror.getNode(d.id);\n if (!target) {\n return this.debugNodeNotFound(d, d.id);\n }\n\n const styleEl = (target as Node) as HTMLStyleElement;\n const parent = (target.parentNode as unknown) as INode;\n const usingVirtualParent = this.fragmentParentMap.has(parent);\n\n /**\n * Always use existing DOM node, when it's there.\n * In in-memory replay, there is virtual node, but it's `sheet` is inaccessible.\n * Hence, we buffer all style changes in virtualStyleRulesMap.\n */\n const styleSheet = usingVirtualParent ? null : styleEl.sheet;\n let rules: VirtualStyleRules;\n\n if (!styleSheet) {\n /**\n * styleEl.sheet is only accessible if the styleEl is part of the\n * dom. This doesn't work on DocumentFragments so we have to add the\n * style mutations to the virtualStyleRulesMap.\n */\n\n if (this.virtualStyleRulesMap.has(target)) {\n rules = this.virtualStyleRulesMap.get(target) as VirtualStyleRules;\n } else {\n rules = [];\n this.virtualStyleRulesMap.set(target, rules);\n }\n }\n\n if (d.adds) {\n d.adds.forEach(({ rule, index: nestedIndex }) => {\n if (styleSheet) {\n try {\n if (Array.isArray(nestedIndex)) {\n const { positions, index } = getPositionsAndIndex(\n nestedIndex,\n );\n const nestedRule = getNestedRule(\n styleSheet.cssRules,\n positions,\n );\n nestedRule.insertRule(rule, index);\n } else {\n const index =\n nestedIndex === undefined\n ? undefined\n : Math.min(nestedIndex, styleSheet.cssRules.length);\n styleSheet.insertRule(rule, index);\n }\n } catch (e) {\n /**\n * sometimes we may capture rules with browser prefix\n * insert rule with prefixs in other browsers may cause Error\n */\n /**\n * accessing styleSheet rules may cause SecurityError\n * for specific access control settings\n */\n }\n } else {\n rules?.push({\n cssText: rule,\n index: nestedIndex,\n type: StyleRuleType.Insert,\n });\n }\n });\n }\n\n if (d.removes) {\n d.removes.forEach(({ index: nestedIndex }) => {\n if (usingVirtualParent) {\n rules?.push({ index: nestedIndex, type: StyleRuleType.Remove });\n } else {\n try {\n if (Array.isArray(nestedIndex)) {\n const { positions, index } = getPositionsAndIndex(\n nestedIndex,\n );\n const nestedRule = getNestedRule(\n styleSheet!.cssRules,\n positions,\n );\n nestedRule.deleteRule(index || 0);\n } else {\n styleSheet?.deleteRule(nestedIndex);\n }\n } catch (e) {\n /**\n * same as insertRule\n */\n }\n }\n });\n }\n break;\n }\n case IncrementalSource.StyleDeclaration: {\n // same with StyleSheetRule\n const target = this.mirror.getNode(d.id);\n if (!target) {\n return this.debugNodeNotFound(d, d.id);\n }\n\n const styleEl = (target as Node) as HTMLStyleElement;\n const parent = (target.parentNode as unknown) as INode;\n const usingVirtualParent = this.fragmentParentMap.has(parent);\n\n const styleSheet = usingVirtualParent ? null : styleEl.sheet;\n let rules: VirtualStyleRules = [];\n\n if (!styleSheet) {\n if (this.virtualStyleRulesMap.has(target)) {\n rules = this.virtualStyleRulesMap.get(target) as VirtualStyleRules;\n } else {\n rules = [];\n this.virtualStyleRulesMap.set(target, rules);\n }\n }\n\n if (d.set) {\n if (styleSheet) {\n const rule = (getNestedRule(\n styleSheet.rules,\n d.index,\n ) as unknown) as CSSStyleRule;\n rule.style.setProperty(d.set.property, d.set.value, d.set.priority);\n } else {\n rules.push({\n type: StyleRuleType.SetProperty,\n index: d.index,\n ...d.set,\n });\n }\n }\n\n if (d.remove) {\n if (styleSheet) {\n const rule = (getNestedRule(\n styleSheet.rules,\n d.index,\n ) as unknown) as CSSStyleRule;\n rule.style.removeProperty(d.remove.property);\n } else {\n rules.push({\n type: StyleRuleType.RemoveProperty,\n index: d.index,\n ...d.remove,\n });\n }\n }\n break;\n }\n case IncrementalSource.CanvasMutation: {\n if (!this.config.UNSAFE_replayCanvas) {\n return;\n }\n const target = this.mirror.getNode(d.id);\n if (!target) {\n return this.debugNodeNotFound(d, d.id);\n }\n\n canvasMutation({\n event: e,\n mutation: d,\n target: (target as unknown) as HTMLCanvasElement,\n imageMap: this.imageMap,\n errorHandler: this.warnCanvasMutationFailed.bind(this),\n });\n\n break;\n }\n case IncrementalSource.Font: {\n try {\n const fontFace = new FontFace(\n d.family,\n d.buffer ? new Uint8Array(JSON.parse(d.fontSource)) : d.fontSource,\n d.descriptors,\n );\n this.iframe.contentDocument?.fonts.add(fontFace);\n } catch (error) {\n if (this.config.showWarning) {\n console.warn(error);\n }\n }\n break;\n }\n default:\n }\n }\n\n private applyMutation(d: mutationData, useVirtualParent: boolean) {\n d.removes.forEach((mutation) => {\n let target = this.mirror.getNode(mutation.id);\n if (!target) {\n if (d.removes.find((r) => r.id === mutation.parentId)) {\n // no need to warn, parent was already removed\n return;\n }\n return this.warnNodeNotFound(d, mutation.id);\n }\n if (this.virtualStyleRulesMap.has(target)) {\n this.virtualStyleRulesMap.delete(target);\n }\n let parent: INode | null | ShadowRoot = this.mirror.getNode(\n mutation.parentId,\n );\n if (!parent) {\n return this.warnNodeNotFound(d, mutation.parentId);\n }\n if (mutation.isShadow && hasShadowRoot(parent)) {\n parent = parent.shadowRoot;\n }\n // target may be removed with its parents before\n this.mirror.removeNodeFromMap(target);\n if (parent) {\n let realTarget = null;\n const realParent =\n '__sn' in parent ? this.fragmentParentMap.get(parent) : undefined;\n if (realParent && realParent.contains(target)) {\n parent = realParent;\n } else if (this.fragmentParentMap.has(target)) {\n /**\n * the target itself is a fragment document and it's not in the dom\n * so we should remove the real target from its parent\n */\n realTarget = this.fragmentParentMap.get(target)!;\n this.fragmentParentMap.delete(target);\n target = realTarget;\n }\n try {\n parent.removeChild(target);\n } catch (error) {\n if (error instanceof DOMException) {\n this.warn(\n 'parent could not remove child in mutation',\n parent,\n realParent,\n target,\n realTarget,\n d,\n );\n } else {\n throw error;\n }\n }\n }\n });\n\n // tslint:disable-next-line: variable-name\n const legacy_missingNodeMap: missingNodeMap = {\n ...this.legacy_missingNodeRetryMap,\n };\n const queue: addedNodeMutation[] = [];\n\n // next not present at this moment\n const nextNotInDOM = (mutation: addedNodeMutation) => {\n let next: Node | null = null;\n if (mutation.nextId) {\n next = this.mirror.getNode(mutation.nextId) as Node;\n }\n // next not present at this moment\n if (\n mutation.nextId !== null &&\n mutation.nextId !== undefined &&\n mutation.nextId !== -1 &&\n !next\n ) {\n return true;\n }\n return false;\n };\n\n const appendNode = (mutation: addedNodeMutation) => {\n if (!this.iframe.contentDocument) {\n return console.warn('Looks like your replayer has been destroyed.');\n }\n let parent: INode | null | ShadowRoot = this.mirror.getNode(\n mutation.parentId,\n );\n if (!parent) {\n if (mutation.node.type === NodeType.Document) {\n // is newly added document, maybe the document node of an iframe\n return this.newDocumentQueue.push(mutation);\n }\n return queue.push(mutation);\n }\n\n let parentInDocument = null;\n if (this.iframe.contentDocument.contains) {\n parentInDocument = this.iframe.contentDocument.contains(parent);\n } else if (this.iframe.contentDocument.body.contains) {\n // fix for IE\n // refer 'Internet Explorer notes' at https://developer.mozilla.org/zh-CN/docs/Web/API/Document\n parentInDocument = this.iframe.contentDocument.body.contains(parent);\n }\n\n const hasIframeChild =\n ((parent as unknown) as HTMLElement).getElementsByTagName?.('iframe')\n .length > 0;\n /**\n * Why !isIframeINode(parent)? If parent element is an iframe, iframe document can't be appended to virtual parent.\n * Why !hasIframeChild? If we move iframe elements from dom to fragment document, we will lose the contentDocument of iframe. So we need to disable the virtual dom optimization if a parent node contains iframe elements.\n */\n if (\n useVirtualParent &&\n parentInDocument &&\n !isIframeINode(parent) &&\n !hasIframeChild\n ) {\n const virtualParent = (document.createDocumentFragment() as unknown) as INode;\n this.mirror.map[mutation.parentId] = virtualParent;\n this.fragmentParentMap.set(virtualParent, parent);\n\n // store the state, like scroll position, of child nodes before they are unmounted from dom\n this.storeState(parent);\n\n while (parent.firstChild) {\n virtualParent.appendChild(parent.firstChild);\n }\n parent = virtualParent;\n }\n\n if (mutation.node.isShadow) {\n // If the parent is attached a shadow dom after it's created, it won't have a shadow root.\n if (!hasShadowRoot(parent)) {\n ((parent as Node) as HTMLElement).attachShadow({ mode: 'open' });\n parent = ((parent as Node) as HTMLElement).shadowRoot!;\n } else parent = parent.shadowRoot;\n }\n\n let previous: Node | null = null;\n let next: Node | null = null;\n if (mutation.previousId) {\n previous = this.mirror.getNode(mutation.previousId) as Node;\n }\n if (mutation.nextId) {\n next = this.mirror.getNode(mutation.nextId) as Node;\n }\n if (nextNotInDOM(mutation)) {\n return queue.push(mutation);\n }\n\n if (mutation.node.rootId && !this.mirror.getNode(mutation.node.rootId)) {\n return;\n }\n\n const targetDoc = mutation.node.rootId\n ? this.mirror.getNode(mutation.node.rootId)\n : this.iframe.contentDocument;\n if (isIframeINode(parent)) {\n this.attachDocumentToIframe(mutation, parent);\n return;\n }\n const target = buildNodeWithSN(mutation.node, {\n doc: targetDoc as Document,\n map: this.mirror.map,\n skipChild: true,\n hackCss: true,\n cache: this.cache,\n }) as INode;\n\n // legacy data, we should not have -1 siblings any more\n if (mutation.previousId === -1 || mutation.nextId === -1) {\n legacy_missingNodeMap[mutation.node.id] = {\n node: target,\n mutation,\n };\n return;\n }\n\n if (\n '__sn' in parent &&\n parent.__sn.type === NodeType.Element &&\n parent.__sn.tagName === 'textarea' &&\n mutation.node.type === NodeType.Text\n ) {\n // https://github.com/rrweb-io/rrweb/issues/745\n // parent is textarea, will only keep one child node as the value\n for (const c of Array.from(parent.childNodes)) {\n if (c.nodeType === parent.TEXT_NODE) {\n parent.removeChild(c);\n }\n }\n }\n\n if (previous && previous.nextSibling && previous.nextSibling.parentNode) {\n parent.insertBefore(target, previous.nextSibling);\n } else if (next && next.parentNode) {\n // making sure the parent contains the reference nodes\n // before we insert target before next.\n parent.contains(next)\n ? parent.insertBefore(target, next)\n : parent.insertBefore(target, null);\n } else {\n /**\n * Sometimes the document changes and the MutationObserver is disconnected, so the removal of child elements can't be detected and recorded. After the change of document, we may get another mutation which adds a new html element, while the old html element still exists in the dom, and we need to remove the old html element first to avoid collision.\n */\n if (parent === targetDoc) {\n while (targetDoc.firstChild) {\n targetDoc.removeChild(targetDoc.firstChild);\n }\n }\n\n parent.appendChild(target);\n }\n\n if (isIframeINode(target)) {\n const mutationInQueue = this.newDocumentQueue.find(\n (m) => m.parentId === target.__sn.id,\n );\n if (mutationInQueue) {\n this.attachDocumentToIframe(mutationInQueue, target);\n this.newDocumentQueue = this.newDocumentQueue.filter(\n (m) => m !== mutationInQueue,\n );\n }\n }\n\n if (mutation.previousId || mutation.nextId) {\n this.legacy_resolveMissingNode(\n legacy_missingNodeMap,\n parent,\n target,\n mutation,\n );\n }\n };\n\n d.adds.forEach((mutation) => {\n appendNode(mutation);\n });\n\n let startTime = Date.now();\n while (queue.length) {\n // transform queue to resolve tree\n const resolveTrees = queueToResolveTrees(queue);\n queue.length = 0;\n if (Date.now() - startTime > 500) {\n this.warn(\n 'Timeout in the loop, please check the resolve tree data:',\n resolveTrees,\n );\n break;\n }\n for (const tree of resolveTrees) {\n let parent = this.mirror.getNode(tree.value.parentId);\n if (!parent) {\n this.debug(\n 'Drop resolve tree since there is no parent for the root node.',\n tree,\n );\n } else {\n iterateResolveTree(tree, (mutation) => {\n appendNode(mutation);\n });\n }\n }\n }\n\n if (Object.keys(legacy_missingNodeMap).length) {\n Object.assign(this.legacy_missingNodeRetryMap, legacy_missingNodeMap);\n }\n\n d.texts.forEach((mutation) => {\n let target = this.mirror.getNode(mutation.id);\n if (!target) {\n if (d.removes.find((r) => r.id === mutation.id)) {\n // no need to warn, element was already removed\n return;\n }\n return this.warnNodeNotFound(d, mutation.id);\n }\n /**\n * apply text content to real parent directly\n */\n if (this.fragmentParentMap.has(target)) {\n target = this.fragmentParentMap.get(target)!;\n }\n target.textContent = mutation.value;\n });\n d.attributes.forEach((mutation) => {\n let target = this.mirror.getNode(mutation.id);\n if (!target) {\n if (d.removes.find((r) => r.id === mutation.id)) {\n // no need to warn, element was already removed\n return;\n }\n return this.warnNodeNotFound(d, mutation.id);\n }\n if (this.fragmentParentMap.has(target)) {\n target = this.fragmentParentMap.get(target)!;\n }\n for (const attributeName in mutation.attributes) {\n if (typeof attributeName === 'string') {\n const value = mutation.attributes[attributeName];\n if (value === null) {\n ((target as Node) as Element).removeAttribute(attributeName);\n } else if (typeof value === 'string') {\n try {\n ((target as Node) as Element).setAttribute(attributeName, value);\n } catch (error) {\n if (this.config.showWarning) {\n console.warn(\n 'An error occurred may due to the checkout feature.',\n error,\n );\n }\n }\n } else if (attributeName === 'style') {\n let styleValues = value as styleAttributeValue;\n const targetEl = (target as Node) as HTMLElement;\n for (var s in styleValues) {\n if (styleValues[s] === false) {\n targetEl.style.removeProperty(s);\n } else if (styleValues[s] instanceof Array) {\n const svp = styleValues[s] as styleValueWithPriority;\n targetEl.style.setProperty(s, svp[0], svp[1]);\n } else {\n const svs = styleValues[s] as string;\n targetEl.style.setProperty(s, svs);\n }\n }\n }\n }\n }\n });\n }\n\n /**\n * Apply the scroll data on real elements.\n * If the replayer is in sync mode, smooth scroll behavior should be disabled.\n * @param d the scroll data\n * @param isSync whether the replayer is in sync mode(fast-forward)\n */\n private applyScroll(d: scrollData, isSync: boolean) {\n const target = this.mirror.getNode(d.id);\n if (!target) {\n return this.debugNodeNotFound(d, d.id);\n }\n if ((target as Node) === this.iframe.contentDocument) {\n this.iframe.contentWindow!.scrollTo({\n top: d.y,\n left: d.x,\n behavior: isSync ? 'auto' : 'smooth',\n });\n } else if (target.__sn.type === NodeType.Document) {\n // nest iframe content document\n ((target as unknown) as Document).defaultView!.scrollTo({\n top: d.y,\n left: d.x,\n behavior: isSync ? 'auto' : 'smooth',\n });\n } else {\n try {\n ((target as Node) as Element).scrollTop = d.y;\n ((target as Node) as Element).scrollLeft = d.x;\n } catch (error) {\n /**\n * Seldomly we may found scroll target was removed before\n * its last scroll event.\n */\n }\n }\n }\n\n private applyInput(d: inputData) {\n const target = this.mirror.getNode(d.id);\n if (!target) {\n return this.debugNodeNotFound(d, d.id);\n }\n try {\n ((target as Node) as HTMLInputElement).checked = d.isChecked;\n ((target as Node) as HTMLInputElement).value = d.text;\n } catch (error) {\n // for safe\n }\n }\n\n private applyText(d: textMutation, mutation: mutationData) {\n const target = this.mirror.getNode(d.id);\n if (!target) {\n return this.debugNodeNotFound(mutation, d.id);\n }\n try {\n ((target as Node) as HTMLElement).textContent = d.value;\n } catch (error) {\n // for safe\n }\n }\n\n private legacy_resolveMissingNode(\n map: missingNodeMap,\n parent: Node,\n target: Node,\n targetMutation: addedNodeMutation,\n ) {\n const { previousId, nextId } = targetMutation;\n const previousInMap = previousId && map[previousId];\n const nextInMap = nextId && map[nextId];\n if (previousInMap) {\n const { node, mutation } = previousInMap as missingNode;\n parent.insertBefore(node, target);\n delete map[mutation.node.id];\n delete this.legacy_missingNodeRetryMap[mutation.node.id];\n if (mutation.previousId || mutation.nextId) {\n this.legacy_resolveMissingNode(map, parent, node as Node, mutation);\n }\n }\n if (nextInMap) {\n const { node, mutation } = nextInMap as missingNode;\n parent.insertBefore(node, target.nextSibling);\n delete map[mutation.node.id];\n delete this.legacy_missingNodeRetryMap[mutation.node.id];\n if (mutation.previousId || mutation.nextId) {\n this.legacy_resolveMissingNode(map, parent, node as Node, mutation);\n }\n }\n }\n\n private moveAndHover(\n x: number,\n y: number,\n id: number,\n isSync: boolean,\n debugData: incrementalData,\n ) {\n const target = this.mirror.getNode(id);\n if (!target) {\n return this.debugNodeNotFound(debugData, id);\n }\n\n const base = getBaseDimension(target, this.iframe);\n const _x = x * base.absoluteScale + base.x;\n const _y = y * base.absoluteScale + base.y;\n\n this.mouse.style.left = `${_x}px`;\n this.mouse.style.top = `${_y}px`;\n if (!isSync) {\n this.drawMouseTail({ x: _x, y: _y });\n }\n this.hoverElements((target as Node) as Element);\n }\n\n private drawMouseTail(position: { x: number; y: number }) {\n if (!this.mouseTail) {\n return;\n }\n\n const { lineCap, lineWidth, strokeStyle, duration } =\n this.config.mouseTail === true\n ? defaultMouseTailConfig\n : Object.assign({}, defaultMouseTailConfig, this.config.mouseTail);\n\n const draw = () => {\n if (!this.mouseTail) {\n return;\n }\n const ctx = this.mouseTail.getContext('2d');\n if (!ctx || !this.tailPositions.length) {\n return;\n }\n ctx.clearRect(0, 0, this.mouseTail.width, this.mouseTail.height);\n ctx.beginPath();\n ctx.lineWidth = lineWidth;\n ctx.lineCap = lineCap;\n ctx.strokeStyle = strokeStyle;\n ctx.moveTo(this.tailPositions[0].x, this.tailPositions[0].y);\n this.tailPositions.forEach((p) => ctx.lineTo(p.x, p.y));\n ctx.stroke();\n };\n\n this.tailPositions.push(position);\n draw();\n setTimeout(() => {\n this.tailPositions = this.tailPositions.filter((p) => p !== position);\n draw();\n }, duration / this.speedService.state.context.timer.speed);\n }\n\n private hoverElements(el: Element) {\n this.iframe.contentDocument\n ?.querySelectorAll('.\\\\:hover')\n .forEach((hoveredEl) => {\n hoveredEl.classList.remove(':hover');\n });\n let currentEl: Element | null = el;\n while (currentEl) {\n if (currentEl.classList) {\n currentEl.classList.add(':hover');\n }\n currentEl = currentEl.parentElement;\n }\n }\n\n private isUserInteraction(event: eventWithTime): boolean {\n if (event.type !== EventType.IncrementalSnapshot) {\n return false;\n }\n return (\n event.data.source > IncrementalSource.Mutation &&\n event.data.source <= IncrementalSource.Input\n );\n }\n\n private backToNormal() {\n this.nextUserInteractionEvent = null;\n if (this.speedService.state.matches('normal')) {\n return;\n }\n this.speedService.send({ type: 'BACK_TO_NORMAL' });\n this.emitter.emit(ReplayerEvents.SkipEnd, {\n speed: this.speedService.state.context.normalSpeed,\n });\n }\n\n /**\n * Replace the virtual parent with the real parent.\n * @param frag fragment document, the virtual parent\n * @param parent real parent element\n */\n private restoreRealParent(frag: INode, parent: INode) {\n this.mirror.map[parent.__sn.id] = parent;\n /**\n * If we have already set value attribute on textarea,\n * then we could not apply text content as default value any more.\n */\n if (\n parent.__sn.type === NodeType.Element &&\n parent.__sn.tagName === 'textarea' &&\n frag.textContent\n ) {\n ((parent as unknown) as HTMLTextAreaElement).value = frag.textContent;\n }\n parent.appendChild(frag);\n // restore state of elements after they are mounted\n this.restoreState(parent);\n }\n\n /**\n * store state of elements before unmounted from dom recursively\n * the state should be restored in the handler of event ReplayerEvents.Flush\n * e.g. browser would lose scroll position after the process that we add children of parent node to Fragment Document as virtual dom\n */\n private storeState(parent: INode) {\n if (parent) {\n if (parent.nodeType === parent.ELEMENT_NODE) {\n const parentElement = (parent as unknown) as HTMLElement;\n if (parentElement.scrollLeft || parentElement.scrollTop) {\n // store scroll position state\n this.elementStateMap.set(parent, {\n scroll: [parentElement.scrollLeft, parentElement.scrollTop],\n });\n }\n if (parentElement.tagName === 'STYLE')\n storeCSSRules(\n parentElement as HTMLStyleElement,\n this.virtualStyleRulesMap,\n );\n const children = parentElement.children;\n for (const child of Array.from(children)) {\n this.storeState((child as unknown) as INode);\n }\n }\n }\n }\n\n /**\n * restore the state of elements recursively, which was stored before elements were unmounted from dom in virtual parent mode\n * this function corresponds to function storeState\n */\n private restoreState(parent: INode) {\n if (parent.nodeType === parent.ELEMENT_NODE) {\n const parentElement = (parent as unknown) as HTMLElement;\n if (this.elementStateMap.has(parent)) {\n const storedState = this.elementStateMap.get(parent)!;\n // restore scroll position\n if (storedState.scroll) {\n parentElement.scrollLeft = storedState.scroll[0];\n parentElement.scrollTop = storedState.scroll[1];\n }\n this.elementStateMap.delete(parent);\n }\n const children = parentElement.children;\n for (const child of Array.from(children)) {\n this.restoreState((child as unknown) as INode);\n }\n }\n }\n\n private restoreNodeSheet(node: INode) {\n const storedRules = this.virtualStyleRulesMap.get(node);\n if (node.nodeName !== 'STYLE') {\n return;\n }\n\n if (!storedRules) {\n return;\n }\n\n const styleNode = (node as unknown) as HTMLStyleElement;\n\n applyVirtualStyleRulesToNode(storedRules, styleNode);\n }\n\n private warnNodeNotFound(d: incrementalData, id: number) {\n if (this.treeIndex.idRemoved(id)) {\n this.warn(`Node with id '${id}' was previously removed. `, d);\n } else {\n this.warn(`Node with id '${id}' not found. `, d);\n }\n }\n\n private warnCanvasMutationFailed(\n d: canvasMutationData | canvasMutationCommand,\n error: unknown,\n ) {\n this.warn(`Has error on canvas update`, error, 'canvas mutation:', d);\n }\n\n private debugNodeNotFound(d: incrementalData, id: number) {\n /**\n * There maybe some valid scenes of node not being found.\n * Because DOM events are macrotask and MutationObserver callback\n * is microtask, so events fired on a removed DOM may emit\n * snapshots in the reverse order.\n */\n if (this.treeIndex.idRemoved(id)) {\n this.debug(\n REPLAY_CONSOLE_PREFIX,\n `Node with id '${id}' was previously removed. `,\n d,\n );\n } else {\n this.debug(REPLAY_CONSOLE_PREFIX, `Node with id '${id}' not found. `, d);\n }\n }\n\n private warn(...args: Parameters) {\n if (!this.config.showWarning) {\n return;\n }\n console.warn(REPLAY_CONSOLE_PREFIX, ...args);\n }\n\n private debug(...args: Parameters) {\n if (!this.config.showDebug) {\n return;\n }\n // tslint:disable-next-line: no-console\n console.log(REPLAY_CONSOLE_PREFIX, ...args);\n }\n}\n","import { Replayer } from '..';\nimport {\n CanvasContext,\n canvasMutationCommand,\n canvasMutationData,\n} from '../../types';\nimport webglMutation from './webgl';\nimport canvas2DMutation from './2d';\n\nexport default function canvasMutation({\n event,\n mutation,\n target,\n imageMap,\n errorHandler,\n}: {\n event: Parameters[0];\n mutation: canvasMutationData;\n target: HTMLCanvasElement;\n imageMap: Replayer['imageMap'];\n errorHandler: Replayer['warnCanvasMutationFailed'];\n}): void {\n try {\n const mutations: canvasMutationCommand[] =\n 'commands' in mutation ? mutation.commands : [mutation];\n\n if ([CanvasContext.WebGL, CanvasContext.WebGL2].includes(mutation.type)) {\n return mutations.forEach((command) => {\n webglMutation({\n mutation: command,\n type: mutation.type,\n target,\n imageMap,\n errorHandler,\n });\n });\n }\n // default is '2d' for backwards compatibility (rrweb below 1.1.x)\n return mutations.forEach((command) => {\n canvas2DMutation({\n event,\n mutation: command,\n target,\n imageMap,\n errorHandler,\n });\n });\n } catch (error) {\n errorHandler(mutation, error);\n }\n}\n","import { Replayer } from '../';\nimport { canvasMutationCommand } from '../../types';\n\nexport default function canvasMutation({\n event,\n mutation,\n target,\n imageMap,\n errorHandler,\n}: {\n event: Parameters[0];\n mutation: canvasMutationCommand;\n target: HTMLCanvasElement;\n imageMap: Replayer['imageMap'];\n errorHandler: Replayer['warnCanvasMutationFailed'];\n}): void {\n try {\n const ctx = ((target as unknown) as HTMLCanvasElement).getContext('2d')!;\n\n if (mutation.setter) {\n // skip some read-only type checks\n // tslint:disable-next-line:no-any\n (ctx as any)[mutation.property] = mutation.args[0];\n return;\n }\n const original = ctx[\n mutation.property as Exclude\n ] as Function;\n\n /**\n * We have serialized the image source into base64 string during recording,\n * which has been preloaded before replay.\n * So we can get call drawImage SYNCHRONOUSLY which avoid some fragile cast.\n */\n if (\n mutation.property === 'drawImage' &&\n typeof mutation.args[0] === 'string'\n ) {\n const image = imageMap.get(event);\n mutation.args[0] = image;\n original.apply(ctx, mutation.args);\n } else {\n original.apply(ctx, mutation.args);\n }\n } catch (error) {\n errorHandler(mutation, error);\n }\n}\n","import record from './record';\nimport { Replayer } from './replay';\nimport { _mirror } from './utils';\nimport * as utils from './utils';\n\nexport {\n EventType,\n IncrementalSource,\n MouseInteractions,\n ReplayerEvents,\n} from './types';\n\nconst { addCustomEvent } = record;\nconst { freezePage } = record;\n\nexport {\n record,\n addCustomEvent,\n freezePage,\n Replayer,\n _mirror as mirror,\n utils,\n};\n","// DEFLATE is a complex format; to read this code, you should probably check the RFC first:\n// https://tools.ietf.org/html/rfc1951\n// You may also wish to take a look at the guide I made about this program:\n// https://gist.github.com/101arrowz/253f31eb5abc3d9275ab943003ffecad\n// Much of the following code is similar to that of UZIP.js:\n// https://github.com/photopea/UZIP.js\n// Many optimizations have been made, so the bundle size is ultimately smaller but performance is similar.\n// Sometimes 0 will appear where -1 would be more appropriate. This is because using a uint\n// is better for memory in most engines (I *think*).\nvar ch2 = {};\nvar wk = (function (c, id, msg, transfer, cb) {\n var u = ch2[id] || (ch2[id] = URL.createObjectURL(new Blob([c], { type: 'text/javascript' })));\n var w = new Worker(u);\n w.onerror = function (e) { return cb(e.error, null); };\n w.onmessage = function (e) { return cb(null, e.data); };\n w.postMessage(msg, transfer);\n return w;\n});\n\n// aliases for shorter compressed code (most minifers don't do this)\nvar u8 = Uint8Array, u16 = Uint16Array, u32 = Uint32Array;\n// fixed length extra bits\nvar fleb = new u8([0, 0, 0, 0, 0, 0, 0, 0, 1, 1, 1, 1, 2, 2, 2, 2, 3, 3, 3, 3, 4, 4, 4, 4, 5, 5, 5, 5, 0, /* unused */ 0, 0, /* impossible */ 0]);\n// fixed distance extra bits\n// see fleb note\nvar fdeb = new u8([0, 0, 0, 0, 1, 1, 2, 2, 3, 3, 4, 4, 5, 5, 6, 6, 7, 7, 8, 8, 9, 9, 10, 10, 11, 11, 12, 12, 13, 13, /* unused */ 0, 0]);\n// code length index map\nvar clim = new u8([16, 17, 18, 0, 8, 7, 9, 6, 10, 5, 11, 4, 12, 3, 13, 2, 14, 1, 15]);\n// get base, reverse index map from extra bits\nvar freb = function (eb, start) {\n var b = new u16(31);\n for (var i = 0; i < 31; ++i) {\n b[i] = start += 1 << eb[i - 1];\n }\n // numbers here are at max 18 bits\n var r = new u32(b[30]);\n for (var i = 1; i < 30; ++i) {\n for (var j = b[i]; j < b[i + 1]; ++j) {\n r[j] = ((j - b[i]) << 5) | i;\n }\n }\n return [b, r];\n};\nvar _a = freb(fleb, 2), fl = _a[0], revfl = _a[1];\n// we can ignore the fact that the other numbers are wrong; they never happen anyway\nfl[28] = 258, revfl[258] = 28;\nvar _b = freb(fdeb, 0), fd = _b[0], revfd = _b[1];\n// map of value to reverse (assuming 16 bits)\nvar rev = new u16(32768);\nfor (var i = 0; i < 32768; ++i) {\n // reverse table algorithm from SO\n var x = ((i & 0xAAAA) >>> 1) | ((i & 0x5555) << 1);\n x = ((x & 0xCCCC) >>> 2) | ((x & 0x3333) << 2);\n x = ((x & 0xF0F0) >>> 4) | ((x & 0x0F0F) << 4);\n rev[i] = (((x & 0xFF00) >>> 8) | ((x & 0x00FF) << 8)) >>> 1;\n}\n// create huffman tree from u8 \"map\": index -> code length for code index\n// mb (max bits) must be at most 15\n// TODO: optimize/split up?\nvar hMap = (function (cd, mb, r) {\n var s = cd.length;\n // index\n var i = 0;\n // u16 \"map\": index -> # of codes with bit length = index\n var l = new u16(mb);\n // length of cd must be 288 (total # of codes)\n for (; i < s; ++i)\n ++l[cd[i] - 1];\n // u16 \"map\": index -> minimum code for bit length = index\n var le = new u16(mb);\n for (i = 0; i < mb; ++i) {\n le[i] = (le[i - 1] + l[i - 1]) << 1;\n }\n var co;\n if (r) {\n // u16 \"map\": index -> number of actual bits, symbol for code\n co = new u16(1 << mb);\n // bits to remove for reverser\n var rvb = 15 - mb;\n for (i = 0; i < s; ++i) {\n // ignore 0 lengths\n if (cd[i]) {\n // num encoding both symbol and bits read\n var sv = (i << 4) | cd[i];\n // free bits\n var r_1 = mb - cd[i];\n // start value\n var v = le[cd[i] - 1]++ << r_1;\n // m is end value\n for (var m = v | ((1 << r_1) - 1); v <= m; ++v) {\n // every 16 bit value starting with the code yields the same result\n co[rev[v] >>> rvb] = sv;\n }\n }\n }\n }\n else {\n co = new u16(s);\n for (i = 0; i < s; ++i)\n co[i] = rev[le[cd[i] - 1]++] >>> (15 - cd[i]);\n }\n return co;\n});\n// fixed length tree\nvar flt = new u8(288);\nfor (var i = 0; i < 144; ++i)\n flt[i] = 8;\nfor (var i = 144; i < 256; ++i)\n flt[i] = 9;\nfor (var i = 256; i < 280; ++i)\n flt[i] = 7;\nfor (var i = 280; i < 288; ++i)\n flt[i] = 8;\n// fixed distance tree\nvar fdt = new u8(32);\nfor (var i = 0; i < 32; ++i)\n fdt[i] = 5;\n// fixed length map\nvar flm = /*#__PURE__*/ hMap(flt, 9, 0), flrm = /*#__PURE__*/ hMap(flt, 9, 1);\n// fixed distance map\nvar fdm = /*#__PURE__*/ hMap(fdt, 5, 0), fdrm = /*#__PURE__*/ hMap(fdt, 5, 1);\n// find max of array\nvar max = function (a) {\n var m = a[0];\n for (var i = 1; i < a.length; ++i) {\n if (a[i] > m)\n m = a[i];\n }\n return m;\n};\n// read d, starting at bit p and mask with m\nvar bits = function (d, p, m) {\n var o = (p / 8) >> 0;\n return ((d[o] | (d[o + 1] << 8)) >>> (p & 7)) & m;\n};\n// read d, starting at bit p continuing for at least 16 bits\nvar bits16 = function (d, p) {\n var o = (p / 8) >> 0;\n return ((d[o] | (d[o + 1] << 8) | (d[o + 2] << 16)) >>> (p & 7));\n};\n// get end of byte\nvar shft = function (p) { return ((p / 8) >> 0) + (p & 7 && 1); };\n// typed array slice - allows garbage collector to free original reference,\n// while being more compatible than .slice\nvar slc = function (v, s, e) {\n if (s == null || s < 0)\n s = 0;\n if (e == null || e > v.length)\n e = v.length;\n // can't use .constructor in case user-supplied\n var n = new (v instanceof u16 ? u16 : v instanceof u32 ? u32 : u8)(e - s);\n n.set(v.subarray(s, e));\n return n;\n};\n// expands raw DEFLATE data\nvar inflt = function (dat, buf, st) {\n // source length\n var sl = dat.length;\n // have to estimate size\n var noBuf = !buf || st;\n // no state\n var noSt = !st || st.i;\n if (!st)\n st = {};\n // Assumes roughly 33% compression ratio average\n if (!buf)\n buf = new u8(sl * 3);\n // ensure buffer can fit at least l elements\n var cbuf = function (l) {\n var bl = buf.length;\n // need to increase size to fit\n if (l > bl) {\n // Double or set to necessary, whichever is greater\n var nbuf = new u8(Math.max(bl * 2, l));\n nbuf.set(buf);\n buf = nbuf;\n }\n };\n // last chunk bitpos bytes\n var final = st.f || 0, pos = st.p || 0, bt = st.b || 0, lm = st.l, dm = st.d, lbt = st.m, dbt = st.n;\n // total bits\n var tbts = sl * 8;\n do {\n if (!lm) {\n // BFINAL - this is only 1 when last chunk is next\n st.f = final = bits(dat, pos, 1);\n // type: 0 = no compression, 1 = fixed huffman, 2 = dynamic huffman\n var type = bits(dat, pos + 1, 3);\n pos += 3;\n if (!type) {\n // go to end of byte boundary\n var s = shft(pos) + 4, l = dat[s - 4] | (dat[s - 3] << 8), t = s + l;\n if (t > sl) {\n if (noSt)\n throw 'unexpected EOF';\n break;\n }\n // ensure size\n if (noBuf)\n cbuf(bt + l);\n // Copy over uncompressed data\n buf.set(dat.subarray(s, t), bt);\n // Get new bitpos, update byte count\n st.b = bt += l, st.p = pos = t * 8;\n continue;\n }\n else if (type == 1)\n lm = flrm, dm = fdrm, lbt = 9, dbt = 5;\n else if (type == 2) {\n // literal lengths\n var hLit = bits(dat, pos, 31) + 257, hcLen = bits(dat, pos + 10, 15) + 4;\n var tl = hLit + bits(dat, pos + 5, 31) + 1;\n pos += 14;\n // length+distance tree\n var ldt = new u8(tl);\n // code length tree\n var clt = new u8(19);\n for (var i = 0; i < hcLen; ++i) {\n // use index map to get real code\n clt[clim[i]] = bits(dat, pos + i * 3, 7);\n }\n pos += hcLen * 3;\n // code lengths bits\n var clb = max(clt), clbmsk = (1 << clb) - 1;\n if (!noSt && pos + tl * (clb + 7) > tbts)\n break;\n // code lengths map\n var clm = hMap(clt, clb, 1);\n for (var i = 0; i < tl;) {\n var r = clm[bits(dat, pos, clbmsk)];\n // bits read\n pos += r & 15;\n // symbol\n var s = r >>> 4;\n // code length to copy\n if (s < 16) {\n ldt[i++] = s;\n }\n else {\n // copy count\n var c = 0, n = 0;\n if (s == 16)\n n = 3 + bits(dat, pos, 3), pos += 2, c = ldt[i - 1];\n else if (s == 17)\n n = 3 + bits(dat, pos, 7), pos += 3;\n else if (s == 18)\n n = 11 + bits(dat, pos, 127), pos += 7;\n while (n--)\n ldt[i++] = c;\n }\n }\n // length tree distance tree\n var lt = ldt.subarray(0, hLit), dt = ldt.subarray(hLit);\n // max length bits\n lbt = max(lt);\n // max dist bits\n dbt = max(dt);\n lm = hMap(lt, lbt, 1);\n dm = hMap(dt, dbt, 1);\n }\n else\n throw 'invalid block type';\n if (pos > tbts)\n throw 'unexpected EOF';\n }\n // Make sure the buffer can hold this + the largest possible addition\n // Maximum chunk size (practically, theoretically infinite) is 2^17;\n if (noBuf)\n cbuf(bt + 131072);\n var lms = (1 << lbt) - 1, dms = (1 << dbt) - 1;\n var mxa = lbt + dbt + 18;\n while (noSt || pos + mxa < tbts) {\n // bits read, code\n var c = lm[bits16(dat, pos) & lms], sym = c >>> 4;\n pos += c & 15;\n if (pos > tbts)\n throw 'unexpected EOF';\n if (!c)\n throw 'invalid length/literal';\n if (sym < 256)\n buf[bt++] = sym;\n else if (sym == 256) {\n lm = null;\n break;\n }\n else {\n var add = sym - 254;\n // no extra bits needed if less\n if (sym > 264) {\n // index\n var i = sym - 257, b = fleb[i];\n add = bits(dat, pos, (1 << b) - 1) + fl[i];\n pos += b;\n }\n // dist\n var d = dm[bits16(dat, pos) & dms], dsym = d >>> 4;\n if (!d)\n throw 'invalid distance';\n pos += d & 15;\n var dt = fd[dsym];\n if (dsym > 3) {\n var b = fdeb[dsym];\n dt += bits16(dat, pos) & ((1 << b) - 1), pos += b;\n }\n if (pos > tbts)\n throw 'unexpected EOF';\n if (noBuf)\n cbuf(bt + 131072);\n var end = bt + add;\n for (; bt < end; bt += 4) {\n buf[bt] = buf[bt - dt];\n buf[bt + 1] = buf[bt + 1 - dt];\n buf[bt + 2] = buf[bt + 2 - dt];\n buf[bt + 3] = buf[bt + 3 - dt];\n }\n bt = end;\n }\n }\n st.l = lm, st.p = pos, st.b = bt;\n if (lm)\n final = 1, st.m = lbt, st.d = dm, st.n = dbt;\n } while (!final);\n return bt == buf.length ? buf : slc(buf, 0, bt);\n};\n// starting at p, write the minimum number of bits that can hold v to d\nvar wbits = function (d, p, v) {\n v <<= p & 7;\n var o = (p / 8) >> 0;\n d[o] |= v;\n d[o + 1] |= v >>> 8;\n};\n// starting at p, write the minimum number of bits (>8) that can hold v to d\nvar wbits16 = function (d, p, v) {\n v <<= p & 7;\n var o = (p / 8) >> 0;\n d[o] |= v;\n d[o + 1] |= v >>> 8;\n d[o + 2] |= v >>> 16;\n};\n// creates code lengths from a frequency table\nvar hTree = function (d, mb) {\n // Need extra info to make a tree\n var t = [];\n for (var i = 0; i < d.length; ++i) {\n if (d[i])\n t.push({ s: i, f: d[i] });\n }\n var s = t.length;\n var t2 = t.slice();\n if (!s)\n return [new u8(0), 0];\n if (s == 1) {\n var v = new u8(t[0].s + 1);\n v[t[0].s] = 1;\n return [v, 1];\n }\n t.sort(function (a, b) { return a.f - b.f; });\n // after i2 reaches last ind, will be stopped\n // freq must be greater than largest possible number of symbols\n t.push({ s: -1, f: 25001 });\n var l = t[0], r = t[1], i0 = 0, i1 = 1, i2 = 2;\n t[0] = { s: -1, f: l.f + r.f, l: l, r: r };\n // efficient algorithm from UZIP.js\n // i0 is lookbehind, i2 is lookahead - after processing two low-freq\n // symbols that combined have high freq, will start processing i2 (high-freq,\n // non-composite) symbols instead\n // see https://reddit.com/r/photopea/comments/ikekht/uzipjs_questions/\n while (i1 != s - 1) {\n l = t[t[i0].f < t[i2].f ? i0++ : i2++];\n r = t[i0 != i1 && t[i0].f < t[i2].f ? i0++ : i2++];\n t[i1++] = { s: -1, f: l.f + r.f, l: l, r: r };\n }\n var maxSym = t2[0].s;\n for (var i = 1; i < s; ++i) {\n if (t2[i].s > maxSym)\n maxSym = t2[i].s;\n }\n // code lengths\n var tr = new u16(maxSym + 1);\n // max bits in tree\n var mbt = ln(t[i1 - 1], tr, 0);\n if (mbt > mb) {\n // more algorithms from UZIP.js\n // TODO: find out how this code works (debt)\n // ind debt\n var i = 0, dt = 0;\n // left cost\n var lft = mbt - mb, cst = 1 << lft;\n t2.sort(function (a, b) { return tr[b.s] - tr[a.s] || a.f - b.f; });\n for (; i < s; ++i) {\n var i2_1 = t2[i].s;\n if (tr[i2_1] > mb) {\n dt += cst - (1 << (mbt - tr[i2_1]));\n tr[i2_1] = mb;\n }\n else\n break;\n }\n dt >>>= lft;\n while (dt > 0) {\n var i2_2 = t2[i].s;\n if (tr[i2_2] < mb)\n dt -= 1 << (mb - tr[i2_2]++ - 1);\n else\n ++i;\n }\n for (; i >= 0 && dt; --i) {\n var i2_3 = t2[i].s;\n if (tr[i2_3] == mb) {\n --tr[i2_3];\n ++dt;\n }\n }\n mbt = mb;\n }\n return [new u8(tr), mbt];\n};\n// get the max length and assign length codes\nvar ln = function (n, l, d) {\n return n.s == -1\n ? Math.max(ln(n.l, l, d + 1), ln(n.r, l, d + 1))\n : (l[n.s] = d);\n};\n// length codes generation\nvar lc = function (c) {\n var s = c.length;\n // Note that the semicolon was intentional\n while (s && !c[--s])\n ;\n var cl = new u16(++s);\n // ind num streak\n var cli = 0, cln = c[0], cls = 1;\n var w = function (v) { cl[cli++] = v; };\n for (var i = 1; i <= s; ++i) {\n if (c[i] == cln && i != s)\n ++cls;\n else {\n if (!cln && cls > 2) {\n for (; cls > 138; cls -= 138)\n w(32754);\n if (cls > 2) {\n w(cls > 10 ? ((cls - 11) << 5) | 28690 : ((cls - 3) << 5) | 12305);\n cls = 0;\n }\n }\n else if (cls > 3) {\n w(cln), --cls;\n for (; cls > 6; cls -= 6)\n w(8304);\n if (cls > 2)\n w(((cls - 3) << 5) | 8208), cls = 0;\n }\n while (cls--)\n w(cln);\n cls = 1;\n cln = c[i];\n }\n }\n return [cl.subarray(0, cli), s];\n};\n// calculate the length of output from tree, code lengths\nvar clen = function (cf, cl) {\n var l = 0;\n for (var i = 0; i < cl.length; ++i)\n l += cf[i] * cl[i];\n return l;\n};\n// writes a fixed block\n// returns the new bit pos\nvar wfblk = function (out, pos, dat) {\n // no need to write 00 as type: TypedArray defaults to 0\n var s = dat.length;\n var o = shft(pos + 2);\n out[o] = s & 255;\n out[o + 1] = s >>> 8;\n out[o + 2] = out[o] ^ 255;\n out[o + 3] = out[o + 1] ^ 255;\n for (var i = 0; i < s; ++i)\n out[o + i + 4] = dat[i];\n return (o + 4 + s) * 8;\n};\n// writes a block\nvar wblk = function (dat, out, final, syms, lf, df, eb, li, bs, bl, p) {\n wbits(out, p++, final);\n ++lf[256];\n var _a = hTree(lf, 15), dlt = _a[0], mlb = _a[1];\n var _b = hTree(df, 15), ddt = _b[0], mdb = _b[1];\n var _c = lc(dlt), lclt = _c[0], nlc = _c[1];\n var _d = lc(ddt), lcdt = _d[0], ndc = _d[1];\n var lcfreq = new u16(19);\n for (var i = 0; i < lclt.length; ++i)\n lcfreq[lclt[i] & 31]++;\n for (var i = 0; i < lcdt.length; ++i)\n lcfreq[lcdt[i] & 31]++;\n var _e = hTree(lcfreq, 7), lct = _e[0], mlcb = _e[1];\n var nlcc = 19;\n for (; nlcc > 4 && !lct[clim[nlcc - 1]]; --nlcc)\n ;\n var flen = (bl + 5) << 3;\n var ftlen = clen(lf, flt) + clen(df, fdt) + eb;\n var dtlen = clen(lf, dlt) + clen(df, ddt) + eb + 14 + 3 * nlcc + clen(lcfreq, lct) + (2 * lcfreq[16] + 3 * lcfreq[17] + 7 * lcfreq[18]);\n if (flen <= ftlen && flen <= dtlen)\n return wfblk(out, p, dat.subarray(bs, bs + bl));\n var lm, ll, dm, dl;\n wbits(out, p, 1 + (dtlen < ftlen)), p += 2;\n if (dtlen < ftlen) {\n lm = hMap(dlt, mlb, 0), ll = dlt, dm = hMap(ddt, mdb, 0), dl = ddt;\n var llm = hMap(lct, mlcb, 0);\n wbits(out, p, nlc - 257);\n wbits(out, p + 5, ndc - 1);\n wbits(out, p + 10, nlcc - 4);\n p += 14;\n for (var i = 0; i < nlcc; ++i)\n wbits(out, p + 3 * i, lct[clim[i]]);\n p += 3 * nlcc;\n var lcts = [lclt, lcdt];\n for (var it = 0; it < 2; ++it) {\n var clct = lcts[it];\n for (var i = 0; i < clct.length; ++i) {\n var len = clct[i] & 31;\n wbits(out, p, llm[len]), p += lct[len];\n if (len > 15)\n wbits(out, p, (clct[i] >>> 5) & 127), p += clct[i] >>> 12;\n }\n }\n }\n else {\n lm = flm, ll = flt, dm = fdm, dl = fdt;\n }\n for (var i = 0; i < li; ++i) {\n if (syms[i] > 255) {\n var len = (syms[i] >>> 18) & 31;\n wbits16(out, p, lm[len + 257]), p += ll[len + 257];\n if (len > 7)\n wbits(out, p, (syms[i] >>> 23) & 31), p += fleb[len];\n var dst = syms[i] & 31;\n wbits16(out, p, dm[dst]), p += dl[dst];\n if (dst > 3)\n wbits16(out, p, (syms[i] >>> 5) & 8191), p += fdeb[dst];\n }\n else {\n wbits16(out, p, lm[syms[i]]), p += ll[syms[i]];\n }\n }\n wbits16(out, p, lm[256]);\n return p + ll[256];\n};\n// deflate options (nice << 13) | chain\nvar deo = /*#__PURE__*/ new u32([65540, 131080, 131088, 131104, 262176, 1048704, 1048832, 2114560, 2117632]);\n// empty\nvar et = /*#__PURE__*/ new u8(0);\n// compresses data into a raw DEFLATE buffer\nvar dflt = function (dat, lvl, plvl, pre, post, lst) {\n var s = dat.length;\n var o = new u8(pre + s + 5 * (1 + Math.floor(s / 7000)) + post);\n // writing to this writes to the output buffer\n var w = o.subarray(pre, o.length - post);\n var pos = 0;\n if (!lvl || s < 8) {\n for (var i = 0; i <= s; i += 65535) {\n // end\n var e = i + 65535;\n if (e < s) {\n // write full block\n pos = wfblk(w, pos, dat.subarray(i, e));\n }\n else {\n // write final block\n w[i] = lst;\n pos = wfblk(w, pos, dat.subarray(i, s));\n }\n }\n }\n else {\n var opt = deo[lvl - 1];\n var n = opt >>> 13, c = opt & 8191;\n var msk_1 = (1 << plvl) - 1;\n // prev 2-byte val map curr 2-byte val map\n var prev = new u16(32768), head = new u16(msk_1 + 1);\n var bs1_1 = Math.ceil(plvl / 3), bs2_1 = 2 * bs1_1;\n var hsh = function (i) { return (dat[i] ^ (dat[i + 1] << bs1_1) ^ (dat[i + 2] << bs2_1)) & msk_1; };\n // 24576 is an arbitrary number of maximum symbols per block\n // 424 buffer for last block\n var syms = new u32(25000);\n // length/literal freq distance freq\n var lf = new u16(288), df = new u16(32);\n // l/lcnt exbits index l/lind waitdx bitpos\n var lc_1 = 0, eb = 0, i = 0, li = 0, wi = 0, bs = 0;\n for (; i < s; ++i) {\n // hash value\n var hv = hsh(i);\n // index mod 32768\n var imod = i & 32767;\n // previous index with this value\n var pimod = head[hv];\n prev[imod] = pimod;\n head[hv] = imod;\n // We always should modify head and prev, but only add symbols if\n // this data is not yet processed (\"wait\" for wait index)\n if (wi <= i) {\n // bytes remaining\n var rem = s - i;\n if ((lc_1 > 7000 || li > 24576) && rem > 423) {\n pos = wblk(dat, w, 0, syms, lf, df, eb, li, bs, i - bs, pos);\n li = lc_1 = eb = 0, bs = i;\n for (var j = 0; j < 286; ++j)\n lf[j] = 0;\n for (var j = 0; j < 30; ++j)\n df[j] = 0;\n }\n // len dist chain\n var l = 2, d = 0, ch_1 = c, dif = (imod - pimod) & 32767;\n if (rem > 2 && hv == hsh(i - dif)) {\n var maxn = Math.min(n, rem) - 1;\n var maxd = Math.min(32767, i);\n // max possible length\n // not capped at dif because decompressors implement \"rolling\" index population\n var ml = Math.min(258, rem);\n while (dif <= maxd && --ch_1 && imod != pimod) {\n if (dat[i + l] == dat[i + l - dif]) {\n var nl = 0;\n for (; nl < ml && dat[i + nl] == dat[i + nl - dif]; ++nl)\n ;\n if (nl > l) {\n l = nl, d = dif;\n // break out early when we reach \"nice\" (we are satisfied enough)\n if (nl > maxn)\n break;\n // now, find the rarest 2-byte sequence within this\n // length of literals and search for that instead.\n // Much faster than just using the start\n var mmd = Math.min(dif, nl - 2);\n var md = 0;\n for (var j = 0; j < mmd; ++j) {\n var ti = (i - dif + j + 32768) & 32767;\n var pti = prev[ti];\n var cd = (ti - pti + 32768) & 32767;\n if (cd > md)\n md = cd, pimod = ti;\n }\n }\n }\n // check the previous match\n imod = pimod, pimod = prev[imod];\n dif += (imod - pimod + 32768) & 32767;\n }\n }\n // d will be nonzero only when a match was found\n if (d) {\n // store both dist and len data in one Uint32\n // Make sure this is recognized as a len/dist with 28th bit (2^28)\n syms[li++] = 268435456 | (revfl[l] << 18) | revfd[d];\n var lin = revfl[l] & 31, din = revfd[d] & 31;\n eb += fleb[lin] + fdeb[din];\n ++lf[257 + lin];\n ++df[din];\n wi = i + l;\n ++lc_1;\n }\n else {\n syms[li++] = dat[i];\n ++lf[dat[i]];\n }\n }\n }\n pos = wblk(dat, w, lst, syms, lf, df, eb, li, bs, i - bs, pos);\n // this is the easiest way to avoid needing to maintain state\n if (!lst)\n pos = wfblk(w, pos, et);\n }\n return slc(o, 0, pre + shft(pos) + post);\n};\n// CRC32 table\nvar crct = /*#__PURE__*/ (function () {\n var t = new u32(256);\n for (var i = 0; i < 256; ++i) {\n var c = i, k = 9;\n while (--k)\n c = ((c & 1) && 0xEDB88320) ^ (c >>> 1);\n t[i] = c;\n }\n return t;\n})();\n// CRC32\nvar crc = function () {\n var c = 0xFFFFFFFF;\n return {\n p: function (d) {\n // closures have awful performance\n var cr = c;\n for (var i = 0; i < d.length; ++i)\n cr = crct[(cr & 255) ^ d[i]] ^ (cr >>> 8);\n c = cr;\n },\n d: function () { return c ^ 0xFFFFFFFF; }\n };\n};\n// Alder32\nvar adler = function () {\n var a = 1, b = 0;\n return {\n p: function (d) {\n // closures have awful performance\n var n = a, m = b;\n var l = d.length;\n for (var i = 0; i != l;) {\n var e = Math.min(i + 5552, l);\n for (; i < e; ++i)\n n += d[i], m += n;\n n %= 65521, m %= 65521;\n }\n a = n, b = m;\n },\n d: function () { return ((a >>> 8) << 16 | (b & 255) << 8 | (b >>> 8)) + ((a & 255) << 23) * 2; }\n };\n};\n;\n// deflate with opts\nvar dopt = function (dat, opt, pre, post, st) {\n return dflt(dat, opt.level == null ? 6 : opt.level, opt.mem == null ? Math.ceil(Math.max(8, Math.min(13, Math.log(dat.length))) * 1.5) : (12 + opt.mem), pre, post, !st);\n};\n// Walmart object spread\nvar mrg = function (a, b) {\n var o = {};\n for (var k in a)\n o[k] = a[k];\n for (var k in b)\n o[k] = b[k];\n return o;\n};\n// worker clone\n// This is possibly the craziest part of the entire codebase, despite how simple it may seem.\n// The only parameter to this function is a closure that returns an array of variables outside of the function scope.\n// We're going to try to figure out the variable names used in the closure as strings because that is crucial for workerization.\n// We will return an object mapping of true variable name to value (basically, the current scope as a JS object).\n// The reason we can't just use the original variable names is minifiers mangling the toplevel scope.\n// This took me three weeks to figure out how to do.\nvar wcln = function (fn, fnStr, td) {\n var dt = fn();\n var st = fn.toString();\n var ks = st.slice(st.indexOf('[') + 1, st.lastIndexOf(']')).replace(/ /g, '').split(',');\n for (var i = 0; i < dt.length; ++i) {\n var v = dt[i], k = ks[i];\n if (typeof v == 'function') {\n fnStr += ';' + k + '=';\n var st_1 = v.toString();\n if (v.prototype) {\n // for global objects\n if (st_1.indexOf('[native code]') != -1) {\n var spInd = st_1.indexOf(' ', 8) + 1;\n fnStr += st_1.slice(spInd, st_1.indexOf('(', spInd));\n }\n else {\n fnStr += st_1;\n for (var t in v.prototype)\n fnStr += ';' + k + '.prototype.' + t + '=' + v.prototype[t].toString();\n }\n }\n else\n fnStr += st_1;\n }\n else\n td[k] = v;\n }\n return [fnStr, td];\n};\nvar ch = [];\n// clone bufs\nvar cbfs = function (v) {\n var tl = [];\n for (var k in v) {\n if (v[k] instanceof u8 || v[k] instanceof u16 || v[k] instanceof u32)\n tl.push((v[k] = new v[k].constructor(v[k])).buffer);\n }\n return tl;\n};\n// use a worker to execute code\nvar wrkr = function (fns, init, id, cb) {\n var _a;\n if (!ch[id]) {\n var fnStr = '', td_1 = {}, m = fns.length - 1;\n for (var i = 0; i < m; ++i)\n _a = wcln(fns[i], fnStr, td_1), fnStr = _a[0], td_1 = _a[1];\n ch[id] = wcln(fns[m], fnStr, td_1);\n }\n var td = mrg({}, ch[id][1]);\n return wk(ch[id][0] + ';onmessage=function(e){for(var k in e.data)self[k]=e.data[k];onmessage=' + init.toString() + '}', id, td, cbfs(td), cb);\n};\n// base async inflate fn\nvar bInflt = function () { return [u8, u16, u32, fleb, fdeb, clim, fl, fd, flrm, fdrm, rev, hMap, max, bits, bits16, shft, slc, inflt, inflateSync, pbf, gu8]; };\nvar bDflt = function () { return [u8, u16, u32, fleb, fdeb, clim, revfl, revfd, flm, flt, fdm, fdt, rev, deo, et, hMap, wbits, wbits16, hTree, ln, lc, clen, wfblk, wblk, shft, slc, dflt, dopt, deflateSync, pbf]; };\n// gzip extra\nvar gze = function () { return [gzh, gzhl, wbytes, crc, crct]; };\n// gunzip extra\nvar guze = function () { return [gzs, gzl]; };\n// zlib extra\nvar zle = function () { return [zlh, wbytes, adler]; };\n// unzlib extra\nvar zule = function () { return [zlv]; };\n// post buf\nvar pbf = function (msg) { return postMessage(msg, [msg.buffer]); };\n// get u8\nvar gu8 = function (o) { return o && o.size && new u8(o.size); };\n// async helper\nvar cbify = function (dat, opts, fns, init, id, cb) {\n var w = wrkr(fns, init, id, function (err, dat) {\n w.terminate();\n cb(err, dat);\n });\n if (!opts.consume)\n dat = new u8(dat);\n w.postMessage([dat, opts], [dat.buffer]);\n return function () { w.terminate(); };\n};\n// auto stream\nvar astrm = function (strm) {\n strm.ondata = function (dat, final) { return postMessage([dat, final], [dat.buffer]); };\n return function (ev) { return strm.push(ev.data[0], ev.data[1]); };\n};\n// async stream attach\nvar astrmify = function (fns, strm, opts, init, id) {\n var t;\n var w = wrkr(fns, init, id, function (err, dat) {\n if (err)\n w.terminate(), strm.ondata.call(strm, err);\n else {\n if (dat[1])\n w.terminate();\n strm.ondata.call(strm, err, dat[0], dat[1]);\n }\n });\n w.postMessage(opts);\n strm.push = function (d, f) {\n if (t)\n throw 'stream finished';\n if (!strm.ondata)\n throw 'no stream handler';\n w.postMessage([d, t = f], [d.buffer]);\n };\n strm.terminate = function () { w.terminate(); };\n};\n// read 2 bytes\nvar b2 = function (d, b) { return d[b] | (d[b + 1] << 8); };\n// read 4 bytes\nvar b4 = function (d, b) { return (d[b] | (d[b + 1] << 8) | (d[b + 2] << 16)) + (d[b + 3] << 23) * 2; };\n// write bytes\nvar wbytes = function (d, b, v) {\n for (; v; ++b)\n d[b] = v, v >>>= 8;\n};\n// gzip header\nvar gzh = function (c, o) {\n var fn = o.filename;\n c[0] = 31, c[1] = 139, c[2] = 8, c[8] = o.level < 2 ? 4 : o.level == 9 ? 2 : 0, c[9] = 3; // assume Unix\n if (o.mtime != 0)\n wbytes(c, 4, Math.floor(new Date(o.mtime || Date.now()) / 1000));\n if (fn) {\n c[3] = 8;\n for (var i = 0; i <= fn.length; ++i)\n c[i + 10] = fn.charCodeAt(i);\n }\n};\n// gzip footer: -8 to -4 = CRC, -4 to -0 is length\n// gzip start\nvar gzs = function (d) {\n if (d[0] != 31 || d[1] != 139 || d[2] != 8)\n throw 'invalid gzip data';\n var flg = d[3];\n var st = 10;\n if (flg & 4)\n st += d[10] | (d[11] << 8) + 2;\n for (var zs = (flg >> 3 & 1) + (flg >> 4 & 1); zs > 0; zs -= !d[st++])\n ;\n return st + (flg & 2);\n};\n// gzip length\nvar gzl = function (d) {\n var l = d.length;\n return (d[l - 4] | d[l - 3] << 8 | d[l - 2] << 16) + (2 * (d[l - 1] << 23));\n};\n// gzip header length\nvar gzhl = function (o) { return 10 + ((o.filename && (o.filename.length + 1)) || 0); };\n// zlib header\nvar zlh = function (c, o) {\n var lv = o.level, fl = lv == 0 ? 0 : lv < 6 ? 1 : lv == 9 ? 3 : 2;\n c[0] = 120, c[1] = (fl << 6) | (fl ? (32 - 2 * fl) : 1);\n};\n// zlib valid\nvar zlv = function (d) {\n if ((d[0] & 15) != 8 || (d[0] >>> 4) > 7 || ((d[0] << 8 | d[1]) % 31))\n throw 'invalid zlib data';\n if (d[1] & 32)\n throw 'invalid zlib data: preset dictionaries not supported';\n};\nfunction AsyncCmpStrm(opts, cb) {\n if (!cb && typeof opts == 'function')\n cb = opts, opts = {};\n this.ondata = cb;\n return opts;\n}\n// zlib footer: -4 to -0 is Adler32\n/**\n * Streaming DEFLATE compression\n */\nvar Deflate = /*#__PURE__*/ (function () {\n function Deflate(opts, cb) {\n if (!cb && typeof opts == 'function')\n cb = opts, opts = {};\n this.ondata = cb;\n this.o = opts || {};\n }\n Deflate.prototype.p = function (c, f) {\n this.ondata(dopt(c, this.o, 0, 0, !f), f);\n };\n /**\n * Pushes a chunk to be deflated\n * @param chunk The chunk to push\n * @param final Whether this is the last chunk\n */\n Deflate.prototype.push = function (chunk, final) {\n if (this.d)\n throw 'stream finished';\n if (!this.ondata)\n throw 'no stream handler';\n this.d = final;\n this.p(chunk, final || false);\n };\n return Deflate;\n}());\nexport { Deflate };\n/**\n * Asynchronous streaming DEFLATE compression\n */\nvar AsyncDeflate = /*#__PURE__*/ (function () {\n function AsyncDeflate(opts, cb) {\n astrmify([\n bDflt,\n function () { return [astrm, Deflate]; }\n ], this, AsyncCmpStrm.call(this, opts, cb), function (ev) {\n var strm = new Deflate(ev.data);\n onmessage = astrm(strm);\n }, 6);\n }\n return AsyncDeflate;\n}());\nexport { AsyncDeflate };\nexport function deflate(data, opts, cb) {\n if (!cb)\n cb = opts, opts = {};\n if (typeof cb != 'function')\n throw 'no callback';\n return cbify(data, opts, [\n bDflt,\n ], function (ev) { return pbf(deflateSync(ev.data[0], ev.data[1])); }, 0, cb);\n}\n/**\n * Compresses data with DEFLATE without any wrapper\n * @param data The data to compress\n * @param opts The compression options\n * @returns The deflated version of the data\n */\nexport function deflateSync(data, opts) {\n if (opts === void 0) { opts = {}; }\n return dopt(data, opts, 0, 0);\n}\n/**\n * Streaming DEFLATE decompression\n */\nvar Inflate = /*#__PURE__*/ (function () {\n /**\n * Creates an inflation stream\n * @param cb The callback to call whenever data is inflated\n */\n function Inflate(cb) {\n this.s = {};\n this.p = new u8(0);\n this.ondata = cb;\n }\n Inflate.prototype.e = function (c) {\n if (this.d)\n throw 'stream finished';\n if (!this.ondata)\n throw 'no stream handler';\n var l = this.p.length;\n var n = new u8(l + c.length);\n n.set(this.p), n.set(c, l), this.p = n;\n };\n Inflate.prototype.c = function (final) {\n this.d = this.s.i = final || false;\n var bts = this.s.b;\n var dt = inflt(this.p, this.o, this.s);\n this.ondata(slc(dt, bts, this.s.b), this.d);\n this.o = slc(dt, this.s.b - 32768), this.s.b = this.o.length;\n this.p = slc(this.p, (this.s.p / 8) >> 0), this.s.p &= 7;\n };\n /**\n * Pushes a chunk to be inflated\n * @param chunk The chunk to push\n * @param final Whether this is the final chunk\n */\n Inflate.prototype.push = function (chunk, final) {\n this.e(chunk), this.c(final);\n };\n return Inflate;\n}());\nexport { Inflate };\n/**\n * Asynchronous streaming DEFLATE decompression\n */\nvar AsyncInflate = /*#__PURE__*/ (function () {\n /**\n * Creates an asynchronous inflation stream\n * @param cb The callback to call whenever data is deflated\n */\n function AsyncInflate(cb) {\n this.ondata = cb;\n astrmify([\n bInflt,\n function () { return [astrm, Inflate]; }\n ], this, 0, function () {\n var strm = new Inflate();\n onmessage = astrm(strm);\n }, 7);\n }\n return AsyncInflate;\n}());\nexport { AsyncInflate };\nexport function inflate(data, opts, cb) {\n if (!cb)\n cb = opts, opts = {};\n if (typeof cb != 'function')\n throw 'no callback';\n return cbify(data, opts, [\n bInflt\n ], function (ev) { return pbf(inflateSync(ev.data[0], gu8(ev.data[1]))); }, 1, cb);\n}\n/**\n * Expands DEFLATE data with no wrapper\n * @param data The data to decompress\n * @param out Where to write the data. Saves memory if you know the decompressed size and provide an output buffer of that length.\n * @returns The decompressed version of the data\n */\nexport function inflateSync(data, out) {\n return inflt(data, out);\n}\n// before you yell at me for not just using extends, my reason is that TS inheritance is hard to workerize.\n/**\n * Streaming GZIP compression\n */\nvar Gzip = /*#__PURE__*/ (function () {\n function Gzip(opts, cb) {\n this.c = crc();\n this.l = 0;\n this.v = 1;\n Deflate.call(this, opts, cb);\n }\n /**\n * Pushes a chunk to be GZIPped\n * @param chunk The chunk to push\n * @param final Whether this is the last chunk\n */\n Gzip.prototype.push = function (chunk, final) {\n Deflate.prototype.push.call(this, chunk, final);\n };\n Gzip.prototype.p = function (c, f) {\n this.c.p(c);\n this.l += c.length;\n var raw = dopt(c, this.o, this.v && gzhl(this.o), f && 8, !f);\n if (this.v)\n gzh(raw, this.o), this.v = 0;\n if (f)\n wbytes(raw, raw.length - 8, this.c.d()), wbytes(raw, raw.length - 4, this.l);\n this.ondata(raw, f);\n };\n return Gzip;\n}());\nexport { Gzip };\n/**\n * Asynchronous streaming GZIP compression\n */\nvar AsyncGzip = /*#__PURE__*/ (function () {\n function AsyncGzip(opts, cb) {\n astrmify([\n bDflt,\n gze,\n function () { return [astrm, Deflate, Gzip]; }\n ], this, AsyncCmpStrm.call(this, opts, cb), function (ev) {\n var strm = new Gzip(ev.data);\n onmessage = astrm(strm);\n }, 8);\n }\n return AsyncGzip;\n}());\nexport { AsyncGzip };\nexport function gzip(data, opts, cb) {\n if (!cb)\n cb = opts, opts = {};\n if (typeof cb != 'function')\n throw 'no callback';\n return cbify(data, opts, [\n bDflt,\n gze,\n function () { return [gzipSync]; }\n ], function (ev) { return pbf(gzipSync(ev.data[0], ev.data[1])); }, 2, cb);\n}\n/**\n * Compresses data with GZIP\n * @param data The data to compress\n * @param opts The compression options\n * @returns The gzipped version of the data\n */\nexport function gzipSync(data, opts) {\n if (opts === void 0) { opts = {}; }\n var c = crc(), l = data.length;\n c.p(data);\n var d = dopt(data, opts, gzhl(opts), 8), s = d.length;\n return gzh(d, opts), wbytes(d, s - 8, c.d()), wbytes(d, s - 4, l), d;\n}\n/**\n * Streaming GZIP decompression\n */\nvar Gunzip = /*#__PURE__*/ (function () {\n /**\n * Creates a GUNZIP stream\n * @param cb The callback to call whenever data is inflated\n */\n function Gunzip(cb) {\n this.v = 1;\n Inflate.call(this, cb);\n }\n /**\n * Pushes a chunk to be GUNZIPped\n * @param chunk The chunk to push\n * @param final Whether this is the last chunk\n */\n Gunzip.prototype.push = function (chunk, final) {\n Inflate.prototype.e.call(this, chunk);\n if (this.v) {\n var s = gzs(this.p);\n if (s >= this.p.length && !final)\n return;\n this.p = this.p.subarray(s), this.v = 0;\n }\n if (final) {\n if (this.p.length < 8)\n throw 'invalid gzip stream';\n this.p = this.p.subarray(0, -8);\n }\n // necessary to prevent TS from using the closure value\n // This allows for workerization to function correctly\n Inflate.prototype.c.call(this, final);\n };\n return Gunzip;\n}());\nexport { Gunzip };\n/**\n * Asynchronous streaming GZIP decompression\n */\nvar AsyncGunzip = /*#__PURE__*/ (function () {\n /**\n * Creates an asynchronous GUNZIP stream\n * @param cb The callback to call whenever data is deflated\n */\n function AsyncGunzip(cb) {\n this.ondata = cb;\n astrmify([\n bInflt,\n guze,\n function () { return [astrm, Inflate, Gunzip]; }\n ], this, 0, function () {\n var strm = new Gunzip();\n onmessage = astrm(strm);\n }, 9);\n }\n return AsyncGunzip;\n}());\nexport { AsyncGunzip };\nexport function gunzip(data, opts, cb) {\n if (!cb)\n cb = opts, opts = {};\n if (typeof cb != 'function')\n throw 'no callback';\n return cbify(data, opts, [\n bInflt,\n guze,\n function () { return [gunzipSync]; }\n ], function (ev) { return pbf(gunzipSync(ev.data[0])); }, 3, cb);\n}\n/**\n * Expands GZIP data\n * @param data The data to decompress\n * @param out Where to write the data. GZIP already encodes the output size, so providing this doesn't save memory.\n * @returns The decompressed version of the data\n */\nexport function gunzipSync(data, out) {\n return inflt(data.subarray(gzs(data), -8), out || new u8(gzl(data)));\n}\n/**\n * Streaming Zlib compression\n */\nvar Zlib = /*#__PURE__*/ (function () {\n function Zlib(opts, cb) {\n this.c = adler();\n this.v = 1;\n Deflate.call(this, opts, cb);\n }\n /**\n * Pushes a chunk to be zlibbed\n * @param chunk The chunk to push\n * @param final Whether this is the last chunk\n */\n Zlib.prototype.push = function (chunk, final) {\n Deflate.prototype.push.call(this, chunk, final);\n };\n Zlib.prototype.p = function (c, f) {\n this.c.p(c);\n var raw = dopt(c, this.o, this.v && 2, f && 4, !f);\n if (this.v)\n zlh(raw, this.o), this.v = 0;\n if (f)\n wbytes(raw, raw.length - 4, this.c.d());\n this.ondata(raw, f);\n };\n return Zlib;\n}());\nexport { Zlib };\n/**\n * Asynchronous streaming Zlib compression\n */\nvar AsyncZlib = /*#__PURE__*/ (function () {\n function AsyncZlib(opts, cb) {\n astrmify([\n bDflt,\n zle,\n function () { return [astrm, Deflate, Zlib]; }\n ], this, AsyncCmpStrm.call(this, opts, cb), function (ev) {\n var strm = new Zlib(ev.data);\n onmessage = astrm(strm);\n }, 10);\n }\n return AsyncZlib;\n}());\nexport { AsyncZlib };\nexport function zlib(data, opts, cb) {\n if (!cb)\n cb = opts, opts = {};\n if (typeof cb != 'function')\n throw 'no callback';\n return cbify(data, opts, [\n bDflt,\n zle,\n function () { return [zlibSync]; }\n ], function (ev) { return pbf(zlibSync(ev.data[0], ev.data[1])); }, 4, cb);\n}\n/**\n * Compress data with Zlib\n * @param data The data to compress\n * @param opts The compression options\n * @returns The zlib-compressed version of the data\n */\nexport function zlibSync(data, opts) {\n if (opts === void 0) { opts = {}; }\n var a = adler();\n a.p(data);\n var d = dopt(data, opts, 2, 4);\n return zlh(d, opts), wbytes(d, d.length - 4, a.d()), d;\n}\n/**\n * Streaming Zlib decompression\n */\nvar Unzlib = /*#__PURE__*/ (function () {\n /**\n * Creates a Zlib decompression stream\n * @param cb The callback to call whenever data is inflated\n */\n function Unzlib(cb) {\n this.v = 1;\n Inflate.call(this, cb);\n }\n /**\n * Pushes a chunk to be unzlibbed\n * @param chunk The chunk to push\n * @param final Whether this is the last chunk\n */\n Unzlib.prototype.push = function (chunk, final) {\n Inflate.prototype.e.call(this, chunk);\n if (this.v) {\n if (this.p.length < 2 && !final)\n return;\n this.p = this.p.subarray(2), this.v = 0;\n }\n if (final) {\n if (this.p.length < 4)\n throw 'invalid zlib stream';\n this.p = this.p.subarray(0, -4);\n }\n // necessary to prevent TS from using the closure value\n // This allows for workerization to function correctly\n Inflate.prototype.c.call(this, final);\n };\n return Unzlib;\n}());\nexport { Unzlib };\n/**\n * Asynchronous streaming Zlib decompression\n */\nvar AsyncUnzlib = /*#__PURE__*/ (function () {\n /**\n * Creates an asynchronous Zlib decompression stream\n * @param cb The callback to call whenever data is deflated\n */\n function AsyncUnzlib(cb) {\n this.ondata = cb;\n astrmify([\n bInflt,\n zule,\n function () { return [astrm, Inflate, Unzlib]; }\n ], this, 0, function () {\n var strm = new Unzlib();\n onmessage = astrm(strm);\n }, 11);\n }\n return AsyncUnzlib;\n}());\nexport { AsyncUnzlib };\nexport function unzlib(data, opts, cb) {\n if (!cb)\n cb = opts, opts = {};\n if (typeof cb != 'function')\n throw 'no callback';\n return cbify(data, opts, [\n bInflt,\n zule,\n function () { return [unzlibSync]; }\n ], function (ev) { return pbf(unzlibSync(ev.data[0], gu8(ev.data[1]))); }, 5, cb);\n}\n/**\n * Expands Zlib data\n * @param data The data to decompress\n * @param out Where to write the data. Saves memory if you know the decompressed size and provide an output buffer of that length.\n * @returns The decompressed version of the data\n */\nexport function unzlibSync(data, out) {\n return inflt((zlv(data), data.subarray(2, -4)), out);\n}\n// Default algorithm for compression (used because having a known output size allows faster decompression)\nexport { gzip as compress, AsyncGzip as AsyncCompress };\n// Default algorithm for compression (used because having a known output size allows faster decompression)\nexport { gzipSync as compressSync, Gzip as Compress };\n/**\n * Streaming GZIP, Zlib, or raw DEFLATE decompression\n */\nvar Decompress = /*#__PURE__*/ (function () {\n /**\n * Creates a decompression stream\n * @param cb The callback to call whenever data is decompressed\n */\n function Decompress(cb) {\n this.G = Gunzip;\n this.I = Inflate;\n this.Z = Unzlib;\n this.ondata = cb;\n }\n /**\n * Pushes a chunk to be decompressed\n * @param chunk The chunk to push\n * @param final Whether this is the last chunk\n */\n Decompress.prototype.push = function (chunk, final) {\n if (!this.ondata)\n throw 'no stream handler';\n if (!this.s) {\n if (this.p && this.p.length) {\n var n = new u8(this.p.length + chunk.length);\n n.set(this.p), n.set(chunk, this.p.length);\n }\n else\n this.p = chunk;\n if (this.p.length > 2) {\n var _this_1 = this;\n var cb = function () { _this_1.ondata.apply(_this_1, arguments); };\n this.s = (this.p[0] == 31 && this.p[1] == 139 && this.p[2] == 8)\n ? new this.G(cb)\n : ((this.p[0] & 15) != 8 || (this.p[0] >> 4) > 7 || ((this.p[0] << 8 | this.p[1]) % 31))\n ? new this.I(cb)\n : new this.Z(cb);\n this.s.push(this.p, final);\n this.p = null;\n }\n }\n else\n this.s.push(chunk, final);\n };\n return Decompress;\n}());\nexport { Decompress };\n/**\n * Asynchronous streaming GZIP, Zlib, or raw DEFLATE decompression\n */\nvar AsyncDecompress = /*#__PURE__*/ (function () {\n /**\n * Creates an asynchronous decompression stream\n * @param cb The callback to call whenever data is decompressed\n */\n function AsyncDecompress(cb) {\n this.G = AsyncGunzip;\n this.I = AsyncInflate;\n this.Z = AsyncUnzlib;\n this.ondata = cb;\n }\n /**\n * Pushes a chunk to be decompressed\n * @param chunk The chunk to push\n * @param final Whether this is the last chunk\n */\n AsyncDecompress.prototype.push = function (chunk, final) {\n Decompress.prototype.push.call(this, chunk, final);\n };\n return AsyncDecompress;\n}());\nexport { AsyncDecompress };\nexport function decompress(data, opts, cb) {\n if (!cb)\n cb = opts, opts = {};\n if (typeof cb != 'function')\n throw 'no callback';\n return (data[0] == 31 && data[1] == 139 && data[2] == 8)\n ? gunzip(data, opts, cb)\n : ((data[0] & 15) != 8 || (data[0] >> 4) > 7 || ((data[0] << 8 | data[1]) % 31))\n ? inflate(data, opts, cb)\n : unzlib(data, opts, cb);\n}\n/**\n * Expands compressed GZIP, Zlib, or raw DEFLATE data, automatically detecting the format\n * @param data The data to decompress\n * @param out Where to write the data. Saves memory if you know the decompressed size and provide an output buffer of that length.\n * @returns The decompressed version of the data\n */\nexport function decompressSync(data, out) {\n return (data[0] == 31 && data[1] == 139 && data[2] == 8)\n ? gunzipSync(data, out)\n : ((data[0] & 15) != 8 || (data[0] >> 4) > 7 || ((data[0] << 8 | data[1]) % 31))\n ? inflateSync(data, out)\n : unzlibSync(data, out);\n}\n// flatten a directory structure\nvar fltn = function (d, p, t, o) {\n for (var k in d) {\n var val = d[k], n = p + k;\n if (val instanceof u8)\n t[n] = [val, o];\n else if (Array.isArray(val))\n t[n] = [val[0], mrg(o, val[1])];\n else\n fltn(val, n + '/', t, o);\n }\n};\n/**\n * Converts a string into a Uint8Array for use with compression/decompression methods\n * @param str The string to encode\n * @param latin1 Whether or not to interpret the data as Latin-1. This should\n * not need to be true unless decoding a binary string.\n * @returns The string encoded in UTF-8/Latin-1 binary\n */\nexport function strToU8(str, latin1) {\n var l = str.length;\n if (!latin1 && typeof TextEncoder != 'undefined')\n return new TextEncoder().encode(str);\n var ar = new u8(str.length + (str.length >>> 1));\n var ai = 0;\n var w = function (v) { ar[ai++] = v; };\n for (var i = 0; i < l; ++i) {\n if (ai + 5 > ar.length) {\n var n = new u8(ai + 8 + ((l - i) << 1));\n n.set(ar);\n ar = n;\n }\n var c = str.charCodeAt(i);\n if (c < 128 || latin1)\n w(c);\n else if (c < 2048)\n w(192 | (c >>> 6)), w(128 | (c & 63));\n else if (c > 55295 && c < 57344)\n c = 65536 + (c & 1023 << 10) | (str.charCodeAt(++i) & 1023),\n w(240 | (c >>> 18)), w(128 | ((c >>> 12) & 63)), w(128 | ((c >>> 6) & 63)), w(128 | (c & 63));\n else\n w(224 | (c >>> 12)), w(128 | ((c >>> 6) & 63)), w(128 | (c & 63));\n }\n return slc(ar, 0, ai);\n}\n/**\n * Converts a Uint8Array to a string\n * @param dat The data to decode to string\n * @param latin1 Whether or not to interpret the data as Latin-1. This should\n * not need to be true unless encoding to binary string.\n * @returns The original UTF-8/Latin-1 string\n */\nexport function strFromU8(dat, latin1) {\n var r = '';\n if (!latin1 && typeof TextDecoder != 'undefined')\n return new TextDecoder().decode(dat);\n for (var i = 0; i < dat.length;) {\n var c = dat[i++];\n if (c < 128 || latin1)\n r += String.fromCharCode(c);\n else if (c < 224)\n r += String.fromCharCode((c & 31) << 6 | (dat[i++] & 63));\n else if (c < 240)\n r += String.fromCharCode((c & 15) << 12 | (dat[i++] & 63) << 6 | (dat[i++] & 63));\n else\n c = ((c & 15) << 18 | (dat[i++] & 63) << 12 | (dat[i++] & 63) << 6 | (dat[i++] & 63)) - 65536,\n r += String.fromCharCode(55296 | (c >> 10), 56320 | (c & 1023));\n }\n return r;\n}\n;\n// skip local zip header\nvar slzh = function (d, b) { return b + 30 + b2(d, b + 26) + b2(d, b + 28); };\n// read zip header\nvar zh = function (d, b, z) {\n var fnl = b2(d, b + 28), fn = strFromU8(d.subarray(b + 46, b + 46 + fnl), !(b2(d, b + 8) & 2048)), es = b + 46 + fnl;\n var _a = z ? z64e(d, es) : [b4(d, b + 20), b4(d, b + 24), b4(d, b + 42)], sc = _a[0], su = _a[1], off = _a[2];\n return [b2(d, b + 10), sc, su, fn, es + b2(d, b + 30) + b2(d, b + 32), off];\n};\n// read zip64 extra field\nvar z64e = function (d, b) {\n for (; b2(d, b) != 1; b += 4 + b2(d, b + 2))\n ;\n return [b4(d, b + 12), b4(d, b + 4), b4(d, b + 20)];\n};\n// write zip header\nvar wzh = function (d, b, c, cmp, su, fn, u, o, ce, t) {\n var fl = fn.length, l = cmp.length;\n wbytes(d, b, ce != null ? 0x2014B50 : 0x4034B50), b += 4;\n if (ce != null)\n d[b] = 20, b += 2;\n d[b] = 20, b += 2; // spec compliance? what's that?\n d[b++] = (t == 8 && (o.level == 1 ? 6 : o.level < 6 ? 4 : o.level == 9 ? 2 : 0)), d[b++] = u && 8;\n d[b] = t, b += 2;\n var dt = new Date(o.mtime || Date.now()), y = dt.getFullYear() - 1980;\n if (y < 0 || y > 119)\n throw 'date not in range 1980-2099';\n wbytes(d, b, ((y << 24) * 2) | ((dt.getMonth() + 1) << 21) | (dt.getDate() << 16) | (dt.getHours() << 11) | (dt.getMinutes() << 5) | (dt.getSeconds() >>> 1));\n b += 4;\n wbytes(d, b, c);\n wbytes(d, b + 4, l);\n wbytes(d, b + 8, su);\n wbytes(d, b + 12, fl), b += 16; // skip extra field, comment\n if (ce != null)\n wbytes(d, b += 10, ce), b += 4;\n d.set(fn, b);\n b += fl;\n if (ce == null)\n d.set(cmp, b);\n};\n// write zip footer (end of central directory)\nvar wzf = function (o, b, c, d, e) {\n wbytes(o, b, 0x6054B50); // skip disk\n wbytes(o, b + 8, c);\n wbytes(o, b + 10, c);\n wbytes(o, b + 12, d);\n wbytes(o, b + 16, e);\n};\nexport function zip(data, opts, cb) {\n if (!cb)\n cb = opts, opts = {};\n if (typeof cb != 'function')\n throw 'no callback';\n var r = {};\n fltn(data, '', r, opts);\n var k = Object.keys(r);\n var lft = k.length, o = 0, tot = 0;\n var slft = lft, files = new Array(lft);\n var term = [];\n var tAll = function () {\n for (var i = 0; i < term.length; ++i)\n term[i]();\n };\n var cbf = function () {\n var out = new u8(tot + 22), oe = o, cdl = tot - o;\n tot = 0;\n for (var i = 0; i < slft; ++i) {\n var f = files[i];\n try {\n wzh(out, tot, f.c, f.d, f.m, f.n, f.u, f.p, null, f.t);\n wzh(out, o, f.c, f.d, f.m, f.n, f.u, f.p, tot, f.t), o += 46 + f.n.length, tot += 30 + f.n.length + f.d.length;\n }\n catch (e) {\n return cb(e, null);\n }\n }\n wzf(out, o, files.length, cdl, oe);\n cb(null, out);\n };\n if (!lft)\n cbf();\n var _loop_1 = function (i) {\n var fn = k[i];\n var _a = r[fn], file = _a[0], p = _a[1];\n var c = crc(), m = file.length;\n c.p(file);\n var n = strToU8(fn), s = n.length;\n var t = p.level == 0 ? 0 : 8;\n var cbl = function (e, d) {\n if (e) {\n tAll();\n cb(e, null);\n }\n else {\n var l = d.length;\n files[i] = {\n t: t,\n d: d,\n m: m,\n c: c.d(),\n u: fn.length != l,\n n: n,\n p: p\n };\n o += 30 + s + l;\n tot += 76 + 2 * s + l;\n if (!--lft)\n cbf();\n }\n };\n if (n.length > 65535)\n cbl('filename too long', null);\n if (!t)\n cbl(null, file);\n else if (m < 160000) {\n try {\n cbl(null, deflateSync(file, p));\n }\n catch (e) {\n cbl(e, null);\n }\n }\n else\n term.push(deflate(file, p, cbl));\n };\n // Cannot use lft because it can decrease\n for (var i = 0; i < slft; ++i) {\n _loop_1(i);\n }\n return tAll;\n}\n/**\n * Synchronously creates a ZIP file. Prefer using `zip` for better performance\n * with more than one file.\n * @param data The directory structure for the ZIP archive\n * @param opts The main options, merged with per-file options\n * @returns The generated ZIP archive\n */\nexport function zipSync(data, opts) {\n if (opts === void 0) { opts = {}; }\n var r = {};\n var files = [];\n fltn(data, '', r, opts);\n var o = 0;\n var tot = 0;\n for (var fn in r) {\n var _a = r[fn], file = _a[0], p = _a[1];\n var t = p.level == 0 ? 0 : 8;\n var n = strToU8(fn), s = n.length;\n if (n.length > 65535)\n throw 'filename too long';\n var d = t ? deflateSync(file, p) : file, l = d.length;\n var c = crc();\n c.p(file);\n files.push({\n t: t,\n d: d,\n m: file.length,\n c: c.d(),\n u: fn.length != s,\n n: n,\n o: o,\n p: p\n });\n o += 30 + s + l;\n tot += 76 + 2 * s + l;\n }\n var out = new u8(tot + 22), oe = o, cdl = tot - o;\n for (var i = 0; i < files.length; ++i) {\n var f = files[i];\n wzh(out, f.o, f.c, f.d, f.m, f.n, f.u, f.p, null, f.t);\n wzh(out, o, f.c, f.d, f.m, f.n, f.u, f.p, f.o, f.t), o += 46 + f.n.length;\n }\n wzf(out, o, files.length, cdl, oe);\n return out;\n}\n/**\n * Asynchronously decompresses a ZIP archive\n * @param data The raw compressed ZIP file\n * @param cb The callback to call with the decompressed files\n * @returns A function that can be used to immediately terminate the unzipping\n */\nexport function unzip(data, cb) {\n if (typeof cb != 'function')\n throw 'no callback';\n var term = [];\n var tAll = function () {\n for (var i = 0; i < term.length; ++i)\n term[i]();\n };\n var files = {};\n var e = data.length - 22;\n for (; b4(data, e) != 0x6054B50; --e) {\n if (!e || data.length - e > 65558) {\n cb('invalid zip file', null);\n return;\n }\n }\n ;\n var lft = b2(data, e + 8);\n if (!lft)\n cb(null, {});\n var c = lft;\n var o = b4(data, e + 16);\n var z = o == 4294967295;\n if (z) {\n e = b4(data, e - 12);\n if (b4(data, e) != 0x6064B50)\n throw 'invalid zip file';\n c = lft = b4(data, e + 32);\n o = b4(data, e + 48);\n }\n var _loop_2 = function (i) {\n var _a = zh(data, o, z), c_1 = _a[0], sc = _a[1], su = _a[2], fn = _a[3], no = _a[4], off = _a[5], b = slzh(data, off);\n o = no;\n var cbl = function (e, d) {\n if (e) {\n tAll();\n cb(e, null);\n }\n else {\n files[fn] = d;\n if (!--lft)\n cb(null, files);\n }\n };\n if (!c_1)\n cbl(null, slc(data, b, b + sc));\n else if (c_1 == 8) {\n var infl = data.subarray(b, b + sc);\n if (sc < 320000) {\n try {\n cbl(null, inflateSync(infl, new u8(su)));\n }\n catch (e) {\n cbl(e, null);\n }\n }\n else\n term.push(inflate(infl, { size: su }, cbl));\n }\n else\n cbl('unknown compression type ' + c_1, null);\n };\n for (var i = 0; i < c; ++i) {\n _loop_2(i);\n }\n return tAll;\n}\n/**\n * Synchronously decompresses a ZIP archive. Prefer using `unzip` for better\n * performance with more than one file.\n * @param data The raw compressed ZIP file\n * @returns The decompressed files\n */\nexport function unzipSync(data) {\n var files = {};\n var e = data.length - 22;\n for (; b4(data, e) != 0x6054B50; --e) {\n if (!e || data.length - e > 65558)\n throw 'invalid zip file';\n }\n ;\n var c = b2(data, e + 8);\n if (!c)\n return {};\n var o = b4(data, e + 16);\n var z = o == 4294967295;\n if (z) {\n e = b4(data, e - 12);\n if (b4(data, e) != 0x6064B50)\n throw 'invalid zip file';\n c = b4(data, e + 32);\n o = b4(data, e + 48);\n }\n for (var i = 0; i < c; ++i) {\n var _a = zh(data, o, z), c_2 = _a[0], sc = _a[1], su = _a[2], fn = _a[3], no = _a[4], off = _a[5], b = slzh(data, off);\n o = no;\n if (!c_2)\n files[fn] = slc(data, b, b + sc);\n else if (c_2 == 8)\n files[fn] = inflateSync(data.subarray(b, b + sc), new u8(su));\n else\n throw 'unknown compression type ' + c_2;\n }\n return files;\n}\n","import { eventWithTime } from '../types';\n\nexport type PackFn = (event: eventWithTime) => string;\nexport type UnpackFn = (raw: string) => eventWithTime;\n\nexport type eventWithTimeAndPacker = eventWithTime & {\n v: string;\n};\n\nexport const MARK = 'v1';\n","// tslint:disable\n/**\n * Class StackFrame is a fork of https://github.com/stacktracejs/stackframe/blob/master/stackframe.js\n * I fork it because:\n * 1. There are some build issues when importing this package.\n * 2. Rewrites into typescript give us a better type interface.\n * 3. StackFrame contains some functions we don't need.\n */\nexport class StackFrame {\n private fileName: string;\n private functionName: string;\n private lineNumber?: number;\n private columnNumber?: number;\n\n constructor(obj: {\n fileName?: string;\n functionName?: string;\n lineNumber?: number;\n columnNumber?: number;\n }) {\n this.fileName = obj.fileName || '';\n this.functionName = obj.functionName || '';\n this.lineNumber = obj.lineNumber;\n this.columnNumber = obj.columnNumber;\n }\n\n toString() {\n const lineNumber = this.lineNumber || '';\n const columnNumber = this.columnNumber || '';\n if (this.functionName) {\n return (\n this.functionName +\n ' (' +\n this.fileName +\n ':' +\n lineNumber +\n ':' +\n columnNumber +\n ')'\n );\n }\n return this.fileName + ':' + lineNumber + ':' + columnNumber;\n }\n}\n\n/**\n * ErrorStackParser is a fork of https://github.com/stacktracejs/error-stack-parser/blob/master/error-stack-parser.js\n * I fork it because:\n * 1. There are some build issues when importing this package.\n * 2. Rewrites into typescript give us a better type interface.\n */\nconst FIREFOX_SAFARI_STACK_REGEXP = /(^|@)\\S+:\\d+/;\nconst CHROME_IE_STACK_REGEXP = /^\\s*at .*(\\S+:\\d+|\\(native\\))/m;\nconst SAFARI_NATIVE_CODE_REGEXP = /^(eval@)?(\\[native code])?$/;\nexport const ErrorStackParser = {\n /**\n * Given an Error object, extract the most information from it.\n *\n * @param {Error} error object\n * @return {Array} of StackFrames\n */\n parse: function (error: Error): StackFrame[] {\n // https://github.com/rrweb-io/rrweb/issues/782\n if (!error) {\n return [];\n }\n if (\n // @ts-ignore\n typeof error.stacktrace !== 'undefined' ||\n // @ts-ignore\n typeof error['opera#sourceloc'] !== 'undefined'\n ) {\n return this.parseOpera(\n error as {\n stacktrace?: string;\n message: string;\n stack?: string;\n },\n );\n } else if (error.stack && error.stack.match(CHROME_IE_STACK_REGEXP)) {\n return this.parseV8OrIE(error as { stack: string });\n } else if (error.stack) {\n return this.parseFFOrSafari(error as { stack: string });\n } else {\n throw new Error('Cannot parse given Error object');\n }\n },\n // Separate line and column numbers from a string of the form: (URI:Line:Column)\n extractLocation: function (urlLike: string) {\n // Fail-fast but return locations like \"(native)\"\n if (urlLike.indexOf(':') === -1) {\n return [urlLike];\n }\n\n const regExp = /(.+?)(?::(\\d+))?(?::(\\d+))?$/;\n const parts = regExp.exec(urlLike.replace(/[()]/g, ''));\n if (!parts) throw new Error(`Cannot parse given url: ${urlLike}`);\n return [parts[1], parts[2] || undefined, parts[3] || undefined];\n },\n parseV8OrIE: function (error: { stack: string }) {\n const filtered = error.stack.split('\\n').filter(function (line) {\n return !!line.match(CHROME_IE_STACK_REGEXP);\n }, this);\n\n return filtered.map(function (line) {\n if (line.indexOf('(eval ') > -1) {\n // Throw away eval information until we implement stacktrace.js/stackframe#8\n line = line\n .replace(/eval code/g, 'eval')\n .replace(/(\\(eval at [^()]*)|(\\),.*$)/g, '');\n }\n let sanitizedLine = line.replace(/^\\s+/, '').replace(/\\(eval code/g, '(');\n\n // capture and preseve the parenthesized location \"(/foo/my bar.js:12:87)\" in\n // case it has spaces in it, as the string is split on \\s+ later on\n const location = sanitizedLine.match(/ (\\((.+):(\\d+):(\\d+)\\)$)/);\n\n // remove the parenthesized location from the line, if it was matched\n sanitizedLine = location\n ? sanitizedLine.replace(location[0], '')\n : sanitizedLine;\n\n const tokens = sanitizedLine.split(/\\s+/).slice(1);\n // if a location was matched, pass it to extractLocation() otherwise pop the last token\n const locationParts = this.extractLocation(\n location ? location[1] : tokens.pop(),\n );\n const functionName = tokens.join(' ') || undefined;\n const fileName =\n ['eval', ''].indexOf(locationParts[0]) > -1\n ? undefined\n : locationParts[0];\n\n return new StackFrame({\n functionName,\n fileName,\n lineNumber: locationParts[1],\n columnNumber: locationParts[2],\n });\n }, this);\n },\n parseFFOrSafari: function (error: { stack: string }) {\n const filtered = error.stack.split('\\n').filter(function (line) {\n return !line.match(SAFARI_NATIVE_CODE_REGEXP);\n }, this);\n\n return filtered.map(function (line) {\n // Throw away eval information until we implement stacktrace.js/stackframe#8\n if (line.indexOf(' > eval') > -1) {\n line = line.replace(\n / line (\\d+)(?: > eval line \\d+)* > eval:\\d+:\\d+/g,\n ':$1',\n );\n }\n\n if (line.indexOf('@') === -1 && line.indexOf(':') === -1) {\n // Safari eval frames only have function names and nothing else\n return new StackFrame({\n functionName: line,\n });\n } else {\n const functionNameRegex = /((.*\".+\"[^@]*)?[^@]*)(?:@)/;\n const matches = line.match(functionNameRegex);\n const functionName = matches && matches[1] ? matches[1] : undefined;\n const locationParts = this.extractLocation(\n line.replace(functionNameRegex, ''),\n );\n\n return new StackFrame({\n functionName,\n fileName: locationParts[0],\n lineNumber: locationParts[1],\n columnNumber: locationParts[2],\n });\n }\n }, this);\n },\n parseOpera: function (e: {\n stacktrace?: string;\n message: string;\n stack?: string;\n }): StackFrame[] {\n if (\n !e.stacktrace ||\n (e.message.indexOf('\\n') > -1 &&\n e.message.split('\\n').length > e.stacktrace.split('\\n').length)\n ) {\n return this.parseOpera9(e as { message: string });\n } else if (!e.stack) {\n return this.parseOpera10(e as { stacktrace: string });\n } else {\n return this.parseOpera11(e as { stack: string });\n }\n },\n parseOpera9: function (e: { message: string }) {\n const lineRE = /Line (\\d+).*script (?:in )?(\\S+)/i;\n const lines = e.message.split('\\n');\n const result = [];\n\n for (let i = 2, len = lines.length; i < len; i += 2) {\n const match = lineRE.exec(lines[i]);\n if (match) {\n result.push(\n new StackFrame({\n fileName: match[2],\n lineNumber: parseFloat(match[1]),\n }),\n );\n }\n }\n\n return result;\n },\n parseOpera10: function (e: { stacktrace: string }) {\n const lineRE = /Line (\\d+).*script (?:in )?(\\S+)(?:: In function (\\S+))?$/i;\n const lines = e.stacktrace.split('\\n');\n const result = [];\n\n for (let i = 0, len = lines.length; i < len; i += 2) {\n const match = lineRE.exec(lines[i]);\n if (match) {\n result.push(\n new StackFrame({\n functionName: match[3] || undefined,\n fileName: match[2],\n lineNumber: parseFloat(match[1]),\n }),\n );\n }\n }\n\n return result;\n },\n // Opera 10.65+ Error.stack very similar to FF/Safari\n parseOpera11: function (error: { stack: string }) {\n const filtered = error.stack.split('\\n').filter(function (line) {\n return (\n !!line.match(FIREFOX_SAFARI_STACK_REGEXP) &&\n !line.match(/^Error created at/)\n );\n }, this);\n\n return filtered.map(function (line: string) {\n const tokens = line.split('@');\n const locationParts = this.extractLocation(tokens.pop());\n const functionCall = tokens.shift() || '';\n const functionName =\n functionCall\n .replace(//, '$2')\n .replace(/\\([^)]*\\)/g, '') || undefined;\n return new StackFrame({\n functionName,\n fileName: locationParts[0],\n lineNumber: locationParts[1],\n columnNumber: locationParts[2],\n });\n }, this);\n },\n};\n","// tslint:disable:no-any no-bitwise forin\n/**\n * this file is used to serialize log message to string\n *\n */\n\nimport { StringifyOptions } from './index';\n\n/**\n * transfer the node path in Event to string\n * @param node the first node in a node path array\n */\nfunction pathToSelector(node: HTMLElement): string | '' {\n if (!node || !node.outerHTML) {\n return '';\n }\n\n let path = '';\n while (node.parentElement) {\n let name = node.localName;\n if (!name) {\n break;\n }\n name = name.toLowerCase();\n let parent = node.parentElement;\n\n let domSiblings = [];\n\n if (parent.children && parent.children.length > 0) {\n // tslint:disable-next-line:prefer-for-of\n for (let i = 0; i < parent.children.length; i++) {\n let sibling = parent.children[i];\n if (sibling.localName && sibling.localName.toLowerCase) {\n if (sibling.localName.toLowerCase() === name) {\n domSiblings.push(sibling);\n }\n }\n }\n }\n\n if (domSiblings.length > 1) {\n name += ':eq(' + domSiblings.indexOf(node) + ')';\n }\n path = name + (path ? '>' + path : '');\n node = parent;\n }\n\n return path;\n}\n\n/**\n * judge is object\n */\nfunction isObject(obj: any): boolean {\n return Object.prototype.toString.call(obj) === '[object Object]';\n}\n\n/**\n * judge the object's depth\n */\nfunction isObjTooDeep(obj: any, limit: number): boolean {\n if (limit === 0) {\n return true;\n }\n\n const keys = Object.keys(obj);\n for (const key of keys) {\n if (isObject(obj[key]) && isObjTooDeep(obj[key], limit - 1)) {\n return true;\n }\n }\n\n return false;\n}\n\n/**\n * stringify any js object\n * @param obj the object to stringify\n */\nexport function stringify(\n obj: any,\n stringifyOptions?: StringifyOptions,\n): string {\n const options: StringifyOptions = {\n numOfKeysLimit: 50,\n depthOfLimit: 4,\n };\n Object.assign(options, stringifyOptions);\n const stack: any[] = [];\n const keys: any[] = [];\n return JSON.stringify(obj, function (key, value) {\n /**\n * forked from https://github.com/moll/json-stringify-safe/blob/master/stringify.js\n * to deCycle the object\n */\n if (stack.length > 0) {\n const thisPos = stack.indexOf(this);\n ~thisPos ? stack.splice(thisPos + 1) : stack.push(this);\n ~thisPos ? keys.splice(thisPos, Infinity, key) : keys.push(key);\n if (~stack.indexOf(value)) {\n if (stack[0] === value) {\n value = '[Circular ~]';\n } else {\n value =\n '[Circular ~.' +\n keys.slice(0, stack.indexOf(value)).join('.') +\n ']';\n }\n }\n } else {\n stack.push(value);\n }\n /* END of the FORK */\n\n if (value === null || value === undefined) {\n return value;\n }\n if (shouldIgnore(value)) {\n return toString(value);\n }\n if (value instanceof Event) {\n const eventResult: any = {};\n for (const eventKey in value) {\n const eventValue = (value as any)[eventKey];\n if (Array.isArray(eventValue)) {\n eventResult[eventKey] = pathToSelector(\n eventValue.length ? eventValue[0] : null,\n );\n } else {\n eventResult[eventKey] = eventValue;\n }\n }\n return eventResult;\n } else if (value instanceof Node) {\n if (value instanceof HTMLElement) {\n return value ? value.outerHTML : '';\n }\n return value.nodeName;\n } else if (value instanceof Error) {\n return value.stack\n ? value.stack + '\\nEnd of stack for Error object'\n : value.name + ': ' + value.message;\n }\n return value;\n });\n\n /**\n * whether we should ignore obj's info and call toString() function instead\n */\n function shouldIgnore(_obj: object): boolean {\n // outof keys limit\n if (isObject(_obj) && Object.keys(_obj).length > options.numOfKeysLimit) {\n return true;\n }\n\n // is function\n if (typeof _obj === 'function') {\n return true;\n }\n\n /**\n * judge object's depth to avoid browser's OOM\n *\n * issues: https://github.com/rrweb-io/rrweb/issues/653\n */\n if (isObject(_obj) && isObjTooDeep(_obj, options.depthOfLimit)) {\n return true;\n }\n\n return false;\n }\n\n /**\n * limit the toString() result according to option\n */\n function toString(_obj: object): string {\n let str = _obj.toString();\n if (options.stringLengthLimit && str.length > options.stringLengthLimit) {\n str = `${str.slice(0, options.stringLengthLimit)}...`;\n }\n return str;\n }\n}\n","import { listenerHandler, RecordPlugin, IWindow } from '../../../types';\nimport { patch } from '../../../utils';\nimport { ErrorStackParser, StackFrame } from './error-stack-parser';\nimport { stringify } from './stringify';\n\nexport type StringifyOptions = {\n // limit of string length\n stringLengthLimit?: number;\n /**\n * limit of number of keys in an object\n * if an object contains more keys than this limit, we would call its toString function directly\n */\n numOfKeysLimit: number;\n /**\n * limit number of depth in an object\n * if an object is too deep, toString process may cause browser OOM\n */\n depthOfLimit: number;\n};\n\ntype LogRecordOptions = {\n level?: LogLevel[];\n lengthThreshold?: number;\n stringifyOptions?: StringifyOptions;\n logger?: Logger | 'console';\n};\n\nconst defaultLogOptions: LogRecordOptions = {\n level: [\n 'assert',\n 'clear',\n 'count',\n 'countReset',\n 'debug',\n 'dir',\n 'dirxml',\n 'error',\n 'group',\n 'groupCollapsed',\n 'groupEnd',\n 'info',\n 'log',\n 'table',\n 'time',\n 'timeEnd',\n 'timeLog',\n 'trace',\n 'warn',\n ],\n lengthThreshold: 1000,\n logger: 'console',\n};\n\nexport type LogData = {\n level: LogLevel;\n trace: string[];\n payload: string[];\n};\n\ntype logCallback = (p: LogData) => void;\n\nexport type LogLevel =\n | 'assert'\n | 'clear'\n | 'count'\n | 'countReset'\n | 'debug'\n | 'dir'\n | 'dirxml'\n | 'error'\n | 'group'\n | 'groupCollapsed'\n | 'groupEnd'\n | 'info'\n | 'log'\n | 'table'\n | 'time'\n | 'timeEnd'\n | 'timeLog'\n | 'trace'\n | 'warn';\n\n/* fork from interface Console */\n// all kinds of console functions\nexport type Logger = {\n assert?: typeof console.assert;\n clear?: typeof console.clear;\n count?: typeof console.count;\n countReset?: typeof console.countReset;\n debug?: typeof console.debug;\n dir?: typeof console.dir;\n dirxml?: typeof console.dirxml;\n error?: typeof console.error;\n group?: typeof console.group;\n groupCollapsed?: typeof console.groupCollapsed;\n groupEnd?: () => void;\n info?: typeof console.info;\n log?: typeof console.log;\n table?: typeof console.table;\n time?: typeof console.time;\n timeEnd?: typeof console.timeEnd;\n timeLog?: typeof console.timeLog;\n trace?: typeof console.trace;\n warn?: typeof console.warn;\n};\n\nfunction initLogObserver(\n cb: logCallback,\n win: IWindow, // top window or in an iframe\n logOptions: LogRecordOptions,\n): listenerHandler {\n const loggerType = logOptions.logger;\n if (!loggerType) {\n return () => {};\n }\n let logger: Logger;\n if (typeof loggerType === 'string') {\n logger = win[loggerType];\n } else {\n logger = loggerType;\n }\n let logCount = 0;\n const cancelHandlers: listenerHandler[] = [];\n // add listener to thrown errors\n if (logOptions.level!.includes('error')) {\n if (window) {\n const errorHandler = (event: ErrorEvent) => {\n const { message, error } = event;\n const trace: string[] = ErrorStackParser.parse(\n error,\n ).map((stackFrame: StackFrame) => stackFrame.toString());\n const payload = [stringify(message, logOptions.stringifyOptions)];\n cb({\n level: 'error',\n trace,\n payload,\n });\n };\n window.addEventListener('error', errorHandler);\n cancelHandlers.push(() => {\n if (window) window.removeEventListener('error', errorHandler);\n });\n }\n }\n for (const levelType of logOptions.level!) {\n cancelHandlers.push(replace(logger, levelType));\n }\n return () => {\n cancelHandlers.forEach((h) => h());\n };\n\n /**\n * replace the original console function and record logs\n * @param logger the logger object such as Console\n * @param level the name of log function to be replaced\n */\n function replace(_logger: Logger, level: LogLevel) {\n if (!_logger[level]) {\n return () => {};\n }\n // replace the logger.{level}. return a restore function\n return patch(_logger, level, (original) => {\n return (...args: Array) => {\n original.apply(this, args);\n try {\n const trace = ErrorStackParser.parse(new Error())\n .map((stackFrame: StackFrame) => stackFrame.toString())\n .splice(1); // splice(1) to omit the hijacked log function\n const payload = args.map((s) =>\n stringify(s, logOptions.stringifyOptions),\n );\n logCount++;\n if (logCount < logOptions.lengthThreshold!) {\n cb({\n level,\n trace,\n payload,\n });\n } else if (logCount === logOptions.lengthThreshold) {\n // notify the user\n cb({\n level: 'warn',\n trace: [],\n payload: [\n stringify('The number of log records reached the threshold.'),\n ],\n });\n }\n } catch (error) {\n original('rrweb logger error:', error, ...args);\n }\n };\n });\n }\n}\n\nexport const PLUGIN_NAME = 'rrweb/console@1';\n\nexport const getRecordConsolePlugin: (\n options?: LogRecordOptions,\n) => RecordPlugin = (options) => ({\n name: PLUGIN_NAME,\n observer: initLogObserver,\n options: options\n ? Object.assign({}, defaultLogOptions, options)\n : defaultLogOptions,\n});\n","import { LogLevel, LogData, PLUGIN_NAME } from '../record';\nimport {\n eventWithTime,\n EventType,\n IncrementalSource,\n ReplayPlugin,\n} from '../../../types';\n\n/**\n * define an interface to replay log records\n * (data: logData) => void> function to display the log data\n */\ntype ReplayLogger = Partial void>>;\n\ntype LogReplayConfig = {\n level?: LogLevel[];\n replayLogger?: ReplayLogger;\n};\n\nconst ORIGINAL_ATTRIBUTE_NAME = '__rrweb_original__';\ntype PatchedConsoleLog = {\n [ORIGINAL_ATTRIBUTE_NAME]: typeof console.log;\n};\n\nconst defaultLogConfig: LogReplayConfig = {\n level: [\n 'assert',\n 'clear',\n 'count',\n 'countReset',\n 'debug',\n 'dir',\n 'dirxml',\n 'error',\n 'group',\n 'groupCollapsed',\n 'groupEnd',\n 'info',\n 'log',\n 'table',\n 'time',\n 'timeEnd',\n 'timeLog',\n 'trace',\n 'warn',\n ],\n replayLogger: undefined,\n};\n\nclass LogReplayPlugin {\n private config: LogReplayConfig;\n\n constructor(config?: LogReplayConfig) {\n this.config = Object.assign(defaultLogConfig, config);\n }\n\n /**\n * generate a console log replayer which implement the interface ReplayLogger\n */\n public getConsoleLogger(): ReplayLogger {\n const replayLogger: ReplayLogger = {};\n for (const level of this.config.level!) {\n if (level === 'trace') {\n replayLogger[level] = (data: LogData) => {\n const logger = ((console.log as unknown) as PatchedConsoleLog)[\n ORIGINAL_ATTRIBUTE_NAME\n ]\n ? ((console.log as unknown) as PatchedConsoleLog)[\n ORIGINAL_ATTRIBUTE_NAME\n ]\n : console.log;\n logger(\n ...data.payload.map((s) => JSON.parse(s)),\n this.formatMessage(data),\n );\n };\n } else {\n replayLogger[level] = (data: LogData) => {\n const logger = ((console[level] as unknown) as PatchedConsoleLog)[\n ORIGINAL_ATTRIBUTE_NAME\n ]\n ? ((console[level] as unknown) as PatchedConsoleLog)[\n ORIGINAL_ATTRIBUTE_NAME\n ]\n : console[level];\n logger(\n ...data.payload.map((s) => JSON.parse(s)),\n this.formatMessage(data),\n );\n };\n }\n }\n return replayLogger;\n }\n\n /**\n * format the trace data to a string\n * @param data the log data\n */\n private formatMessage(data: LogData): string {\n if (data.trace.length === 0) {\n return '';\n }\n const stackPrefix = '\\n\\tat ';\n let result = stackPrefix;\n result += data.trace.join(stackPrefix);\n return result;\n }\n}\n\nexport const getReplayConsolePlugin: (\n options?: LogReplayConfig,\n) => ReplayPlugin = (options) => {\n const replayLogger =\n options?.replayLogger || new LogReplayPlugin(options).getConsoleLogger();\n\n return {\n handler(event: eventWithTime, _isSync, context) {\n let logData: LogData | null = null;\n if (\n event.type === EventType.IncrementalSnapshot &&\n event.data.source === (IncrementalSource.Log as IncrementalSource)\n ) {\n logData = (event.data as unknown) as LogData;\n } else if (\n event.type === EventType.Plugin &&\n event.data.plugin === PLUGIN_NAME\n ) {\n logData = event.data.payload as LogData;\n }\n if (logData) {\n try {\n if (typeof replayLogger[logData.level] === 'function') {\n replayLogger[logData.level]!(logData);\n }\n } catch (error) {\n if (context.replayer.config.showWarning) {\n console.warn(error);\n }\n }\n }\n },\n };\n};\n","import { strFromU8, strToU8, zlibSync } from 'fflate';\nimport { PackFn, MARK, eventWithTimeAndPacker } from './base';\n\nexport const pack: PackFn = (event) => {\n const _e: eventWithTimeAndPacker = {\n ...event,\n v: MARK,\n };\n return strFromU8(zlibSync(strToU8(JSON.stringify(_e))), true);\n};\n","import { strFromU8, strToU8, unzlibSync } from 'fflate';\nimport { UnpackFn, eventWithTimeAndPacker, MARK } from './base';\nimport { eventWithTime } from '../types';\n\nexport const unpack: UnpackFn = (raw: string) => {\n if (typeof raw !== 'string') {\n return raw;\n }\n try {\n const e: eventWithTime = JSON.parse(raw);\n if (e.timestamp) {\n return e;\n }\n } catch (error) {\n // ignore and continue\n }\n try {\n const e: eventWithTimeAndPacker = JSON.parse(\n strFromU8(unzlibSync(strToU8(raw, true)))\n );\n if (e.v === MARK) {\n return e;\n }\n throw new Error(\n `These events were packed with packer ${e.v} which is incompatible with current packer ${MARK}.`,\n );\n } catch (error) {\n console.error(error);\n throw new Error('Unknown data format.');\n }\n};\n"],"names":["NodeType","__assign","Object","assign","t","s","i","n","arguments","length","p","prototype","hasOwnProperty","call","apply","this","__values","o","Symbol","iterator","m","next","value","done","TypeError","__read","r","e","ar","push","error","__spreadArray","to","from","pack","l","Array","slice","concat","isElement","nodeType","ELEMENT_NODE","isShadowRoot","_a","host","Boolean","shadowRoot","maskInputValue","input","maskInputSelector","unmaskInputSelector","maskInputOptions","tagName","type","maskInputFn","text","matches","toLowerCase","repeat","ORIGINAL_ATTRIBUTE_NAME","canvasService","canvasCtx","_id","tagNameRegex","RegExp","getCssRulesString","rules","cssRules","map","getCssRuleString","join","rule","cssStringified","cssText","isCSSImportRule","styleSheet","URL_IN_CSS_REF","RELATIVE_PATH","DATA_URI","absoluteToStylesheet","href","replace","origin","quote1","path1","quote2","path2","path3","url","filePath","maybeQuote","test","indexOf","split","stack","parts","pop","_i","parts_1","part","SRCSET_NOT_SPACES","SRCSET_COMMAS_OR_SPACES","absoluteToDoc","doc","attributeValue","trim","a","createElement","getHref","document","transformAttribute","name","pos","collectCharacters","regEx","chars","match","exec","substring","output","descriptorsStr","inParens","c","charAt","getAbsoluteSrcsetString","needMaskingText","node","maskTextClass","maskTextSelector","unmaskTextSelector","closest","classList","contains","eIndex","className","parentNode","TEXT_NODE","serializeNode","options","rootId","sheet","el","blockClass","blockSelector","unblockSelector","inlineStylesheet","_b","maskTextFn","_c","dataURLOptions","inlineImages","recordCanvas","keepIframeSrcFn","__sn","docId","id","undefined","DOCUMENT_NODE","compatMode","Document","childNodes","DOCUMENT_TYPE_NODE","DocumentType","publicId","systemId","needBlock","element","_isBlockedElement","HTMLFormElement","processedTagName","getValidTagName","attributes_1","_d","attributes","_e","name_1","stylesheet","styleSheets","find","rel","_cssText","innerText","textContent","checked","selected","__context","canvas","ctx","getContext","x","width","y","height","getImageData","originalGetImageData","Uint32Array","Math","min","data","buffer","some","pixel","is2DCanvasBlank","rr_dataURL","toDataURL","quality","canvasDataURL","blankCanvas","image_1","oldValue_1","crossOrigin","recordInlineImage","naturalWidth","naturalHeight","drawImage","err","console","warn","currentSrc","complete","onload","rr_mediaState","paused","rr_mediaCurrentTime","currentTime","scrollLeft","rr_scrollLeft","scrollTop","rr_scrollTop","_f","getBoundingClientRect","class","rr_width","rr_height","src","contentDocument","rr_src","Element","isSVG","ownerSVGElement","parentTagName","isStyle","isScript","nextSibling","previousSibling","Text","CDATA_SECTION_NODE","CDATA","COMMENT_NODE","Comment","lowerIfExists","maybeAttr","serializeNodeWithId","skipChild","slimDOMOptions","onSerialize","onIframeLoad","_g","iframeLoadTimeout","_h","_j","preserveWhiteSpace","_serializedNode","sn","comment","script","as","endsWith","headFavicon","headMetaDescKeywords","headMetaSocial","property","headMetaRobots","headMetaHttpEquiv","headMetaAuthorship","headMetaVerification","slimDOMExcluded","serializedNode","recordChild","isShadowHost","headWhitespace","bypassOptions","_k","serializedChildNode","_l","_m","isShadow","iframeEl","listener","win","contentWindow","readyState","fired","blankUrl","location","addEventListener","setTimeout","timer_1","clearTimeout","onceIframeLoaded","iframeDoc","serializedIframeNode","commentre","parse","css","lineno","column","updatePosition","str","lines","lastIndexOf","position","start","line","Position","whitespace","end","source","content","errorsList","msg","Error","reason","filename","silent","open","close","comments","atrule","re","selector","declaration","propMatch","prop","val","ret","declarations","decl","decls","keyframe","vals","values","rulesList","atimport","_compileAtrule","atcharset","atnamespace","vendor","frame","frames","keyframes","atkeyframes","media","style","atmedia","atcustommedia","supports","atsupports","atdocument","sel","selectors","atpage","athost","atfontface","addParent","parsingErrors","obj","parent","isNode","childParent","keys","isArray","forEach","v","defineProperty","configurable","writable","enumerable","tagMap","altglyph","altglyphdef","altglyphitem","animatecolor","animatemotion","animatetransform","clippath","feblend","fecolormatrix","fecomponenttransfer","fecomposite","feconvolvematrix","fediffuselighting","fedisplacementmap","fedistantlight","fedropshadow","feflood","fefunca","fefuncb","fefuncg","fefuncr","fegaussianblur","feimage","femerge","femergenode","femorphology","feoffset","fepointlight","fespecularlighting","fespotlight","fetile","feturbulence","foreignobject","glyphref","lineargradient","radialgradient","EventType","IncrementalSource","MouseInteractions","CanvasContext","MediaInteractions","ReplayerEvents","HOVER_SELECTOR","HOVER_SELECTOR_GLOBAL","addHoverClass","cache","cachedStyle","stylesWithHoverClass","get","ast","selectorMatcher","filter","index","sort","b","result","newSelector","set","createCache","Map","buildNode","hackCss","implementation","createDocument","createDocumentType","node_1","getTagName","createElementNS","_loop_1","startsWith","image","setAttribute","play","pause","isTextarea","isRemoteOrDynamicCss","child","createTextNode","removeChild","appendChild","setAttributeNS","srcset","firstChild","attachShadow","mode","createCDATASection","createComment","buildNodeWithSN","afterAppend","assert","xmlns","write","childN","childNode","rebuild","onVisit","idNodeMap","key","visit","visitedNode","name_2","handleScroll","on","fn","target","capture","passive","removeEventListener","createMirror","getId","getNode","removeNodeFromMap","_this","has","reset","DEPARTED_MIRROR_ACCESS_WARNING","throttle","func","wait","timeout","previous","arg","now","Date","leading","remaining","context","args","trailing","hookSetter","d","isRevoked","original","getOwnPropertyDescriptor","patch","replacement","original_1","wrapped","defineProperties","__rrweb_original__","getWindowHeight","window","innerHeight","documentElement","clientHeight","body","getWindowWidth","innerWidth","clientWidth","isBlocked","needBlock_1","isIgnored","isAncestorRemoved","mirror","isTouchEvent","event","changedTouches","polyfill","NodeList","DOMTokenList","Node","Proxy","Reflect","_mirror","receiver","TreeIndex","mutation","parentTreeNode","indexes","parentId","treeNode","children","texts","tree","deepRemoveFromMirror","removeIdSet","add","deepRemoveFromTreeIndex","_treeNode","_parentTreeNode","delete","removeNodeMutations","textMutations","attributeMutations","scrollMap","inputMap","batchMutationData","Mutation","removes","adds","walk","removed","mutationData","Set","queueToResolveTrees","queue","queueNodeMap","putIntoMap","nodeInTree","queueNodeTrees","queue_1","nextId","nextInTree","idx","splice","parentInTree","iterateResolveTree","cb","isIframeINode","getBaseDimension","rootIframe","frameElement","ownerDocument","defaultView","relativeScale","absoluteScale","frameDimension","frameBaseDimension","hasShadowRoot","isNodeInLinkedList","DoubleLinkedList","current","head","__ln","moveKey","isINode","mutations","processMutation","emit","frozen","locked","addList","getNextId","ns","pushAdd","shadowHost","getRootNode","rootShadowHost","notInDoc","addNode","currentN","iframeManager","addIframe","shadowDomManager","addShadowRoot","iframe","childSn","attachIframe","observeAttachShadow","mapRemoves","shift","movedSet","isParentRemoved","addedSet","isAncestorInSet","droppedSet","candidate","_node","removeNode","payload","attribute","movedMap","mutationCb","oldValue","getAttribute","attributeName","item","old","styleObj","pname","newValue","getPropertyValue","newPriority","getPropertyPriority","addedNodes","genAdds","removedNodes","nodeId","deepDelete","targetId","MutationBuffer","canvasManager","freeze","unfreeze","lock","unlock","addsSet","mutationBuffers","isCSSGroupingRuleSupported","CSSGroupingRule","isCSSMediaRuleSupported","CSSMediaRule","isCSSSupportsRuleSupported","CSSSupportsRule","isCSSConditionRuleSupported","CSSConditionRule","getEventTarget","path","composedPath","initMutationObserver","rootEl","mutationBuffer","init","mutationObserverCtor","MutationObserver","__rrMutationObserver","angularZoneSymbol","Zone","__symbol__","observer","processMutations","bind","observe","attributeOldValue","characterData","characterDataOldValue","childList","subtree","initMouseInteractionObserver","mouseInteractionCb","sampling","mouseInteraction","disableMap","handlers","Number","isNaN","eventKey","eventName","handler","clientX","clientY","getHandler","h","initScrollObserver","scrollCb","evt","scrollEl","scrollingElement","scroll","wrapEventWithUserTriggeredFlag","enable","userTriggered","INPUT_TAGS","lastInputValueMap","WeakMap","getNestedCSSRulePositions","childRule","parentRule","unshift","parentStyleSheet","recurse","initObservers","hooks","currentWindow","mousemoveCb","viewportResizeCb","inputCb","mediaInteractionCb","styleSheetRuleCb","styleDeclarationCb","canvasMutationCb","fontCb","mousemove","viewportResize","mediaInteaction","styleSheetRule","styleDeclaration","canvasMutation","font","mergeHooks","mutationObserver","mousemoveHandler","timeBaseline","threshold","callbackThreshold","mousemoveCallback","positions","wrappedCb","totalOffset","timeOffset","DragEvent","Drag","MouseEvent","MouseMove","TouchMove","initMoveObserver","mouseInteractionHandler","scrollHandler","viewportResizeHandler","lastH","lastW","initViewportResizeObserver","inputHandler","ignoreClass","ignoreSelector","userTriggeredOnInput","eventHandler","isTrusted","parentElement","isChecked","cbWithDedup","querySelectorAll","lastInputValue","propertyDescriptor","HTMLInputElement","hookProperties","HTMLSelectElement","HTMLTextAreaElement","HTMLOptionElement","initInputObserver","mediaInteractionHandler","volume","muted","initMediaInteractionObserver","styleSheetObserver","CSSStyleSheet","insertRule","ownerNode","deleteRule","supportedNestedCSSRuleTypes","unmodifiedFunctions","entries","typeKey","initStyleSheetObserver","styleDeclarationObserver","setProperty","CSSStyleDeclaration","priority","removeProperty","remove","initStyleDeclarationObserver","fontObserver","collectFonts","fontMap","originalFontFace","FontFace","family","descriptors","fontFace","fontSource","JSON","stringify","Uint8Array","restoreHandler","fonts","initFontObserver","pluginHandlers","plugins","plugin","callback","disconnect","IframeManager","iframes","loadListener","isAttachIframe","manager","restorePatches","HTMLElement","ShadowDomManager","iframeElement","manager_1","restorePatch","lookup","charCodeAt","webGLVarMap","saveWebGLVar","isInstanceOfWebGLObject","list","ctor","contextMap","variableListFor","constructor","serializeArg","Float32Array","Float64Array","Int32Array","Uint16Array","Int16Array","Int8Array","Uint8ClampedArray","rr_type","ArrayBuffer","base64","arraybuffer","bytes","len","encode","DataView","byteOffset","byteLength","HTMLImageElement","ImageData","serializeArgs","supportedWebGLConstructorNames","patchGLPrototype","props","getOwnPropertyNames","recordArgs","hookHandler","setter","props_1","wrappedEmit","takeFullSnapshot","latestId","invokeId","rafStamps","pendingCanvasMutations","initCanvasMutationObserver","CanvasManager","clear","resetObservers","startRAFTimestamping","startPendingCanvasMutationFlusher","canvasContextReset","HTMLCanvasElement","contextType","initCanvasContextObserver","canvas2DReset","props2D","CanvasRenderingContext2D","imgd","pix","props2D_1","initCanvas2DMutationObserver","canvasWebGL1and2Reset","WebGLRenderingContext","WebGL","WebGL2RenderingContext","WebGL2","initCanvasWebGLMutationObserver","requestAnimationFrame","flushPendingCanvasMutations","setLatestRAFTimestamp","timestamp","flushPendingCanvasMutationFor","valuesWithType","getOwnPropertySymbols","propertyIsEnumerable","commands","wrapEvent","record","checkoutEveryNms","checkoutEveryNth","maskAllInputs","_maskInputOptions","_slimDOMOptions","packFn","mousemoveWait","_o","_p","_q","_r","_s","lastFullSnapshotEvent","color","date","email","month","number","range","search","tel","time","week","textarea","select","password","incrementalSnapshotCount","isCheckout","isFrozen","FullSnapshot","IncrementalSnapshot","buf","eventProcessor","exceedCount","exceedTime","wrappedMutationEmit","wrappedScrollEmit","Scroll","wrappedCanvasMutationEmit","CanvasMutation","Meta","slimDOM","snapshot","initialOffset","left","pageXOffset","top","pageYOffset","handlers_1","DomContentLoaded","observe_1","MouseInteraction","ViewportResize","Input","MediaInteraction","StyleSheetRule","StyleDeclaration","Font","Plugin","addLoadListener","init_1","Load","mitt","all","create","off","addCustomEvent","tag","Custom","freezePage","w","__forceSmoothScrollPolyfill__","userAgent","scrollTo","scrollBy","elementScroll","scrollElement","scrollIntoView","performance","ROUNDING_TOLERANCE","navigator","shouldBailOut","smoothScroll","scrollX","scrollY","SyntaxError","behavior","scrollableParent","findScrollableParent","parentRects","clientRects","getComputedStyle","firstArg","hasScrollableSpace","axis","scrollHeight","scrollWidth","canOverflow","overflowValue","isScrollable","isScrollableY","isScrollableX","step","currentX","currentY","k","elapsed","startTime","cos","PI","startX","startY","method","scrollable","actions","speed","Timer","action","findActionIndex","lastTimestamp","self","raf","check","delay","doAction","liveMode","cancelAnimationFrame","mid","floor","addDelay","baselineTime","firstOffset","firstTimestamp","return","NotStarted","Running","Stopped","assignment","u","changed","f","states","initial","entry","config","_options","initialState","transition","g","S","j","E","R","N","cond","O","_","T","q","exit","z","A","B","C","_machine","send","subscribe","unsubscribe","stop","state","status","createPlayerService","getCastFn","applyEventsSynchronously","emitter","interpret","createMachine","playing","PAUSE","CAST_EVENT","END","ADD_EVENT","PLAY","TO_LIVE","live","castEvent","lastPlayedEvent","recordTimeOffset","events","timer","events_1","neededEvents","event_1","discardPriorSnapshots","lastPlayedTimestamp","PlayBack","syncEvents","event_3","castFn_1","neededEvents_1","Flush","addActions","resetLastPlayedEvent","startLive","toggleLiveMode","addEvent","machineEvent","event_4","insertionIndex","isSync","castFn_2","isActive","addAction","StyleRuleType","getNestedRule","getPositionsAndIndex","nestedIndex","applyVirtualStyleRulesToNode","storedRules","styleNode","Insert","Remove","Snapshot","cssTexts","existingRules","existingRulesReversed","reverse","lastMatch_1","restoreSnapshotOfStyleRulesToNode","SetProperty","RemoveProperty","WebGLVariableConstructorsNames","deserializeArg","imageMap","encoded1","encoded2","encoded3","encoded4","bufferLength","decode","Image","webglMutation","errorHandler","includes","variables","saveToWebGLVarMap","mittProxy.default","mittProxy","REPLAY_CONSOLE_PREFIX","defaultMouseTailConfig","duration","lineCap","lineWidth","strokeStyle","indicatesTouchDevice","TouchStart","defaultConfig","maxSpeed","root","loadTimeout","skipInactive","showWarning","showDebug","insertStyleRules","triggerFocus","UNSAFE_replayCanvas","pauseAnimation","mouseTail","handleResize","Resize","setupDom","treeIndex","fragmentParentMap","elementStateMap","virtualStyleRulesMap","flush","frag","restoreRealParent","applyText","restoreNodeSheet","applyScroll","applyInput","firstFullSnapshot","service","unpackFn","a1","a2","StateChange","player","speedService","normalSpeed","normal","FAST_FORWARD","SET_SPEED","skipping","BACK_TO_NORMAL","setSpeed","recordSpeed","restoreSpeed","firstMeta","firstFullsnapshot","width_1","height_1","rebuildFullSnapshot","mouse","Replayer","backToNormal","display","parseFloat","wrapper","insertBefore","firstEvent","lastEvent","endTime","totalTime","getTimeOffset","getElementsByTagName","Start","Pause","Resume","rawEvent","Promise","resolve","then","pointerEvents","disableInteract","smoothscrollPolyfill","dimension","String","castFn","mousePos","moveAndHover","debugData","touchActive","CustomEvent","applyIncremental","nextUserInteractionEvent","_event","isUserInteraction","skipTime","round","SkipStart","replayer","last_index","finish_1","Finish","max","EventCast","legacy_missingNodeRetryMap","collected","builtNode","collectIframeAndAttachDocument","mutationInQueue","this_1","attachDocumentToIframe","newDocumentQueue","collected_1","FullsnapshotRebuilded","waitForStylesheetLoad","preloadAllImages","styleEl","injectStylesRules","parent_1","realParent","toUpperCase","this_2","collected_2","unloadSheets_1","beforeLoadState_1","stateHandler_1","unsubscribe_1","size","getCurrentTime","LoadStylesheetEnd","LoadStylesheetStart","args_1","hasImageArg","images","args_2","getImageArgs","stateHandler","event_2","preloadImages","this_3","createImageData","putImageData","applyMutation","message","lastPosition","Event","debugNodeNotFound","Blur","blur","Focus","focus","preventScroll","Click","TouchEnd","tailPositions","offsetWidth","TouchCancel","dispatchEvent","mediaEl","rules_1","parent_2","usingVirtualParent_1","styleSheet_1","parent_3","command","canvas2DMutation","warnCanvasMutationFailed","useVirtualParent","warnNodeNotFound","realTarget","DOMException","legacy_missingNodeMap","appendNode","parentInDocument","hasIframeChild","virtualParent","createDocumentFragment","storeState","previousId","nextNotInDOM","targetDoc","mutationInQueue_1","legacy_resolveMissingNode","resolveTrees","resolveTrees_1","debug","removeAttribute","styleValues","targetEl","svp","svs","targetMutation","previousInMap","nextInMap","base","_x","_y","drawMouseTail","hoverElements","draw","clearRect","beginPath","moveTo","lineTo","stroke","hoveredEl","currentEl","SkipEnd","restoreState","storeCSSRules","storedState","nodeName","idRemoved","log","u8","u16","u32","fleb","fdeb","clim","freb","eb","fl","revfl","fd","revfd","rev","hMap","cd","mb","co","le","rvb","sv","r_1","flt","fdt","flm","flrm","fdm","fdrm","bits","bits16","shft","slc","subarray","wbits","wbits16","hTree","t2","i0","i1","i2","maxSym","tr","mbt","ln","dt","lft","cst","i2_1","i2_2","i2_3","lc","cl","cli","cln","cls","clen","cf","wfblk","out","dat","wblk","final","syms","lf","df","li","bs","bl","dlt","mlb","ddt","mdb","lclt","nlc","lcdt","ndc","lcfreq","lct","mlcb","nlcc","lm","ll","dm","dl","flen","ftlen","dtlen","llm","lcts","it","clct","dst","deo","et","dopt","opt","pre","post","st","lvl","plvl","lst","msk_1","prev","bs1_1","ceil","bs2_1","hsh","lc_1","wi","hv","imod","pimod","rem","ch_1","dif","maxn","maxd","ml","nl","mmd","md","ti","lin","din","dflt","level","mem","zlibSync","opts","adler","lv","zlh","wbytes","unzlibSync","sl","noBuf","noSt","cbuf","nbuf","bt","lbt","dbt","tbts","hLit","hcLen","tl","ldt","clt","clb","clbmsk","clm","lt","lms","dms","mxa","sym","dsym","inflt","zlv","strToU8","latin1","TextEncoder","ai","strFromU8","TextDecoder","fromCharCode","MARK","fileName","functionName","lineNumber","columnNumber","StackFrame","FIREFOX_SAFARI_STACK_REGEXP","CHROME_IE_STACK_REGEXP","SAFARI_NATIVE_CODE_REGEXP","ErrorStackParser","stacktrace","parseOpera","parseV8OrIE","parseFFOrSafari","extractLocation","urlLike","sanitizedLine","tokens","locationParts","functionNameRegex","parseOpera9","parseOpera11","parseOpera10","lineRE","pathToSelector","outerHTML","localName","domSiblings","sibling","isObject","toString","isObjTooDeep","limit","keys_1","stringifyOptions","numOfKeysLimit","depthOfLimit","thisPos","Infinity","_obj","shouldIgnore","stringLengthLimit","eventResult","eventValue","defaultLogOptions","lengthThreshold","logger","initLogObserver","logOptions","loggerType","logCount","cancelHandlers","errorHandler_1","trace","stackFrame","levelType","_logger","PLUGIN_NAME","defaultLogConfig","replayLogger","LogReplayPlugin","formatMessage","stackPrefix","getConsoleLogger","_isSync","logData","Log","raw"],"mappings":";;;;;;;;;;;;;;oFA+BO,IC/BHA,ED+BOC,EAAW,WAQlB,OAPAA,EAAWC,OAAOC,QAAU,SAAkBC,GAC1C,IAAK,IAAIC,EAAGC,EAAI,EAAGC,EAAIC,UAAUC,OAAQH,EAAIC,EAAGD,IAE5C,IAAK,IAAII,KADTL,EAAIG,UAAUF,GACOJ,OAAOS,UAAUC,eAAeC,KAAKR,EAAGK,KAAIN,EAAEM,GAAKL,EAAEK,IAE9E,OAAON,IAEKU,MAAMC,KAAMP,YAgFzB,SAASQ,EAASC,GACrB,IAAIZ,EAAsB,mBAAXa,QAAyBA,OAAOC,SAAUC,EAAIf,GAAKY,EAAEZ,GAAIC,EAAI,EAC5E,GAAIc,EAAG,OAAOA,EAAEP,KAAKI,GACrB,GAAIA,GAAyB,iBAAbA,EAAER,OAAqB,MAAO,CAC1CY,KAAM,WAEF,OADIJ,GAAKX,GAAKW,EAAER,SAAQQ,OAAI,GACrB,CAAEK,MAAOL,GAAKA,EAAEX,KAAMiB,MAAON,KAG5C,MAAM,IAAIO,UAAUnB,EAAI,0BAA4B,mCAGjD,SAASoB,EAAOR,EAAGV,GACtB,IAAIa,EAAsB,mBAAXF,QAAyBD,EAAEC,OAAOC,UACjD,IAAKC,EAAG,OAAOH,EACf,IAAmBS,EAAYC,EAA3BrB,EAAIc,EAAEP,KAAKI,GAAOW,EAAK,GAC3B,IACI,WAAc,IAANrB,GAAgBA,KAAM,MAAQmB,EAAIpB,EAAEe,QAAQE,MAAMK,EAAGC,KAAKH,EAAEJ,OAExE,MAAOQ,GAASH,EAAI,CAAEG,MAAOA,WAEzB,IACQJ,IAAMA,EAAEH,OAASH,EAAId,EAAU,SAAIc,EAAEP,KAAKP,WAExC,GAAIqB,EAAG,MAAMA,EAAEG,OAE7B,OAAOF,EAmBJ,SAASG,EAAcC,EAAIC,EAAMC,GACpC,GAAIA,GAA6B,IAArB1B,UAAUC,OAAc,IAAK,IAA4BmB,EAAxBtB,EAAI,EAAG6B,EAAIF,EAAKxB,OAAYH,EAAI6B,EAAG7B,KACxEsB,GAAQtB,KAAK2B,IACRL,IAAIA,EAAKQ,MAAMzB,UAAU0B,MAAMxB,KAAKoB,EAAM,EAAG3B,IAClDsB,EAAGtB,GAAK2B,EAAK3B,IAGrB,OAAO0B,EAAGM,OAAOV,GAAMQ,MAAMzB,UAAU0B,MAAMxB,KAAKoB,ICjKtD,SAASM,EAAUhC,GACf,OAAOA,EAAEiC,WAAajC,EAAEkC,aAE5B,SAASC,EAAanC,GAClB,IAAIoC,EACAC,EAAoB,QAAZD,EAAKpC,SAAsB,IAAPoC,OAAgB,EAASA,EAAGC,KAC5D,OAAOC,QAAQD,GAAQA,EAAKE,YAAcF,EAAKE,aAAevC,GAElE,SAASwC,EAAeJ,GACpB,IAAIK,EAAQL,EAAGK,MAAOC,EAAoBN,EAAGM,kBAAmBC,EAAsBP,EAAGO,oBAAqBC,EAAmBR,EAAGQ,iBAAkBC,EAAUT,EAAGS,QAASC,EAAOV,EAAGU,KAAM/B,EAAQqB,EAAGrB,MAAOgC,EAAcX,EAAGW,YAC3NC,EAAOjC,GAAS,GACpB,OAAI4B,GAAuBF,EAAMQ,QAAQN,KAGrCC,EAAiBC,EAAQK,gBACzBN,EAAiBE,IAChBJ,GAAqBD,EAAMQ,QAAQP,MAEhCM,EADAD,EACOA,EAAYC,GAGZ,IAAIG,OAAOH,EAAK9C,SATpB8C,GArBf,SAAWvD,GACPA,EAASA,EAAmB,SAAI,GAAK,WACrCA,EAASA,EAAuB,aAAI,GAAK,eACzCA,EAASA,EAAkB,QAAI,GAAK,UACpCA,EAASA,EAAe,KAAI,GAAK,OACjCA,EAASA,EAAgB,MAAI,GAAK,QAClCA,EAASA,EAAkB,QAAI,GAAK,UANxC,CAOGA,IAAaA,EAAW,KA4B3B,IAAI2D,EAA0B,qBAoB9B,IAyDIC,EACAC,EA1DAC,EAAM,EACNC,EAAe,IAAIC,OAAO,gBAe9B,SAASC,EAAkB5D,GACvB,IACI,IAAI6D,EAAQ7D,EAAE6D,OAAS7D,EAAE8D,SACzB,OAAOD,EAAQ9B,MAAMH,KAAKiC,GAAOE,IAAIC,GAAkBC,KAAK,IAAM,KAEtE,MAAOxC,GACH,OAAO,MAGf,SAASuC,EAAiBE,GACtB,IAAIC,EAAiBD,EAAKE,QAC1B,GASJ,SAAyBF,GACrB,MAAO,eAAgBA,EAVnBG,CAAgBH,GAChB,IACIC,EAAiBP,EAAkBM,EAAKI,aAAeH,EAE3D,MAAO7B,IAGX,OAAO6B,EAyBX,IAAII,EAAiB,6CACjBC,EAAgB,sDAChBC,EAAW,wBACf,SAASC,EAAqBN,EAASO,GACnC,OAAQP,GAAW,IAAIQ,QAAQL,GAAgB,SAAUM,EAAQC,EAAQC,EAAOC,EAAQC,EAAOC,GAC3F,IAlBeC,EAkBXC,EAAWL,GAASE,GAASC,EAC7BG,EAAaP,GAAUE,GAAU,GACrC,IAAKI,EACD,OAAOP,EAEX,IAAKL,EAAcc,KAAKF,GACpB,MAAO,OAASC,EAAaD,EAAWC,EAAa,IAEzD,GAAIZ,EAASa,KAAKF,GACd,MAAO,OAASC,EAAaD,EAAWC,EAAa,IAEzD,GAAoB,MAAhBD,EAAS,GACT,MAAO,OAASC,KA9BLF,EA8BiCR,GA5B5CY,QAAQ,OAAS,EACZJ,EAAIK,MAAM,KAAKxD,MAAM,EAAG,GAAGiC,KAAK,KAGhCkB,EAAIK,MAAM,KAAK,IAEZA,MAAM,KAAK,GAsBiCJ,GAAYC,EAAa,IAEjF,IAAII,EAAQd,EAAKa,MAAM,KACnBE,EAAQN,EAASI,MAAM,KAC3BC,EAAME,MACN,IAAK,IAAIC,EAAK,EAAGC,EAAUH,EAAOE,EAAKC,EAAQzF,OAAQwF,IAAM,CACzD,IAAIE,EAAOD,EAAQD,GACN,MAATE,IAGc,OAATA,EACLL,EAAME,MAGNF,EAAMjE,KAAKsE,IAGnB,MAAO,OAAST,EAAaI,EAAMxB,KAAK,KAAOoB,EAAa,OAGpE,IAAIU,EAAoB,qBACpBC,EAA0B,qBA2D9B,SAASC,EAAcC,EAAKC,GACxB,IAAKA,GAA4C,KAA1BA,EAAeC,OAClC,OAAOD,EAEX,IAAIE,EAAIH,EAAII,cAAc,KAE1B,OADAD,EAAE1B,KAAOwB,EACFE,EAAE1B,KAKb,SAAS4B,IACL,IAAIF,EAAIG,SAASF,cAAc,KAE/B,OADAD,EAAE1B,KAAO,GACF0B,EAAE1B,KAEb,SAAS8B,EAAmBP,EAAKnD,EAAS2D,EAAMzF,GAC5C,MAAa,QAATyF,GAA4B,SAATA,GAAmBzF,GAGxB,eAATyF,GAAyBzF,GAAsB,MAAbA,EAAM,GAFtCgF,EAAcC,EAAKjF,GAKZ,eAATyF,IACLzF,GACa,UAAZ8B,GAAmC,OAAZA,GAAgC,OAAZA,EAG9B,WAAT2D,GAAqBzF,EAtFlC,SAAiCiF,EAAKC,GAClC,GAA8B,KAA1BA,EAAeC,OACf,OAAOD,EAEX,IAAIQ,EAAM,EACV,SAASC,EAAkBC,GACvB,IAAIC,EACAC,EAAQF,EAAMG,KAAKb,EAAec,UAAUN,IAChD,OAAII,GACAD,EAAQC,EAAM,GACdJ,GAAOG,EAAM1G,OACN0G,GAEJ,GAGX,IADA,IAAII,EAAS,GAETN,EAAkBZ,KACdW,GAAOR,EAAe/F,SAFjB,CAKT,IAAI+E,EAAMyB,EAAkBb,GAC5B,GAAsB,MAAlBZ,EAAInD,OAAO,GACXmD,EAAMc,EAAcC,EAAKf,EAAI8B,UAAU,EAAG9B,EAAI/E,OAAS,IACvD8G,EAAO1F,KAAK2D,OAEX,CACD,IAAIgC,EAAiB,GACrBhC,EAAMc,EAAcC,EAAKf,GAEzB,IADA,IAAIiC,GAAW,IACF,CACT,IAAIC,EAAIlB,EAAemB,OAAOX,GAC9B,GAAU,KAANU,EAAU,CACVH,EAAO1F,MAAM2D,EAAMgC,GAAgBf,QACnC,MAEC,GAAKgB,EAWI,MAANC,IACAD,GAAW,OAZC,CAChB,GAAU,MAANC,EAAW,CACXV,GAAO,EACPO,EAAO1F,MAAM2D,EAAMgC,GAAgBf,QACnC,MAEW,MAANiB,IACLD,GAAW,GAQnBD,GAAkBE,EAClBV,GAAO,IAInB,OAAOO,EAAOjD,KAAK,MA+BRsD,CAAwBrB,EAAKjF,GAEtB,UAATyF,GAAoBzF,EAClByD,EAAqBzD,EAAOsF,KAElB,WAAZxD,GAAiC,SAAT2D,GAAmBzF,EACzCgF,EAAcC,EAAKjF,GAGnBA,EAZAgF,EAAcC,EAAKjF,GAqClC,SAASuG,EAAgBC,EAAMC,EAAeC,EAAkBC,GAC5D,IAAKH,EACD,OAAO,EAEX,GAAIA,EAAKtF,WAAasF,EAAKrF,aAAc,CACrC,GAAIwF,IACIH,EAAKtE,QAAQyE,IAAuBH,EAAKI,QAAQD,IACjD,OAAO,EAGf,GAA6B,iBAAlBF,GACP,GAAID,EAAKK,UAAUC,SAASL,GACxB,OAAO,OAIX,IAAK,IAAIM,EAAS,EAAGA,EAASP,EAAKK,UAAU1H,OAAQ4H,IAAU,CAC3D,IAAIC,EAAYR,EAAKK,UAAUE,GAC/B,GAAIN,EAAcpC,KAAK2C,GACnB,OAAO,EAInB,SAAIN,IACIF,EAAKtE,QAAQwE,KAIdH,EAAgBC,EAAKS,WAAYR,EAAeC,EAAkBC,GAE7E,OAAIH,EAAKtF,SAAasF,EAAKU,UAChBX,EAAgBC,EAAKS,WAAYR,EAAeC,EAAkBC,GAwCjF,SAASQ,EAAclI,EAAGmI,GACtB,IAAI/F,EAEAgG,EA9PqBC,EA6HPC,EAgIdtC,EAAMmC,EAAQnC,IAAKuC,EAAaJ,EAAQI,WAAYC,EAAgBL,EAAQK,cAAeC,EAAkBN,EAAQM,gBAAiBjB,EAAgBW,EAAQX,cAAeC,EAAmBU,EAAQV,iBAAkBC,EAAqBS,EAAQT,mBAAoBgB,EAAmBP,EAAQO,iBAAkBhG,EAAoByF,EAAQzF,kBAAmBC,EAAsBwF,EAAQxF,oBAAqBgG,EAAKR,EAAQvF,iBAAkBA,OAA0B,IAAP+F,EAAgB,GAAKA,EAAIC,EAAaT,EAAQS,WAAY7F,EAAcoF,EAAQpF,YAAa8F,EAAKV,EAAQW,eAAgBA,OAAwB,IAAPD,EAAgB,GAAKA,EAAIE,EAAeZ,EAAQY,aAAcC,EAAeb,EAAQa,aAAcC,EAAkBd,EAAQc,gBAExtB,GAAIjD,EAAIkD,KAAM,CACV,IAAIC,EAAQnD,EAAIkD,KAAKE,GACrBhB,EAAmB,IAAVe,OAAcE,EAAYF,EAEvC,OAAQnJ,EAAEiC,UACN,KAAKjC,EAAEsJ,cACH,MAAqB,eAAjBtJ,EAAEuJ,WACK,CACHzG,KAAMrD,EAAS+J,SACfC,WAAY,GACZF,WAAYvJ,EAAEuJ,WACdnB,OAAQA,GAIL,CACHtF,KAAMrD,EAAS+J,SACfC,WAAY,GACZrB,OAAQA,GAGpB,KAAKpI,EAAE0J,mBACH,MAAO,CACH5G,KAAMrD,EAASkK,aACfnD,KAAMxG,EAAEwG,KACRoD,SAAU5J,EAAE4J,SACZC,SAAU7J,EAAE6J,SACZzB,OAAQA,GAEhB,KAAKpI,EAAEkC,aAIH,IAHA,IAAI4H,EA/HhB,SAA2BC,EAASxB,EAAYC,EAAeC,GAC3D,GAAIA,GAAmBsB,EAAQ9G,QAAQwF,GACnC,OAAO,EAEX,GAA0B,iBAAfF,GACP,GAAIwB,EAAQnC,UAAUC,SAASU,GAC3B,OAAO,OAIX,IAAK,IAAIT,EAAS,EAAGA,EAASiC,EAAQnC,UAAU1H,OAAQ4H,IAAU,CAC9D,IAAIC,EAAYgC,EAAQnC,UAAUE,GAClC,GAAIS,EAAWnD,KAAK2C,GAChB,OAAO,EAInB,QAAIS,GACOuB,EAAQ9G,QAAQuF,GA6GHwB,CAAkBhK,EAAGuI,EAAYC,EAAeC,GAC5D5F,EA/ThB,SAAyBkH,GACrB,GAAIA,aAAmBE,gBACnB,MAAO,OAEX,IAAIC,EAAmBH,EAAQlH,QAAQK,cAAcgD,OACrD,OAAI1C,EAAa4B,KAAK8E,GACX,MAEJA,EAuTeC,CAAgBnK,GAC1BoK,EAAe,GACV1E,EAAK,EAAG2E,EAAKxI,MAAMH,KAAK1B,EAAEsK,YAAa5E,EAAK2E,EAAGnK,OAAQwF,IAAM,CAClE,IAAI6E,EAAKF,EAAG3E,GAAK8E,EAASD,EAAG/D,KAAMzF,EAAQwJ,EAAGxJ,MAC9CqJ,EAAaI,GAAUjE,EAAmBP,EAAKnD,EAAS2H,EAAQzJ,GAEpE,GAAgB,SAAZ8B,GAAsB6F,EAAkB,CACxC,IAAI+B,EAAa5I,MAAMH,KAAKsE,EAAI0E,aAAaC,MAAK,SAAU7K,GACxD,OAAOA,EAAE2E,OAASzE,EAAEyE,QAEpBP,EAAU,KACVuG,IACAvG,EAAUR,EAAkB+G,IAE5BvG,WACOkG,EAAaQ,WACbR,EAAa3F,KACpB2F,EAAaS,SAAWrG,EAAqBN,EAASuG,EAAWhG,OAGzE,GAAgB,UAAZ5B,GACA7C,EAAEqI,SACArI,EAAE8K,WACA9K,EAAE+K,aACF,IAAI7E,OAAOhG,QACXgE,EAAUR,EAAkB1D,EAAEqI,UAE9B+B,EAAaS,SAAWrG,EAAqBN,EAASmC,MAG9D,GAAgB,UAAZxD,GACY,aAAZA,GACY,WAAZA,EAAsB,CAClB9B,EAAQf,EAAEe,MACY,UAAtBqJ,EAAatH,MACS,aAAtBsH,EAAatH,MACS,WAAtBsH,EAAatH,MACS,WAAtBsH,EAAatH,MACb/B,EACAqJ,EAAarJ,MAAQyB,EAAe,CAChCC,MAAOzC,EACP8C,KAAMsH,EAAatH,KACnBD,QAASA,EACT9B,MAAOA,EACP2B,kBAAmBA,EACnBC,oBAAqBA,EACrBC,iBAAkBA,EAClBG,YAAaA,IAGZ/C,EAAEgL,UACPZ,EAAaY,QAAUhL,EAAEgL,SAWjC,GARgB,WAAZnI,IACI7C,EAAEiL,WAAarI,EAAyB,OACxCwH,EAAaa,UAAW,SAGjBb,EAAaa,UAGZ,WAAZpI,GAAwBmG,EACxB,GAAoB,OAAhBhJ,EAAEkL,WAvZtB,SAAyBC,GACrB,IAAIC,EAAMD,EAAOE,WAAW,MAC5B,IAAKD,EACD,OAAO,EAEX,IADA,IACSE,EAAI,EAAGA,EAAIH,EAAOI,MAAOD,GADlB,GAEZ,IAAK,IAAIE,EAAI,EAAGA,EAAIL,EAAOM,OAAQD,GAFvB,GAEuC,CAC/C,IAAIE,EAAeN,EAAIM,aACnBC,EAAuBvI,KAA2BsI,EAChDA,EAAoC,mBACpCA,EAEN,GADkB,IAAIE,YAAYD,EAAqBrL,KAAK8K,EAAKE,EAAGE,EAAGK,KAAKC,IAPpE,GAOmFX,EAAOI,MAAQD,GAAIO,KAAKC,IAP3G,GAO0HX,EAAOM,OAASD,IAAIO,KAAKC,QAC3IC,MAAK,SAAUC,GAAS,OAAiB,IAAVA,KAC3C,OAAO,EAGnB,OAAO,GAwYcC,CAAgBnM,KACjBoK,EAAagC,WAAapM,EAAEqM,UAAUvD,EAAehG,KAAMgG,EAAewD,eAG7E,KAAM,cAAetM,GAAI,CAC1B,IAAIuM,EAAgBvM,EAAEqM,UAAUvD,EAAehG,KAAMgG,EAAewD,SAChEE,EAAclG,SAASF,cAAc,UACzCoG,EAAYjB,MAAQvL,EAAEuL,MACtBiB,EAAYf,OAASzL,EAAEyL,OAEnBc,IADqBC,EAAYH,UAAUvD,EAAehG,KAAMgG,EAAewD,WAE/ElC,EAAagC,WAAaG,GAItC,GAAgB,QAAZ1J,GAAqBkG,EAAc,CAC9B1F,IACDA,EAAgB2C,EAAII,cAAc,UAClC9C,EAAYD,EAAcgI,WAAW,OAEzC,IAAIoB,EAAUzM,EACV0M,EAAaD,EAAQE,YACzBF,EAAQE,YAAc,YACtB,IAAIC,EAAoB,WACpB,IACIvJ,EAAckI,MAAQkB,EAAQI,aAC9BxJ,EAAcoI,OAASgB,EAAQK,cAC/BxJ,EAAUyJ,UAAUN,EAAS,EAAG,GAChCrC,EAAagC,WAAa/I,EAAcgJ,UAAUvD,EAAehG,KAAMgG,EAAewD,SAE1F,MAAOU,GACHC,QAAQC,KAAK,yBAA2BT,EAAQU,WAAa,YAAcH,GAE/EN,EACOtC,EAAauC,YAAcD,SACrBtC,EAAauC,aAE1BF,EAAQW,UAAqC,IAAzBX,EAAQI,aAC5BD,IAEAH,EAAQY,OAAST,EAczB,GAZgB,UAAZ/J,GAAmC,UAAZA,IACvBuH,EAAakD,cAAgBtN,EAAEuN,OACzB,SACA,SACNnD,EAAaoD,oBAAsBxN,EAAEyN,aAErCzN,EAAE0N,aACFtD,EAAauD,cAAgB3N,EAAE0N,YAE/B1N,EAAE4N,YACFxD,EAAayD,aAAe7N,EAAE4N,WAE9B9D,EAAW,CACX,IAAIgE,EAAK9N,EAAE+N,wBAAyBxC,EAAQuC,EAAGvC,MAAOE,GAASqC,EAAGrC,OAClErB,EAAe,CACX4D,MAAS5D,EAAoB,MAC7B6D,SAAU1C,EAAQ,KAClB2C,UAAWzC,GAAS,MAS5B,MANgB,WAAZ5I,GAAyBoG,EAAgBmB,EAAa+D,OACjDnO,EAAEoO,kBACHhE,EAAaiE,OAASjE,EAAa+D,YAEhC/D,EAAa+D,KAEjB,CACHrL,KAAMrD,EAAS6O,QACfzL,QAASA,EACTyH,WAAYF,EACZX,WAAY,GACZ8E,OA1SMjG,EA0SctI,EAzSzBsC,QAAuB,QAAfgG,EAAGzF,SAAqByF,EAAGkG,uBAySJnF,GAC1BS,UAAWA,EACX1B,OAAQA,GAEhB,KAAKpI,EAAEiI,UACH,IAAIwG,GAAgBzO,EAAEgI,YAAchI,EAAEgI,WAAWnF,QAC7CkI,GAAc/K,EAAE+K,YAChB2D,GAA4B,UAAlBD,SAAmCpF,EAC7CsF,GAA6B,WAAlBF,SAAoCpF,EACnD,GAAIqF,IAAW3D,GAAa,CACxB,IACQ/K,EAAE4O,aAAe5O,EAAE6O,kBAEgB,QAA7BzM,EAAKpC,EAAEgI,WAAWK,aAA0B,IAAPjG,OAAgB,EAASA,EAAGwB,YACvEmH,IArbK1C,EAqb6BrI,EAAEgI,WAAWK,OApbtDzE,SACP/B,MAAMH,KAAK2G,EAAMzE,UACdC,KAAI,SAAUG,GAAQ,OAAOA,EAAKE,SAAW,MAC7CH,KAAK,IACR,IAmbM,MAAOiJ,GACHC,QAAQC,KAAK,wDAA0DF,EAAKhN,GAEhF+K,GAAcvG,EAAqBuG,GAAa1E,KAapD,OAXIsI,KACA5D,GAAc,uBAEb2D,KACAC,IACDrH,EAAgBtH,EAAGwH,EAAeC,EAAkBC,IACpDqD,KACAA,GAAcnC,EACRA,EAAWmC,IACXA,GAAYrG,QAAQ,QAAS,MAEhC,CACH5B,KAAMrD,EAASqP,KACf/D,YAAaA,IAAe,GAC5B2D,QAASA,GACTtG,OAAQA,GAEhB,KAAKpI,EAAE+O,mBACH,MAAO,CACHjM,KAAMrD,EAASuP,MACfjE,YAAa,GACb3C,OAAQA,GAEhB,KAAKpI,EAAEiP,aACH,MAAO,CACHnM,KAAMrD,EAASyP,QACfnE,YAAa/K,EAAE+K,aAAe,GAC9B3C,OAAQA,GAEhB,QACI,OAAO,GAGnB,SAAS+G,EAAcC,GACnB,YAAkB/F,IAAd+F,EACO,GAGAA,EAAUlM,cA0EzB,SAASmM,EAAoBrP,EAAGmI,GAC5B,IAyBIiB,EAzBApD,EAAMmC,EAAQnC,IAAKnC,EAAMsE,EAAQtE,IAAK0E,EAAaJ,EAAQI,WAAYC,EAAgBL,EAAQK,cAAeC,EAAkBN,EAAQM,gBAAiBjB,EAAgBW,EAAQX,cAAeC,EAAmBU,EAAQV,iBAAkBC,EAAqBS,EAAQT,mBAAoBtF,EAAK+F,EAAQmH,UAAWA,OAAmB,IAAPlN,GAAwBA,EAAIuG,EAAKR,EAAQO,iBAAkBA,OAA0B,IAAPC,GAAuBA,EAAIjG,EAAoByF,EAAQzF,kBAAmBC,EAAsBwF,EAAQxF,oBAAqBkG,EAAKV,EAAQvF,iBAAkBA,OAA0B,IAAPiG,EAAgB,GAAKA,EAAID,EAAaT,EAAQS,WAAY7F,EAAcoF,EAAQpF,YAAawM,EAAiBpH,EAAQoH,eAAgBlF,EAAKlC,EAAQW,eAAgBA,OAAwB,IAAPuB,EAAgB,GAAKA,EAAIE,EAAKpC,EAAQY,aAAcA,OAAsB,IAAPwB,GAAwBA,EAAIuD,EAAK3F,EAAQa,aAAcA,OAAsB,IAAP8E,GAAwBA,EAAI0B,EAAcrH,EAAQqH,YAAaC,EAAetH,EAAQsH,aAAcC,EAAKvH,EAAQwH,kBAAmBA,OAA2B,IAAPD,EAAgB,IAAOA,EAAIE,EAAKzH,EAAQc,gBAAiBA,OAAyB,IAAP2G,EAAgB,WAAc,OAAO,GAAWA,EAC/oCC,EAAK1H,EAAQ2H,mBAAoBA,OAA4B,IAAPD,GAAuBA,EAC7EE,EAAkB7H,EAAclI,EAAG,CACnCgG,IAAKA,EACLuC,WAAYA,EACZC,cAAeA,EACfC,gBAAiBA,EACjBjB,cAAeA,EACfC,iBAAkBA,EAClBC,mBAAoBA,EACpBgB,iBAAkBA,EAClBhG,kBAAmBA,EACnBC,oBAAqBA,EACrBC,iBAAkBA,EAClBgG,WAAYA,EACZ7F,YAAaA,EACb+F,eAAgBA,EAChBC,aAAcA,EACdC,aAAcA,EACdC,gBAAiBA,IAErB,IAAK8G,EAED,OADA9C,QAAQC,KAAKlN,EAAG,kBACT,KAIPoJ,EADA,SAAUpJ,EACLA,EAAEkJ,KAAKE,IAnGpB,SAAyB4G,EAAIT,GACzB,GAAIA,EAAeU,SAAWD,EAAGlN,OAASrD,EAASyP,QAC/C,OAAO,EAEN,GAAIc,EAAGlN,OAASrD,EAAS6O,QAAS,CACnC,GAAIiB,EAAeW,SACC,WAAfF,EAAGnN,SACgB,SAAfmN,EAAGnN,SACsB,YAAtBmN,EAAG1F,WAAWM,KACO,WAArBoF,EAAG1F,WAAW6F,IACF,SAAfH,EAAGnN,SACsB,aAAtBmN,EAAG1F,WAAWM,KACgB,iBAAvBoF,EAAG1F,WAAW7F,MACrBuL,EAAG1F,WAAW7F,KAAK2L,SAAS,QACpC,OAAO,EAEN,GAAIb,EAAec,cACH,SAAfL,EAAGnN,SAA4C,kBAAtBmN,EAAG1F,WAAWM,KACrB,SAAfoF,EAAGnN,UACCsM,EAAca,EAAG1F,WAAW9D,MAAMK,MAAM,sCACC,qBAAtCsI,EAAca,EAAG1F,WAAW9D,OACS,SAArC2I,EAAca,EAAG1F,WAAWM,MACS,qBAArCuE,EAAca,EAAG1F,WAAWM,MACS,kBAArCuE,EAAca,EAAG1F,WAAWM,OACxC,OAAO,EAEN,GAAmB,SAAfoF,EAAGnN,QAAoB,CAC5B,GAAI0M,EAAee,sBACfnB,EAAca,EAAG1F,WAAW9D,MAAMK,MAAM,0BACxC,OAAO,EAEN,GAAI0I,EAAegB,iBACnBpB,EAAca,EAAG1F,WAAWkG,UAAU3J,MAAM,sBACzCsI,EAAca,EAAG1F,WAAW9D,MAAMK,MAAM,mBACF,cAAtCsI,EAAca,EAAG1F,WAAW9D,OAChC,OAAO,EAEN,GAAI+I,EAAekB,iBACmB,WAAtCtB,EAAca,EAAG1F,WAAW9D,OACa,cAAtC2I,EAAca,EAAG1F,WAAW9D,OACU,YAAtC2I,EAAca,EAAG1F,WAAW9D,OAChC,OAAO,EAEN,GAAI+I,EAAemB,wBACYrH,IAAhC2G,EAAG1F,WAAW,cACd,OAAO,EAEN,GAAIiF,EAAeoB,qBACmB,WAAtCxB,EAAca,EAAG1F,WAAW9D,OACa,cAAtC2I,EAAca,EAAG1F,WAAW9D,OACU,cAAtC2I,EAAca,EAAG1F,WAAW9D,OACU,cAAtC2I,EAAca,EAAG1F,WAAW9D,OACU,WAAtC2I,EAAca,EAAG1F,WAAW9D,OAC5B2I,EAAca,EAAG1F,WAAWkG,UAAU3J,MAAM,cAC5CsI,EAAca,EAAG1F,WAAWkG,UAAU3J,MAAM,cAChD,OAAO,EAEN,GAAI0I,EAAeqB,uBACmB,6BAAtCzB,EAAca,EAAG1F,WAAW9D,OACa,wBAAtC2I,EAAca,EAAG1F,WAAW9D,OACU,eAAtC2I,EAAca,EAAG1F,WAAW9D,OACU,oBAAtC2I,EAAca,EAAG1F,WAAW9D,OACU,cAAtC2I,EAAca,EAAG1F,WAAW9D,OACU,iBAAtC2I,EAAca,EAAG1F,WAAW9D,OACU,+BAAtC2I,EAAca,EAAG1F,WAAW9D,OAChC,OAAO,GAInB,OAAO,EAgCEqK,CAAgBd,EAAiBR,KACpCO,GACEC,EAAgBjN,OAASrD,EAASqP,MACjCiB,EAAgBrB,SAChBqB,EAAgBhF,YAAYrG,QAAQ,cAAe,IAAIxE,QAlnBzDqD,KAFQ,EA0nBf,IAAIuN,EAAiBnR,OAAOC,OAAOmQ,EAAiB,CAAE3G,GAAIA,IAE1D,GADApJ,EAAEkJ,KAAO4H,GA3nBM,IA4nBX1H,EACA,OAAO,KAEXvF,EAAIuF,GAAMpJ,EACNwP,GACAA,EAAYxP,GAEhB,IAAI+Q,GAAezB,EAOnB,GANIwB,EAAehO,OAASrD,EAAS6O,UACjCyC,EAAcA,IAAgBD,EAAehH,iBACtCgH,EAAehH,UAClB9J,EAAEuC,aACFuO,EAAeE,cAAe,KAEjCF,EAAehO,OAASrD,EAAS+J,UAClCsH,EAAehO,OAASrD,EAAS6O,UACjCyC,EAAa,CACTxB,EAAe0B,gBACflB,EAAgBjN,OAASrD,EAAS6O,SACN,SAA5ByB,EAAgBlN,UAChBiN,GAAqB,GA4BzB,IA1BA,IAAIoB,EAAgB,CAChBlL,IAAKA,EACLnC,IAAKA,EACL0E,WAAYA,EACZC,cAAeA,EACfC,gBAAiBA,EACjBjB,cAAeA,EACfC,iBAAkBA,EAClBC,mBAAoBA,EACpB4H,UAAWA,EACX5G,iBAAkBA,EAClBhG,kBAAmBA,EACnBC,oBAAqBA,EACrBC,iBAAkBA,EAClBgG,WAAYA,EACZ7F,YAAaA,EACbwM,eAAgBA,EAChBzG,eAAgBA,EAChBC,aAAcA,EACdC,aAAcA,EACd8G,mBAAoBA,EACpBN,YAAaA,EACbC,aAAcA,EACdE,kBAAmBA,EACnB1G,gBAAiBA,GAEZvD,EAAK,EAAGyL,EAAKtP,MAAMH,KAAK1B,EAAEyJ,YAAa/D,EAAKyL,EAAGjR,OAAQwF,IAAM,EAE9D0L,EAAsB/B,EADb8B,EAAGzL,GACsCwL,KAElDJ,EAAerH,WAAWnI,KAAK8P,GAGvC,GAAIpP,EAAUhC,IAAMA,EAAEuC,WAClB,IAAK,IAAI8O,EAAK,EAAGC,EAAKzP,MAAMH,KAAK1B,EAAEuC,WAAWkH,YAAa4H,EAAKC,EAAGpR,OAAQmR,IAAM,CAC7E,IACID,GAAAA,EAAsB/B,EADbiC,EAAGD,GACsCH,MAElDE,EAAoBG,UAAW,EAC/BT,EAAerH,WAAWnI,KAAK8P,KA6C/C,OAxCIpR,EAAEgI,YAAc7F,EAAanC,EAAEgI,cAC/B8I,EAAeS,UAAW,GAE1BT,EAAehO,OAASrD,EAAS6O,SACN,WAA3BwC,EAAejO,SAtcvB,SAA0B2O,EAAUC,EAAU9B,GAC1C,IAAI+B,EAAMF,EAASG,cACnB,GAAKD,EAAL,CAGA,IACIE,EADAC,GAAQ,EAEZ,IACID,EAAaF,EAAIpL,SAASsL,WAE9B,MAAOrQ,GACH,OAEJ,GAAmB,aAAfqQ,EAAJ,CAcA,IAAIE,EAAW,cACXJ,EAAIK,SAAStN,OAASqN,GACtBN,EAASrD,MAAQ2D,GACA,KAAjBN,EAASrD,IAIbqD,EAASQ,iBAAiB,OAAQP,GAH9BQ,WAAWR,EAAU,OAlBzB,CACI,IAAIS,EAAUD,YAAW,WAChBJ,IACDJ,IACAI,GAAQ,KAEblC,GACH6B,EAASQ,iBAAiB,QAAQ,WAC9BG,aAAaD,GACbL,GAAQ,EACRJ,SAgbJW,CAAiBpS,GAAG,WAChB,IAAIqS,EAAYrS,EAAEoO,gBAClB,GAAIiE,GAAa5C,EAAc,CAC3B,IAAI6C,EAAuBjD,EAAoBgD,EAAW,CACtDrM,IAAKqM,EACLxO,IAAKA,EACL0E,WAAYA,EACZC,cAAeA,EACfC,gBAAiBA,EACjBjB,cAAeA,EACfC,iBAAkBA,EAClBC,mBAAoBA,EACpB4H,WAAW,EACX5G,iBAAkBA,EAClBhG,kBAAmBA,EACnBC,oBAAqBA,EACrBC,iBAAkBA,EAClBgG,WAAYA,EACZ7F,YAAaA,EACbwM,eAAgBA,EAChBzG,eAAgBA,EAChBC,aAAcA,EACdC,aAAcA,EACd8G,mBAAoBA,EACpBN,YAAaA,EACbC,aAAcA,EACdE,kBAAmBA,EACnB1G,gBAAiBA,IAEjBqJ,GACA7C,EAAazP,EAAGsS,MAGzB3C,GAEAmB,EA0FX,IAAIyB,EAAY,kCAChB,SAASC,EAAMC,EAAKtK,QACA,IAAZA,IAAsBA,EAAU,IACpC,IAAIuK,EAAS,EACTC,EAAS,EACb,SAASC,EAAeC,GACpB,IAAIC,EAAQD,EAAIhM,MAAM,OAClBiM,IACAJ,GAAUI,EAAM5S,QAEpB,IAAIH,EAAI8S,EAAIE,YAAY,MACxBJ,GAAgB,IAAP5S,EAAW4S,EAASE,EAAI3S,OAAS2S,EAAI3S,OAASH,EAE3D,SAASiT,IACL,IAAIC,EAAQ,CAAEC,KAAMR,EAAQC,OAAQA,GACpC,OAAO,SAAUpL,GAGb,OAFAA,EAAKyL,SAAW,IAAIG,EAASF,GAC7BG,IACO7L,GAGf,IAAI4L,EACA,SAAkBF,GACdzS,KAAKyS,MAAQA,EACbzS,KAAK6S,IAAM,CAAEH,KAAMR,EAAQC,OAAQA,GACnCnS,KAAK8S,OAASnL,EAAQmL,QAI9BH,EAAS/S,UAAUmT,QAAUd,EAC7B,IAAIe,EAAa,GACjB,SAASjS,EAAMkS,GACX,IAAIzG,EAAM,IAAI0G,MAAMvL,EAAQmL,OAAS,IAAMZ,EAAS,IAAMC,EAAS,KAAOc,GAM1E,GALAzG,EAAI2G,OAASF,EACbzG,EAAI4G,SAAWzL,EAAQmL,OACvBtG,EAAIkG,KAAOR,EACX1F,EAAI2F,OAASA,EACb3F,EAAIsG,OAASb,GACTtK,EAAQ0L,OAIR,MAAM7G,EAHNwG,EAAWlS,KAAK0L,GAiBxB,SAAS8G,IACL,OAAOjN,EAAM,SAEjB,SAASkN,IACL,OAAOlN,EAAM,MAEjB,SAASlD,IACL,IAAI4D,EACA5D,EAAQ,GAGZ,IAFAyP,IACAY,EAASrQ,GACF8O,EAAIvS,QAA4B,MAAlBuS,EAAIrL,OAAO,KAAeG,EAAO0M,KAAYjQ,OACjD,IAATuD,IACA5D,EAAMrC,KAAKiG,GACXyM,EAASrQ,IAGjB,OAAOA,EAEX,SAASkD,EAAMqN,GACX,IAAIrT,EAAIqT,EAAGpN,KAAK2L,GAChB,GAAK5R,EAAL,CAGA,IAAIgS,EAAMhS,EAAE,GAGZ,OAFA+R,EAAeC,GACfJ,EAAMA,EAAI3Q,MAAM+Q,EAAI3S,QACbW,GAEX,SAASuS,IACLvM,EAAM,QAEV,SAASmN,EAASrQ,GAEd,IAAIwD,EACJ,SAFc,IAAVxD,IAAoBA,EAAQ,IAExBwD,EAAI8I,MACE,IAAN9I,GACAxD,EAAMrC,KAAK6F,GAEfA,EAAI8I,IAER,OAAOtM,EAEX,SAASsM,IACL,IAAIxJ,EAAMuM,IACV,GAAI,MAAQP,EAAIrL,OAAO,IAAM,MAAQqL,EAAIrL,OAAO,GAAhD,CAIA,IADA,IAAIrH,EAAI,EACD,KAAO0S,EAAIrL,OAAOrH,KACpB,MAAQ0S,EAAIrL,OAAOrH,IAAM,MAAQ0S,EAAIrL,OAAOrH,EAAI,OAC/CA,EAGN,GADAA,GAAK,EACD,KAAO0S,EAAIrL,OAAOrH,EAAI,GACtB,OAAOwB,EAAM,0BAEjB,IAAIsR,EAAMJ,EAAI3Q,MAAM,EAAG/B,EAAI,GAK3B,OAJA4S,GAAU,EACVC,EAAeC,GACfJ,EAAMA,EAAI3Q,MAAM/B,GAChB4S,GAAU,EACHlM,EAAI,CACP3D,KAAM,UACNmN,QAAS4C,KAGjB,SAASsB,IACL,IAAItT,EAAIgG,EAAM,YACd,GAAKhG,EAGL,OAAOqF,EAAKrF,EAAE,IACT6D,QAAQ,+CAAgD,IACxDA,QAAQ,oCAAoC,SAAU7D,GACvD,OAAOA,EAAE6D,QAAQ,KAAM,QAEtBY,MAAM,sBACNzB,KAAI,SAAU/D,GACf,OAAOA,EAAE4E,QAAQ,UAAW,QAGpC,SAAS0P,IACL,IAAI3N,EAAMuM,IACNqB,EAAYxN,EAAM,4CACtB,GAAKwN,EAAL,CAGA,IAAIC,EAAOpO,EAAKmO,EAAU,IAC1B,IAAKxN,EAAM,SACP,OAAOtF,EAAM,wBAEjB,IAAIgT,EAAM1N,EAAM,yDACZ2N,EAAM/N,EAAI,CACV3D,KAAM,cACN0N,SAAU8D,EAAK5P,QAAQ6N,EAAW,IAClCxR,MAAOwT,EAAMrO,EAAKqO,EAAI,IAAI7P,QAAQ6N,EAAW,IAAM,KAGvD,OADA1L,EAAM,WACC2N,GAEX,SAASC,IACL,IAKIC,EALAC,EAAQ,GACZ,IAAKb,IACD,OAAOvS,EAAM,eAIjB,IAFAyS,EAASW,GAEDD,EAAON,MACE,IAATM,IACAC,EAAMrT,KAAKoT,GACXV,EAASW,IAEbD,EAAON,IAEX,OAAKL,IAGEY,EAFIpT,EAAM,eAIrB,SAASqT,IAIL,IAHA,IAAI/T,EACAgU,EAAO,GACPpO,EAAMuM,IACFnS,EAAIgG,EAAM,wCACdgO,EAAKvT,KAAKT,EAAE,IACZgG,EAAM,SAEV,GAAKgO,EAAK3U,OAGV,OAAOuG,EAAI,CACP3D,KAAM,WACNgS,OAAQD,EACRJ,aAAcA,MA8KtB,IA9TQM,EA8TJC,EAAWC,EAAe,UAC1BC,EAAYD,EAAe,WAC3BE,EAAcF,EAAe,aACjC,SAASA,EAAezO,GACpB,IAAI0N,EAAK,IAAIzQ,OAAO,KAAO+C,EAAO,gBAClC,OAAO,WACH,IAAIC,EAAMuM,IACNnS,EAAIgG,EAAMqN,GACd,GAAKrT,EAAL,CAGA,IAAI2T,EAAM,CAAE1R,KAAM0D,GAElB,OADAgO,EAAIhO,GAAQ3F,EAAE,GAAGqF,OACVO,EAAI+N,KAGnB,SAASP,IACL,GAAe,MAAXxB,EAAI,GAGR,OA/LJ,WACI,IAAIhM,EAAMuM,IACNnS,EAAIgG,EAAM,2BACd,GAAKhG,EAAL,CAGA,IAAIuU,EAASvU,EAAE,GAEf,KADAA,EAAIgG,EAAM,iBAEN,OAAOtF,EAAM,2BAEjB,IAII8T,EAJA7O,EAAO3F,EAAE,GACb,IAAKiT,IACD,OAAOvS,EAAM,0BAIjB,IADA,IAAI+T,EAAStB,IACLqB,EAAQT,KACZU,EAAOhU,KAAK+T,GACZC,EAASA,EAAOvT,OAAOiS,KAE3B,OAAKD,IAGEtN,EAAI,CACP3D,KAAM,YACN0D,KAAMA,EACN4O,OAAQA,EACRG,UAAWD,IANJ/T,EAAM,2BAyKTiU,IA1HZ,WACI,IAAI/O,EAAMuM,IACNnS,EAAIgG,EAAM,oBACd,GAAKhG,EAAL,CAGA,IAAI4U,EAAQvP,EAAKrF,EAAE,IACnB,IAAKiT,IACD,OAAOvS,EAAM,sBAEjB,IAAImU,EAAQ1B,IAAWjS,OAAO4B,KAC9B,OAAKoQ,IAGEtN,EAAI,CACP3D,KAAM,QACN2S,MAAOA,EACP9R,MAAO+R,IALAnU,EAAM,uBA+GboU,IAvGR,WACI,IAAIlP,EAAMuM,IACNnS,EAAIgG,EAAM,2CACd,GAAKhG,EAGL,OAAO4F,EAAI,CACP3D,KAAM,eACN0D,KAAMN,EAAKrF,EAAE,IACb4U,MAAOvP,EAAKrF,EAAE,MA+Fd+U,IAlKR,WACI,IAAInP,EAAMuM,IACNnS,EAAIgG,EAAM,uBACd,GAAKhG,EAAL,CAGA,IAAIgV,EAAW3P,EAAKrF,EAAE,IACtB,IAAKiT,IACD,OAAOvS,EAAM,yBAEjB,IAAImU,EAAQ1B,IAAWjS,OAAO4B,KAC9B,OAAKoQ,IAGEtN,EAAI,CACP3D,KAAM,WACN+S,SAAUA,EACVlS,MAAO+R,IALAnU,EAAM,0BAuJbuU,IACAd,KACAE,KACAC,KAvER,WACI,IAAI1O,EAAMuM,IACNnS,EAAIgG,EAAM,gCACd,GAAKhG,EAAL,CAGA,IAAIuU,EAASlP,EAAKrF,EAAE,IAChBmF,EAAME,EAAKrF,EAAE,IACjB,IAAKiT,IACD,OAAOvS,EAAM,yBAEjB,IAAImU,EAAQ1B,IAAWjS,OAAO4B,KAC9B,OAAKoQ,IAGEtN,EAAI,CACP3D,KAAM,WACNwD,SAAUN,EACVoP,OAAQA,EACRzR,MAAO+R,IANAnU,EAAM,0BA2DbwU,IAjGR,WACI,IAAItP,EAAMuM,IAEV,GADQnM,EAAM,YACd,CAGA,IAAImP,EAAM7B,KAAc,GACxB,IAAKL,IACD,OAAOvS,EAAM,qBAIjB,IAFA,IACImT,EADAC,EAAQX,IAEJU,EAAON,KACXO,EAAMrT,KAAKoT,GACXC,EAAQA,EAAM5S,OAAOiS,KAEzB,OAAKD,IAGEtN,EAAI,CACP3D,KAAM,OACNmT,UAAWD,EACXvB,aAAcE,IALPpT,EAAM,sBAiFb2U,IApJR,WACI,IAAIzP,EAAMuM,IAEV,GADQnM,EAAM,aACd,CAGA,IAAKiN,IACD,OAAOvS,EAAM,qBAEjB,IAAImU,EAAQ1B,IAAWjS,OAAO4B,KAC9B,OAAKoQ,IAGEtN,EAAI,CACP3D,KAAM,OACNa,MAAO+R,IAJAnU,EAAM,sBA0Ib4U,IApDR,WACI,IAAI1P,EAAMuM,IAEV,GADQnM,EAAM,kBACd,CAGA,IAAKiN,IACD,OAAOvS,EAAM,0BAIjB,IAFA,IACImT,EADAC,EAAQX,IAEJU,EAAON,KACXO,EAAMrT,KAAKoT,GACXC,EAAQA,EAAM5S,OAAOiS,KAEzB,OAAKD,IAGEtN,EAAI,CACP3D,KAAM,YACN2R,aAAcE,IAJPpT,EAAM,2BAqCb6U,GAER,SAASpS,IACL,IAAIyC,EAAMuM,IACNgD,EAAM7B,IACV,OAAK6B,GAGLhC,IACOvN,EAAI,CACP3D,KAAM,OACNmT,UAAWD,EACXvB,aAAcA,OANPlT,EAAM,oBASrB,OAAO8U,GA3WCtB,EAAYpR,IACT,CACHb,KAAM,aACN2H,WAAY,CACR6I,OAAQnL,EAAQmL,OAChB3P,MAAOoR,EACPuB,cAAe9C,MAuW/B,SAAStN,EAAK2M,GACV,OAAOA,EAAMA,EAAInO,QAAQ,aAAc,IAAM,GAEjD,SAAS2R,EAAUE,EAAKC,GAGpB,IAFA,IAAIC,EAASF,GAA2B,iBAAbA,EAAIzT,KAC3B4T,EAAcD,EAASF,EAAMC,EACxB9Q,EAAK,EAAGtD,EAAKzC,OAAOgX,KAAKJ,GAAM7Q,EAAKtD,EAAGlC,OAAQwF,IAAM,CAC1D,IACI3E,EAAQwV,EADJnU,EAAGsD,IAEP7D,MAAM+U,QAAQ7V,GACdA,EAAM8V,SAAQ,SAAUC,GACpBT,EAAUS,EAAGJ,MAGZ3V,GAA0B,iBAAVA,GACrBsV,EAAUtV,EAAO2V,GAWzB,OARID,GACA9W,OAAOoX,eAAeR,EAAK,SAAU,CACjCS,cAAc,EACdC,UAAU,EACVC,YAAY,EACZnW,MAAOyV,GAAU,OAGlBD,EAGX,IAAIY,EAAS,CACTjH,OAAQ,WACRkH,SAAU,WACVC,YAAa,cACbC,aAAc,eACdC,aAAc,eACdC,cAAe,gBACfC,iBAAkB,mBAClBC,SAAU,WACVC,QAAS,UACTC,cAAe,gBACfC,oBAAqB,sBACrBC,YAAa,cACbC,iBAAkB,mBAClBC,kBAAmB,oBACnBC,kBAAmB,oBACnBC,eAAgB,iBAChBC,aAAc,eACdC,QAAS,UACTC,QAAS,UACTC,QAAS,UACTC,QAAS,UACTC,QAAS,UACTC,eAAgB,iBAChBC,QAAS,UACTC,QAAS,UACTC,YAAa,cACbC,aAAc,eACdC,SAAU,WACVC,aAAc,eACdC,mBAAoB,qBACpBC,YAAa,cACbC,OAAQ,SACRC,aAAc,eACdC,cAAe,gBACfC,SAAU,WACVC,eAAgB,iBAChBC,eAAgB,kBAYpB,ICp1CYC,EA+DAC,EA8UAC,EAcAC,EAuIMC,EA2GNC,EDusBRC,EAAiB,gBACjBC,EAAwB,IAAItW,OAAOqW,EAAexG,OAAQ,KAC9D,SAAS0G,EAAc9V,EAAS+V,GAC5B,IAAIC,EAAcD,MAAAA,OAAqC,EAASA,EAAME,qBAAqBC,IAAIlW,GAC/F,GAAIgW,EACA,OAAOA,EACX,IAAIG,EAAM7H,EAAMtO,EAAS,CACrB2P,QAAQ,IAEZ,IAAKwG,EAAI5P,WACL,OAAOvG,EAEX,IAAI+R,EAAY,GAUhB,GATAoE,EAAI5P,WAAW9G,MAAMkT,SAAQ,SAAU7S,GAC/B,cAAeA,IACdA,EAAKiS,WAAa,IAAIY,SAAQ,SAAU1C,GACjC2F,EAAe1U,KAAK+O,IACpB8B,EAAU3U,KAAK6S,SAKN,IAArB8B,EAAU/V,OACV,OAAOgE,EAEX,IAAIoW,EAAkB,IAAI7W,OAAOwS,EAC5BsE,QAAO,SAAUpG,EAAUqG,GAAS,OAAOvE,EAAU5Q,QAAQ8O,KAAcqG,KAC3EC,MAAK,SAAUtU,EAAGuU,GAAK,OAAOA,EAAExa,OAASiG,EAAEjG,UAC3C2D,KAAI,SAAUsQ,GACf,OAAoBA,EA/BbzP,QAAQ,sBAAuB,WAiCrCX,KAAK,KAAM,KACZ4W,EAASzW,EAAQQ,QAAQ4V,GAAiB,SAAUnG,GACpD,IAAIyG,EAAczG,EAASzP,QAAQqV,EAAuB,eAC1D,OAAO5F,EAAW,KAAOyG,KAG7B,OADAX,MAAAA,GAA8CA,EAAME,qBAAqBU,IAAI3W,EAASyW,GAC/EA,EAEX,SAASG,IAEL,MAAO,CACHX,qBAFuB,IAAIY,KAKnC,SAASC,EAAUhb,EAAGmI,GAClB,IAAInC,EAAMmC,EAAQnC,IAAKiV,EAAU9S,EAAQ8S,QAAShB,EAAQ9R,EAAQ8R,MAClE,OAAQja,EAAE8C,MACN,KAAKrD,EAAS+J,SACV,OAAOxD,EAAIkV,eAAeC,eAAe,KAAM,GAAI,MACvD,KAAK1b,EAASkK,aACV,OAAO3D,EAAIkV,eAAeE,mBAAmBpb,EAAEwG,MAAQ,OAAQxG,EAAE4J,SAAU5J,EAAE6J,UACjF,KAAKpK,EAAS6O,QACV,IACI+M,EADAxY,EA/DhB,SAAoB7C,GAChB,IAAI6C,EAAUsU,EAAOnX,EAAE6C,SAAWsU,EAAOnX,EAAE6C,SAAW7C,EAAE6C,QAIxD,MAHgB,SAAZA,GAAsB7C,EAAEsK,WAAWO,WACnChI,EAAU,SAEPA,EA0DeyY,CAAWtb,GAGrBqb,EADArb,EAAEuO,MACOvI,EAAIuV,gBAAgB,6BAA8B1Y,GAGlDmD,EAAII,cAAcvD,GAE/B,IAAI2Y,EAAU,SAAUhR,GACpB,IAAKxK,EAAEsK,WAAWjK,eAAemK,GAC7B,MAAO,WAEX,IAAIzJ,EAAQf,EAAEsK,WAAWE,GACzB,GAAgB,WAAZ3H,GAAmC,aAAX2H,IAAmC,IAAVzJ,EACjD,MAAO,WAIX,GAFAA,EACqB,kBAAVA,GAAwC,iBAAVA,EAAqB,GAAKA,EAC9DyJ,EAAOiR,WAAW,OAqDlB,CACD,GAAgB,WAAZ5Y,GAAmC,eAAX2H,EAAyB,CACjD,IAAIiC,EAAUnG,SAASF,cAAc,OACrCqG,EAAQ0B,IAAMpN,EACd0L,EAAQY,OAAS,WACb,IAAIjC,EAAMiQ,EAAOhQ,WAAW,MACxBD,GACAA,EAAI2B,UAAUN,EAAS,EAAG,EAAGA,EAAQlB,MAAOkB,EAAQhB,cAI3D,GAAgB,QAAZ5I,GAAgC,eAAX2H,EAAyB,CACnD,IAAIkR,EAAQL,EACPK,EAAMvO,WAAWsO,WAAW,WAC7BC,EAAMC,aAAa,qBAAsB3b,EAAEsK,WAAW6D,KACtDuN,EAAMvN,IAAMpN,GAGpB,GAAe,aAAXyJ,EACA6Q,EAAO3F,MAAMnK,MAAQxK,OAEpB,GAAe,cAAXyJ,EACL6Q,EAAO3F,MAAMjK,OAAS1K,OAErB,GAAe,wBAAXyJ,EACL6Q,EAAO5N,YAAczN,EAAEsK,WAClBkD,yBAEJ,GAAe,kBAAXhD,EACL,OAAQzJ,GACJ,IAAK,SACDsa,EACKO,OAAc,OAAE,SAAUxa,GAAK,OAAO6L,QAAQC,KAAK,uBAAwB9L,MAChF,MACJ,IAAK,SACDia,EAAOQ,aAxFQ,CAC3B,IAAIC,EAAyB,aAAZjZ,GAAqC,UAAX2H,EACvCuR,EAAmC,UAAZlZ,GAAkC,aAAX2H,EAIlD,GAHIuR,GAAwBd,IACxBla,EAAQiZ,EAAcjZ,EAAOkZ,IAE7B6B,GAAcC,EAAsB,CAEpC,IADA,IAAIC,EAAQhW,EAAIiW,eAAelb,GACtB2E,EAAK,EAAGtD,EAAKP,MAAMH,KAAK2Z,EAAO5R,YAAa/D,EAAKtD,EAAGlC,OAAQwF,IAAM,CACvE,IAAIyB,EAAI/E,EAAGsD,GACPyB,EAAElF,WAAaoZ,EAAOpT,WACtBoT,EAAOa,YAAY/U,GAI3B,OADAkU,EAAOc,YAAYH,GACZ,WAEX,IACI,GAAIhc,EAAEuO,OAAoB,eAAX/D,EACX6Q,EAAOe,eAAe,+BAAgC5R,EAAQzJ,QAE7D,GAAe,WAAXyJ,GACM,YAAXA,GAC2B,YAA3BA,EAAOzD,UAAU,EAAG,GACpBsU,EAAOM,aAAa,IAAMnR,EAAQzJ,OAEjC,CAAA,GAAgB,SAAZ8B,GAC0B,4BAA/B7C,EAAEsK,WAAW,eACF,YAAXE,EAEA,OADA6Q,EAAOM,aAAa,cAAe5a,GAC5B,WAEU,SAAZ8B,GACgB,YAArB7C,EAAEsK,WAAWM,KACO,WAApB5K,EAAEsK,WAAW6F,IAEI,SAAZtN,GACgB,aAArB7C,EAAEsK,WAAWM,KACgB,iBAAtB5K,EAAEsK,WAAW7F,MACpBzE,EAAEsK,WAAW7F,KAAK2L,SAAS,SAEV,QAAZvN,GACL7C,EAAEsK,WAAW+R,QACbrc,EAAEsK,WAAW8B,WACbiP,EAAOM,aAAa,wBAAyB3b,EAAEsK,WAAW+R,QAG1DhB,EAAOM,aAAanR,EAAQzJ,KAGpC,MAAOQ,OA4Cf,IAAK,IAAIiJ,KAAUxK,EAAEsK,WACjBkR,EAAQhR,GAEZ,GAAIxK,EAAEgR,aACF,GAAKqK,EAAO9Y,WAIR,KAAO8Y,EAAO9Y,WAAW+Z,YACrBjB,EAAO9Y,WAAW2Z,YAAYb,EAAO9Y,WAAW+Z,iBAJpDjB,EAAOkB,aAAa,CAAEC,KAAM,SAQpC,OAAOnB,EACX,KAAK5b,EAASqP,KACV,OAAO9I,EAAIiW,eAAejc,EAAE0O,SAAWuM,EACjCjB,EAAcha,EAAE+K,YAAakP,GAC7Bja,EAAE+K,aACZ,KAAKtL,EAASuP,MACV,OAAOhJ,EAAIyW,mBAAmBzc,EAAE+K,aACpC,KAAKtL,EAASyP,QACV,OAAOlJ,EAAI0W,cAAc1c,EAAE+K,aAC/B,QACI,OAAO,MAGnB,SAAS4R,EAAgB3c,EAAGmI,GACxB,IAAInC,EAAMmC,EAAQnC,IAAKnC,EAAMsE,EAAQtE,IAAKzB,EAAK+F,EAAQmH,UAAWA,OAAmB,IAAPlN,GAAwBA,EAAIuG,EAAKR,EAAQ8S,QAASA,OAAiB,IAAPtS,GAAuBA,EAAIiU,EAAczU,EAAQyU,YAAa3C,EAAQ9R,EAAQ8R,MACpN1S,EAAOyT,EAAUhb,EAAG,CAAEgG,IAAKA,EAAKiV,QAASA,EAAShB,MAAOA,IAC7D,IAAK1S,EACD,OAAO,KAwBX,GAtBIvH,EAAEoI,QACF6E,QAAQ4P,OAAOhZ,EAAI7D,EAAEoI,UAAYpC,EAAK,gDAEtChG,EAAE8C,OAASrD,EAAS+J,WACpBxD,EAAI+N,QACJ/N,EAAI8N,OACiB,eAAjB9T,EAAEuJ,YACFvJ,EAAEyJ,YACFzJ,EAAEyJ,WAAW,GAAG3G,OAASrD,EAASkK,eAC9B3J,EAAEyJ,WAAW,GAAG3G,OAASrD,EAAS6O,SAClC,UAAWtO,EAAEyJ,WAAW,GAAGa,YACU,iCAArCtK,EAAEyJ,WAAW,GAAGa,WAAWwS,MAC3B9W,EAAI+W,MAAM,sEAGV/W,EAAI+W,MAAM,sEAGlBxV,EAAOvB,GAEXuB,EAAK2B,KAAOlJ,EACZ6D,EAAI7D,EAAEoJ,IAAM7B,GACPvH,EAAE8C,OAASrD,EAAS+J,UAAYxJ,EAAE8C,OAASrD,EAAS6O,WACpDgB,EACD,IAAK,IAAI5J,EAAK,EAAGmD,EAAK7I,EAAEyJ,WAAY/D,EAAKmD,EAAG3I,OAAQwF,IAAM,CACtD,IAAIsX,EAASnU,EAAGnD,GACZuX,EAAYN,EAAgBK,EAAQ,CACpChX,IAAKA,EACLnC,IAAKA,EACLyL,WAAW,EACX2L,QAASA,EACT2B,YAAaA,EACb3C,MAAOA,IAENgD,GAIDD,EAAOzL,UAAYvP,EAAUuF,IAASA,EAAKhF,WAC3CgF,EAAKhF,WAAW4Z,YAAYc,GAG5B1V,EAAK4U,YAAYc,GAEjBL,GACAA,EAAYK,IAVZhQ,QAAQC,KAAK,oBAAqB8P,GAc9C,OAAOzV,EA+BX,SAAS2V,EAAQld,EAAGmI,GAChB,IAAInC,EAAMmC,EAAQnC,IAAKmX,EAAUhV,EAAQgV,QAAS/a,EAAK+F,EAAQ8S,QAC3DmC,EAAY,GACZ7V,EAAOoV,EAAgB3c,EAAG,CAC1BgG,IAAKA,EACLnC,IAAKuZ,EACL9N,WAAW,EACX2L,aANqF,IAAP7Y,GAAuBA,EAOrGwa,YAPuHzU,EAAQyU,YAQ/H3C,MARoJ9R,EAAQ8R,QAgBhK,OA9CJ,SAAemD,EAAWD,GAItB,IAAK,IAAIE,KAAOD,EACRA,EAAUC,KAJJ9V,EAKD6V,EAAUC,GAJnBF,EAAQ5V,IADZ,IAAcA,EAuCd+V,CAAMF,GAAW,SAAUG,GACnBJ,GACAA,EAAQI,GAhCpB,SAAsBhW,GAClB,IAAIvH,EAAIuH,EAAK2B,KACb,GAAIlJ,EAAE8C,OAASrD,EAAS6O,QAAxB,CAGA,IAAIhG,EAAKf,EACT,IAAK,IAAIiW,KAAUxd,EAAEsK,WACjB,GAAMtK,EAAEsK,WAAWjK,eAAemd,IAAWA,EAAO/B,WAAW,OAA/D,CAGA,IAAI1a,EAAQf,EAAEsK,WAAWkT,GACV,kBAAXA,IACAlV,EAAGoF,WAAa3M,GAEL,iBAAXyc,IACAlV,EAAGsF,UAAY7M,KAmBnB0c,CAAaF,MAEV,CAAChW,EAAM6V,YEhnDFM,EACd5a,EACA6a,EACAC,gBAAAA,YAEA,IAAMzV,EAAU,CAAE0V,SAAS,EAAMC,SAAS,GAE1C,OADAF,EAAO5L,iBAAiBlP,EAAM6a,EAAIxV,GAC3B,WAAM,OAAAyV,EAAOG,oBAAoBjb,EAAM6a,EAAIxV,aAGpC6V,IACd,MAAO,CACLna,IAAK,GACLoa,eAAMje,GAEJ,OAAKA,GAAMA,EAAEkJ,KAGNlJ,EAAEkJ,KAAKE,IAFJ,GAIZ8U,iBAAQ9U,GACN,OAAO5I,KAAKqD,IAAIuF,IAAO,MAGzB+U,kBAAA,SAAkBne,GAAlB,WACQoJ,EAAKpJ,EAAEkJ,MAAQlJ,EAAEkJ,KAAKE,UACrB5I,KAAKqD,IAAIuF,GACZpJ,EAAEyJ,YACJzJ,EAAEyJ,WAAWoN,SAAQ,SAACmF,GACpB,OAAAoC,EAAKD,kBAAmBnC,OAI9BqC,aAAIjV,GACF,OAAO5I,KAAKqD,IAAIxD,eAAe+I,IAEjCkV,iBACE9d,KAAKqD,IAAM,yBD/CL2V,EAAAA,cAAAA,0DAEVA,mBACAA,mCACAA,iDACAA,mBACAA,uBACAA,mDAwDUC,EAAAA,sBAAAA,kDAEVA,6BACAA,2CACAA,uBACAA,uCACAA,qBACAA,6BACAA,2CACAA,uCACAA,uCACAA,oBACAA,kBACAA,oBACAA,wEAgUUC,EAAAA,sBAAAA,gDAEVA,6BACAA,qBACAA,iCACAA,2BACAA,qBACAA,mBACAA,+BACAA,+CACAA,2BACAA,kCAGF,SAAYC,GACVA,kBACAA,qBACAA,uBAHF,CAAYA,IAAAA,OAuIZ,SAAkBC,GAChBA,mBACAA,qBACAA,uBACAA,mCAJF,CAAkBA,IAAAA,gCA2GNC,EAAAA,mBAAAA,oCAEVA,gBACAA,kBACAA,kBACAA,kBACAA,iDACAA,8CACAA,0CACAA,yBACAA,qBACAA,uCACAA,yBACAA,6BACAA,gBACAA,6BACAA,uBCxmBF,IAAM0E,EACJ,qOAsCcC,EACdC,EACAC,EACAvW,gBAAAA,MAEA,IAAIwW,EAAgD,KAChDC,EAAW,EAEf,OAAO,SAAUC,GACf,IAAIC,EAAMC,KAAKD,MACVF,IAAgC,IAApBzW,EAAQ6W,UACvBJ,EAAWE,GAEb,IAAIG,EAAYP,GAAQI,EAAMF,GAC1BM,EAAU1e,KACV2e,EAAOlf,UACPgf,GAAa,GAAKA,EAAYP,GAC5BC,IACFxM,aAAawM,GACbA,EAAU,MAEZC,EAAWE,EACXL,EAAKle,MAAM2e,EAASC,IACVR,IAAgC,IAArBxW,EAAQiX,WAC7BT,EAAU1M,YAAW,WACnB2M,GAA+B,IAApBzW,EAAQ6W,QAAoB,EAAID,KAAKD,MAChDH,EAAU,KACVF,EAAKle,MAAM2e,EAASC,KACnBF,cAKOI,EACdzB,EACAP,EACAiC,EACAC,EACA7N,gBAAAA,UAEA,IAAM8N,EAAW9N,EAAI/R,OAAO8f,yBAAyB7B,EAAQP,GAkB7D,OAjBA3L,EAAI/R,OAAOoX,eACT6G,EACAP,EACAkC,EACID,EACA,CACEzE,IAAA,SAAI9Z,GAAJ,WAEEkR,YAAW,WACTqN,EAAEzE,IAAKva,KAAK8d,EAAMrd,KACjB,GACCye,GAAYA,EAAS3E,KACvB2E,EAAS3E,IAAIva,KAAKE,KAAMO,MAK7B,WAAM,OAAAse,EAAWzB,EAAQP,EAAKmC,GAAY,IAAI,aAIvCE,EAEdpM,EACA9M,EAEAmZ,GAEA,IACE,KAAMnZ,KAAQ8M,GACZ,OAAO,aAGT,IAAMsM,EAAWtM,EAAO9M,GAClBqZ,EAAUF,EAAYC,GAiB5B,MAZuB,mBAAZC,IACTA,EAAQzf,UAAYyf,EAAQzf,WAAa,GACzCT,OAAOmgB,iBAAiBD,EAAS,CAC/BE,mBAAoB,CAClB7I,YAAY,EACZnW,MAAO6e,MAKbtM,EAAO9M,GAAQqZ,EAER,WACLvM,EAAO9M,GAAQoZ,GAEjB,SACA,OAAO,uBAMKI,IACd,OACEC,OAAOC,aACN5Z,SAAS6Z,iBAAmB7Z,SAAS6Z,gBAAgBC,cACrD9Z,SAAS+Z,MAAQ/Z,SAAS+Z,KAAKD,sBAIpBE,KACd,OACEL,OAAOM,YACNja,SAAS6Z,iBAAmB7Z,SAAS6Z,gBAAgBK,aACrDla,SAAS+Z,MAAQ/Z,SAAS+Z,KAAKG,qBAIpBC,GAAUlZ,EAAmBgB,GAC3C,IAAKhB,EACH,OAAO,EAET,GAAIA,EAAKtF,WAAasF,EAAKrF,aAAc,CACvC,IAAIwe,GAAY,EAChB,GAA0B,iBAAfnY,EAAyB,CAClC,QAAsCc,IAAjC9B,EAAqBI,QACxB,OAA2D,OAAnDJ,EAAqBI,QAAQ,IAAMY,GAE3CmY,EAAanZ,EAAqBK,UAAUC,SAASU,QAGtDhB,EAAqBK,UAAUiP,SAAQ,SAAC9O,GACnCQ,EAAWnD,KAAK2C,KAClB2Y,GAAY,MAIlB,OAAOA,GAAaD,GAAUlZ,EAAKS,WAAYO,GAEjD,OAAIhB,EAAKtF,SAAasF,EAAKU,UAElBwY,GAAUlZ,EAAKS,WAAYO,YAKtBoY,GAAU3gB,GACxB,MAAI,SAAUA,IFpMG,IEqMPA,EAAYkJ,KAAKE,YAObwX,GAAkBhD,EAAeiD,GAC/C,GAAI1e,EAAayb,GACf,OAAO,EAET,IAAMxU,EAAKyX,EAAO5C,MAAML,GACxB,OAAKiD,EAAOxC,IAAIjV,MAIdwU,EAAO5V,YACP4V,EAAO5V,WAAW/F,WAAa2b,EAAOtU,kBAKnCsU,EAAO5V,YAGL4Y,GAAmBhD,EAAO5V,WAAiC6Y,aAGpDC,GACdC,GAEA,OAAOze,QAASye,EAAqBC,yBAGvBC,GAASvP,gBAAAA,UACnB,aAAcA,IAAQA,EAAIwP,SAAS9gB,UAAUyW,UAC/CnF,EAAIwP,SAAS9gB,UAAUyW,QAAWhV,MAAMzB,UACrCyW,SAGD,iBAAkBnF,IAAQA,EAAIyP,aAAa/gB,UAAUyW,UACvDnF,EAAIyP,aAAa/gB,UAAUyW,QAAWhV,MAAMzB,UACzCyW,SAIAuK,KAAKhhB,UAAUyH,WAClBuZ,KAAKhhB,UAAUyH,SAAW,SAAkBN,GAC1C,KAAM,KAAKtH,WACT,MAAM,IAAIgB,UAAU,0BAGtB,GACE,GAAIT,OAAS+G,EACX,OAAO,QAGDA,EAAOA,GAAQA,EAAKS,YAE9B,OAAO,aAhPgB,CAC3BnE,IAAK,GACLoa,iBAEE,OADAhR,QAAQ1L,MAAMgd,IACN,GAEVL,mBAEE,OADAjR,QAAQ1L,MAAMgd,GACP,MAETJ,6BACElR,QAAQ1L,MAAMgd,IAEhBF,eAEE,OADApR,QAAQ1L,MAAMgd,IACP,GAETD,iBACErR,QAAQ1L,MAAMgd,KAGI,oBAAX0B,QAA0BA,OAAOoB,OAASpB,OAAOqB,UAC1DC,SAAU,IAAIF,MAAME,SAAS,CAC3BnH,aAAIwD,EAAQtJ,EAAMkN,GAIhB,MAHa,QAATlN,GACFrH,QAAQ1L,MAAMgd,GAET+C,QAAQlH,IAAIwD,EAAQtJ,EAAMkN,OAkOvC,kBAWE,aACEhhB,KAAK8d,QA4KT,OAzKSmD,gBAAP,SAAWC,GACT,IAAMC,EAAiBnhB,KAAKohB,QAAQxH,IAAIsH,EAASG,UAC3CC,EAAqB,CACzB1Y,GAAIsY,EAASna,KAAK6B,GAClBsY,WACAK,SAAU,GACVC,MAAO,GACP1X,WAAY,IAETqX,GAGHG,EAAStL,OAASmL,EAClBA,EAAeI,SAASD,EAAS1Y,IAAM0Y,GAHvCthB,KAAKyhB,KAAKH,EAAS1Y,IAAM0Y,EAK3BthB,KAAKohB,QAAQ/G,IAAIiH,EAAS1Y,GAAI0Y,IAGzBL,mBAAP,SAAcC,EAA+Bb,GAA7C,WACQc,EAAiBnhB,KAAKohB,QAAQxH,IAAIsH,EAASG,UAC3CC,EAAWthB,KAAKohB,QAAQxH,IAAIsH,EAAStY,IAErC8Y,EAAuB,SAAC9Y,GAC5BgV,EAAK+D,YAAYC,IAAIhZ,GACrB,IAAM7B,EAAOsZ,EAAO3C,QAAQ9U,GAC5B7B,MAAAA,GAAAA,EAAMkC,WAAWoN,SAAQ,SAACoG,GACpB,SAAUA,GACZiF,EAAuBjF,EAAgC/T,KAAKE,QAI5DiZ,EAA0B,SAAC9a,GAC/B6W,EAAK+D,YAAYC,IAAI7a,EAAK6B,IAC1BzJ,OAAOmV,OAAOvN,EAAKwa,UAAUlL,SAAQ,SAAC7W,GAAM,OAAAqiB,EAAwBriB,MACpE,IAAMsiB,EAAYlE,EAAKwD,QAAQxH,IAAI7S,EAAK6B,IACxC,GAAIkZ,EAAW,CACb,IAAMC,EAAkBD,EAAU9L,OAC9B+L,WACKD,EAAU9L,cACV+L,EAAgBR,SAASO,EAAUlZ,IAC1CgV,EAAKwD,QAAQY,OAAOd,EAAStY,OAK9B0Y,EAGOH,UAKHG,EAAStL,cACTmL,EAAeI,SAASD,EAAS1Y,IACxC5I,KAAKohB,QAAQY,OAAOd,EAAStY,IAC7BiZ,EAAwBP,YAPjBthB,KAAKyhB,KAAKH,EAAS1Y,IAC1B5I,KAAKohB,QAAQY,OAAOV,EAAS1Y,IAC7BiZ,EAAwBP,KALxBthB,KAAKiiB,oBAAoBnhB,KAAKogB,GAC9BQ,EAAqBR,EAAStY,MAa3BqY,iBAAP,SAAYC,GACV,IAAMI,EAAWthB,KAAKohB,QAAQxH,IAAIsH,EAAStY,IACvC0Y,EACFA,EAASE,MAAM1gB,KAAKogB,GAEpBlhB,KAAKkiB,cAAcphB,KAAKogB,IAIrBD,sBAAP,SAAiBC,GACf,IAAMI,EAAWthB,KAAKohB,QAAQxH,IAAIsH,EAAStY,IACvC0Y,EACFA,EAASxX,WAAWhJ,KAAKogB,GAEzBlhB,KAAKmiB,mBAAmBrhB,KAAKogB,IAI1BD,mBAAP,SAAcnC,GACZ9e,KAAKoiB,UAAU/H,IAAIyE,EAAElW,GAAIkW,IAGpBmC,kBAAP,SAAanC,GACX9e,KAAKqiB,SAAShI,IAAIyE,EAAElW,GAAIkW,IAGnBmC,kBAAP,8BAKQ5Y,EAKFrI,KAJFyhB,SACAQ,wBACAC,kBACAC,uBAGIG,EAAkC,CACtCxP,OAAQmG,oBAAkBsJ,SAC1BC,QAASP,EACTT,MAAOU,EACPpY,WAAYqY,EACZM,KAAM,IAGFC,EAAO,SAACpB,EAAoBqB,GAC5BA,GACF/E,EAAK+D,YAAYC,IAAIN,EAAS1Y,IAEhC0Z,EAAkBd,MAAQc,EAAkBd,MACzCjgB,OAAOohB,EAAU,GAAKrB,EAASE,OAC/BzH,QAAO,SAAC1Z,GAAM,OAACud,EAAK+D,YAAY9D,IAAIxd,EAAEuI,OACzC0Z,EAAkBxY,WAAawY,EAAkBxY,WAC9CvI,OAAOohB,EAAU,GAAKrB,EAASxX,YAC/BiQ,QAAO,SAAC1Z,GAAM,OAACud,EAAK+D,YAAY9D,IAAIxd,EAAEuI,OAEtCgV,EAAK+D,YAAY9D,IAAIyD,EAAS1Y,KAC9BgV,EAAK+D,YAAY9D,IAAIyD,EAASJ,SAASG,WACvCsB,EAODxjB,OAAOmV,OAAOgN,EAASC,UAAUlL,SAAQ,SAAC7W,GAAM,OAAAkjB,EAAKljB,GAAG,OALxD8iB,EAAkBG,KAAK3hB,KAAKwgB,EAASJ,UACjCI,EAASC,UACXpiB,OAAOmV,OAAOgN,EAASC,UAAUlL,SAAQ,SAAC7W,GAAM,OAAAkjB,EAAKljB,GAAG,QAO9DL,OAAOmV,OAAOmN,GAAMpL,SAAQ,SAAC7W,GAAM,OAAAkjB,EAAKljB,GAAG,UAE3C,IAAiB,IAAAqK,EAAA5J,EAAAD,KAAKoiB,UAAUjM,sCAAQ,CAAnC,IAAMvN,UACL5I,KAAK2hB,YAAY9D,IAAIjV,IACvB5I,KAAKoiB,UAAUJ,OAAOpZ,yGAG1B,IAAiB,IAAA0E,EAAArN,EAAAD,KAAKqiB,SAASlM,sCAAQ,CAA5BvN,UACL5I,KAAK2hB,YAAY9D,IAAIjV,IACvB5I,KAAKqiB,SAASL,OAAOpZ,qGAIzB,IAAMwZ,EAAY,IAAI7H,IAAIva,KAAKoiB,WACzBC,EAAW,IAAI9H,IAAIva,KAAKqiB,UAI9B,OAFAriB,KAAK8d,QAEE,CACL8E,aAAcN,EACdF,YACAC,aAIIpB,kBAAR,WACEjhB,KAAKyhB,KAAO,GACZzhB,KAAKohB,QAAU,IAAI7G,IACnBva,KAAKiiB,oBAAsB,GAC3BjiB,KAAKkiB,cAAgB,GACrBliB,KAAKmiB,mBAAqB,GAC1BniB,KAAK2hB,YAAc,IAAIkB,IACvB7iB,KAAKoiB,UAAY,IAAI7H,IACrBva,KAAKqiB,SAAW,IAAI9H,KAGf0G,sBAAP,SAAiBrY,GACf,OAAO5I,KAAK2hB,YAAY9D,IAAIjV,kBAUhBka,GAAoBC,WAC5BC,EAA4C,GAC5CC,EAAa,SACjB5iB,EACA2V,GAEA,IAAMkN,EAA0B,CAC9B3iB,MAAOF,EACP2V,SACAuL,SAAU,IAGZ,OADAyB,EAAa3iB,EAAE0G,KAAK6B,IAAMsa,EACnBA,GAGHC,EAAgC,OACtC,IAAuB,IAAAC,EAAAnjB,EAAA8iB,iCAAO,CAAzB,IAAM7B,UACDmC,EAAqBnC,SAAbG,EAAaH,WAC7B,GAAImC,GAAUA,KAAUL,EAAxB,CACE,IAAMM,EAAaN,EAAaK,GAChC,GAAIC,EAAWtN,OAAQ,CACrB,IAAMuN,EAAMD,EAAWtN,OAAOuL,SAAS1c,QAAQye,GAC/CA,EAAWtN,OAAOuL,SAASiC,OACzBD,EACA,EACAN,EAAW/B,EAAUoC,EAAWtN,aAE7B,CACCuN,EAAMJ,EAAete,QAAQye,GACnCH,EAAeK,OAAOD,EAAK,EAAGN,EAAW/B,EAAU,aAIvD,GAAIG,KAAY2B,EAAhB,CACE,IAAMS,EAAeT,EAAa3B,GAClCoC,EAAalC,SAASzgB,KAAKmiB,EAAW/B,EAAUuC,SAGlDN,EAAeriB,KAAKmiB,EAAW/B,EAAU,yGAG3C,OAAOiC,WAGOO,GACdjC,EACAkC,GAEAA,EAAGlC,EAAKlhB,OAMR,IAAK,IAAIhB,EAAIkiB,EAAKF,SAAS7hB,OAAS,EAAGH,GAAK,EAAGA,IAC7CmkB,GAAmBjC,EAAKF,SAAShiB,GAAIokB,YAYzBC,GACd7c,GAEA,MAAI,SAAUA,IAEVA,EAAK2B,KAAKpG,OAASrD,EAAS6O,SAAiC,WAAtB/G,EAAK2B,KAAKrG,kBAOvCwhB,GACd9c,EACA+c,WAEMC,sBAAehd,EAAKid,oCAAeC,kCAAaF,aACtD,IAAKA,GAAgBA,IAAiBD,EACpC,MAAO,CACLhZ,EAAG,EACHE,EAAG,EACHkZ,cAAe,EACfC,cAAe,GAInB,IAAMC,EAAiBL,EAAaxW,wBAC9B8W,EAAqBR,GAAiBE,EAAcD,GAEpDI,EAAgBE,EAAenZ,OAAS8Y,EAAanE,aAC3D,MAAO,CACL9U,EACEsZ,EAAetZ,EAAIuZ,EAAmBH,cACtCG,EAAmBvZ,EACrBE,EACEoZ,EAAepZ,EAAIqZ,EAAmBH,cACtCG,EAAmBrZ,EACrBkZ,gBACAC,cAAeE,EAAmBF,cAAgBD,YAItCI,GACd9kB,GAEA,OAAOsC,QAAUtC,MAAAA,SAAAA,EAA2BuC,qWCjlB9C,SAASwiB,GAAmB/kB,GAC1B,MAAO,SAAUA,EAEnB,kBAAA,aACSQ,YAAS,EACTA,UAAoC,KAyE7C,OAvESwkB,gBAAP,SAAWhS,GACT,GAAIA,GAAYxS,KAAKN,OACnB,MAAM,IAAIwT,MAAM,kCAIlB,IADA,IAAIuR,EAAUzkB,KAAK0kB,KACV1K,EAAQ,EAAGA,EAAQxH,EAAUwH,IACpCyK,GAAUA,MAAAA,SAAAA,EAASnkB,OAAQ,KAE7B,OAAOmkB,GAGFD,oBAAP,SAAehlB,GACb,IAAMuH,EAA6B,CACjCxG,MAAOf,EACP4e,SAAU,KACV9d,KAAM,MAGR,GADCd,EAAuBmlB,KAAO5d,EAC3BvH,EAAE6O,iBAAmBkW,GAAmB/kB,EAAE6O,iBAAkB,CAC9D,IAAMoW,EAAUjlB,EAAE6O,gBAAgBsW,KAAKrkB,KACvCyG,EAAKzG,KAAOmkB,EACZ1d,EAAKqX,SAAW5e,EAAE6O,gBAAgBsW,KAClCnlB,EAAE6O,gBAAgBsW,KAAKrkB,KAAOyG,EAC1B0d,IACFA,EAAQrG,SAAWrX,QAEhB,GACLvH,EAAE4O,aACFmW,GAAmB/kB,EAAE4O,cACrB5O,EAAE4O,YAAYuW,KAAKvG,SACnB,CACMqG,EAAUjlB,EAAE4O,YAAYuW,KAAKvG,SACnCrX,EAAKqX,SAAWqG,EAChB1d,EAAKzG,KAAOd,EAAE4O,YAAYuW,KAC1BnlB,EAAE4O,YAAYuW,KAAKvG,SAAWrX,EAC1B0d,IACFA,EAAQnkB,KAAOyG,QAGb/G,KAAK0kB,OACP1kB,KAAK0kB,KAAKtG,SAAWrX,GAEvBA,EAAKzG,KAAON,KAAK0kB,KACjB1kB,KAAK0kB,KAAO3d,EAEd/G,KAAKN,UAGA8kB,uBAAP,SAAkBhlB,GAChB,IAAMilB,EAAUjlB,EAAEmlB,KACb3kB,KAAK0kB,OAILD,EAAQrG,UAMXqG,EAAQrG,SAAS9d,KAAOmkB,EAAQnkB,KAC5BmkB,EAAQnkB,OACVmkB,EAAQnkB,KAAK8d,SAAWqG,EAAQrG,YAPlCpe,KAAK0kB,KAAOD,EAAQnkB,KAChBN,KAAK0kB,OACP1kB,KAAK0kB,KAAKtG,SAAW,OAQrB5e,EAAEmlB,aACInlB,EAAyCmlB,KAEnD3kB,KAAKN,gBAIHklB,GAAU,SAAChc,EAAYyY,GAAqB,MAAA,UAAGzY,cAAMyY,IAC3D,SAASwD,GAAQrlB,GACf,MAAO,SAAUA,EAMnB,kBAAA,aAAA,WACUQ,aAAkB,EAClBA,aAAkB,EAElBA,WAAsB,GACtBA,gBAAgC,GAChCA,aAAiC,GACjCA,gBAAqB,GAErBA,cAAiC,GAmBjCA,cAAW,IAAI6iB,IACf7iB,cAAW,IAAI6iB,IACf7iB,gBAAa,IAAI6iB,IAoFlB7iB,sBAAmB,SAAC8kB,GACzBA,EAAUzO,QAAQuH,EAAKmH,iBACvBnH,EAAKoH,QAGAhlB,UAAO,uBACZ,IAAI4d,EAAKqH,SAAUrH,EAAKsH,OAAxB,CA0FA,IAnFA,IAAMzC,EAA4B,GAM5B0C,EAAU,IAAIX,GACdY,EAAY,SAAC5lB,GAGjB,IAFA,IAAI6lB,EAAkB7lB,EAClB6jB,GH5MS,GAAA,IG6MNA,GAELA,GADAgC,EAAKA,GAAMA,EAAGjX,cACCwP,EAAKyC,OAAO5C,MAAO4H,GAEpC,OAAOhC,GAEHiC,EAAU,SAAC9lB,GAMf,kBALM+lB,EAA6B/lB,EAAEgmB,sBAChChmB,EAAEgmB,oCAA8B3jB,KACjC,KAEA4jB,EAAiBF,sBACbE,MAAAA,SAAAA,EAAgBD,gEAA4C3jB,MAClE4jB,uBACGA,MAAAA,SAAAA,EAAgBD,gEAA4C3jB,OAC7D,KAEJ,IAAM6jB,IACH9H,EAAKpY,IAAI6B,SAAS7H,IACC,OAAnBimB,GAA4B7H,EAAKpY,IAAI6B,SAASoe,IACjD,GAAKjmB,EAAEgI,aAAcke,EAArB,CAGA,IAAMrE,EAAW1f,EAAanC,EAAEgI,YAC5BoW,EAAKyC,OAAO5C,MAAO8H,GACnB3H,EAAKyC,OAAO5C,MAAOje,EAAEgI,YACnB6b,EAAS+B,EAAU5lB,GACzB,IAAkB,IAAd6hB,IAA+B,IAAZgC,EACrB,OAAO8B,EAAQQ,QAAQnmB,GAEzB,IAAIgQ,EAAKX,EAAoBrP,EAAG,CAC9BgG,IAAKoY,EAAKpY,IACVnC,IAAKua,EAAKyC,OAAOhd,IACjB0E,WAAY6V,EAAK7V,WACjBC,cAAe4V,EAAK5V,cACpBC,gBAAiB2V,EAAK3V,gBACtBjB,cAAe4W,EAAK5W,cACpBC,iBAAkB2W,EAAK3W,iBACvBC,mBAAoB0W,EAAK1W,mBACzBhF,kBAAmB0b,EAAK1b,kBACxBC,oBAAqByb,EAAKzb,oBAC1B2M,WAAW,EACX5G,iBAAkB0V,EAAK1V,iBACvB9F,iBAAkBwb,EAAKxb,iBACvBgG,WAAYwV,EAAKxV,WACjB7F,YAAaqb,EAAKrb,YAClBwM,eAAgB6O,EAAK7O,eACrBvG,aAAcoV,EAAKpV,aACnBD,aAAcqV,EAAKrV,aACnByG,YAAa,SAAC4W,GACRhC,GAAcgC,IAChBhI,EAAKiI,cAAcC,UAAUF,GAE3BtB,GAAc9kB,IAChBoe,EAAKmI,iBAAiBC,cAAcxmB,EAAEuC,WAAY+D,WAGtDmJ,aAAc,SAACgX,EAAQC,GACrBtI,EAAKiI,cAAcM,aAAaF,EAAQC,GACxCtI,EAAKmI,iBAAiBK,oBACnBH,MAIHzW,GACFiT,EAAK3hB,KAAK,CACRugB,WACAgC,SACAtc,KAAMyI,MAKLoO,EAAKyI,WAAW3mB,QACrBke,EAAKyC,OAAO1C,kBAAkBC,EAAKyI,WAAWC,aAGhD,IAAgB,IAAAje,EAAApI,EAAA2d,EAAK2I,wCAAU,CAA1B,IAAM/mB,UAEPgnB,GAAgB5I,EAAK4E,QAAShjB,EAAGoe,EAAKyC,UACrCzC,EAAK2I,SAAS1I,IAAIre,EAAEgI,aAIvB8d,EAAQ9lB,yGAGV,IAAgB,IAAAuK,EAAA9J,EAAA2d,EAAK6I,wCAAU,CAApBjnB,UAENknB,GAAgB9I,EAAK+I,WAAYnnB,IACjCgnB,GAAgB5I,EAAK4E,QAAShjB,EAAGoe,EAAKyC,QAG9BqG,GAAgB9I,EAAK2I,SAAU/mB,GACxC8lB,EAAQ9lB,GAERoe,EAAK+I,WAAW/E,IAAIpiB,GAJpB8lB,EAAQ9lB,qGASZ,IADA,IAAIonB,EAAyC,KACtCzB,EAAQzlB,QAAQ,CACrB,IAAIqH,EAAoC,KACxC,GAAI6f,EAAW,CACb,IAAMvF,EAAWzD,EAAKyC,OAAO5C,MAC1BmJ,EAAUrmB,MAAMiH,YAEb6b,EAAS+B,EAAUwB,EAAUrmB,QACjB,IAAd8gB,IAA+B,IAAZgC,IACrBtc,EAAO6f,GAGX,IAAK7f,EACH,IAAK,IAAIiT,EAAQmL,EAAQzlB,OAAS,EAAGsa,GAAS,EAAGA,IAAS,CACxD,IAAM6M,EAAQ1B,EAAQvL,IAAII,GAE1B,GAAI6M,EAAO,CACHxF,EAAWzD,EAAKyC,OAAO5C,MAC1BoJ,EAAMtmB,MAAMiH,YAET6b,EAAS+B,EAAUyB,EAAMtmB,OAC/B,IAAkB,IAAd8gB,IAA+B,IAAZgC,EAAe,CACpCtc,EAAO8f,EACP,QAKR,IAAK9f,EAAM,CAMT,KAAOoe,EAAQT,MACbS,EAAQ2B,WAAW3B,EAAQT,KAAKnkB,OAElC,MAEFqmB,EAAY7f,EAAKqX,SACjB+G,EAAQ2B,WAAW/f,EAAKxG,OACxB+kB,EAAQve,EAAKxG,OAGf,IAAMwmB,EAAU,CACdvF,MAAO5D,EAAK4D,MACTne,KAAI,SAACb,GAAS,OACboG,GAAIgV,EAAKyC,OAAO5C,MAAMjb,EAAKuE,MAC3BxG,MAAOiC,EAAKjC,UAGbwZ,QAAO,SAACvX,GAAS,OAAAob,EAAKyC,OAAOxC,IAAIrb,EAAKoG,OACzCkB,WAAY8T,EAAK9T,WACdzG,KAAI,SAAC2jB,GAAc,OAClBpe,GAAIgV,EAAKyC,OAAO5C,MAAMuJ,EAAUjgB,MAChC+C,WAAYkd,EAAUld,eAGvBiQ,QAAO,SAACiN,GAAc,OAAApJ,EAAKyC,OAAOxC,IAAImJ,EAAUpe,OACnD4Z,QAAS5E,EAAK4E,QACdC,SAICsE,EAAQvF,MAAM9hB,QACdqnB,EAAQjd,WAAWpK,QACnBqnB,EAAQvE,QAAQ9iB,QAChBqnB,EAAQtE,KAAK/iB,UAMhBke,EAAK4D,MAAQ,GACb5D,EAAK9T,WAAa,GAClB8T,EAAK4E,QAAU,GACf5E,EAAK6I,SAAW,IAAI5D,IACpBjF,EAAK2I,SAAW,IAAI1D,IACpBjF,EAAK+I,WAAa,IAAI9D,IACtBjF,EAAKqJ,SAAW,GAEhBrJ,EAAKsJ,WAAWH,MAGV/mB,qBAAkB,SAACK,eACzB,IAAI8f,GAAU9f,EAAE+c,QAGhB,OAAQ/c,EAAEiC,MACR,IAAK,gBACH,IAAM/B,EAAQF,EAAE+c,OAAO7S,YAClB0V,GAAU5f,EAAE+c,OAAQQ,EAAK7V,aAAexH,IAAUF,EAAE8mB,UACvDvJ,EAAK4D,MAAM1gB,KAAK,CACdP,MACEuG,EACEzG,EAAE+c,OACFQ,EAAK5W,cACL4W,EAAK3W,iBACL2W,EAAK1W,qBACF3G,EACDqd,EAAKxV,WACHwV,EAAKxV,WAAW7H,GAChBA,EAAM2D,QAAQ,QAAS,KACzB3D,EACNwG,KAAM1G,EAAE+c,SAGZ,MAEF,IAAK,aACH,IAAMA,EAAS/c,EAAE+c,OACb7c,EAASF,EAAE+c,OAAuBgK,aAAa/mB,EAAEgnB,eAarD,GAZwB,UAApBhnB,EAAEgnB,gBACJ9mB,EAAQyB,EAAe,CACrBC,MAAOmb,EACPlb,kBAAmB0b,EAAK1b,kBACxBC,oBAAqByb,EAAKzb,oBAC1BC,iBAAkBwb,EAAKxb,iBACvBC,QAAUhC,EAAE+c,OAAuB/a,QACnCC,KAAOjC,EAAE+c,OAAuBgK,aAAa,QAC7C7mB,QACAgC,YAAaqb,EAAKrb,eAGlB0d,GAAU5f,EAAE+c,OAAQQ,EAAK7V,aAAexH,IAAUF,EAAE8mB,SACtD,OAEF,IAAIG,EAAoC1J,EAAK9T,WAAWK,MACtD,SAACxE,GAAM,OAAAA,EAAEoB,OAAS1G,EAAE+c,UAStB,GAPKkK,IACHA,EAAO,CACLvgB,KAAM1G,EAAE+c,OACRtT,WAAY,IAEd8T,EAAK9T,WAAWhJ,KAAKwmB,IAEC,UAApBjnB,EAAEgnB,cAA2B,CAC/B,IAAME,EAAM3J,EAAKpY,IAAII,cAAc,QAC/BvF,EAAE8mB,UACJI,EAAIpM,aAAa,QAAS9a,EAAE8mB,eAGFte,IAA1Bye,EAAKxd,WAAWoL,OACU,OAA1BoS,EAAKxd,WAAWoL,QAEhBoS,EAAKxd,WAAWoL,MAAQ,IAE1B,IAAMsS,EAAWF,EAAKxd,WAAWoL,UACjC,IAAoB,IAAA7M,EAAApI,EAAAoB,MAAMH,KAAKkc,EAAOlI,sCAAQ,CAAzC,IAAMuS,UACHC,EAAWtK,EAAOlI,MAAMyS,iBAAiBF,GACzCG,EAAcxK,EAAOlI,MAAM2S,oBAAoBJ,GAEnDC,IAAaH,EAAIrS,MAAMyS,iBAAiBF,IACxCG,IAAgBL,EAAIrS,MAAM2S,oBAAoBJ,KAG5CD,EAASC,GADS,KAAhBG,EACgBF,EAEA,CAACA,EAAUE,0GAInC,IAAoB,IAAA7d,EAAA9J,EAAAoB,MAAMH,KAAKqmB,EAAIrS,sCAAQ,CAAhCuS,UACoC,KAAzCrK,EAAOlI,MAAMyS,iBAAiBF,KAEhCD,EAASC,IAAS,2GAKtBH,EAAKxd,WAAWzJ,EAAEgnB,eAAkBthB,EAClC6X,EAAKpY,IACJnF,EAAE+c,OAAuB/a,QAC1BhC,EAAEgnB,cACF9mB,GAGJ,MAEF,IAAK,YACHF,EAAEynB,WAAWzR,SAAQ,SAAC7W,GAAM,OAAAoe,EAAKmK,QAAQvoB,EAAGa,EAAE+c,WAC9C/c,EAAE2nB,aAAa3R,SAAQ,SAAC7W,GACtB,IAAMyoB,EAASrK,EAAKyC,OAAO5C,MAAMje,GAC3B6hB,EAAW1f,EAAatB,EAAE+c,QAC5BQ,EAAKyC,OAAO5C,MAAOpd,EAAE+c,OAAOvb,MAC5B+b,EAAKyC,OAAO5C,MAAMpd,EAAE+c,QACpB6C,GAAU5f,EAAE+c,OAAQQ,EAAK7V,aAAeoY,GAAU3gB,KAIlDoe,EAAK6I,SAAS5I,IAAIre,IACpB0oB,GAAWtK,EAAK6I,SAAUjnB,GAC1Boe,EAAK+I,WAAW/E,IAAIpiB,IACXoe,EAAK6I,SAAS5I,IAAIxd,EAAE+c,UAAuB,IAAZ6K,GAQ/B7H,GAAkB/f,EAAE+c,OAAiBQ,EAAKyC,UAQnDzC,EAAK2I,SAAS1I,IAAIre,IAClBoe,EAAKqJ,SAASrC,GAAQqD,EAAQ5G,IAE9B6G,GAAWtK,EAAK2I,SAAU/mB,GAE1Boe,EAAK4E,QAAQ1hB,KAAK,CAChBugB,WACAzY,GAAIqf,EACJlX,WAAUpP,EAAatB,EAAE+c,cAAiBvU,KAG9C+U,EAAKyI,WAAWvlB,KAAKtB,SASrBQ,aAAU,SAACR,EAAiB4d,GAElC,IAAIA,IAAU6C,GAAU7C,EAAQQ,EAAK7V,YAArC,CAGA,GAAI8c,GAAQrlB,GAAI,CACd,GAAI2gB,GAAU3gB,GACZ,OAEFoe,EAAK2I,SAAS3E,IAAIpiB,GAClB,IAAI2oB,EAA0B,KAC1B/K,GAAUyH,GAAQzH,KACpB+K,EAAW/K,EAAO1U,KAAKE,IAErBuf,IACFvK,EAAKqJ,SAASrC,GAAQplB,EAAEkJ,KAAKE,GAAIuf,KAAa,QAGhDvK,EAAK6I,SAAS7E,IAAIpiB,GAClBoe,EAAK+I,WAAW3E,OAAOxiB,GAKpBygB,GAAUzgB,EAAGoe,EAAK7V,aACrBvI,EAAEyJ,WAAWoN,SAAQ,SAACmG,GAAW,OAAAoB,EAAKmK,QAAQvL,QAEpD,OAxbS4L,iBAAP,SAAYzgB,GAAZ,WACG,CACC,aACA,aACA,gBACA,kBACA,gBACA,mBACA,qBACA,oBACA,sBACA,mBACA,mBACA,aACA,cACA,eACA,eACA,iBACA,MACA,SACA,gBACA,mBACA,iBACU0O,SAAQ,SAACwG,GAEnBe,EAAKf,GAAOlV,EAAQkV,OAIjBuL,mBAAP,WACEpoB,KAAKilB,QAAS,EACdjlB,KAAKqoB,cAAcC,UAGdF,qBAAP,WACEpoB,KAAKilB,QAAS,EACdjlB,KAAKqoB,cAAcE,WACnBvoB,KAAKglB,QAGAoD,qBAAP,WACE,OAAOpoB,KAAKilB,QAGPmD,iBAAP,WACEpoB,KAAKklB,QAAS,EACdllB,KAAKqoB,cAAcG,QAGdJ,mBAAP,WACEpoB,KAAKklB,QAAS,EACdllB,KAAKqoB,cAAcI,SACnBzoB,KAAKglB,QAGAoD,kBAAP,WACEpoB,KAAK+lB,iBAAiBjI,QACtB9d,KAAKqoB,cAAcvK,cAuYvB,SAASoK,GAAWQ,EAAoBlpB,GACtCkpB,EAAQ1G,OAAOxiB,GACfA,EAAEyJ,WAAWoN,SAAQ,SAACmG,GAAW,OAAA0L,GAAWQ,EAASlM,MAGvD,SAASgK,GACPhE,EACAhjB,EACA6gB,GAEQ,IAAA7Y,EAAehI,aACvB,IAAKgI,EACH,OAAO,EAET,IAAM6Z,EAAWhB,EAAO5C,MAAOjW,GAC/B,QAAIgb,EAAQ/W,MAAK,SAAC9K,GAAM,OAAAA,EAAEiI,KAAOyY,MAG1BmF,GAAgBhE,EAAShb,EAAY6Y,GAG9C,SAASqG,GAAgBrM,EAAgB7a,GAC/B,IAAAgI,EAAehI,aACvB,QAAKgI,MAGD6S,EAAIwD,IAAIrW,IAGLkf,GAAgBrM,EAAK7S,IChmBvB,IAAMmhB,GAAoC,GAE3CC,GAAwD,oBAApBC,gBACpCC,GAAkD,oBAAjBC,aACjCC,GAAwD,oBAApBC,gBACpCC,GAA0D,oBAArBC,iBAO3C,SAASC,GAAe7I,GACtB,IACE,GAAI,iBAAkBA,EAAO,CAC3B,IAAM8I,EAAO9I,EAAM+I,eACnB,GAAID,EAAK3pB,OACP,OAAO2pB,EAAK,QAET,GAAI,SAAU9I,GAASA,EAAM8I,KAAK3pB,OACvC,OAAO6gB,EAAM8I,KAAK,GAEpB,OAAO9I,EAAMnD,OACb,SACA,OAAOmD,EAAMnD,iBAIDmM,GACd5hB,EACA6hB,WAEMC,EAAiB,IAAIrB,GAC3BO,GAAgB7nB,KAAK2oB,GAErBA,EAAeC,KAAK/hB,GACpB,IAAIgiB,EACFlK,OAAOmK,kBASNnK,OAA4CoK,qBACzCC,6BAAqBrK,iBAAAA,cAAAA,OAAkCsK,2BAAMC,wCACjE,oBAGAF,GACErK,OACAqK,KAGFH,EAAyBlK,OAGtBqK,IAEL,IAAMG,EAAW,IAAIN,EACnBF,EAAeS,iBAAiBC,KAAKV,IAUvC,OARAQ,EAASG,QAAQZ,EAAQ,CACvB1f,YAAY,EACZugB,mBAAmB,EACnBC,eAAe,EACfC,uBAAuB,EACvBC,WAAW,EACXC,SAAS,IAEJR,EAkFT,SAASS,GAA6B9oB,OACpC+oB,uBACAnlB,QACA6a,WACAtY,eACA6iB,aAEA,IAAkC,IAA9BA,EAASC,iBACX,OAAO,aAET,IAAMC,GAC0B,IAA9BF,EAASC,uBACqBhiB,IAA9B+hB,EAASC,iBACL,GACAD,EAASC,iBAETE,EAA8B,GAiCpC,OAZA5rB,OAAOgX,KAAK+C,qBACTa,QACC,SAAC8C,GACC,OAAAmO,OAAOC,MAAMD,OAAOnO,MACnBA,EAAIjN,SAAS,eACM,IAApBkb,EAAWjO,MAEdxG,SAAQ,SAAC6U,GACR,IAAMC,EAAYD,EAASxoB,cACrB0oB,EA7BS,SAACF,GAClB,OAAO,SAAC3K,GACN,IAAMnD,EAASgM,GAAe7I,GAC9B,IAAIN,GAAU7C,EAAgBrV,GAA9B,CAGA,IAAMnH,EAAI0f,GAAaC,GAASA,EAAMC,eAAe,GAAKD,EAC1D,GAAK3f,EAAL,CAGA,IAAMgI,EAAKyX,EAAO5C,MAAML,GAChBiO,EAAqBzqB,UAAZ0qB,EAAY1qB,UAC7B+pB,EAAmB,CACjBroB,KAAM4W,oBAAkBgS,GACxBtiB,KACAkC,EAAGugB,EACHrgB,EAAGsgB,OAaWC,CAAWL,GAC3BH,EAASjqB,KAAKoc,EAAGiO,EAAWC,EAAS5lB,OAElC,WACLulB,EAAS1U,SAAQ,SAACmV,GAAM,OAAAA,iBAIZC,GAAmB7pB,OACjC8pB,aACAlmB,QACA6a,WACAtY,eA2BA,OAAOmV,EAAG,SArBac,GAAkB,SAAC2N,GACxC,IAAMvO,EAASgM,GAAeuC,GAC9B,GAAKvO,IAAU6C,GAAU7C,EAAgBrV,GAAzC,CAGA,IAAMa,EAAKyX,EAAO5C,MAAML,GACxB,GAAIA,IAAW5X,EAAK,CAClB,IAAMomB,EAAYpmB,EAAIqmB,kBAAoBrmB,EAAIma,gBAC9C+L,EAAS,CACP9iB,KACAkC,EAAG8gB,EAAS1e,WACZlC,EAAG4gB,EAASxe,iBAGdse,EAAS,CACP9iB,KACAkC,EAAIsS,EAAuBlQ,WAC3BlC,EAAIoS,EAAuBhQ,0BAGrB0e,QAAU,KACctmB,GAuBtC,SAASumB,GACPzV,EACA0V,GAEA,IAAMzrB,OAAa+V,GAEnB,OADK0V,UAAezrB,EAAM0rB,cACnB1rB,EAGF,IAAM2rB,GAAa,CAAC,QAAS,WAAY,UAC1CC,GAAsD,IAAIC,QAmJhE,SAASC,GAA0B7oB,GAyBjC,OAvBA,SAAiB8oB,EAAoBrmB,GACnC,GACG2iB,IACC0D,EAAUC,sBAAsB1D,iBACjCC,IACCwD,EAAUC,sBAAsBxD,cACjCC,IACCsD,EAAUC,sBAAsBtD,iBACjCC,IACCoD,EAAUC,sBAAsBpD,iBAClC,CACA,IAGMnP,EAHQ3Y,MAAMH,KACjBorB,EAAUC,WAA+BnpB,UAExByB,QAAQynB,GAC5BrmB,EAAIumB,QAAQxS,OACP,CAECA,EADQ3Y,MAAMH,KAAKorB,EAAUG,iBAAkBrpB,UACjCyB,QAAQynB,GAC5BrmB,EAAIumB,QAAQxS,GAEd,OAAO/T,EAEFymB,CAAQlpB,EAxBa,aAuWdmpB,GACdzsB,EACA0sB,wBAAAA,MAEA,IAAMC,EAAgB3sB,EAAEsF,IAAIye,YAC5B,IAAK4I,EACH,OAAO,cAxFX,SAAoB3sB,EAAkB0sB,GAElC,IAAA1F,EAWEhnB,aAVF4sB,EAUE5sB,cATFyqB,EASEzqB,qBARFwrB,EAQExrB,WAPF6sB,EAOE7sB,mBANF8sB,EAME9sB,UALF+sB,EAKE/sB,qBAJFgtB,EAIEhtB,mBAHFitB,EAGEjtB,qBAFFktB,EAEEltB,mBADFmtB,EACEntB,SACJA,EAAEgnB,WAAa,eAAC,aAAAhiB,mBAAAA,IAAAvF,kBACVitB,EAAM1L,UACR0L,EAAM1L,eAAN0L,SAAkBjtB,QAEpBunB,sBAAcvnB,SAEhBO,EAAE4sB,YAAc,eAAC,aAAA5nB,mBAAAA,IAAAvF,kBACXitB,EAAMU,WACRV,EAAMU,gBAANV,SAAmBjtB,QAErBmtB,sBAAentB,SAEjBO,EAAEyqB,mBAAqB,eAAC,aAAAzlB,mBAAAA,IAAAvF,kBAClBitB,EAAM/B,kBACR+B,EAAM/B,uBAAN+B,SAA0BjtB,QAE5BgrB,sBAAsBhrB,SAExBO,EAAEwrB,SAAW,eAAC,aAAAxmB,mBAAAA,IAAAvF,kBACRitB,EAAMd,QACRc,EAAMd,aAANc,SAAgBjtB,QAElB+rB,sBAAY/rB,SAEdO,EAAE6sB,iBAAmB,eAAC,aAAA7nB,mBAAAA,IAAAvF,kBAChBitB,EAAMW,gBACRX,EAAMW,qBAANX,SAAwBjtB,QAE1BotB,sBAAoBptB,SAEtBO,EAAE8sB,QAAU,eAAC,aAAA9nB,mBAAAA,IAAAvF,kBACPitB,EAAM3qB,OACR2qB,EAAM3qB,YAAN2qB,SAAejtB,QAEjBqtB,sBAAWrtB,SAEbO,EAAE+sB,mBAAqB,eAAC,aAAA/nB,mBAAAA,IAAAvF,kBAClBitB,EAAMY,iBACRZ,EAAMY,sBAANZ,SAAyBjtB,QAE3BstB,sBAAsBttB,SAExBO,EAAEgtB,iBAAmB,eAAC,aAAAhoB,mBAAAA,IAAAvF,kBAChBitB,EAAMa,gBACRb,EAAMa,qBAANb,SAAwBjtB,QAE1ButB,sBAAoBvtB,SAEtBO,EAAEitB,mBAAqB,eAAC,aAAAjoB,mBAAAA,IAAAvF,kBAClBitB,EAAMc,kBACRd,EAAMc,uBAANd,SAA0BjtB,QAE5BwtB,sBAAsBxtB,SAExBO,EAAEktB,iBAAmB,eAAC,aAAAloB,mBAAAA,IAAAvF,kBAChBitB,EAAMe,gBACRf,EAAMe,qBAANf,SAAwBjtB,QAE1BytB,sBAAoBztB,SAEtBO,EAAEmtB,OAAS,eAAC,aAAAnoB,mBAAAA,IAAAvF,kBACNitB,EAAMgB,MACRhB,EAAMgB,WAANhB,SAAcjtB,QAEhB0tB,sBAAU1tB,SAaZkuB,CAAW3tB,EAAG0sB,GACd,IAAMkB,EAAmBvE,GAAqBrpB,EAAGA,EAAEsF,KAC7CuoB,EA3sBR,SAA0BnsB,OACxBkrB,gBACAlC,aACAplB,QACA6a,WAEA,IAA2B,IAAvBuK,EAAS0C,UACX,OAAO,aAGT,IAQIU,EAREC,EAC0B,iBAAvBrD,EAAS0C,UAAyB1C,EAAS0C,UAAY,GAC1DY,EACkC,iBAA/BtD,EAASuD,kBACZvD,EAASuD,kBACT,IAEFC,EAA6B,GAE3BC,EAAYrQ,GAChB,SACElL,GAKA,IAAMwb,EAAc/P,KAAKD,MAAQ0P,EACjClB,EACEsB,EAAU/qB,KAAI,SAAC1D,GAEb,OADAA,EAAE4uB,YAAcD,EACT3uB,KAETmT,GAEFsb,EAAY,GACZJ,EAAe,OAEjBE,GAEI9b,EAAiB4L,GACrB,SAAC2N,GACC,IAAMvO,EAASgM,GAAeuC,GACxB/pB,EAAuB0e,GAAaqL,GACtCA,EAAInL,eAAe,GACnBmL,EAFIN,YAASC,YAGZ0C,IACHA,EAAezP,KAAKD,OAEtB8P,EAAUttB,KAAK,CACbgK,EAAGugB,EACHrgB,EAAGsgB,EACH1iB,GAAIyX,EAAO5C,MAAML,GACjBmR,WAAYhQ,KAAKD,MAAQ0P,IAI3BK,EACuB,oBAAdG,WAA6B7C,aAAe6C,UAC/CvV,oBAAkBwV,KAClB9C,aAAe+C,WACfzV,oBAAkB0V,UAClB1V,oBAAkB2V,aAG1BX,EACA,CACErP,UAAU,IAGRmM,EAAW,CACf7N,EAAG,YAAa9K,EAAgB5M,GAChC0X,EAAG,YAAa9K,EAAgB5M,GAChC0X,EAAG,OAAQ9K,EAAgB5M,IAE7B,OAAO,WACLulB,EAAS1U,SAAQ,SAACmV,GAAM,OAAAA,QAgoBDqD,CAAiB3uB,GACpC4uB,EAA0BpE,GAA6BxqB,GACvD6uB,EAAgBtD,GAAmBvrB,GACnC8uB,EAviBR,SAAoCptB,OAClCmrB,qBAEIkC,GAAS,EACTC,GAAS,EAab,OAAOhS,EAAG,SAZcc,GAAS,WAC/B,IAAM/S,EAASuU,IACTzU,EAAQ+U,KACVmP,IAAUhkB,GAAUikB,IAAUnkB,IAChCgiB,EAAiB,CACfhiB,MAAOigB,OAAOjgB,GACdE,OAAQ+f,OAAO/f,KAEjBgkB,EAAQhkB,EACRikB,EAAQnkB,KAET,KACkC0U,QAshBP0P,CAA2BjvB,GACnDkvB,EAzgBR,SAA2BxtB,OACzBorB,YACAxnB,QACA6a,WACAtY,eACAsnB,gBACAC,mBACAptB,sBACAC,wBACAC,qBACAG,gBACAqoB,aACA2E,yBAEA,SAASC,EAAajP,GACpB,IAAInD,EAASgM,GAAe7I,GACtB0L,EAAgB1L,EAAMkP,UAO5B,GAFIrS,GAA0C,WAA/BA,EAAmB/a,UAChC+a,EAAUA,EAAmBsS,eAE5BtS,GACCA,EAAmB/a,WACrB6pB,GAAWrnB,QAASuY,EAAmB/a,SAAW,KAClD4d,GAAU7C,EAAgBrV,GAJ5B,CAQA,IAAMzF,EAA4B8a,EAA4B9a,KAC9D,KAAK8a,EAAuBhW,UAAUC,SAASgoB,IAAiBC,GAAmBlS,EAAuB3a,QAAQ6sB,IAAlH,CAGA,IAAI9sB,EAAQ4a,EAA4B7c,MACpCovB,GAAY,EACH,UAATrtB,GAA6B,aAATA,EACtBqtB,EAAavS,EAA4B5S,SAEzCpI,EACGgb,EAAmB/a,QAAQK,gBAE9BN,EAAiBE,MAEjBE,EAAOR,EAAe,CACpBC,MAAQmb,EACRhb,mBACAF,oBACAC,sBACAE,QAAU+a,EAAuB/a,QACjCC,OACA/B,MAAOiC,EACPD,iBAGJqtB,EACExS,EACA2O,GACE,CAAEvpB,OAAMmtB,YAAW1D,iBACnBsD,IAKJ,IAAMvpB,EAA4BoX,EAA4BpX,KACjD,UAAT1D,GAAoB0D,GAAQ2pB,GAC9BnqB,EACGqqB,iBAAiB,oCAA6B7pB,SAC9CqQ,SAAQ,SAACvO,GACJA,IAAOsV,GACTwS,EACE9nB,EACAikB,GACE,CACEvpB,KAAOsF,EAAwBvH,MAC/BovB,WAAYA,EACZ1D,eAAe,GAEjBsD,SAOd,SAASK,EAAYxS,EAAqB9G,GACxC,IAAMwZ,EAAiB3D,GAAkBvS,IAAIwD,GAC7C,IACG0S,GACDA,EAAettB,OAAS8T,EAAE9T,MAC1BstB,EAAeH,YAAcrZ,EAAEqZ,UAC/B,CACAxD,GAAkB9R,IAAI+C,EAAQ9G,GAC9B,IAAM1N,EAAKyX,EAAO5C,MAAML,GACxB4P,SACK1W,IACH1N,SAIN,IACMmiB,GAD4B,SAAnBH,EAAS3oB,MAAmB,CAAC,UAAY,CAAC,QAAS,WAGvDoB,KAAI,SAAC8nB,GAAc,OAAAjO,EAAGiO,EAAWqE,EAAchqB,MACpDuqB,EAAqB5wB,OAAO8f,yBAChC+Q,iBAAiBpwB,UACjB,SAEIqwB,EAA+C,CACnD,CAACD,iBAAiBpwB,UAAW,SAC7B,CAACowB,iBAAiBpwB,UAAW,WAC7B,CAACswB,kBAAkBtwB,UAAW,SAC9B,CAACuwB,oBAAoBvwB,UAAW,SAEhC,CAACswB,kBAAkBtwB,UAAW,iBAC9B,CAACwwB,kBAAkBxwB,UAAW,aAchC,OAZImwB,GAAsBA,EAAmB1V,KAC3C0Q,EAASjqB,WAATiqB,SACKkF,EAAe5sB,KAAI,SAAC1D,GACrB,OAAAkf,EAAwBlf,EAAE,GAAIA,EAAE,GAAI,CAClC0a,IAAA,WAEEmV,EAAa,CAAEpS,OAAQpd,mBAM1B,WACL+qB,EAAS1U,SAAQ,SAACmV,GAAM,OAAAA,QAsYL6E,CAAkBnwB,GACjCowB,EAvLR,SAAsC1uB,OACpCqrB,uBACAllB,eACAsY,WACAuK,aAEMQ,EAAU,SAAC9oB,GACf,OAAA0b,GAAS,SAACuC,GACR,IAAMnD,EAASgM,GAAe7I,GAC9B,GAAKnD,IAAU6C,GAAU7C,EAAgBrV,GAAzC,CAGM,IAAAnG,EAAiCwb,EAA/BnQ,gBAAasjB,WAAQC,UAC7BvD,EAAmB,CACjB3qB,OACAsG,GAAIyX,EAAO5C,MAAML,GACjBnQ,cACAsjB,SACAC,aAED5F,EAAS3V,OAAS,MACjB8V,EAAW,CACf7N,EAAG,OAAQkO,MACXlO,EAAG,QAASkO,MACZlO,EAAG,SAAUkO,MACblO,EAAG,eAAgBkO,OAErB,OAAO,WACLL,EAAS1U,SAAQ,SAACmV,GAAM,OAAAA,QA2JMiF,CAA6BvwB,GAEvDwwB,EA9VR,SACE9uB,EACAuG,OADE+kB,qBAAkB7M,WAClBnP,QAEF,IAAKA,EAAIyf,gBAAkBzf,EAAIyf,cAAc/wB,UAE3C,OAAO,aAGT,IAAMgxB,EAAa1f,EAAIyf,cAAc/wB,UAAUgxB,WAC/C1f,EAAIyf,cAAc/wB,UAAUgxB,WAAa,SACvCptB,EACAwW,GAEA,IAAMpR,EAAKyX,EAAO5C,MAAMzd,KAAK6wB,WAO7B,OANY,IAARjoB,GACFskB,EAAiB,CACftkB,KACA6Z,KAAM,CAAC,CAAEjf,OAAMwW,YAGZ4W,EAAW7wB,MAAMC,KAAMP,YAGhC,IAAMqxB,EAAa5f,EAAIyf,cAAc/wB,UAAUkxB,WAC/C5f,EAAIyf,cAAc/wB,UAAUkxB,WAAa,SAAU9W,GACjD,IAAMpR,EAAKyX,EAAO5C,MAAMzd,KAAK6wB,WAO7B,OANY,IAARjoB,GACFskB,EAAiB,CACftkB,KACA4Z,QAAS,CAAC,CAAExI,YAGT8W,EAAW/wB,MAAMC,KAAMP,YAGhC,IAAMsxB,EAEF,GACAnI,GACFmI,EAA4BlI,gBAAkB3X,EAAI2X,iBAM9CC,KACFiI,EAA4BhI,aAAe7X,EAAI6X,cAE7CG,KACF6H,EAA4B5H,iBAAmBjY,EAAIiY,kBAEjDH,KACF+H,EAA4B9H,gBAAkB/X,EAAI+X,kBAItD,IAAM+H,EAKF,GAuCJ,OArCA7xB,OAAO8xB,QAAQF,GAA6B1a,SAAQ,SAACzU,OAAAuG,EAAAzH,OAACwwB,OAAS5uB,OAC7D0uB,EAAoBE,GAAW,CAC7BN,WAAatuB,EAA8B1C,UAAUgxB,WACrDE,WAAaxuB,EAA8B1C,UAAUkxB,YAGvDxuB,EAAK1C,UAAUgxB,WAAa,SAAUptB,EAAcwW,GAClD,IAAMpR,EAAKyX,EAAO5C,MAAMzd,KAAKysB,iBAAiBoE,WAe9C,OAdY,IAARjoB,GACFskB,EAAiB,CACftkB,KACA6Z,KAAM,CACJ,CACEjf,OACAwW,eACKqS,GAA0BrsB,YAC7Bga,GAAS,WAMZgX,EAAoBE,GAASN,WAAW7wB,MAAMC,KAAMP,YAG7D6C,EAAK1C,UAAUkxB,WAAa,SAAU9W,GACpC,IAAMpR,EAAKyX,EAAO5C,MAAMzd,KAAKysB,iBAAiBoE,WAO9C,OANY,IAARjoB,GACFskB,EAAiB,CACftkB,KACA4Z,QAAS,CAAC,CAAExI,eAAWqS,GAA0BrsB,YAAOga,WAGrDgX,EAAoBE,GAASJ,WAAW/wB,MAAMC,KAAMP,eAIxD,WACLyR,EAAIyf,cAAc/wB,UAAUgxB,WAAaA,EACzC1f,EAAIyf,cAAc/wB,UAAUkxB,WAAaA,EACzC3xB,OAAO8xB,QAAQF,GAA6B1a,SAAQ,SAACzU,OAAAuG,EAAAzH,OAACwwB,OAAS5uB,OAC7DA,EAAK1C,UAAUgxB,WAAaI,EAAoBE,GAASN,WACzDtuB,EAAK1C,UAAUkxB,WAAaE,EAAoBE,GAASJ,eAoPlCK,CAAuBjxB,EAAG,CAAEgR,IAAK2b,IACtDuE,EAhPR,SACExvB,EACAuG,OADEglB,uBAAoB9M,WACpBnP,QAEImgB,EAAcngB,EAAIogB,oBAAoB1xB,UAAUyxB,YACtDngB,EAAIogB,oBAAoB1xB,UAAUyxB,YAAc,SAE9CrhB,EACAzP,EACAgxB,WAEM3oB,EAAKyX,EAAO5C,0BACfzd,KAAKusB,iCAAYE,uCAAkBoE,WAatC,OAXY,IAARjoB,GACFukB,EAAmB,CACjBvkB,KACAyR,IAAK,CACHrK,WACAzP,QACAgxB,YAEFvX,MAAOqS,GAA0BrsB,KAAKusB,cAGnC8E,EAAYtxB,MAAMC,KAAMP,YAGjC,IAAM+xB,EAAiBtgB,EAAIogB,oBAAoB1xB,UAAU4xB,eAoBzD,OAnBAtgB,EAAIogB,oBAAoB1xB,UAAU4xB,eAAiB,SAEjDxhB,WAEMpH,EAAKyX,EAAO5C,0BACfzd,KAAKusB,iCAAYE,uCAAkBoE,WAWtC,OATY,IAARjoB,GACFukB,EAAmB,CACjBvkB,KACA6oB,OAAQ,CACNzhB,YAEFgK,MAAOqS,GAA0BrsB,KAAKusB,cAGnCiF,EAAezxB,MAAMC,KAAMP,YAG7B,WACLyR,EAAIogB,oBAAoB1xB,UAAUyxB,YAAcA,EAChDngB,EAAIogB,oBAAoB1xB,UAAU4xB,eAAiBA,GA8LpBE,CAA6BxxB,EAAG,CAC/DgR,IAAK2b,IAED8E,EAAezxB,EAAE0xB,aA7JzB,SAA0BhwB,OAAEyrB,WAAQ7nB,QAC5B0L,EAAM1L,EAAIye,YAChB,IAAK/S,EACH,OAAO,aAGT,IAAM6Z,EAA8B,GAE9B8G,EAAU,IAAIzF,QAEd0F,EAAmB5gB,EAAI6gB,SAC7B7gB,EAAI6gB,SAAY,SACdC,EACAlf,EACAmf,GAEA,IAAMC,EAAW,IAAIJ,EAAiBE,EAAQlf,EAAQmf,GAWtD,OAVAJ,EAAQxX,IAAI6X,EAAU,CACpBF,SACAxmB,OAA0B,iBAAXsH,EACfmf,cACAE,WACoB,iBAAXrf,EACHA,EAEAsf,KAAKC,UAAUhxB,MAAMH,KAAK,IAAIoxB,WAAWxf,OAE1Cof,GAGT,IAAMK,EAAiBrT,EAAM1Z,EAAIgtB,MAAO,OAAO,SAAUxT,GACvD,OAAO,SAA6BkT,GAQlC,OAPAzgB,YAAW,WACT,IAAM9R,EAAIkyB,EAAQjY,IAAIsY,GAClBvyB,IACF0tB,EAAO1tB,GACPkyB,EAAQ7P,OAAOkQ,MAEhB,GACIlT,EAASjf,MAAMC,KAAM,CAACkyB,QASjC,OALAnH,EAASjqB,MAAK,WACZoQ,EAAI6gB,SAAWD,KAEjB/G,EAASjqB,KAAKyxB,GAEP,WACLxH,EAAS1U,SAAQ,SAACmV,GAAM,OAAAA,QA4GYiH,CAAiBvyB,GAAK,aAEtDwyB,EAAoC,OAC1C,IAAqB,IAAAvqB,EAAAlI,EAAAC,EAAEyyB,uCAAS,CAA3B,IAAMC,UACTF,EAAe5xB,KACb8xB,EAAO3I,SAAS2I,EAAOC,SAAUhG,EAAe+F,EAAOjrB,4GAI3D,OAAO,WACLghB,GAAgBtS,SAAQ,SAAC6D,GAAM,OAAAA,EAAE4D,WACjCgQ,EAAiBgF,aACjB/E,IACAe,IACAC,IACAC,IACAI,IACAkB,IACAI,IACAU,IACAO,IACAe,EAAerc,SAAQ,SAACmV,GAAM,OAAAA,QCp2BlC,kBAKE,WAAY7jB,GAJJ3H,aAA4C,IAAIosB,QAKtDpsB,KAAKknB,WAAavf,EAAQuf,WA2B9B,OAxBS6L,sBAAP,SAAiB/hB,GACfhR,KAAKgzB,QAAQ3Y,IAAIrJ,GAAU,IAGtB+hB,4BAAP,SAAuBpP,GACrB3jB,KAAKizB,aAAetP,GAGfoP,yBAAP,SAAoB/hB,EAAiBkV,SACnClmB,KAAKknB,WAAW,CACdzE,KAAM,CACJ,CACEpB,SAAUrQ,EAAStI,KAAKE,GACxBya,OAAQ,KACRtc,KAAMmf,IAGV1D,QAAS,GACThB,MAAO,GACP1X,WAAY,GACZopB,gBAAgB,cAElBlzB,KAAKizB,uCAAgBjiB,uBCVvB,WAAYrJ,GAFJ3H,oBAAiC,GAQvCA,KAAKknB,WAAavf,EAAQuf,WAC1BlnB,KAAK0rB,SAAW/jB,EAAQ+jB,SACxB1rB,KAAK0Q,cAAgB/I,EAAQ+I,cAC7B1Q,KAAKqgB,OAAS1Y,EAAQ0Y,OAGtB,IAAM8S,EAAUnzB,KAChBA,KAAKozB,eAAetyB,KAClBoe,EAAMmU,YAAYzzB,UAAW,gBAAgB,SAAUof,GACrD,OAAO,WACL,IAAMjd,EAAaid,EAASjf,MAAMC,KAAMP,WAGxC,OAFIO,KAAK+B,YACPoxB,EAAQnN,cAAchmB,KAAK+B,WAAY/B,KAAKgkB,eACvCjiB,OA0DjB,OApDSuxB,0BAAP,SAAqBvxB,EAAwByD,GAC3C+jB,UAEOvpB,KAAK0Q,gBACRlL,MACA0hB,WAAYlnB,KAAKknB,WACjB7G,OAAQrgB,KAAKqgB,OACb0F,iBAAkB/lB,OAEpB+B,GAEF0pB,UACKzrB,KAAK0Q,gBACRgb,SAAU1rB,KAAK0rB,SAGflmB,IAAMzD,EACNse,OAAQrgB,KAAKqgB,WAOViT,gCAAP,SAA2BC,GACzB,GAAIA,EAAcpiB,cAAe,CAC/B,IAAMqiB,EAAUxzB,KAChBA,KAAKozB,eAAetyB,KAClBoe,EACGqU,EAAcpiB,cAEZkiB,YAAYzzB,UACf,gBACA,SAAUof,GACR,OAAO,WACL,IAAMjd,EAAaid,EAASjf,MAAMC,KAAMP,WAMxC,OALIO,KAAK+B,YACPyxB,EAAQxN,cACNhmB,KAAK+B,WACLwxB,EAAc3lB,iBAEX7L,SAQZuxB,kBAAP,WACEtzB,KAAKozB,eAAe/c,SAAQ,SAACod,GAAiB,OAAAA,aC3FlD,IAHA,IAAIrtB,GAAQ,mEAERstB,GAA+B,oBAAfpB,WAA6B,GAAK,IAAIA,WAAW,KAC5D/yB,GAAI,EAAGA,GAAI6G,GAAM1G,OAAQH,KAC9Bm0B,GAAOttB,GAAMutB,WAAWp0B,KAAMA,GAElC,ICNMq0B,GAGF,IAAIrZ,IAgBD,IAAMsZ,GAAe,SAC1BtzB,EACA2Q,EACAtG,GAEA,GACGrK,IACCuzB,GAAwBvzB,EAAO2Q,IAAyB,iBAAV3Q,GAFlD,CAMA,IACMwzB,WA1BNnpB,EACAopB,GAEA,IAAIC,EAAaL,GAAYha,IAAIhP,GAQjC,OAPKqpB,IACHA,EAAa,IAAI1Z,IACjBqZ,GAAYvZ,IAAIzP,EAAKqpB,IAElBA,EAAWpW,IAAImW,IAClBC,EAAW5Z,IAAI2Z,EAAM,IAEhBC,EAAWra,IAAIoa,GAeTE,CAAgBtpB,EADhBrK,EAAM4zB,YAAYnuB,MAE3BgU,EAAQ+Z,EAAKlvB,QAAQtE,GAMzB,OAJe,IAAXyZ,IACFA,EAAQ+Z,EAAKr0B,OACbq0B,EAAKjzB,KAAKP,IAELyZ,aAIOoa,GACd7zB,EACA2Q,EACAtG,GAEA,OAAIrK,aAAiBc,MACZd,EAAM8C,KAAI,SAACgb,GAAQ,OAAA+V,GAAa/V,EAAKnN,EAAKtG,MAC9B,OAAVrK,EACFA,EAEPA,aAAiB8zB,cACjB9zB,aAAiB+zB,cACjB/zB,aAAiBg0B,YACjBh0B,aAAiB6K,aACjB7K,aAAiB+xB,YACjB/xB,aAAiBi0B,aACjBj0B,aAAiBk0B,YACjBl0B,aAAiBm0B,WACjBn0B,aAAiBo0B,kBAGV,CACLC,QAFWr0B,EAAM4zB,YAAYnuB,KAG7B2Y,KAAM,CAACxf,OAAOmV,OAAO/T,KAMvBA,aAAiBs0B,YAKV,CACLD,QAJWr0B,EAAM4zB,YAAYnuB,KAK7B8uB,ODxEO,SAAUC,GACnB,IAAyCx1B,EAArCy1B,EAAQ,IAAI1C,WAAWyC,GAAiBE,EAAMD,EAAMt1B,OAAQo1B,EAAS,GACzE,IAAKv1B,EAAI,EAAGA,EAAI01B,EAAK11B,GAAK,EACtBu1B,GAAU1uB,GAAM4uB,EAAMz1B,IAAM,GAC5Bu1B,GAAU1uB,IAAmB,EAAX4uB,EAAMz1B,KAAW,EAAMy1B,EAAMz1B,EAAI,IAAM,GACzDu1B,GAAU1uB,IAAuB,GAAf4uB,EAAMz1B,EAAI,KAAY,EAAMy1B,EAAMz1B,EAAI,IAAM,GAC9Du1B,GAAU1uB,GAAqB,GAAf4uB,EAAMz1B,EAAI,IAQ9B,OANI01B,EAAM,GAAM,EACZH,EAASA,EAAOvuB,UAAU,EAAGuuB,EAAOp1B,OAAS,GAAK,IAE7Cu1B,EAAM,GAAM,IACjBH,EAASA,EAAOvuB,UAAU,EAAGuuB,EAAOp1B,OAAS,GAAK,MAE/Co1B,ECsDQI,CAAO30B,IAMbA,aAAiB40B,SAEnB,CACLP,QAFWr0B,EAAM4zB,YAAYnuB,KAG7B2Y,KAAM,CACJyV,GAAa7zB,EAAMiL,OAAQ0F,EAAKtG,GAChCrK,EAAM60B,WACN70B,EAAM80B,aAGD90B,aAAiB+0B,iBAGnB,CACLV,QAHWr0B,EAAM4zB,YAAYnuB,KAI7B2H,IAHcpN,OAKPA,aAAiBg1B,UAEnB,CACLX,QAFWr0B,EAAM4zB,YAAYnuB,KAG7B2Y,KAAM,CAACyV,GAAa7zB,EAAMgL,KAAM2F,EAAKtG,GAAMrK,EAAMwK,MAAOxK,EAAM0K,SAEvD6oB,GAAwBvzB,EAAO2Q,IAAyB,iBAAV3Q,EAIhD,CACLq0B,QAJWr0B,EAAM4zB,YAAYnuB,KAK7BgU,MAJY6Z,GAAatzB,EAAO2Q,EAAKtG,IAQlCrK,EAGF,IAAMi1B,GAAgB,SAC3B7W,EACAzN,EACAtG,GAEA,OAAO5J,OAAI2d,OAAMtb,KAAI,SAACgb,GAAQ,OAAA+V,GAAa/V,EAAKnN,EAAKtG,OAG1CkpB,GAA0B,SACrCvzB,EACA2Q,GAYA,IAcMukB,EAdkC,CACtC,kBACA,cACA,mBACA,eACA,oBACA,cACA,6BACA,eACA,uBACA,yBAEA,6BAE2D1b,QAC3D,SAAC/T,GAAiB,MAAqC,mBAA9BkL,EAAIlL,MAE/B,OAAOlE,QACL2zB,EAA+BtrB,MAC7B,SAACnE,GAAiB,OAAAzF,aAAiB2Q,EAAIlL,QCrJ7C,SAAS0vB,GACP91B,EACA0C,EACAqhB,EACA5b,EACAsY,EACAnP,WAEM6Z,EAA8B,GAE9B4K,EAAQx2B,OAAOy2B,oBAAoBh2B,cAE9BkU,GACT,IACE,GAAyD,mBAA9ClU,EAAUkU,oBAGrB,IAAMye,EAAiBrT,EAAMtf,EAAWkU,GAAM,SAAUkL,GACtD,OAAO,eAAkC,aAAA9Z,mBAAAA,IAAAyZ,kBACvC,IAAMxE,EAAS6E,EAASjf,MAAMC,KAAM2e,GAEpC,GADAkV,GAAa1Z,EAAQjJ,EAAKtR,IACrBqgB,GAAWjgB,KAAK2K,OAA6B5C,GAAa,CAClDsY,EAAO5C,MAAOzd,KAAK2K,QAA9B,IAEMkrB,EAAaL,UAAkB7W,OAAOzN,EAAKtR,GAC3CshB,EAAmC,CACvC5e,OACA0N,SAAU8D,EACV6K,KAAMkX,GAGRlS,EAAG3jB,KAAK2K,OAA6BuW,GAGvC,OAAO/G,MAGX4Q,EAASjqB,KAAKyxB,GACd,SACA,IAAMuD,EAAcjX,EAA6Bjf,EAAWkU,EAAM,CAChEuG,IAAA,SAAI/D,GAEFqN,EAAG3jB,KAAK2K,OAA6B,CACnCrI,OACA0N,SAAU8D,EACV6K,KAAM,CAACrI,GACPyf,QAAQ,OAIdhL,EAASjqB,KAAKg1B,SAtClB,IAAmB,IAAAE,EAAA/1B,EAAA01B,+IA0CnB,OAAO5K,EC7CT,ICWIkL,GAEAC,iBDkBF,WAAYvuB,GA9BJ3H,4BAAoD,IAAIua,IACxDva,eAAuB,CAAEm2B,SAAU,EAAGC,SAAU,MAKhDp2B,aAAkB,EAClBA,aAAkB,EAqClBA,qBAAiD,SACvDod,EACA8D,KAGElhB,KAAKq2B,UAAUD,UACfp2B,KAAKq2B,UAAUF,WAAan2B,KAAKq2B,UAAUD,WAC5Bp2B,KAAKq2B,UAAUD,WAC9Bp2B,KAAKq2B,UAAUD,SAAWp2B,KAAKq2B,UAAUF,UAEtCn2B,KAAKs2B,uBAAuBzY,IAAIT,IACnCpd,KAAKs2B,uBAAuBjc,IAAI+C,EAAQ,IAG1Cpd,KAAKs2B,uBAAuB1c,IAAIwD,GAAStc,KAAKogB,IArB9ClhB,KAAKknB,WAAavf,EAAQuf,WAC1BlnB,KAAKqgB,OAAS1Y,EAAQ0Y,QAEO,IAAzB1Y,EAAQa,cACVxI,KAAKu2B,2BAA2B5uB,EAAQuJ,IAAKvJ,EAAQI,YAyF3D,OAzHSyuB,kBAAP,WACEx2B,KAAKs2B,uBAAuBG,QAC5Bz2B,KAAK02B,gBAAkB12B,KAAK02B,kBAGvBF,mBAAP,WACEx2B,KAAKilB,QAAS,GAGTuR,qBAAP,WACEx2B,KAAKilB,QAAS,GAGTuR,iBAAP,WACEx2B,KAAKklB,QAAS,GAGTsR,mBAAP,WACEx2B,KAAKklB,QAAS,GAkCRsR,uCAAR,SACEtlB,EACAnJ,GAEA/H,KAAK22B,uBACL32B,KAAK42B,oCAEL,IAAMC,WEtFR3lB,EACAnJ,GAEA,IAAMgjB,EAA8B,GACpC,IACE,IAAMwH,EAAiBrT,EACrBhO,EAAI4lB,kBAAkBl3B,UACtB,cACA,SAAUof,GACR,OAAO,SAEL+X,OACA,aAAA7xB,mBAAAA,IAAAyZ,oBAMA,OAJKsB,GAAWjgB,KAA2B+H,IACnC,cAAe/H,OAClBA,KAAiB0K,UAAYqsB,GAE3B/X,EAASjf,MAAMC,QAAO+2B,KAAgBpY,YAInDoM,EAASjqB,KAAKyxB,GACd,SACA9lB,QAAQ1L,MAAM,0DAEhB,OAAO,WACLgqB,EAAS1U,SAAQ,SAACmV,GAAM,OAAAA,QF2DGwL,CAA0B9lB,EAAKnJ,GACpDkvB,WGhFRtT,EACAzS,EACAnJ,EACAsY,WAEM0K,EAA8B,GAC9BmM,EAAU/3B,OAAOy2B,oBACrB1kB,EAAIimB,yBAAyBv3B,sBAEpBkU,GACT,IACE,GAGQ,mBAFC5C,EAAIimB,yBAAyBv3B,UAClCkU,oBAKJ,IAAMye,EAAiBrT,EACrBhO,EAAIimB,yBAAyBv3B,UAC7BkU,GACA,SAAUkL,GACR,OAAO,eAAA,oBAEL9Z,mBAAAA,IAAAyZ,kBA+BA,OA7BKsB,GAAWjgB,KAAK2K,OAA6B5C,IAGhD0J,YAAW,WACT,IAAMokB,SAAiBlX,OACvB,GAAa,cAAT7K,GAEA+hB,EAAW,IACXA,EAAW,aAAciB,kBACzB,CACA,IAAMnsB,EAASkrB,EAAW,GACpBjrB,EAAMD,EAAOE,WAAW,MAC1BusB,EAAOxsB,MAAAA,SAAAA,EAAKM,aACd,EACA,EACAP,EAAOI,MACPJ,EAAOM,QAELosB,EAAMD,MAAAA,SAAAA,EAAM7rB,KAChBsqB,EAAW,GAAKzD,KAAKC,UAAUgF,GAGnC1T,EAAG/F,EAAKjT,OAAQ,CACdrI,KAAM6W,EAAc,MACpBnJ,SAAU8D,EACV6K,KAAMkX,MAEP,GAEE7W,EAASjf,MAAMC,KAAM2e,OAIlCoM,EAASjqB,KAAKyxB,GACd,SACA,IAAMuD,EAAcjX,EAClB3N,EAAIimB,yBAAyBv3B,UAC7BkU,EACA,CACEuG,aAAI/D,GACFqN,EAAG3jB,KAAK2K,OAAQ,CACdrI,KAAM6W,EAAc,MACpBnJ,SAAU8D,EACV6K,KAAM,CAACrI,GACPyf,QAAQ,OAKhBhL,EAASjqB,KAAKg1B,SAlElB,IAAmB,IAAAwB,EAAAr3B,EAAAi3B,6IAqEnB,OAAO,WACLnM,EAAS1U,SAAQ,SAACmV,GAAM,OAAAA,QHCF+L,CACpBv3B,KAAK+kB,gBAAgBoF,KAAKnqB,MAC1BkR,EACAnJ,EACA/H,KAAKqgB,QAGDmX,WD5BR7T,EACAzS,EACAnJ,EACAsY,GAEA,IAAM0K,EAA8B,GA0BpC,OAxBAA,EAASjqB,WAATiqB,SACK2K,GACDxkB,EAAIumB,sBAAsB73B,UAC1BuZ,EAAcue,MACd/T,EACA5b,EACAsY,EACAnP,cAIsC,IAA/BA,EAAIymB,wBACb5M,EAASjqB,WAATiqB,SACK2K,GACDxkB,EAAIymB,uBAAuB/3B,UAC3BuZ,EAAcye,OACdjU,EACA5b,EACAsY,EACAnP,SAKC,WACL6Z,EAAS1U,SAAQ,SAACmV,GAAM,OAAAA,QCJMqM,CAC5B73B,KAAK+kB,gBAAgBoF,KAAKnqB,MAC1BkR,EACAnJ,EACA/H,KAAKqgB,QAGPrgB,KAAK02B,eAAiB,WACpBG,IACAI,IACAO,MAIIhB,8CAAR,WAAA,WACEsB,uBAAsB,WAAM,OAAAla,EAAKma,kCAG3BvB,iCAAR,WAAA,WACQwB,EAAwB,SAACC,GAC7Bra,EAAKyY,UAAUF,SAAW8B,EAC1BH,sBAAsBE,IAExBF,sBAAsBE,IAGxBxB,wCAAA,WAAA,WACEx2B,KAAKs2B,uBAAuBjgB,SAC1B,SAAC/B,EAAiC3J,GAChC,IAAM/B,EAAKgV,EAAKyC,OAAO5C,MAAO9S,GAC9BiT,EAAKsa,8BAA8BvtB,EAAQ/B,MAG/CkvB,uBAAsB,WAAM,OAAAla,EAAKma,kCAGnCvB,0CAAA,SAA8B7rB,EAA2B/B,GACvD,IAAI5I,KAAKilB,SAAUjlB,KAAKklB,OAAxB,CAIA,IAAMiT,EAAiBn4B,KAAKs2B,uBAAuB1c,IAAIjP,GACvD,GAAKwtB,IAA0B,IAARvvB,EAAvB,CAEA,IAAM0L,EAAS6jB,EAAe90B,KAAI,SAAC9C,GAEjC,OAD0BA,OXtGzB,SAAgBjB,EAAGsB,GACtB,IAAIvB,EAAI,GACR,IAAK,IAAIM,KAAKL,EAAOH,OAAOS,UAAUC,eAAeC,KAAKR,EAAGK,IAAMiB,EAAEiE,QAAQlF,GAAK,IAC9EN,EAAEM,GAAKL,EAAEK,IACb,GAAS,MAALL,GAAqD,mBAAjCH,OAAOi5B,sBACtB,CAAA,IAAI74B,EAAI,EAAb,IAAgBI,EAAIR,OAAOi5B,sBAAsB94B,GAAIC,EAAII,EAAED,OAAQH,IAC3DqB,EAAEiE,QAAQlF,EAAEJ,IAAM,GAAKJ,OAAOS,UAAUy4B,qBAAqBv4B,KAAKR,EAAGK,EAAEJ,MACvEF,EAAEM,EAAEJ,IAAMD,EAAEK,EAAEJ,KAE1B,OAAOF,GW6FqBkB,EAApB,aAGA+B,EAAS61B,EAAe,QAEhCn4B,KAAKknB,WAAW,CAAEte,KAAItG,OAAMg2B,SAAUhkB,IAEtCtU,KAAKs2B,uBAAuBtU,OAAOrX,WC7HvC,SAAS4tB,GAAU33B,GACjB,cACKA,IACHq3B,UAAW1Z,KAAKD,QAQpB,IAAM+B,GTDG,CACLhd,IAAK,GACLoa,eAAMje,GAEJ,OAAKA,GAAMA,EAAEkJ,KAGNlJ,EAAEkJ,KAAKE,IAFJ,GAIZ8U,iBAAQ9U,GACN,OAAO5I,KAAKqD,IAAIuF,IAAO,MAGzB+U,kBAAA,SAAkBne,GAAlB,WACQoJ,EAAKpJ,EAAEkJ,MAAQlJ,EAAEkJ,KAAKE,UACrB5I,KAAKqD,IAAIuF,GACZpJ,EAAEyJ,YACJzJ,EAAEyJ,WAAWoN,SAAQ,SAACmF,GACpB,OAAAoC,EAAKD,kBAAmBnC,OAI9BqC,aAAIjV,GACF,OAAO5I,KAAKqD,IAAIxD,eAAe+I,IAEjCkV,iBACE9d,KAAKqD,IAAM,KSxBjB,SAASm1B,GACP7wB,gBAAAA,MAGE,IAAAqd,EA6BErd,OA5BF8wB,EA4BE9wB,mBA3BF+wB,EA2BE/wB,mBA1BF/F,EA0BE+F,aA1BFI,aAAa,aACbI,EAyBER,gBAzBFK,aAAgB,OAChBK,EAwBEV,kBAxBFM,aAAkB,OAClB4B,EAuBElC,cAvBF0nB,aAAc,cACdtlB,EAsBEpC,iBAtBF2nB,aAAgB,OAChBhiB,EAqBE3F,gBArBFX,aAAgB,YAChBkI,EAoBEvH,mBApBFV,aAAmB,OACnBmI,EAmBEzH,oBAnBFzF,aAAoB,OACpBmN,EAkBE1H,qBAlBFT,aAAqB,OACrByJ,EAiBEhJ,sBAjBFxF,aAAsB,OACtB0O,EAgBElJ,mBAhBFO,gBACAywB,EAeEhxB,gBAdgBixB,EAchBjxB,mBAbckxB,EAadlxB,iBAZFpF,EAYEoF,cAXFS,EAWET,aAVFilB,EAUEjlB,QATFmxB,EASEnxB,SARFmJ,EAQEnJ,WARFijB,aAAW,KACXmO,EAOEpxB,gBANFqxB,EAMErxB,eANFa,gBACAywB,EAKEtxB,uBALF4nB,gBACA2J,EAIEvxB,eAJFiqB,gBACAuH,EAGExxB,eAHFY,gBACAoqB,EAEEhrB,UADFyxB,EACEzxB,kBADFc,aAAkB,WAAM,OAAA,KAG1B,IAAKuc,EACH,MAAM,IAAI9R,MAAM,kCAGIrK,IAAlBkwB,QAAsDlwB,IAAvB+hB,EAAS0C,YAC1C1C,EAAS0C,UAAYyL,GAGvB,IA8CIM,GA9CEj3B,IACc,IAAlBu2B,EACI,CACEW,OAAO,EACPC,MAAM,EACN,kBAAkB,EAClBC,OAAO,EACPC,OAAO,EACPC,QAAQ,EACRC,OAAO,EACPC,QAAQ,EACRC,KAAK,EACLr3B,MAAM,EACNs3B,MAAM,EACNr1B,KAAK,EACLs1B,MAAM,EACNC,UAAU,EACVC,QAAQ,EACRC,UAAU,QAEUrxB,IAAtB+vB,EACAA,EACA,CAAEsB,UAAU,GAEZnrB,IACgB,IAApB8pB,GAAgD,QAApBA,EACxB,CACEnpB,QAAQ,EACRD,SAAS,EACTI,aAAa,EACbY,gBAAgB,EAChBV,gBAAgB,EAChBE,gBAAgB,EAChBC,mBAAmB,EACnBE,sBAAsB,EAGtBD,mBAAwC,QAApB0oB,EACpB/oB,qBAA0C,QAApB+oB,GAExBA,GAEA,GAENpY,KAGA,IAAI0Z,GAA2B,EAY/BlE,GAAc,SAACr1B,EAAkBw5B,SAe/B,eAbEzR,GAAgB,yBAAI0R,aACpBz5B,EAAE0B,OAAS0W,YAAUshB,cAEnB15B,EAAE0B,OAAS0W,YAAUuhB,qBACrB35B,EAAE2K,KAAKuH,SAAWmG,oBAAkBsJ,UAKtCoG,GAAgBtS,SAAQ,SAACmkB,GAAQ,OAAAA,EAAIjS,cAGvCvD,EAzBqB,SAACpkB,eACtB,IAAqB,IAAAuH,EAAAlI,EAAA0yB,GAAW,kCAAI,CAA/B,IAAMC,UACLA,EAAO6H,iBACT75B,EAAIgyB,EAAO6H,eAAe75B,sGAM9B,OAHIk4B,IACFl4B,EAAKk4B,EAAOl4B,IAENA,EAgBH65B,CAAe75B,GAAIw5B,GACpBx5B,EAAE0B,OAAS0W,YAAUshB,aACvBjB,GAAwBz4B,EACxBu5B,GAA2B,OACtB,GAAIv5B,EAAE0B,OAAS0W,YAAUuhB,oBAAqB,CAEnD,GACE35B,EAAE2K,KAAKuH,SAAWmG,oBAAkBsJ,UACpC3hB,EAAE2K,KAAK2nB,eAEP,OAGFiH,KACA,IAAMO,EACJhC,GAAoByB,IAA4BzB,EAC5CiC,EACJlC,GACA73B,EAAEq3B,UAAYoB,GAAsBpB,UAAYQ,GAC9CiC,GAAeC,IACjBzE,IAAiB,KAKvB,IAAM0E,GAAsB,SAACv6B,GAC3B41B,GACEsC,GAAU,CACRj2B,KAAM0W,YAAUuhB,oBAChBhvB,QACEuH,OAAQmG,oBAAkBsJ,UACvBliB,OAKLw6B,GAAoC,SAACl7B,GACzC,OAAAs2B,GACEsC,GAAU,CACRj2B,KAAM0W,YAAUuhB,oBAChBhvB,QACEuH,OAAQmG,oBAAkB6hB,QACvBn7B,OAILo7B,GAA4B,SAACp7B,GACjC,OAAAs2B,GACEsC,GAAU,CACRj2B,KAAM0W,YAAUuhB,oBAChBhvB,QACEuH,OAAQmG,oBAAkB+hB,gBACvBr7B,OAKLkmB,GAAgB,IAAIkN,GAAc,CACtC7L,WAAY0T,KAGRvS,GAAgB,IAAImO,GAAc,CACtChuB,eACA0e,WAAY6T,GACZ7pB,IAAKuO,OACL1X,aACAsY,YAGI0F,GAAmB,IAAIuN,GAAiB,CAC5CpM,WAAY0T,GACZlP,SAAUmP,GACVnqB,cAAe,CACb3I,aACAC,gBACAC,kBACAjB,gBACAC,mBACAC,qBACAhF,oBACAC,sBACA+F,mBACA9F,oBACAgG,aACA7F,cACAiG,eACAD,eACAqiB,WACA7b,kBACA8W,iBACAwC,kBAEFhI,YAGF6V,GAAmB,SAACkE,4BAAAA,MAClBnE,GACEsC,GAAU,CACRj2B,KAAM0W,YAAUiiB,KAChB1vB,KAAM,CACJtH,KAAMwb,OAAOlO,SAAStN,KACtB8G,MAAO+U,KACP7U,OAAQuU,OAGZ4a,GAGFzR,GAAgBtS,SAAQ,SAACmkB,GAAQ,OAAAA,EAAIhS,UAC/B,IAAAze,EAAArJ,EX2hBV,SAAkBlB,EAAGmI,GACjB,IAAI/F,EAAK+F,GAAW,GAAIQ,EAAKvG,EAAGmG,WAAYA,OAAoB,IAAPI,EAAgB,WAAaA,EAAIE,EAAKzG,EAAGoG,cAAeA,OAAuB,IAAPK,EAAgB,KAAOA,EAAIwB,EAAKjI,EAAGqG,gBAAiBA,OAAyB,IAAP4B,EAAgB,KAAOA,EAAIE,EAAKnI,EAAGoF,cAAeA,OAAuB,IAAP+C,EAAgB,UAAYA,EAAIuD,EAAK1L,EAAGqF,iBAAkBA,OAA0B,IAAPqG,EAAgB,KAAOA,EAAI4B,EAAKtN,EAAGsF,mBAAoBA,OAA4B,IAAPgI,EAAgB,KAAOA,EAAIE,EAAKxN,EAAGsG,iBAAkBA,OAA0B,IAAPkH,GAAuBA,EAAIC,EAAKzN,EAAG2G,aAAcA,OAAsB,IAAP8G,GAAwBA,EAAIsB,EAAK/O,EAAG4G,aAAcA,OAAsB,IAAPmI,GAAwBA,EAAIE,EAAKjP,EAAGM,kBAAmBA,OAA2B,IAAP2O,EAAgB,KAAOA,EAAIC,EAAKlP,EAAGO,oBAAqBA,OAA6B,IAAP2O,EAAgB,KAAOA,EAAIkoB,EAAKp3B,EAAG+2B,cAAeA,OAAuB,IAAPK,GAAwBA,EAAI5wB,EAAaxG,EAAGwG,WAAY7F,EAAcX,EAAGW,YAAa02B,EAAKr3B,EAAGs5B,QAASA,OAAiB,IAAPjC,GAAwBA,EAAI3wB,EAAiB1G,EAAG0G,eAAgBgH,EAAqB1N,EAAG0N,mBAAoBN,EAAcpN,EAAGoN,YAAaC,EAAerN,EAAGqN,aAAcE,EAAoBvN,EAAGuN,kBAAmB+pB,EAAKt3B,EAAG6G,gBAC/oCmU,EAAY,GA0ChB,MAAO,CACH/N,EAAoBrP,EAAG,CACnBgG,IAAKhG,EACL6D,IAAKuZ,EACL7U,WAAYA,EACZC,cAAeA,EACfC,gBAAiBA,EACjBjB,cAAeA,EACfC,iBAAkBA,EAClBC,mBAAoBA,EACpB4H,WAAW,EACX5G,iBAAkBA,EAClBhG,kBAAmBA,EACnBC,oBAAqBA,EACrBC,kBAvDiC,IAAlBu2B,EACjB,CACEW,OAAO,EACPC,MAAM,EACN,kBAAkB,EAClBC,OAAO,EACPC,OAAO,EACPC,QAAQ,EACRC,OAAO,EACPC,QAAQ,EACRC,KAAK,EACLr3B,MAAM,EACNs3B,MAAM,EACNr1B,KAAK,EACLs1B,MAAM,EACNC,UAAU,EACVC,QAAQ,EACRC,UAAU,IAEM,IAAlBvB,EACI,CACEuB,UAAU,GAEZvB,EAiCFvwB,WAAYA,EACZ7F,YAAaA,EACbwM,gBAlCyB,IAAZmsB,GAAgC,QAAZA,EAEjC,CACIxrB,QAAQ,EACRD,SAAS,EACTI,aAAa,EACbY,gBAAgB,EAChBX,qBAAkC,QAAZorB,EACtBnrB,gBAAgB,EAChBE,gBAAgB,EAChBC,mBAAmB,EACnBC,oBAAoB,EACpBC,sBAAsB,IAEhB,IAAZ8qB,EACI,GACAA,EAmBF5yB,eAAgBA,EAChBC,aAAcA,EACdC,aAAcA,EACd8G,mBAAoBA,EACpBN,YAAaA,EACbC,aAAcA,EACdE,kBAAmBA,EACnB1G,qBApEqrC,IAAPywB,EAAgB,WAAc,OAAO,GAAWA,IAsEluCtc,GWlmBsBue,CAASr1B,SAAU,CAC3CiC,aACAC,gBACAC,kBACAjB,gBACAC,mBACAC,qBACAhF,oBACAC,sBACA+F,mBACAywB,cAAev2B,GACfgG,aACA8yB,QAASnsB,GACTvG,eACAD,eACAyG,YAAa,SAACxP,GACRokB,GAAcpkB,IAChBqmB,GAAcC,UAAUtmB,GAEtB8kB,GAAc9kB,IAChBumB,GAAiBC,cAAcxmB,EAAEuC,WAAY+D,WAGjDmJ,aAAc,SAACgX,EAAQC,GACrBL,GAAcM,aAAaF,EAAQC,GACnCH,GAAiBK,oBACdH,IAGLxd,uBA7BK1B,OAAM6V,OAgCb,IAAK7V,EACH,OAAO0F,QAAQC,KAAK,mCAGtB2T,GAAOhd,IAAMuZ,EACbqZ,GACEsC,GAAU,CACRj2B,KAAM0W,YAAUshB,aAChB/uB,KAAM,CACJxE,OACAq0B,cAAe,CACbC,UACyBxyB,IAAvB4W,OAAO6b,YACH7b,OAAO6b,oBACPx1B,mBAAAA,gBAAAA,SAAU6Z,gBAAgBzS,yCAC1BpH,mBAAAA,gBAAAA,SAAU+Z,2BAAM6P,oCAAexiB,qBAC/BpH,mBAAAA,gBAAAA,SAAU+Z,KAAK3S,aACf,EACNquB,SACyB1yB,IAAvB4W,OAAO+b,YACH/b,OAAO+b,oBACP11B,mBAAAA,gBAAAA,SAAU6Z,gBAAgBvS,wCAC1BtH,mBAAAA,gBAAAA,SAAU+Z,2BAAM6P,oCAAetiB,oBAC/BtH,mBAAAA,gBAAAA,SAAU+Z,KAAKzS,YACf,OAKdub,GAAgBtS,SAAQ,SAACmkB,GAAQ,OAAAA,EAAI/R,aAGvC,IACE,IAAMgT,GAA8B,GACpCA,GAAS36B,KACPoc,EAAG,oBAAoB,WACrB+Y,GACEsC,GAAU,CACRj2B,KAAM0W,YAAU0iB,iBAChBnwB,KAAM,UAMd,IAAMowB,GAAU,SAACn2B,SACf,OAAOmnB,GACL,CACEzF,WAAY0T,GACZ9N,YAAa,SAACsB,EAAWtb,GACvB,OAAAmjB,GACEsC,GAAU,CACRj2B,KAAM0W,YAAUuhB,oBAChBhvB,KAAM,CACJuH,SACAsb,iBAIRzD,mBAAoB,SAAC7L,GACnB,OAAAmX,GACEsC,GAAU,CACRj2B,KAAM0W,YAAUuhB,oBAChBhvB,QACEuH,OAAQmG,oBAAkB2iB,kBACvB9c,OAIX4M,SAAUmP,GACV9N,iBAAkB,SAACjO,GACjB,OAAAmX,GACEsC,GAAU,CACRj2B,KAAM0W,YAAUuhB,oBAChBhvB,QACEuH,OAAQmG,oBAAkB4iB,gBACvB/c,OAIXkO,QAAS,SAAC1W,GACR,OAAA2f,GACEsC,GAAU,CACRj2B,KAAM0W,YAAUuhB,oBAChBhvB,QACEuH,OAAQmG,oBAAkB6iB,OACvBxlB,OAIX2W,mBAAoB,SAACttB,GACnB,OAAAs2B,GACEsC,GAAU,CACRj2B,KAAM0W,YAAUuhB,oBAChBhvB,QACEuH,OAAQmG,oBAAkB8iB,kBACvBp8B,OAIXutB,iBAAkB,SAACvsB,GACjB,OAAAs1B,GACEsC,GAAU,CACRj2B,KAAM0W,YAAUuhB,oBAChBhvB,QACEuH,OAAQmG,oBAAkB+iB,gBACvBr7B,OAIXwsB,mBAAoB,SAACxsB,GACnB,OAAAs1B,GACEsC,GAAU,CACRj2B,KAAM0W,YAAUuhB,oBAChBhvB,QACEuH,OAAQmG,oBAAkBgjB,kBACvBt7B,OAIXysB,iBAAkB2N,GAClB1N,OAAQ,SAAC1tB,GACP,OAAAs2B,GACEsC,GAAU,CACRj2B,KAAM0W,YAAUuhB,oBAChBhvB,QACEuH,OAAQmG,oBAAkBijB,MACvBv8B,OAIXoI,aACAsnB,cACAC,iBACAtoB,gBACAC,mBACAC,qBACAhF,oBACAC,sBACAC,oBACA8F,mBACA0iB,WACApiB,eACAD,eACAgnB,uBACAqC,eACApsB,MACAjD,cACA6F,aACAJ,gBACAC,kBACA8G,kBACAsR,UACAwF,iBACAE,oBACAsC,iBACAsK,mBACEA,MAAAA,SAAAA,EACI5Y,QAAO,SAACpa,GAAM,OAAAA,EAAEsqB,kCAChB5mB,KAAI,SAAC1D,GAAM,OACXsqB,SAAUtqB,EAAEsqB,SACZtiB,QAAShI,EAAEgI,QACXkrB,SAAU,SAAC9L,GACT,OAAAkP,GACEsC,GAAU,CACRj2B,KAAM0W,YAAUmjB,OAChB5wB,KAAM,CACJqnB,OAAQjzB,EAAEqG,KACV+gB,qBAIH,IAEb6F,IAIJ/G,GAAcuW,iBAAgB,SAACprB,GAC7B,IACEyqB,GAAS36B,KAAK66B,GAAQ3qB,EAASpD,kBAC/B,MAAO7M,GAEP0L,QAAQC,KAAK3L,OAIjB,IAAMs7B,GAAO,WACXnG,KACAuF,GAAS36B,KAAK66B,GAAQ71B,YAwBxB,MArB0B,gBAAxBA,SAASsL,YACe,aAAxBtL,SAASsL,WAETirB,KAEAZ,GAAS36B,KACPoc,EACE,QACA,WACE+Y,GACEsC,GAAU,CACRj2B,KAAM0W,YAAUsjB,KAChB/wB,KAAM,MAGV8wB,OAEF5c,SAIC,WACLgc,GAASplB,SAAQ,SAACmV,GAAM,OAAAA,QAE1B,MAAOzqB,GAEP0L,QAAQC,KAAK3L,IG9ejB,SAASw7B,GAAKC,GAGb,OAFAA,EAAMA,GAAOr9B,OAAOs9B,OAAO,MAEpB,CAQNvf,GAAI,SAAY5a,EAAc8oB,IAC5BoR,EAAIl6B,KAAUk6B,EAAIl6B,GAAQ,KAAKxB,KAAKsqB,IAUtCsR,IAAK,SAAap6B,EAAc8oB,GAC3BoR,EAAIl6B,IACPk6B,EAAIl6B,GAAMkhB,OAAOgZ,EAAIl6B,GAAMuC,QAAQumB,KAAa,EAAG,IAYrDpG,KAAM,SAAc1iB,EAAcqpB,IAChC6Q,EAAIl6B,IAAS,IAAIhB,QAAQ+B,KAAI,SAAU+nB,GAAWA,EAAQO,OAC1D6Q,EAAI,MAAQ,IAAIl7B,QAAQ+B,KAAI,SAAU+nB,GAAWA,EAAQ9oB,EAAMqpB,QH4cnE6M,GAAOmE,eAAiB,SAAIC,EAAa7V,GACvC,IAAKkP,GACH,MAAM,IAAI/iB,MAAM,iDAElB+iB,GACEsC,GAAU,CACRj2B,KAAM0W,YAAU6jB,OAChBtxB,KAAM,CACJqxB,MACA7V,eAMRyR,GAAOsE,WAAa,WAClBnU,GAAgBtS,SAAQ,SAACmkB,GAAQ,OAAAA,EAAIlS,aAGvCkQ,GAAOtC,iBAAmB,SAACkE,GACzB,IAAKlE,GACH,MAAM,IAAIhjB,MAAM,mDAElBgjB,GAAiBkE,IAGnB5B,GAAOnY,OAASA,8DIxhBAI,GAASsc,EAAoBje,GAE3C,gBAFuBie,uBAAoBje,cAGzC,mBAAoBA,EAAEa,gBAAgBzK,SACF,IAApC6nB,EAAEC,8BAFJ,CAQA,IAuB4BC,EAvBxBnvB,EAAUivB,EAAE1J,aAAe0J,EAAEjvB,QAI7BkR,EAAW,CACb8M,OAAQiR,EAAEjR,QAAUiR,EAAEG,SACtBC,SAAUJ,EAAEI,SACZC,cAAetvB,EAAQlO,UAAUksB,QAAUuR,EAC3CC,eAAgBxvB,EAAQlO,UAAU09B,gBAIhChf,EACFye,EAAEQ,aAAeR,EAAEQ,YAAYjf,IAC3Bye,EAAEQ,YAAYjf,IAAI6L,KAAK4S,EAAEQ,aACzBhf,KAAKD,IAmBPkf,GAXwBP,EAWgBF,EAAEU,UAAUR,UAR/C,IAAIh6B,OAFa,CAAC,QAAS,WAAY,SAEVM,KAAK,MAAMqB,KAAKq4B,GAQe,EAAI,GA0LzEF,EAAEjR,OAASiR,EAAEG,SAAW,gBAEDr0B,IAAjBpJ,UAAU,MAKsB,IAAhCi+B,EAAcj+B,UAAU,IAoB5Bk+B,EAAa79B,KACXi9B,EACAje,EAAEe,UACoBhX,IAAtBpJ,UAAU,GAAG47B,OACP57B,UAAU,GAAG47B,KACf0B,EAAEa,SAAWb,EAAEzB,iBACEzyB,IAArBpJ,UAAU,GAAG87B,MACP97B,UAAU,GAAG87B,IACfwB,EAAEc,SAAWd,EAAEvB,aA3BnBxc,EAAS8M,OAAOhsB,KACdi9B,OACsBl0B,IAAtBpJ,UAAU,GAAG47B,KACT57B,UAAU,GAAG47B,KACW,iBAAjB57B,UAAU,GACjBA,UAAU,GACVs9B,EAAEa,SAAWb,EAAEzB,iBAEEzyB,IAArBpJ,UAAU,GAAG87B,IACT97B,UAAU,GAAG87B,SACI1yB,IAAjBpJ,UAAU,GACVA,UAAU,GACVs9B,EAAEc,SAAWd,EAAEvB,eAoBzBuB,EAAEI,SAAW,gBAEUt0B,IAAjBpJ,UAAU,KAKVi+B,EAAcj+B,UAAU,IAC1Buf,EAASme,SAASr9B,KAChBi9B,OACsBl0B,IAAtBpJ,UAAU,GAAG47B,KACT57B,UAAU,GAAG47B,KACW,iBAAjB57B,UAAU,GACjBA,UAAU,GACV,OACiBoJ,IAArBpJ,UAAU,GAAG87B,IACT97B,UAAU,GAAG87B,SACI1yB,IAAjBpJ,UAAU,GACVA,UAAU,GACV,GAORk+B,EAAa79B,KACXi9B,EACAje,EAAEe,OACApgB,UAAU,GAAG47B,MAAQ0B,EAAEa,SAAWb,EAAEzB,eACpC77B,UAAU,GAAG87B,KAAOwB,EAAEc,SAAWd,EAAEvB,gBAKzC1tB,EAAQlO,UAAUksB,OAAShe,EAAQlO,UAAUs9B,SAAW,WAEtD,QAAqBr0B,IAAjBpJ,UAAU,GAKd,IAAoC,IAAhCi+B,EAAcj+B,UAAU,IAA5B,CAyBA,IAAI47B,EAAO57B,UAAU,GAAG47B,KACpBE,EAAM97B,UAAU,GAAG87B,IAGvBoC,EAAa79B,KACXE,KACAA,UACgB,IAATq7B,EAAuBr7B,KAAKkN,aAAemuB,OACnC,IAARE,EAAsBv7B,KAAKoN,YAAcmuB,OAjClD,CAEE,GAA4B,iBAAjB97B,UAAU,SAAoCoJ,IAAjBpJ,UAAU,GAChD,MAAM,IAAIq+B,YAAY,gCAGxB9e,EAASoe,cAAct9B,KACrBE,UAEsB6I,IAAtBpJ,UAAU,GAAG47B,OACP57B,UAAU,GAAG47B,KACS,iBAAjB57B,UAAU,KACfA,UAAU,GACZO,KAAKkN,gBAEYrE,IAArBpJ,UAAU,GAAG87B,MACP97B,UAAU,GAAG87B,SACE1yB,IAAjBpJ,UAAU,KACRA,UAAU,GACZO,KAAKoN,aAmBfU,EAAQlO,UAAUu9B,SAAW,gBAENt0B,IAAjBpJ,UAAU,MAKsB,IAAhCi+B,EAAcj+B,UAAU,IAc5BO,KAAK8rB,OAAO,CACVuP,OAAQ57B,UAAU,GAAG47B,KAAOr7B,KAAKkN,WACjCquB,MAAO97B,UAAU,GAAG87B,IAAMv7B,KAAKoN,UAC/B2wB,SAAUt+B,UAAU,GAAGs+B,WAhBvB/e,EAASoe,cAAct9B,KACrBE,UACsB6I,IAAtBpJ,UAAU,GAAG47B,OACP57B,UAAU,GAAG47B,KAAOr7B,KAAKkN,aACzBzN,UAAU,GAAKO,KAAKkN,gBACLrE,IAArBpJ,UAAU,GAAG87B,MACP97B,UAAU,GAAG87B,IAAMv7B,KAAKoN,YACxB3N,UAAU,GAAKO,KAAKoN,aAchCU,EAAQlO,UAAU09B,eAAiB,WAEjC,IAAoC,IAAhCI,EAAcj+B,UAAU,IAA5B,CAUA,IAAIu+B,EAAmBC,EAAqBj+B,MACxCk+B,EAAcF,EAAiBzwB,wBAC/B4wB,EAAcn+B,KAAKuN,wBAEnBywB,IAAqBlf,EAAEe,MAEzB8d,EAAa79B,KACXE,KACAg+B,EACAA,EAAiB9wB,WAAaixB,EAAY9C,KAAO6C,EAAY7C,KAC7D2C,EAAiB5wB,UAAY+wB,EAAY5C,IAAM2C,EAAY3C,KAIP,UAAlDwB,EAAEqB,iBAAiBJ,GAAkBxrB,UACvCuqB,EAAEI,SAAS,CACT9B,KAAM6C,EAAY7C,KAClBE,IAAK2C,EAAY3C,IACjBwC,SAAU,YAKdhB,EAAEI,SAAS,CACT9B,KAAM8C,EAAY9C,KAClBE,IAAK4C,EAAY5C,IACjBwC,SAAU,gBAnCZ/e,EAASse,eAAex9B,KACtBE,UACiB6I,IAAjBpJ,UAAU,IAA0BA,UAAU,KA3UpD,SAAS49B,EAAcvyB,EAAGE,GACxBhL,KAAKkN,WAAapC,EAClB9K,KAAKoN,UAAYpC,EAmBnB,SAAS0yB,EAAcW,GACrB,GACe,OAAbA,GACoB,iBAAbA,QACex1B,IAAtBw1B,EAASN,UACa,SAAtBM,EAASN,UACa,YAAtBM,EAASN,SAIT,OAAO,EAGT,GAAwB,iBAAbM,GAA+C,WAAtBA,EAASN,SAE3C,OAAO,EAIT,MAAM,IAAIt9B,UACR,oCACE49B,EAASN,SACT,yDAWN,SAASO,EAAmBx2B,EAAIy2B,GAC9B,MAAa,MAATA,EACKz2B,EAAG8X,aAAe4d,EAAqB11B,EAAG02B,aAGtC,MAATD,EACKz2B,EAAGkY,YAAcwd,EAAqB11B,EAAG22B,iBADlD,EAYF,SAASC,EAAY52B,EAAIy2B,GACvB,IAAII,EAAgB5B,EAAEqB,iBAAiBt2B,EAAI,MAAM,WAAay2B,GAE9D,MAAyB,SAAlBI,GAA8C,WAAlBA,EAUrC,SAASC,EAAa92B,GACpB,IAAI+2B,EAAgBP,EAAmBx2B,EAAI,MAAQ42B,EAAY52B,EAAI,KAC/Dg3B,EAAgBR,EAAmBx2B,EAAI,MAAQ42B,EAAY52B,EAAI,KAEnE,OAAO+2B,GAAiBC,EAS1B,SAASb,EAAqBn2B,GAC5B,KAAOA,IAAOgX,EAAEe,OAA6B,IAArB+e,EAAa92B,IACnCA,EAAKA,EAAGN,YAAcM,EAAGjG,KAG3B,OAAOiG,EAST,SAASi3B,EAAKrgB,GACZ,IACIne,EACAy+B,EACAC,EAxGQC,EAyGRC,GAJO7gB,IAIWI,EAAQ0gB,WA9Jd,IAqDJF,EA4GZC,EAAUA,EAAU,EAAI,EAAIA,EAG5B5+B,EA9GO,IAAO,EAAI8K,KAAKg0B,IAAIh0B,KAAKi0B,GAAKJ,IAgHrCF,EAAWtgB,EAAQ6gB,QAAU7gB,EAAQ5T,EAAI4T,EAAQ6gB,QAAUh/B,EAC3D0+B,EAAWvgB,EAAQ8gB,QAAU9gB,EAAQ1T,EAAI0T,EAAQ8gB,QAAUj/B,EAE3Dme,EAAQ+gB,OAAO3/B,KAAK4e,EAAQghB,WAAYV,EAAUC,GAG9CD,IAAatgB,EAAQ5T,GAAKm0B,IAAavgB,EAAQ1T,GACjD+xB,EAAEjF,sBAAsBiH,EAAK5U,KAAK4S,EAAGre,IAYzC,SAASif,EAAa71B,EAAIgD,EAAGE,GAC3B,IAAI00B,EACAH,EACAC,EACAC,EACAL,EAAY9gB,IAGZxW,IAAOgX,EAAEe,MACX6f,EAAa3C,EACbwC,EAASxC,EAAEa,SAAWb,EAAEzB,YACxBkE,EAASzC,EAAEc,SAAWd,EAAEvB,YACxBiE,EAASzgB,EAAS8M,SAElB4T,EAAa53B,EACby3B,EAASz3B,EAAGoF,WACZsyB,EAAS13B,EAAGsF,UACZqyB,EAASpC,GAIX0B,EAAK,CACHW,WAAYA,EACZD,OAAQA,EACRL,UAAWA,EACXG,OAAQA,EACRC,OAAQA,EACR10B,EAAGA,EACHE,EAAGA,KChOT,ICO6RxL,iBDC3R,WAAYmgC,EAAiCC,gBAAjCD,MAPL3/B,gBAAqB,EAIpBA,SAAqB,KAI3BA,KAAK2/B,QAAUA,EACf3/B,KAAK4/B,MAAQA,EAiFjB,OA3ESC,sBAAP,SAAiBC,GACf,IAAM9lB,EAAQha,KAAK+/B,gBAAgBD,GACnC9/B,KAAK2/B,QAAQnc,OAAOxJ,EAAO,EAAG8lB,IAMzBD,uBAAP,SAAkBF,GAChB3/B,KAAK2/B,QAAU3/B,KAAK2/B,QAAQp+B,OAAOo+B,IAG9BE,kBAAP,WACE7/B,KAAKuuB,WAAa,EAClB,IAAIyR,EAAgBzC,YAAYjf,MACxBqhB,EAAY3/B,aACdigC,EAAOjgC,KAmBbA,KAAKkgC,IAAMpI,uBAlBX,SAASqI,IACP,IAAMrG,EAAOyD,YAAYjf,MAGzB,IAFA2hB,EAAK1R,aAAeuL,EAAOkG,GAAiBC,EAAKL,MACjDI,EAAgBlG,EACT6F,EAAQjgC,QAAQ,CACrB,IAAMogC,EAASH,EAAQ,GAEvB,KAAIM,EAAK1R,YAAcuR,EAAOM,OAI5B,MAHAT,EAAQrZ,QACRwZ,EAAOO,YAKPV,EAAQjgC,OAAS,GAAKugC,EAAKK,YAC7BL,EAAKC,IAAMpI,sBAAsBqI,QAMhCN,kBAAP,WACM7/B,KAAKkgC,MACPK,qBAAqBvgC,KAAKkgC,KAC1BlgC,KAAKkgC,IAAM,MAEblgC,KAAK2/B,QAAQjgC,OAAS,GAGjBmgC,qBAAP,SAAgBD,GACd5/B,KAAK4/B,MAAQA,GAGRC,2BAAP,SAAsB7jB,GACpBhc,KAAKsgC,SAAWtkB,GAGX6jB,qBAAP,WACE,OAAoB,OAAb7/B,KAAKkgC,KAGNL,4BAAR,SAAwBC,GAGtB,IAFA,IAAIrtB,EAAQ,EACRI,EAAM7S,KAAK2/B,QAAQjgC,OAAS,EACzB+S,GAASI,GAAK,CACnB,IAAI2tB,EAAMn1B,KAAKo1B,OAAOhuB,EAAQI,GAAO,GACrC,GAAI7S,KAAK2/B,QAAQa,GAAKJ,MAAQN,EAAOM,MACnC3tB,EAAQ+tB,EAAM,MACT,CAAA,KAAIxgC,KAAK2/B,QAAQa,GAAKJ,MAAQN,EAAOM,OAK1C,OAAOI,EAAM,EAJb3tB,EAAM2tB,EAAM,GAOhB,OAAO/tB,iBAKKiuB,GAASngB,EAAsBogB,GAG7C,GACEpgB,EAAMje,OAAS0W,YAAUuhB,qBACzBha,EAAMhV,KAAKuH,SAAWmG,oBAAkB0V,UACxC,CACA,IAAMiS,EAAcrgB,EAAMhV,KAAK6iB,UAAU,GAAGG,WAEtCsS,EAAiBtgB,EAAM0X,UAAY2I,EAEzC,OADArgB,EAAM6f,MAAQS,EAAiBF,EACxBE,EAAiBF,EAI1B,OADApgB,EAAM6f,MAAQ7f,EAAM0X,UAAY0I,EACzBpgB,EAAM6f;;;;;;;;;;;;;;oFCtGf,SAAS/gC,GAAEA,EAAEG,GAAG,IAAIoB,EAAE,mBAAmBT,QAAQd,EAAEc,OAAOC,UAAU,IAAIQ,EAAE,OAAOvB,EAAE,IAAIsB,EAAET,EAAEX,EAAEqB,EAAEd,KAAKT,GAAGsG,EAAE,GAAG,IAAI,WAAM,IAASnG,GAAGA,KAAK,MAAMmB,EAAEpB,EAAEe,QAAQE,MAAMmF,EAAE7E,KAAKH,EAAEJ,OAAO,MAAMlB,GAAGa,EAAE,CAACa,MAAM1B,GAAG,QAAQ,IAAIsB,IAAIA,EAAEH,OAAOI,EAAErB,EAAEuhC,SAASlgC,EAAEd,KAAKP,GAAG,QAAQ,GAAGW,EAAE,MAAMA,EAAEa,OAAO,OAAO4E,GAAS,SAAStG,GAAGA,EAAEA,EAAE0hC,WAAW,GAAG,aAAa1hC,EAAEA,EAAE2hC,QAAQ,GAAG,UAAU3hC,EAAEA,EAAE4hC,QAAQ,GAAG,UAAnF,CAA8FzhC,KAAIA,GAAE,KAAK,IAAIoB,GAAE,CAAC0B,KAAK,eAAe,SAAS3B,GAAEtB,GAAG,YAAO,IAASA,EAAE,GAAG,GAAGkC,OAAOlC,GAAG,SAASa,GAAEb,GAAG,MAAM,CAACiD,KAAK,gBAAgB4+B,WAAW7hC,GAAG,SAASE,GAAEF,EAAEG,GAAG,MAAM,iBAAiBH,EAAE,iBAAiBA,GAAGG,GAAGA,EAAEH,GAAGG,EAAEH,GAAGA,GAAG,CAACiD,KAAKjD,GAAG,mBAAmBA,EAAE,CAACiD,KAAKjD,EAAE2G,KAAKM,KAAKjH,GAAGA,EAAE,SAASsG,GAAEtG,GAAG,OAAO,SAASG,GAAG,OAAOH,IAAIG,GAAG,SAAS2hC,GAAE9hC,GAAG,MAAM,iBAAiBA,EAAE,CAACiD,KAAKjD,GAAGA,EAAE,SAASsH,GAAEtH,EAAEG,GAAG,MAAM,CAACe,MAAMlB,EAAEqf,QAAQlf,EAAEmgC,QAAQ,GAAGyB,SAAQ,EAAG3+B,QAAQkD,GAAEtG,IAAI,SAASgiC,GAAEhiC,EAAEG,EAAEoB,GAAG,IAAID,EAAEnB,EAAEU,GAAE,EAAG,MAAM,CAACb,EAAE0a,iBAAiB1a,GAAG,GAAG,kBAAkBA,EAAEiD,KAAK,CAACpC,GAAE,EAAG,IAAIV,EAAEL,OAAOC,OAAO,GAAGuB,GAAG,MAAM,mBAAmBtB,EAAE6hC,WAAW1hC,EAAEH,EAAE6hC,WAAWvgC,EAAEC,GAAGzB,OAAOgX,KAAK9W,EAAE6hC,YAAY7qB,kBAAkBnW,GAAGV,EAAEU,GAAG,mBAAmBb,EAAE6hC,WAAWhhC,GAAGb,EAAE6hC,WAAWhhC,GAAGS,EAAEC,GAAGvB,EAAE6hC,WAAWhhC,MAAMS,EAAEnB,GAAE,EAAG,OAAM,KAAMmB,EAAET,GAAG,SAASZ,GAAEE,EAAEU,QAAG,IAASA,IAAIA,EAAE,IAAI,IAAIZ,EAAED,GAAEgiC,GAAE1gC,GAAEnB,EAAE8hC,OAAO9hC,EAAE+hC,SAASC,OAAOn+B,cAAchE,GAAG,OAAOE,GAAEF,EAAEa,EAAEy/B,YAAYngC,EAAEkf,QAAQ9d,IAAG,GAAGQ,EAAE9B,EAAE,GAAGgX,EAAEhX,EAAE,GAAG0L,EAAE,CAACy2B,OAAOjiC,EAAEkiC,SAASxhC,EAAEyhC,aAAa,CAACphC,MAAMf,EAAE+hC,QAAQ5B,QAAQv+B,EAAEsd,QAAQpI,EAAE7T,QAAQkD,GAAEnG,EAAE+hC,UAAUK,WAAW,SAAShhC,EAAEV,GAAG,IAAIZ,EAAE8B,EAAEkV,EAAE,iBAAiB1V,EAAE,CAACL,MAAMK,EAAE8d,QAAQlf,EAAEkf,SAAS9d,EAAEjB,EAAE2W,EAAE/V,MAAMshC,EAAEvrB,EAAEoI,QAAQI,EAAEqiB,GAAEjhC,GAAG4K,EAAEtL,EAAE8hC,OAAO3hC,GAAG,GAAGmL,EAAEoS,GAAG,CAAC,IAAI7c,EAAEM,GAAEmK,EAAEoS,GAAG4B,EAAExc,OAAO,IAAI,IAAI,IAAIkpB,EAAE,SAASnsB,GAAG,IAAIG,EAAE,mBAAmBW,QAAQA,OAAOC,SAASQ,EAAEpB,GAAGH,EAAEG,GAAGmB,EAAE,EAAE,GAAGC,EAAE,OAAOA,EAAEd,KAAKT,GAAG,GAAGA,GAAG,iBAAiBA,EAAEK,OAAO,MAAM,CAACY,KAAK,WAAW,OAAOjB,GAAGsB,GAAGtB,EAAEK,SAASL,OAAE,GAAQ,CAACkB,MAAMlB,GAAGA,EAAEsB,KAAKH,MAAMnB,KAAK,MAAM,IAAIoB,UAAUjB,EAAE,0BAA0B,mCAAtQ,CAA0Sa,GAAG6Z,EAAEsR,EAAElrB,QAAQ4Z,EAAE1Z,KAAK0Z,EAAEsR,EAAElrB,OAAO,CAAC,IAAIwhC,EAAE5nB,EAAE3Z,MAAM,QAAG,IAASuhC,EAAE,OAAOn7B,GAAEhH,EAAEkiC,GAAG,IAAI9E,EAAE,iBAAiB+E,EAAE,CAAC1kB,OAAO0kB,GAAGA,EAAEC,EAAEhF,EAAE3f,OAAO4kB,EAAEjF,EAAE4C,QAAQsC,OAAE,IAASD,EAAE,GAAGA,EAAEE,EAAEnF,EAAEoF,KAAKC,OAAE,IAASF,EAAE,WAAW,OAAM,GAAIA,EAAEG,OAAE,IAASN,EAAE7C,EAAE,MAAM6C,EAAEA,EAAEpiC,EAAE2iC,EAAE9iC,EAAE8hC,OAAOpC,GAAG,GAAGkD,EAAEP,EAAE/iB,GAAG,CAAC,IAAIyjB,EAAEljC,GAAEgiC,IAAGgB,EAAE1hC,GAAEshC,GAAG,GAAG1gC,OAAOuJ,EAAE03B,KAAKP,EAAEK,EAAEd,OAAOznB,iBAAiB1a,GAAG,OAAOA,MAAMgE,cAAchE,GAAG,OAAOE,GAAEF,EAAE2L,EAAE02B,SAAS/B,YAAYkC,EAAE/iB,GAAG,GAAG2jB,EAAEF,EAAE,GAAGG,EAAEH,EAAE,GAAGI,EAAEJ,EAAE,GAAGK,EAAE,MAAMb,EAAEA,EAAEpiC,EAAE,MAAM,CAACY,MAAMqiC,EAAElkB,QAAQgkB,EAAE/C,QAAQ8C,EAAErB,QAAQW,IAAIpiC,GAAG8iC,EAAE/iC,OAAO,GAAGijC,EAAElgC,QAAQkD,GAAEi9B,MAAM,MAAMvjC,GAAGC,EAAE,CAACyB,MAAM1B,GAAG,QAAQ,IAAI6a,IAAIA,EAAE1Z,OAAOY,EAAEoqB,EAAEsV,SAAS1/B,EAAEtB,KAAK0rB,GAAG,QAAQ,GAAGlsB,EAAE,MAAMA,EAAEyB,QAAQ,OAAO4F,GAAEhH,EAAEkiC,KAAK,OAAO72B,EAAE,IAAI5J,GAAE,SAAS/B,EAAEG,GAAG,OAAOH,EAAEsgC,QAAQtpB,kBAAkBzV,GAAG,IAAID,EAAEC,EAAE0F,KAAK,OAAO3F,GAAGA,EAAEtB,EAAEqf,QAAQlf,OAAO,SAAS8W,GAAEjX,GAAG,IAAIsB,EAAEtB,EAAEsiC,aAAazhC,EAAEV,GAAEuhC,WAAWxhC,EAAE,IAAIsjB,IAAIlc,EAAE,CAACk8B,SAASxjC,EAAEyjC,KAAK,SAASliC,GAAGV,IAAIV,GAAEwhC,UAAUrgC,EAAEtB,EAAEuiC,WAAWjhC,EAAEC,GAAGQ,GAAET,EAAEwgC,GAAEvgC,IAAIrB,EAAE8W,kBAAkBhX,GAAG,OAAOA,EAAEsB,QAAQoiC,UAAU,SAAS1jC,GAAG,OAAOE,EAAEqiB,IAAIviB,GAAGA,EAAEsB,GAAG,CAACqiC,YAAY,WAAW,OAAOzjC,EAAEyiB,OAAO3iB,MAAMoT,MAAM,SAASlT,GAAG,GAAGA,EAAE,CAAC,IAAI4hC,EAAE,iBAAiB5hC,EAAEA,EAAE,CAACmf,QAAQrf,EAAEoiC,OAAO/iB,QAAQne,MAAMhB,GAAGoB,EAAE,CAACJ,MAAM4gC,EAAE5gC,MAAMo/B,QAAQ,GAAGjhB,QAAQyiB,EAAEziB,QAAQjc,QAAQkD,GAAEw7B,EAAE5gC,QAAQ,OAAOL,EAAEV,GAAEwhC,QAAQ5/B,GAAET,EAAEC,IAAG+F,GAAGs8B,KAAK,WAAW,OAAO/iC,EAAEV,GAAEyhC,QAAQ1hC,EAAEk3B,QAAQ9vB,GAAGu8B,YAAY,OAAOviC,GAAGwiC,aAAa,OAAOjjC,IAAI,OAAOyG,WCmExjGy8B,GACd1kB,EACA9c,OAAEyhC,cAAWC,6BAA0BC,YAsMvC,OAAOC,GApMeC,GACpB,CACE76B,GAAI,SACJ8V,UACA6iB,QAAS,SACTD,OAAQ,CACNoC,QAAS,CACPxmB,GAAI,CACFymB,MAAO,CACLvmB,OAAQ,SACRuiB,QAAS,CAAC,UAEZiE,WAAY,CACVxmB,OAAQ,UACRuiB,QAAS,aAEXkE,IAAK,CACHzmB,OAAQ,SACRuiB,QAAS,CAAC,uBAAwB,UAEpCmE,UAAW,CACT1mB,OAAQ,UACRuiB,QAAS,CAAC,eAIhB5yB,OAAQ,CACNmQ,GAAI,CACF6mB,KAAM,CACJ3mB,OAAQ,UACRuiB,QAAS,CAAC,mBAAoB,SAEhCiE,WAAY,CACVxmB,OAAQ,SACRuiB,QAAS,aAEXqE,QAAS,CACP5mB,OAAQ,OACRuiB,QAAS,CAAC,cAEZmE,UAAW,CACT1mB,OAAQ,SACRuiB,QAAS,CAAC,eAIhBsE,KAAM,CACJ/mB,GAAI,CACF4mB,UAAW,CACT1mB,OAAQ,OACRuiB,QAAS,CAAC,aAEZiE,WAAY,CACVxmB,OAAQ,OACRuiB,QAAS,CAAC,kBAMpB,CACEA,QAAS,CACPuE,UAAW9kC,GAAO,CAChB+kC,gBAAiB,SAACv5B,EAAK2V,GACrB,MAAmB,eAAfA,EAAMje,KACDie,EAAMwG,QAAQxG,MAEhB3V,EAAIu5B,mBAGfC,iBAAkBhlC,IAAO,SAACwL,EAAK2V,GAC7B,IAAIgO,EAAa3jB,EAAI2jB,WAIrB,MAHI,YAAahO,GAAS,eAAgBA,EAAMwG,UAC9CwH,EAAahO,EAAMwG,QAAQwH,mBAGxB3jB,IACH2jB,aACAoS,aAAc/1B,EAAIy5B,OAAO,GAAGpM,UAAY1J,OAG5CnT,KAAA,SAAKxQ,iBACK05B,EAAiD15B,QAA1Cy5B,EAA0Cz5B,SAAlC+1B,EAAkC/1B,eAApBu5B,EAAoBv5B,kBACzD05B,EAAM7N,YAEN,IAAoB,IAAA8N,EAAAtkC,EAAAokC,iCAAQ,CAE1B3D,WAAgBC,qGAElB,IAAM6D,WAhHdH,EACA1D,GAEA,IAAK,IAAIpd,EAAM8gB,EAAO3kC,OAAS,EAAG6jB,GAAO,EAAGA,IAAO,CACjD,IAAMkhB,EAAQJ,EAAO9gB,GACrB,GAAIkhB,EAAMniC,OAAS0W,YAAUiiB,MACvBwJ,EAAMxM,WAAa0I,EACrB,OAAO0D,EAAO/iC,MAAMiiB,GAI1B,OAAO8gB,EAqGsBK,CAAsBL,EAAQ1D,GAE/CgE,EAAsBR,MAAAA,SAAAA,EAAiBlM,WAEzCkM,MAAAA,SAAAA,EAAiB7hC,QAAS0W,YAAUuhB,qBACpC4J,EAAgB54B,KAAKuH,SAAWmG,oBAAkB0V,YAElDgW,EACER,EAAgBlM,qBAChBkM,EAAgB54B,KAAK6iB,UAAU,yBAAIG,aAEnCoS,GAAgBgE,GAAuB,IACzCpB,EAAQve,KAAK3L,iBAAeurB,UAG9B,IAAMC,EAAa,IAAIxjC,MACjBs+B,EAAU,IAAIt+B,iBACTyjC,GACT,GACEH,GACAA,EAAsBhE,IACrBmE,EAAM7M,WAAa0M,GAClBG,IAAUX,oBAId,GAAIW,EAAM7M,UAAY0I,EACpBkE,EAAW/jC,KAAKgkC,OACX,CACL,IAAMC,EAAS1B,EAAUyB,GAAO,GAChCnF,EAAQ7+B,KAAK,CACXu/B,SAAU,WACR0E,KAEF3E,MAAO0E,EAAM1E,cAjBnB,IAAoB,IAAA4E,EAAA/kC,EAAAukC,+IAqBpBlB,EAAyBuB,GACzBtB,EAAQve,KAAK3L,iBAAe4rB,OAC5BX,EAAMY,WAAWvF,GACjB2E,EAAM7xB,SAER4I,eAAMzQ,GACJA,EAAI05B,MAAM7N,SAEZ0O,qBAAsB/lC,IAAO,SAACwL,GAC5B,cACKA,IACHu5B,gBAAiB,UAGrBiB,UAAWhmC,GAAO,CAChBuhC,aAAc,SAAC/1B,EAAK2V,GAGlB,OAFA3V,EAAI05B,MAAMe,gBAAe,GACzBz6B,EAAI05B,MAAM7xB,QACS,YAAf8N,EAAMje,MAAsBie,EAAMwG,QAAQ4Z,aACrCpgB,EAAMwG,QAAQ4Z,aAEhBpiB,KAAKD,SAGhBgnB,SAAUlmC,IAAO,SAACwL,EAAK26B,GACb,IAAA5E,EAAgC/1B,eAAlB05B,EAAkB15B,QAAXy5B,EAAWz5B,SACxC,GAA0B,cAAtB26B,EAAajjC,KAAsB,CAC7B,IAAAkjC,EAAUD,EAAaxe,cAC/B2Z,GAAS8E,EAAO7E,GAEhB,IAAI9tB,EAAMwxB,EAAO3kC,OAAS,EAC1B,IAAK2kC,EAAOxxB,IAAQwxB,EAAOxxB,GAAKolB,WAAauN,EAAMvN,UAEjDoM,EAAOvjC,KAAK0kC,OACP,CAGL,IAFA,IAAIC,GAAkB,EAClBhzB,EAAQ,EACLA,GAASI,GAAK,CACnB,IAAI2tB,EAAMn1B,KAAKo1B,OAAOhuB,EAAQI,GAAO,GACjCwxB,EAAO7D,GAAKvI,WAAauN,EAAMvN,UACjCxlB,EAAQ+tB,EAAM,EAEd3tB,EAAM2tB,EAAM,GAGQ,IAApBiF,IACFA,EAAiBhzB,GAEnB4xB,EAAO7gB,OAAOiiB,EAAgB,EAAGD,GAGnC,IAAME,EAASF,EAAMvN,UAAY0I,EAC3BgF,EAAStC,EAAUmC,EAAOE,GAC5BA,EACFC,IACSrB,EAAMsB,YACftB,EAAMuB,UAAU,CACdxF,SAAU,WACRsF,KAEFvF,MAAOoF,EAAMpF,QAInB,cAAYx1B,IAAKy5B,kBCpR3B,ICEYyB,YAuCIC,GACd5iC,EACAqP,GAEA,IAAMhP,EAAOL,EAAMqP,EAAS,IAC5B,OAAwB,IAApBA,EAAS9S,OACJ8D,EAEAuiC,GACHviC,EAAyBJ,SAASoP,EAAS,IAC1CpP,SACHoP,EAASlR,MAAM,aAKL0kC,GAAqBC,GACnC,IAAM7X,SAAgB6X,OAChBjsB,EAAQoU,EAAUnpB,MACxB,MAAO,CAAEmpB,YAAWpU,kBAGNksB,GACdC,EACAC,GAEQ,IAAAv+B,EAAUu+B,QACbv+B,GAMLs+B,EAAY9vB,SAAQ,SAAC7S,GACnB,GAAIA,EAAKlB,OAASwjC,GAAcO,OAC9B,IACE,GAAIhlC,MAAM+U,QAAQ5S,EAAKwW,OAAQ,CACvB,IAAApY,EAAuBokC,GAAqBxiC,EAAKwW,OAA/CoU,cAAWpU,UACA+rB,GAAcl+B,EAAMzE,SAAUgrB,GACtCwC,WAAWptB,EAAKE,QAASsW,QAEpCnS,EAAM+oB,WAAWptB,EAAKE,QAASF,EAAKwW,OAEtC,MAAOpZ,SAMJ,GAAI4C,EAAKlB,OAASwjC,GAAcQ,OACrC,IACE,GAAIjlC,MAAM+U,QAAQ5S,EAAKwW,OAAQ,CACvB,IAAA7R,EAAuB69B,GAAqBxiC,EAAKwW,OAA/CoU,cAAWpU,UACA+rB,GAAcl+B,EAAMzE,SAAUgrB,GACtC0C,WAAW9W,GAAS,QAE/BnS,EAAMipB,WAAWttB,EAAKwW,OAExB,MAAOpZ,SAMJ,GAAI4C,EAAKlB,OAASwjC,GAAcS,UAkB3C,SACEC,EACAJ,SAEA,IACE,IAAMK,EAAgBplC,MAAMH,gBAAKklC,EAAUv+B,4BAAOzE,WAAY,IAAIC,KAChE,SAACG,GAAS,OAAAA,EAAKE,WAEXgjC,EAAwBvnC,OAAO8xB,QAAQwV,GAAeE,UACxDC,EAAYH,EAAc/mC,OAC9BgnC,EAAsBrwB,SAAQ,SAACzU,SAAAyG,EAAA3H,OAACsZ,OAAOxW,OAC/BqB,EAAU2hC,EAAS3hC,QAAQrB,GACjC,IAAiB,IAAbqB,GAAkBA,EAAU+hC,EAC9B,cACER,EAAUv+B,sBAAOipB,WAAW9F,OAAOhR,IACnC,MAAOpZ,IAOXgmC,EAAY/hC,KAEd2hC,EAASnwB,SAAQ,SAAC3S,EAASsW,aACzB,yBACMosB,EAAUv+B,4BAAOzE,SAAS4W,yBAAQtW,WAAYA,cAChD0iC,EAAUv+B,sBAAO+oB,WAAWltB,EAASsW,IAEvC,MAAOpZ,QAOX,MAAOA,KArDLimC,CAAkCrjC,EAAKgjC,SAAUJ,QAC5C,GAAI5iC,EAAKlB,OAASwjC,GAAcgB,YAAa,CAC9Bf,GAClBl+B,EAAMzE,SACNI,EAAKwW,OAEI9E,MAAMmc,YAAY7tB,EAAKwM,SAAUxM,EAAKjD,MAAOiD,EAAK+tB,eACxD,GAAI/tB,EAAKlB,OAASwjC,GAAciB,eAAgB,CACjChB,GAClBl+B,EAAMzE,SACNI,EAAKwW,OAEI9E,MAAMsc,eAAehuB,EAAKwM,eApH3C,SAAY81B,GACVA,uBACAA,uBACAA,2BACAA,iCACAA,uCALF,CAAYA,KAAAA,QCQZ,IAAMlS,GAGF,IAAIrZ,aACQ2Z,GACdtpB,EACAopB,GAEA,IAAIC,EAAaL,GAAYha,IAAIhP,GAQjC,OAPKqpB,IACHA,EAAa,IAAI1Z,IACjBqZ,GAAYvZ,IAAIzP,EAAKqpB,IAElBA,EAAWpW,IAAImW,IAClBC,EAAW5Z,IAAI2Z,EAAM,IAEhBC,EAAWra,IAAIoa,GAsBxB,IAAMgT,GAAiC,CACrC,kBACA,cACA,mBACA,eACA,oBACA,cACA,6BACA,eACA,uBACA,mCAgBcC,GACdC,EACAt8B,GAEA,OAAO,SAACyT,GACN,GAAIA,GAAsB,iBAARA,GAAoB,YAAaA,EAAK,CACtD,GAAI,UAAWA,EAAK,CACV,IAASrU,EAAgBqU,UAAVrE,EAAUqE,QACjC,OAAO6V,GAAgBtpB,EAAKZ,GAAMgQ,GAC7B,GAAI,SAAUqE,EAAK,CAChB,IAASrB,EAAeqB,UAATM,EAASN,OAC1B2V,EAAOvU,OAAOzC,GAEpB,WAAWgX,aAAAA,eAAQrV,EAAKtb,IAAI4jC,GAAeC,EAAUt8B,WAChD,GAAI,WAAYyT,EACrB,Od9DK,SAAUyW,GACnB,IAA8Dv1B,EAAU4nC,EAAUC,EAAUC,EAAUC,EAAlGC,EAA+B,IAAhBzS,EAAOp1B,OAAeu1B,EAAMH,EAAOp1B,OAAWC,EAAI,EACnC,MAA9Bm1B,EAAOA,EAAOp1B,OAAS,KACvB6nC,IACkC,MAA9BzS,EAAOA,EAAOp1B,OAAS,IACvB6nC,KAGR,IAAIxS,EAAc,IAAIF,YAAY0S,GAAevS,EAAQ,IAAI1C,WAAWyC,GACxE,IAAKx1B,EAAI,EAAGA,EAAI01B,EAAK11B,GAAK,EACtB4nC,EAAWzT,GAAOoB,EAAOnB,WAAWp0B,IACpC6nC,EAAW1T,GAAOoB,EAAOnB,WAAWp0B,EAAI,IACxC8nC,EAAW3T,GAAOoB,EAAOnB,WAAWp0B,EAAI,IACxC+nC,EAAW5T,GAAOoB,EAAOnB,WAAWp0B,EAAI,IACxCy1B,EAAMr1B,KAAQwnC,GAAY,EAAMC,GAAY,EAC5CpS,EAAMr1B,MAAoB,GAAXynC,IAAkB,EAAMC,GAAY,EACnDrS,EAAMr1B,MAAoB,EAAX0nC,IAAiB,EAAiB,GAAXC,EAE1C,OAAOvS,Ec4CIyS,CAAOnpB,EAAIyW,QACb,GAAI,QAASzW,EAAK,CACvB,IAAMnD,EAAQgsB,EAASttB,IAAIyE,EAAI1Q,KAC/B,GAAIuN,EACF,OAAOA,EAEP,IAAMjP,EAAQ,IAAIw7B,MAGlB,OAFAx7B,EAAM0B,IAAM0Q,EAAI1Q,IAChBu5B,EAAS7sB,IAAIgE,EAAI1Q,IAAK1B,GACfA,QAGN,GAAI5K,MAAM+U,QAAQiI,GACvB,OAAOA,EAAIhb,IAAI4jC,GAAeC,EAAUt8B,IAE1C,OAAOyT,YAIaqpB,GAAc9lC,OACpCsf,aACA9D,WACA9a,SACA4kC,aACAS,iBAQA,IACE,IAAM/8B,EA7FV,SACEwS,EACA9a,GAKA,IACE,OAAIA,IAAS6W,EAAcue,MAEvBta,EAAOvS,WAAW,UAAauS,EAAOvS,WAAW,sBAG9CuS,EAAOvS,WAAW,UACzB,MAAOjK,GACP,OAAO,MA8EKiK,CAAWuS,EAAQ9a,GAC/B,IAAKsI,EAAK,OAMV,GAAIsW,EAAS6U,OAIX,YADCnrB,EAAYsW,EAASlR,UAAYkR,EAASvC,KAAK,IAGlD,IAAMK,EAAWpU,EACfsW,EAASlR,UAGL2O,EAAOuC,EAASvC,KAAKtb,IAAI4jC,GAAeC,EAAUt8B,KA9E5D,SACEA,EACAuP,GAEA,GAAKA,MAAAA,SAAAA,EAAQga,YAAb,CAEQ,IAAAnuB,EAASmU,EAAOga,iBACxB,GAAK6S,GAA+BY,SAAS5hC,GAA7C,CAEA,IAAM6hC,EAAY3T,GAAgBtpB,EAAK5E,GAClC6hC,EAAUD,SAASztB,IAAS0tB,EAAU/mC,KAAKqZ,KAsE9C2tB,CAAkBl9B,EADHoU,EAASjf,MAAM6K,EAAK+T,IA+BnC,MAAO5d,GACP4mC,EAAazmB,EAAUngB,ICxG3B,IAKMw7B,GAAQwL,IAA6BC,GAErCC,GAAwB,aAExBC,GAAyB,CAC7BC,SAAU,IACVC,QAAS,QACTC,UAAW,EACXC,YAAa,OAGf,SAASC,GAAqB3nC,GAC5B,OACEA,EAAE0B,MAAQ0W,YAAUuhB,sBACnB35B,EAAE2K,KAAKuH,QAAUmG,oBAAkB2V,WACjChuB,EAAE2K,KAAKuH,QAAUmG,oBAAkB2iB,kBAClCh7B,EAAE2K,KAAKjJ,MAAQ4W,oBAAkBsvB,8BA+CvC,WACEnE,EACA5C,GAFF,WAIE,GAlCMzhC,eAAsC,KACtCA,mBAAiD,GAEjDA,aAAmBu8B,KAKnBv8B,gCAA6C,GAS7CA,WAAoBsa,IAEpBta,cAA0D,IAAIua,IAE9Dva,YpB3FD,CACLqD,IAAK,GACLoa,eAAMje,GAEJ,OAAKA,GAAMA,EAAEkJ,KAGNlJ,EAAEkJ,KAAKE,IAFJ,GAIZ8U,iBAAQ9U,GACN,OAAO5I,KAAKqD,IAAIuF,IAAO,MAGzB+U,kBAAA,SAAkBne,GAAlB,WACQoJ,EAAKpJ,EAAEkJ,MAAQlJ,EAAEkJ,KAAKE,UACrB5I,KAAKqD,IAAIuF,GACZpJ,EAAEyJ,YACJzJ,EAAEyJ,WAAWoN,SAAQ,SAACmF,GACpB,OAAAoC,EAAKD,kBAAmBnC,OAI9BqC,aAAIjV,GACF,OAAO5I,KAAKqD,IAAIxD,eAAe+I,IAEjCkV,iBACE9d,KAAKqD,IAAM,KoBmEPrD,uBAAiD,KAEjDA,sBAAwC,GAExCA,cAAgC,KAChCA,iBAA8B,OAM/ByhC,MAAAA,SAAAA,EAAQnB,WAAY+D,EAAO3kC,OAAS,EACvC,MAAM,IAAIwT,MAAM,oCAElB,IAAMu1B,EAA8B,CAClC7I,MAAO,EACP8I,SAAU,IACVC,KAAM7iC,SAAS+Z,KACf+oB,YAAa,EACbC,cAAc,EACdC,aAAa,EACbC,WAAW,EACXhhC,WAAY,WACZu4B,UAAU,EACV0I,iBAAkB,GAClBC,cAAc,EACdC,qBAAqB,EACrBC,gBAAgB,EAChBC,UAAWlB,IAEbloC,KAAKyhC,OAAStiC,OAAOC,OAAO,GAAIqpC,EAAehH,GAE/CzhC,KAAKqpC,aAAerpC,KAAKqpC,aAAalf,KAAKnqB,MAC3CA,KAAKqjC,UAAYrjC,KAAKqjC,UAAUlZ,KAAKnqB,MACrCA,KAAKsjC,yBAA2BtjC,KAAKsjC,yBAAyBnZ,KAAKnqB,MACnEA,KAAKujC,QAAQrmB,GAAG7D,iBAAeiwB,OAAQtpC,KAAKqpC,cAE5CrpC,KAAKupC,WAELvpC,KAAKwpC,UAAY,IAAIvoB,GACrBjhB,KAAKypC,kBAAoB,IAAIlvB,IAC7Bva,KAAK0pC,gBAAkB,IAAInvB,IAC3Bva,KAAK2pC,qBAAuB,IAAIpvB,IAEhCva,KAAKujC,QAAQrmB,GAAG7D,iBAAe4rB,OAAO,+BAC9Bl7B,EAAwC6T,EAAK4rB,UAAUI,QAArDxnB,cAAWC,aAAUO,iBAE7BhF,EAAK6rB,kBAAkBpzB,SAAQ,SAACL,EAAQ6zB,GACtC,OAAAjsB,EAAKksB,kBAAkBD,EAAM7zB,UAI/B,IAAgB,IAAA1I,EAAArN,EAAA2iB,EAAapB,qCAAO,CAA/B,IAAM1C,UACTlB,EAAKmsB,UAAUjrB,EAAG8D,yGAGpB,IAAmB,IAAAxT,EAAAnP,EAAA2d,EAAK+rB,qBAAqBxzB,sCAAQ,CAAhD,IAAMpP,UAET6W,EAAKosB,iBAAiBjjC,qGAExB6W,EAAK6rB,kBAAkBhT,QACvB7Y,EAAK8rB,gBAAgBjT,QACrB7Y,EAAK+rB,qBAAqBlT,YAE1B,IAAgB,IAAA9lB,EAAA1Q,EAAAmiB,EAAU9N,wCAAU,CAAzBwK,UACTlB,EAAKqsB,YAAYnrB,GAAG,yGAEtB,IAAgB,IAAAhO,EAAA7Q,EAAAoiB,EAAS/N,wCAAU,CAAxBwK,UACTlB,EAAKssB,WAAWprB,yGAGpB9e,KAAKujC,QAAQrmB,GAAG7D,iBAAeurB,UAAU,WACvChnB,EAAKusB,kBAAoB,KACzBvsB,EAAKyC,OAAOvC,WAGd,IAAMwmB,EAAQ,IAAIzE,GAAM,IAAI4B,MAAAA,SAAAA,EAAQ7B,QAAS6I,EAAc7I,OAC3D5/B,KAAKoqC,QAAUhH,GACb,CACEiB,OAAQA,EACLhhC,KAAI,SAACzC,GACJ,OAAI6gC,GAAUA,EAAO4I,SACZ5I,EAAO4I,SAASzpC,GAElBA,KAERqZ,MAAK,SAACqwB,EAAIC,GAAO,OAAAD,EAAGrS,UAAYsS,EAAGtS,aACtCqM,QACA/V,WAAY,EACZoS,aAAc,EACdwD,gBAAiB,MAEnB,CACEd,UAAWrjC,KAAKqjC,UAChBC,yBAA0BtjC,KAAKsjC,yBAC/BC,QAASvjC,KAAKujC,UAGlBvjC,KAAKoqC,QAAQ33B,QACbzS,KAAKoqC,QAAQrH,WAAU,SAACG,GACtBtlB,EAAK2lB,QAAQve,KAAK3L,iBAAemxB,YAAa,CAC5CC,OAAQvH,OAGZljC,KAAK0qC,aJiIAlH,GAjDcC,GACnB,CACE76B,GAAI,QACJ8V,QInFqC,CACrCisB,aAAc,EACdrG,SJkFA/C,QAAS,SACTD,OAAQ,CACNsJ,OAAQ,CACN1tB,GAAI,CACF2tB,aAAc,CACZztB,OAAQ,WACRuiB,QAAS,CAAC,cAAe,aAE3BmL,UAAW,CACT1tB,OAAQ,SACRuiB,QAAS,CAAC,eAIhBoL,SAAU,CACR7tB,GAAI,CACF8tB,eAAgB,CACd5tB,OAAQ,SACRuiB,QAAS,CAAC,iBAEZmL,UAAW,CACT1tB,OAAQ,SACRuiB,QAAS,CAAC,iBAMpB,CACEA,QAAS,CACPsL,SAAU,SAACrgC,EAAK2V,GACV,YAAaA,GACf3V,EAAI05B,MAAM2G,SAAS1qB,EAAMwG,QAAQ6Y,QAGrCsL,YAAa9rC,GAAO,CAClBurC,YAAa,SAAC//B,GAAQ,OAAAA,EAAI05B,MAAM1E,SAElCuL,aAAc,SAACvgC,GACbA,EAAI05B,MAAM2G,SAASrgC,EAAI+/B,kBIvH7B3qC,KAAK0qC,aAAaj4B,QAClBzS,KAAK0qC,aAAa3H,WAAU,SAACG,GAC3BtlB,EAAK2lB,QAAQve,KAAK3L,iBAAemxB,YAAa,CAC5C5K,MAAOsD,OAMX,IAAMkI,EAAYprC,KAAKoqC,QAAQlH,MAAMxkB,QAAQ2lB,OAAOl6B,MAClD,SAACvJ,GAAM,OAAAA,EAAE0B,OAAS0W,YAAUiiB,QAExBoQ,EAAoBrrC,KAAKoqC,QAAQlH,MAAMxkB,QAAQ2lB,OAAOl6B,MAC1D,SAACvJ,GAAM,OAAAA,EAAE0B,OAAS0W,YAAUshB,gBAE9B,GAAI8Q,EAAW,CACP,IAAAxpC,EAAoBwpC,EAAU7/B,KAA5B+/B,UAAOC,WACf95B,YAAW,WACTmM,EAAK2lB,QAAQve,KAAK3L,iBAAeiwB,OAAQ,CACvCv+B,QACAE,aAED,GAEDogC,GACF55B,YAAW,WAELmM,EAAKusB,oBAITvsB,EAAKusB,kBAAoBkB,EACzBztB,EAAK4tB,oBACHH,GAEFztB,EAAKqI,OAAO9U,cAAe+rB,SACxBmO,EAAwC9/B,KAAK6vB,kBAE/C,GAEDp7B,KAAKoqC,QAAQlH,MAAMxkB,QAAQ2lB,OAAOl6B,KAAKo+B,KACzCvoC,KAAKyrC,MAAMrkC,UAAUwa,IAAI,gBA0pD/B,OA70DEziB,sBAAWusC,yBAAX,WACE,OAAO1rC,KAAKoqC,QAAQlH,MAAMxkB,QAAQ4lB,uCAsL7BoH,eAAP,SAAUnrB,EAAe6K,GAEvB,OADAprB,KAAKujC,QAAQrmB,GAAGqD,EAAO6K,GAChBprB,MAGF0rC,gBAAP,SAAWnrB,EAAe6K,GAExB,OADAprB,KAAKujC,QAAQ7G,IAAInc,EAAO6K,GACjBprB,MAGF0rC,sBAAP,SAAiBjK,GAAjB,WACEtiC,OAAOgX,KAAKsrB,GAAQprB,SAAQ,SAACwG,GAE3Be,EAAK6jB,OAAO5kB,GAAO4kB,EAAO5kB,MAEvB7c,KAAKyhC,OAAOoH,cACf7oC,KAAK2rC,oBAEqB,IAAjBlK,EAAO7B,OAChB5/B,KAAK0qC,aAAa5H,KAAK,CACrBxgC,KAAM,YACNykB,QAAS,CACP6Y,MAAO6B,EAAO7B,cAIY,IAArB6B,EAAO2H,aACS,IAArB3H,EAAO2H,UACLppC,KAAKopC,YACPppC,KAAKopC,UAAUl0B,MAAM02B,QAAU,SAG5B5rC,KAAKopC,YACRppC,KAAKopC,UAAYtjC,SAASF,cAAc,UACxC5F,KAAKopC,UAAUr+B,MAAQigB,OAAO6gB,WAAW7rC,KAAKimB,OAAOlb,OACrD/K,KAAKopC,UAAUn+B,OAAS+f,OAAO6gB,WAAW7rC,KAAKimB,OAAOhb,QACtDjL,KAAKopC,UAAUhiC,UAAUwa,IAAI,uBAC7B5hB,KAAK8rC,QAAQC,aAAa/rC,KAAKopC,UAAWppC,KAAKimB,SAEjDjmB,KAAKopC,UAAUl0B,MAAM02B,QAAU,aAK9BF,wBAAP,WACE,IAAMM,EAAahsC,KAAKoqC,QAAQlH,MAAMxkB,QAAQ2lB,OAAO,GAC/C4H,EAAYjsC,KAAKoqC,QAAQlH,MAAMxkB,QAAQ2lB,OAC3CrkC,KAAKoqC,QAAQlH,MAAMxkB,QAAQ2lB,OAAO3kC,OAAS,GAE7C,MAAO,CACL0/B,UAAW4M,EAAW/T,UACtBiU,QAASD,EAAUhU,UACnBkU,UAAWF,EAAUhU,UAAY+T,EAAW/T,YAIzCyT,2BAAP,WACE,OAAO1rC,KAAKskC,MAAM/V,WAAavuB,KAAKosC,iBAG/BV,0BAAP,WACQ,IAAA9pC,EAA2B5B,KAAKoqC,QAAQlH,MAAMxkB,QACpD,+BAA6B,GAAGuZ,WAG3ByT,sBAAP,WACE,OAAO1rC,KAAKqgB,QAYPqrB,iBAAP,SAAYnd,sBAAAA,KACNvuB,KAAKoqC,QAAQlH,MAAMzgC,QAAQ,WAG7BzC,KAAKoqC,QAAQtH,KAAK,CAAExgC,KAAM,UAF1BtC,KAAKoqC,QAAQtH,KAAK,CAAExgC,KAAM,OAAQykB,QAAS,CAAEwH,0BAK/CvuB,KAAKimB,OAAOrY,gCACRy+B,qBAAqB,QAAQ,GAC9BjlC,UAAUqqB,OAAO,gBACpBzxB,KAAKujC,QAAQve,KAAK3L,iBAAeizB,QAG5BZ,kBAAP,SAAand,cACQ1lB,IAAf0lB,GAA4BvuB,KAAKoqC,QAAQlH,MAAMzgC,QAAQ,YACzDzC,KAAKoqC,QAAQtH,KAAK,CAAExgC,KAAM,UAEF,iBAAfisB,IACTvuB,KAAKob,KAAKmT,GACVvuB,KAAKoqC,QAAQtH,KAAK,CAAExgC,KAAM,qBAE5BtC,KAAKimB,OAAOrY,gCACRy+B,qBAAqB,QAAQ,GAC9BjlC,UAAUwa,IAAI,gBACjB5hB,KAAKujC,QAAQve,KAAK3L,iBAAekzB,QAG5Bb,mBAAP,SAAcnd,gBAAAA,KACZ9hB,QAAQC,KACN,gGAEF1M,KAAKob,KAAKmT,GACVvuB,KAAKujC,QAAQve,KAAK3L,iBAAemzB,SAG5Bd,sBAAP,SAAiB/K,GACf3gC,KAAKoqC,QAAQtH,KAAK,CAAExgC,KAAM,UAAWykB,QAAS,CAAE4Z,mBAG3C+K,qBAAP,SAAgBe,GAAhB,WACQlsB,EAAQvgB,KAAKyhC,OAAO4I,SACtBrqC,KAAKyhC,OAAO4I,SAASoC,GACpBA,EACDlE,GAAqBhoB,IACvBvgB,KAAKyrC,MAAMrkC,UAAUwa,IAAI,gBAE3B8qB,QAAQC,UAAUC,MAAK,WACrB,OAAAhvB,EAAKwsB,QAAQtH,KAAK,CAAExgC,KAAM,YAAaykB,QAAS,CAAExG,eAI/CmrB,2BAAP,WACE1rC,KAAKimB,OAAO9K,aAAa,YAAa,QACtCnb,KAAKimB,OAAO/Q,MAAM23B,cAAgB,QAG7BnB,4BAAP,WACE1rC,KAAKimB,OAAO9K,aAAa,YAAa,MACtCnb,KAAKimB,OAAO/Q,MAAM23B,cAAgB,QAO7BnB,uBAAP,WACE1rC,KAAKyZ,MAAQa,KAGPoxB,qBAAR,WACE1rC,KAAK8rC,QAAUhmC,SAASF,cAAc,OACtC5F,KAAK8rC,QAAQ1kC,UAAUwa,IAAI,oBAC3B5hB,KAAKyhC,OAAOkH,KAAMhtB,YAAY3b,KAAK8rC,SAEnC9rC,KAAKyrC,MAAQ3lC,SAASF,cAAc,OACpC5F,KAAKyrC,MAAMrkC,UAAUwa,IAAI,kBACzB5hB,KAAK8rC,QAAQnwB,YAAY3b,KAAKyrC,QAEA,IAA1BzrC,KAAKyhC,OAAO2H,YACdppC,KAAKopC,UAAYtjC,SAASF,cAAc,UACxC5F,KAAKopC,UAAUhiC,UAAUwa,IAAI,uBAC7B5hB,KAAKopC,UAAUl0B,MAAM02B,QAAU,UAC/B5rC,KAAK8rC,QAAQnwB,YAAY3b,KAAKopC,YAGhCppC,KAAKimB,OAASngB,SAASF,cAAc,UACrC,IAAMkE,EAAa,CAAC,qBAChB9J,KAAKyhC,OAAOyH,qBACdp/B,EAAWhJ,KAAK,iBAGlBd,KAAKimB,OAAO/Q,MAAM02B,QAAU,OAC5B5rC,KAAKimB,OAAO9K,aAAa,UAAWrR,EAAWvG,KAAK,MACpDvD,KAAK8sC,kBACL9sC,KAAK8rC,QAAQnwB,YAAY3b,KAAKimB,QAC1BjmB,KAAKimB,OAAO9U,eAAiBnR,KAAKimB,OAAOrY,kBAC3Cm/B,GACE/sC,KAAKimB,OAAO9U,cACZnR,KAAKimB,OAAOrY,iBAGd6S,GAASzgB,KAAKimB,OAAO9U,iBAIjBu6B,yBAAR,SAAqBsB,WACnBhtC,KAAKimB,OAAO/Q,MAAM02B,QAAU,cAC5B,IAAiB,IAAAzjC,EAAAlI,EAAA,CAACD,KAAKopC,UAAWppC,KAAKimB,uCAAS,CAA3C,IAAMne,UACJA,IAGLA,EAAGqT,aAAa,QAAS8xB,OAAOD,EAAUjiC,QAC1CjD,EAAGqT,aAAa,SAAU8xB,OAAOD,EAAU/hC,8GAIvCygC,qCAAR,SAAiCrH,eAC/B,IAAoB,IAAAE,EAAAtkC,EAAAokC,iCAAQ,CAAvB,IAAMI,UACT,OAAQA,EAAMniC,MACZ,KAAK0W,YAAU0iB,iBACf,KAAK1iB,YAAUsjB,KACf,KAAKtjB,YAAU6jB,OACb,SACF,KAAK7jB,YAAUshB,aACf,KAAKthB,YAAUiiB,KACf,KAAKjiB,YAAUmjB,OACb,MACF,KAAKnjB,YAAUuhB,oBACb,OAAQkK,EAAMl5B,KAAKuH,QACjB,KAAKmG,oBAAkB8iB,iBACrB,UAQO/7B,KAAKqjC,UAAUoB,GAAO,EACrCyI,qGAEEltC,KAAKmtC,UACPntC,KAAKotC,aACHptC,KAAKmtC,SAASriC,EACd9K,KAAKmtC,SAASniC,EACdhL,KAAKmtC,SAASvkC,IACd,EACA5I,KAAKmtC,SAASE,WAGlBrtC,KAAKmtC,SAAW,MACS,IAArBntC,KAAKstC,YACPttC,KAAKyrC,MAAMrkC,UAAUwa,IAAI,iBACK,IAArB5hB,KAAKstC,aACdttC,KAAKyrC,MAAMrkC,UAAUqqB,OAAO,gBAE9BzxB,KAAKstC,YAAc,MAGb5B,sBAAR,SAAkBnrB,EAAsBmlB,GAAxC,IACMwH,SACJ,oBAFsCxH,MAE9BnlB,EAAMje,MACZ,KAAK0W,YAAU0iB,iBACf,KAAK1iB,YAAUsjB,KACb,MACF,KAAKtjB,YAAU6jB,OACbqQ,EAAS,WAMPtvB,EAAK2lB,QAAQve,KAAK3L,iBAAek0B,YAAahtB,IAEhD,MACF,KAAKvH,YAAUiiB,KACbiS,EAAS,WACP,OAAAtvB,EAAK2lB,QAAQve,KAAK3L,iBAAeiwB,OAAQ,CACvCv+B,MAAOwV,EAAMhV,KAAKR,MAClBE,OAAQsV,EAAMhV,KAAKN,UAEvB,MACF,KAAK+N,YAAUshB,aACb4S,EAAS,WACP,GAAItvB,EAAKusB,mBACP,GAAIvsB,EAAKusB,oBAAsB5pB,EAG7B,YADA3C,EAAKusB,mBAAoB,QAK3BvsB,EAAKusB,mBAAoB,EAE3BvsB,EAAK4tB,oBAAoBjrB,EAAOmlB,GAChC9nB,EAAKqI,OAAO9U,cAAe+rB,SAAS3c,EAAMhV,KAAK6vB,gBAEjD,MACF,KAAKpiB,YAAUuhB,oBACb2S,EAAS,mBAEP,GADAtvB,EAAK4vB,iBAAiBjtB,EAAOmlB,IACzBA,IAIAnlB,IAAU3C,EAAK6vB,2BACjB7vB,EAAK6vB,yBAA2B,KAChC7vB,EAAK+tB,gBAEH/tB,EAAK6jB,OAAOoH,eAAiBjrB,EAAK6vB,0BAA0B,KAC9D,IAAqB,IAAAtlC,EAAAlI,EAAA2d,EAAKwsB,QAAQlH,MAAMxkB,QAAQ2lB,sCAAQ,CAAnD,IAAMqJ,UACT,KAAIA,EAAOzV,WAAc1X,EAAM0X,YAG3Bra,EAAK+vB,kBAAkBD,GAAS,CAEhCA,EAAOtN,MAAS7f,EAAM6f,MA5fZ,IA8fRxiB,EAAK8sB,aAAaxH,MAAMxkB,QAAQ4lB,MAAM1E,QAExChiB,EAAK6vB,yBAA2BC,GAElC,yGAGJ,GAAI9vB,EAAK6vB,yBAA0B,CACjC,IAAMG,EACJhwB,EAAK6vB,yBAAyBrN,MAAS7f,EAAM6f,MACzCrZ,EAAU,CACd6Y,MAAOv0B,KAAKC,IACVD,KAAKwiC,MAAMD,EAzgBF,KA0gBThwB,EAAK6jB,OAAOiH,WAGhB9qB,EAAK8sB,aAAa5H,KAAK,CAAExgC,KAAM,eAAgBykB,YAC/CnJ,EAAK2lB,QAAQve,KAAK3L,iBAAey0B,UAAW/mB,MA8CtD,OAvCsB,mBAChBmmB,GACFA,QAGF,IAAqB,IAAA/kC,EAAAlI,EAAA2d,EAAK6jB,OAAO9O,SAAW,kCAAI,SACvCvH,QAAQ7K,EAAOmlB,EAAQ,CAAEqI,SAAUnwB,sGAG5CA,EAAKwsB,QAAQtH,KAAK,CAAExgC,KAAM,aAAcykB,QAAS,CAAExG,WAGnD,IAAIytB,EAAapwB,EAAKwsB,QAAQlH,MAAMxkB,QAAQ2lB,OAAO3kC,OAAS,EAC5D,GAAI6gB,IAAU3C,EAAKwsB,QAAQlH,MAAMxkB,QAAQ2lB,OAAO2J,GAAa,CAC3D,IAAMC,EAAS,WACTD,EAAapwB,EAAKwsB,QAAQlH,MAAMxkB,QAAQ2lB,OAAO3kC,OAAS,IAI5Dke,EAAK+tB,eACL/tB,EAAKwsB,QAAQtH,KAAK,OAClBllB,EAAK2lB,QAAQve,KAAK3L,iBAAe60B,UAGjC3tB,EAAMje,OAAS0W,YAAUuhB,qBACzBha,EAAMhV,KAAKuH,SAAWmG,oBAAkB0V,WACxCpO,EAAMhV,KAAK6iB,UAAU1uB,OAGrB+R,YAAW,WACTw8B,MACC5iC,KAAK8iC,IAAI,EAAyC,GAArC5tB,EAAMhV,KAAK6iB,UAAU,GAAGG,aAExC0f,IAIJrwB,EAAK2lB,QAAQve,KAAK3L,iBAAe+0B,UAAW7tB,KAKxCmrB,gCAAR,SACEnrB,EACAmlB,kBAEA,gBAFAA,OAEK1lC,KAAKimB,OAAOrY,gBACf,OAAOnB,QAAQC,KAAK,gDAElBvN,OAAOgX,KAAKnW,KAAKquC,4BAA4B3uC,QAC/C+M,QAAQC,KACN,oCACA1M,KAAKquC,4BAGTruC,KAAKquC,2BAA6B,GAClC,IAAMC,EAA8B,GACpCtuC,KAAKqgB,OAAOhd,IAAMqZ,EAAQ6D,EAAMhV,KAAKxE,KAAM,CACzCvB,IAAKxF,KAAKimB,OAAOrY,gBACjBwO,YAAa,SAACmyB,GACZ3wB,EAAK4wB,+BAA+BF,EAAWC,IAEjD90B,MAAOzZ,KAAKyZ,QACX,kBACUg1B,EAAiBF,GAC5BG,EAAKC,uBAAuBF,EAAiBF,GAC7CG,EAAKE,iBAAmBF,EAAKE,iBAAiB70B,QAC5C,SAAC1Z,GAAM,OAAAA,IAAMouC,iBAHjB,IAA6C,IAAAI,EAAA5uC,EAAAquC,kCAAlC,IAAAnmC,6IAML,IAAAE,EAA4BrI,KAAKimB,OAAOrY,gBAAtC+R,oBAAiB+E,SACzB1kB,KAAKgpC,iBAAiBrpB,EAAiB+E,GAClC1kB,KAAKoqC,QAAQlH,MAAMzgC,QAAQ,YAC9BzC,KAAKimB,OAAOrY,gBACTy+B,qBAAqB,QAAQ,GAC7BjlC,UAAUwa,IAAI,gBAEnB5hB,KAAKujC,QAAQve,KAAK3L,iBAAey1B,sBAAuBvuB,GACnDmlB,GACH1lC,KAAK+uC,wBAEH/uC,KAAKyhC,OAAOyH,qBACdlpC,KAAKgvC,oBAIDtD,6BAAR,SACE/rB,EACA+E,GAEA,IAAMuqB,EAAUnpC,SAASF,cAAc,SACvC+Z,EAAiBosB,aAAakD,EAASvqB,GACvC,IHtrB6C3c,EGsrBvCmnC,GHtrBuCnnC,EGurB3C/H,KAAKyhC,OAAO15B,WHvrBsD,CACtE,WAAIA,mCACJ,2CGsrBIxG,OAAOvB,KAAKyhC,OAAOuH,kBACjBhpC,KAAKyhC,OAAO0H,gBACd+F,EAAkBpuC,KAChB,2HAGJ,IAAK,IAAIyiB,EAAM,EAAGA,EAAM2rB,EAAkBxvC,OAAQ6jB,IAC/C0rB,EAAQpnC,MAAyB+oB,WAAWse,EAAkB3rB,GAAMA,IAIjEmoB,mCAAR,SACExqB,EACAlQ,kBAEMs9B,EAA8B,GAEpC,IAAKt9B,EAASpD,gBAEZ,IADA,IAAIuhC,EAASn+B,EAASxJ,WACf2nC,GAAQ,CAEb,GAAInvC,KAAKypC,kBAAkB5rB,IAAKsxB,GAA8B,CAC5D,IAAMtF,EAAQsF,EACRC,EAAapvC,KAAKypC,kBAAkB7vB,IAAIiwB,GAC9C7pC,KAAK8pC,kBAAkBD,EAAMuF,GAC7B,MAEFD,EAASA,EAAO3nC,WAGpB2U,EAAgB+E,EAASna,KAAM,CAC7BvB,IAAKwL,EAASpD,gBACdvK,IAAKrD,KAAKqgB,OAAOhd,IACjBoX,SAAS,EACT3L,WAAW,EACXsN,YAAa,SAACmyB,GAEZ,GADA3wB,EAAK4wB,+BAA+BF,EAAWC,GAE7CA,EAAU7lC,KAAKpG,OAASrD,EAAS6O,SACQ,SAAzCygC,EAAU7lC,KAAKrG,QAAQgtC,cACvB,CACM,IAAAztC,EAA4BoP,EAASpD,gBAAnC+R,oBAAiB+E,SACzB9G,EAAKorB,iBAAiBrpB,EAAiB+E,KAG3CjL,MAAOzZ,KAAKyZ,uBAEDg1B,EAAiBF,GAC5Be,EAAKX,uBAAuBF,EAAiBF,GAC7Ce,EAAKV,iBAAmBU,EAAKV,iBAAiB70B,QAC5C,SAAC1Z,GAAM,OAAAA,IAAMouC,iBAHjB,IAA6C,IAAAc,EAAAtvC,EAAAquC,kCAAlC,IAAAnmC,+IAQLujC,2CAAR,SACE4C,EACAC,GAEA,GAAI3qB,GAAc2qB,GAAY,CAC5B,IAAME,EAAkBzuC,KAAK4uC,iBAAiBzkC,MAC5C,SAAC9J,GAAM,OAAAA,EAAEghB,WAAaktB,EAAU7lC,KAAKE,MAEnC6lC,GACFH,EAAUxtC,KAAK,CAAE2tC,kBAAiBF,gBAQhC7C,kCAAR,WAAA,aACQhnB,YAAO1kB,KAAKimB,OAAOrY,sCAAiB8W,KAC1C,GAAIA,EAAM,CACR,IACIhT,EADE89B,EAAqC,IAAI3sB,IAE3C4sB,EAAkBzvC,KAAKoqC,QAAQlH,MAC7BwM,EAAe,WACnBD,EAAkB7xB,EAAKwsB,QAAQlH,OAEjCljC,KAAKujC,QAAQrmB,GAAG7D,iBAAeizB,MAAOoD,GACtC1vC,KAAKujC,QAAQrmB,GAAG7D,iBAAekzB,MAAOmD,GACtC,IAAMC,EAAc,WAClB/xB,EAAK2lB,QAAQ7G,IAAIrjB,iBAAeizB,MAAOoD,GACvC9xB,EAAK2lB,QAAQ7G,IAAIrjB,iBAAekzB,MAAOmD,IAEzChrB,EACGmL,iBAAiB,0BACjBxZ,SAAQ,SAACpE,GACHA,EAAIpK,QACP2nC,EAAa5tB,IAAI3P,GACjBA,EAAIT,iBAAiB,QAAQ,WAC3Bg+B,EAAaxtB,OAAO/P,GAEM,IAAtBu9B,EAAaI,OAAyB,IAAXl+B,IACzB+9B,EAAgBhtC,QAAQ,YAC1Bmb,EAAKxC,KAAKwC,EAAKiyB,kBAEjBjyB,EAAK2lB,QAAQve,KAAK3L,iBAAey2B,mBAC7Bp+B,GACFC,aAAaD,GAEfi+B,YAMNH,EAAaI,KAAO,IAEtB5vC,KAAKoqC,QAAQtH,KAAK,CAAExgC,KAAM,UAC1BtC,KAAKujC,QAAQve,KAAK3L,iBAAe02B,qBACjCr+B,EAAQD,YAAW,WACbg+B,EAAgBhtC,QAAQ,YAC1Bmb,EAAKxC,KAAKwC,EAAKiyB,kBAGjBn+B,GAAS,EACTi+B,MACC3vC,KAAKyhC,OAAOmH,gBAKb8C,wBAAR,SAAoB/sB,eAClB,IAAkB,IAAAqxB,EAAA/vC,EAAA0e,iCAAM,CAAnB,IAAMN,UACT,GAAKA,GAAsB,iBAARA,EAEZ,GAAI,YAAaA,GAAO,SAAUA,GACvC,GAAIre,KAAKiwC,YAAY5xB,EAAIM,MAAO,OAAO,MAClC,CAAA,GAAI,YAAaN,GAAuB,qBAAhBA,EAAIuW,QACjC,OAAO,EACF,GAAIvW,aAAehd,OACpBrB,KAAKiwC,YAAY5xB,GAAM,OAAO,0GAGtC,OAAO,GAGDqtB,yBAAR,SAAqB/sB,WACbuxB,EAAmB,OACzB,IAAkB,IAAAC,EAAAlwC,EAAA0e,iCAAM,CAAnB,IAAMN,UACJA,GAAsB,iBAARA,IAER,YAAaA,GAAO,SAAUA,EACvC6xB,EAAOpvC,WAAPovC,SAAelwC,KAAKowC,aAAa/xB,EAAIM,YAC5B,YAAaN,GAAuB,qBAAhBA,EAAIuW,QACjCsb,EAAOpvC,KAAKud,EAAI1Q,KACP0Q,aAAehd,OACxB6uC,EAAOpvC,WAAPovC,SAAelwC,KAAKowC,aAAa/xB,4GAGrC,OAAO6xB,GAMDxE,6BAAR,0BACwB1rC,KAAKoqC,QAAQlH,MACnC,IAAMmN,EAAe,WACDzyB,EAAKwsB,QAAQlH,OAEjCljC,KAAKujC,QAAQrmB,GAAG7D,iBAAeizB,MAAO+D,GACtCrwC,KAAKujC,QAAQrmB,GAAG7D,iBAAekzB,MAAO8D,kBAC3BC,GAEPA,EAAMhuC,OAAS0W,YAAUuhB,qBACzB+V,EAAM/kC,KAAKuH,SAAWmG,oBAAkB+hB,iBAEpC,aAAcsV,EAAM/kC,KACtB+kC,EAAM/kC,KAAK+sB,SAASjiB,SAAQ,SAAC1P,GAAM,OAAAiX,EAAK2yB,cAAc5pC,EAAG2pC,MAEzDE,EAAKD,cAAcD,EAAM/kC,KAAM+kC,gBARrC,IAAoB,IAAAnoC,EAAAlI,EAAAD,KAAKoqC,QAAQlH,MAAMxkB,QAAQ2lB,sJAazCqH,0BAAR,SAAsBngC,EAA6BgV,GAAnD,WACE,GACoB,cAAlBhV,EAAKyE,UACmB,iBAAjBzE,EAAKoT,KAAK,IAChB3e,KAAKknC,SAASrpB,IAAI0C,GAQVvgB,KAAKiwC,YAAY1kC,EAAKoT,OAC/B3e,KAAKowC,aAAa7kC,EAAKoT,MAAMtI,SAAQ,SAAC5R,GACpC,IAAMyW,EAAQ,IAAIusB,MAClBvsB,EAAMvN,IAAMlJ,EACZmZ,EAAKspB,SAAS7sB,IAAI5V,EAAKyW,UAXzB,CACA,IAAMvQ,EAAS7E,SAASF,cAAc,UAChCgF,EAAMD,EAAOE,WAAW,MACxBusB,EAAOxsB,MAAAA,SAAAA,EAAK6lC,gBAAgB9lC,EAAOI,MAAOJ,EAAOM,QAC/CmsB,MAAAA,GAAAA,EAAM7rB,KACV6mB,KAAKpgB,MAAMzG,EAAKoT,KAAK,IACzB/T,MAAAA,GAAAA,EAAK8lC,aAAatZ,EAAO,EAAG,KAUxBsU,6BAAR,SACE9qC,EACA8kC,GAFF,eAIgB5mB,EAAMle,OACpB,OAAQke,EAAEhM,QACR,KAAKmG,oBAAkBsJ,SACjBmjB,IACF5mB,EAAE2D,KAAKpM,SAAQ,SAAChW,GAAM,OAAAud,EAAK4rB,UAAU5nB,IAAIvhB,MACzCye,EAAE0C,MAAMnL,SAAQ,SAAChW,GACf,IAAM+c,EAASQ,EAAKyC,OAAO3C,QAAQrd,EAAEuI,IAC/BoN,EAAUoH,MAAAA,SAAAA,EAAQ5V,WAGpBwO,GAAU4H,EAAK+rB,qBAAqB9rB,IAAI7H,IAC1C4H,EAAK+rB,qBAAqB3nB,OAAOhM,GAEnC4H,EAAK4rB,UAAUhnC,KAAKnC,MAEtBye,EAAEhV,WAAWuM,SAAQ,SAAChW,GAAM,OAAAud,EAAK4rB,UAAUxiB,UAAU3mB,MACrDye,EAAE0D,QAAQnM,SAAQ,SAAChW,GAAM,OAAAud,EAAK4rB,UAAU/X,OAAOpxB,EAAGud,EAAKyC,YAEzD,IACErgB,KAAK2wC,cAAc7xB,EAAG4mB,GACtB,MAAO3kC,GACPf,KAAK0M,KAAK,gCAAyB3L,EAAM6vC,SAAW7vC,GAAS+d,GAE/D,MAEF,KAAK7F,oBAAkBwV,KACvB,KAAKxV,oBAAkB2V,UACvB,KAAK3V,oBAAkB0V,UACrB,GAAI+W,EAAQ,CACV,IAAMmL,EAAe/xB,EAAEsP,UAAUtP,EAAEsP,UAAU1uB,OAAS,GACtDM,KAAKmtC,SAAW,CACdriC,EAAG+lC,EAAa/lC,EAChBE,EAAG6lC,EAAa7lC,EAChBpC,GAAIioC,EAAajoC,GACjBykC,UAAWvuB,QAGbA,EAAEsP,UAAU/X,SAAQ,SAAC1W,GACnB,IAAMmgC,EAAS,CACbO,SAAU,WACRziB,EAAKwvB,aAAaztC,EAAEmL,EAAGnL,EAAEqL,EAAGrL,EAAEiJ,GAAI88B,EAAQ5mB,IAE5CshB,MACEzgC,EAAE4uB,WACF3tB,EAAEq3B,UACFra,EAAKwsB,QAAQlH,MAAMxkB,QAAQiiB,cAE/B/iB,EAAK0mB,MAAMuB,UAAU/F,MAGvB9/B,KAAKskC,MAAMuB,UAAU,CACnBxF,sBACAD,MAAOx/B,EAAEw/B,iBAASthB,EAAEsP,UAAU,yBAAIG,cAGtC,MACF,KAAKtV,oBAAkB2iB,iBAIrB,IAAc,IAAV9c,EAAElW,GACJ,MAEF,IAAMk8B,EAAQ,IAAIgM,MAAM53B,oBAAkB4F,EAAExc,MAAMI,eAElD,KADM0a,EAASpd,KAAKqgB,OAAO3C,QAAQoB,EAAElW,KAEnC,OAAO5I,KAAK+wC,kBAAkBjyB,EAAGA,EAAElW,IAErC5I,KAAKujC,QAAQve,KAAK3L,iBAAeuiB,iBAAkB,CACjDt5B,KAAMwc,EAAExc,KACR8a,WAEM,IAAA6rB,EAAiBjpC,KAAKyhC,oBAC9B,OAAQ3iB,EAAExc,MACR,KAAK4W,oBAAkB83B,KACjB,SAAY5zB,GACZA,EAAgC6zB,OAEpC,MACF,KAAK/3B,oBAAkBg4B,MACjBjI,GAAkB7rB,EAAgC+zB,OAClD/zB,EAAgC+zB,MAAM,CACtCC,eAAe,IAGnB,MACF,KAAKl4B,oBAAkBm4B,MACvB,KAAKn4B,oBAAkBsvB,WACvB,KAAKtvB,oBAAkBo4B,SACjB5L,GACE5mB,EAAExc,OAAS4W,oBAAkBsvB,WAC/BxoC,KAAKstC,aAAc,EACVxuB,EAAExc,OAAS4W,oBAAkBo4B,WACtCtxC,KAAKstC,aAAc,GAErBttC,KAAKmtC,SAAW,CACdriC,EAAGgU,EAAEhU,EACLE,EAAG8T,EAAE9T,EACLpC,GAAIkW,EAAElW,GACNykC,UAAWvuB,KAGTA,EAAExc,OAAS4W,oBAAkBsvB,aAE/BxoC,KAAKuxC,cAAc7xC,OAAS,GAE9BM,KAAKotC,aAAatuB,EAAEhU,EAAGgU,EAAE9T,EAAG8T,EAAElW,GAAI88B,EAAQ5mB,GACtCA,EAAExc,OAAS4W,oBAAkBm4B,OAS/BrxC,KAAKyrC,MAAMrkC,UAAUqqB,OAAO,UAEvBzxB,KAAKyrC,MAAM+F,YAChBxxC,KAAKyrC,MAAMrkC,UAAUwa,IAAI,WAChB9C,EAAExc,OAAS4W,oBAAkBsvB,YACjCxoC,KAAKyrC,MAAM+F,YAChBxxC,KAAKyrC,MAAMrkC,UAAUwa,IAAI,iBAChB9C,EAAExc,OAAS4W,oBAAkBo4B,UACtCtxC,KAAKyrC,MAAMrkC,UAAUqqB,OAAO,iBAGhC,MACF,KAAKvY,oBAAkBu4B,YACjB/L,EACF1lC,KAAKstC,aAAc,EAEnBttC,KAAKyrC,MAAMrkC,UAAUqqB,OAAO,gBAE9B,MACF,QACErU,EAAOs0B,cAAc5M,GAEzB,MAEF,KAAK7rB,oBAAkB6hB,OAIrB,IAAc,IAAVhc,EAAElW,GACJ,MAEF,GAAI88B,EAAQ,CACV1lC,KAAKwpC,UAAU1d,OAAOhN,GACtB,MAEF9e,KAAKiqC,YAAYnrB,GAAG,GACpB,MAEF,KAAK7F,oBAAkB4iB,eACrB77B,KAAKujC,QAAQve,KAAK3L,iBAAeiwB,OAAQ,CACvCv+B,MAAO+T,EAAE/T,MACTE,OAAQ6T,EAAE7T,SAEZ,MACF,KAAKgO,oBAAkB6iB,MAOrB,IAAc,IAAVhd,EAAElW,GACJ,MAEF,GAAI88B,EAAQ,CACV1lC,KAAKwpC,UAAUvnC,MAAM6c,GACrB,MAEF9e,KAAKkqC,WAAWprB,GAChB,MAEF,KAAK7F,oBAAkB8iB,iBAErB,KADM3e,EAASpd,KAAKqgB,OAAO3C,QAAQoB,EAAElW,KAEnC,OAAO5I,KAAK+wC,kBAAkBjyB,EAAGA,EAAElW,IAErC,IAAM+oC,EAAWv0B,EACjB,IACM0B,EAAE7R,cACJ0kC,EAAQ1kC,YAAc6R,EAAE7R,aAEtB6R,EAAEyR,SACJohB,EAAQphB,OAASzR,EAAEyR,QAEjBzR,EAAE0R,QACJmhB,EAAQnhB,MAAQ1R,EAAE0R,WAEhB1R,EAAExc,MACJqvC,EAAQt2B,YAENyD,EAAExc,MAKJqvC,EAAQv2B,OAEV,MAAOra,GACHf,KAAKyhC,OAAOqH,aACdr8B,QAAQC,KACN,+CAAwC3L,EAAM6vC,SAAW7vC,IAI/D,MAEF,KAAKkY,oBAAkB+iB,eAErB,KADM5e,EAASpd,KAAKqgB,OAAO3C,QAAQoB,EAAElW,KAEnC,OAAO5I,KAAK+wC,kBAAkBjyB,EAAGA,EAAElW,IAGrC,IAUIgpC,EAVE3C,EAAW7xB,EACXy0B,EAAUz0B,EAAO5V,WACjBsqC,EAAqB9xC,KAAKypC,kBAAkB5rB,IAAIg0B,GAOhDE,EAAaD,EAAqB,KAAO7C,EAAQpnC,MAGlDkqC,IAOC/xC,KAAK2pC,qBAAqB9rB,IAAIT,GAChCw0B,EAAQ5xC,KAAK2pC,qBAAqB/vB,IAAIwD,IAEtCw0B,EAAQ,GACR5xC,KAAK2pC,qBAAqBtvB,IAAI+C,EAAQw0B,KAItC9yB,EAAE2D,MACJ3D,EAAE2D,KAAKpM,SAAQ,SAACzU,OAAE4B,SAAayiC,UAC7B,GAAI8L,EACF,IACE,GAAI1wC,MAAM+U,QAAQ6vB,GAAc,CACxB,IAAA99B,EAAuB69B,GAC3BC,GADM7X,cAAWpU,UAGA+rB,GACjBgM,EAAW3uC,SACXgrB,GAESwC,WAAWptB,EAAMwW,OACvB,CACCA,OACYnR,IAAhBo9B,OACIp9B,EACAwC,KAAKC,IAAI26B,EAAa8L,EAAW3uC,SAAS1D,QAChDqyC,EAAWnhB,WAAWptB,EAAMwW,IAE9B,MAAOpZ,SAWTgxC,MAAAA,GAAAA,EAAO9wC,KAAK,CACV4C,QAASF,EACTwW,MAAOisB,EACP3jC,KAAMwjC,GAAcO,YAMxBvnB,EAAE0D,SACJ1D,EAAE0D,QAAQnM,SAAQ,SAACzU,OAASqkC,UAC1B,GAAI6L,EACFF,MAAAA,GAAAA,EAAO9wC,KAAK,CAAEkZ,MAAOisB,EAAa3jC,KAAMwjC,GAAcQ,cAEtD,IACE,GAAIjlC,MAAM+U,QAAQ6vB,GAAc,CACxB,IAAA99B,EAAuB69B,GAC3BC,GADM7X,cAAWpU,UAGA+rB,GACjBgM,EAAY3uC,SACZgrB,GAES0C,WAAW9W,GAAS,QAE/B+3B,MAAAA,GAAAA,EAAYjhB,WAAWmV,GAEzB,MAAOrlC,QAQf,MAEF,KAAKqY,oBAAkBgjB,iBAGrB,KADM7e,EAASpd,KAAKqgB,OAAO3C,QAAQoB,EAAElW,KAEnC,OAAO5I,KAAK+wC,kBAAkBjyB,EAAGA,EAAElW,IAG/BqmC,EAAW7xB,EAAjB,IACM40B,EAAU50B,EAAO5V,WAGjB5D,EAFqB5D,KAAKypC,kBAAkB5rB,IAAIm0B,GAEd,KAAO/C,EAAQpnC,MACnD1E,EAA2B,GAW/B,GATKS,IACC5D,KAAK2pC,qBAAqB9rB,IAAIT,GAChCja,EAAQnD,KAAK2pC,qBAAqB/vB,IAAIwD,IAEtCja,EAAQ,GACRnD,KAAK2pC,qBAAqBtvB,IAAI+C,EAAQja,KAItC2b,EAAEzE,IACJ,GAAIzW,EACYmiC,GACZniC,EAAWT,MACX2b,EAAE9E,OAEC9E,MAAMmc,YAAYvS,EAAEzE,IAAIrK,SAAU8O,EAAEzE,IAAI9Z,MAAOue,EAAEzE,IAAIkX,eAE1DpuB,EAAMrC,QACJwB,KAAMwjC,GAAcgB,YACpB9sB,MAAO8E,EAAE9E,OACN8E,EAAEzE,MAKX,GAAIyE,EAAE2S,OACJ,GAAI7tB,EACYmiC,GACZniC,EAAWT,MACX2b,EAAE9E,OAEC9E,MAAMsc,eAAe1S,EAAE2S,OAAOzhB,eAEnC7M,EAAMrC,QACJwB,KAAMwjC,GAAciB,eACpB/sB,MAAO8E,EAAE9E,OACN8E,EAAE2S,SAIX,MAEF,KAAKxY,oBAAkB+hB,eACrB,IAAKh7B,KAAKyhC,OAAOyH,oBACf,OAEF,IAAM9rB,EACN,KADMA,EAASpd,KAAKqgB,OAAO3C,QAAQoB,EAAElW,KAEnC,OAAO5I,KAAK+wC,kBAAkBjyB,EAAGA,EAAElW,cClvCNhH,OACrC2e,UACAW,aACA9D,WACA8pB,aACAS,iBAQA,IACE,IAAM7iB,EACJ,aAAc5D,EAAWA,EAASoX,SAAW,CAACpX,GAE5C,CAAC/H,EAAcue,MAAOve,EAAcye,QAAQgQ,SAAS1mB,EAAS5e,MACzDwiB,EAAUzO,SAAQ,SAAC47B,GACxBvK,GAAc,CACZxmB,SAAU+wB,EACV3vC,KAAM4e,EAAS5e,KACf8a,SACA8pB,WACAS,oBAKC7iB,EAAUzO,SAAQ,SAAC47B,aCnCSrwC,OACrC2e,UACAW,aACA9D,WACA8pB,aACAS,iBAQA,IACE,IAAM/8B,EAAQwS,EAAyCvS,WAAW,MAElE,GAAIqW,EAAS6U,OAIX,YADCnrB,EAAYsW,EAASlR,UAAYkR,EAASvC,KAAK,IAGlD,IAAMK,EAAWpU,EACfsW,EAASlR,UAQX,GACwB,cAAtBkR,EAASlR,UACmB,iBAArBkR,EAASvC,KAAK,GACrB,CACA,IAAMzD,EAAQgsB,EAASttB,IAAI2G,GAC3BW,EAASvC,KAAK,GAAKzD,EACnB8D,EAASjf,MAAM6K,EAAKsW,EAASvC,WAE7BK,EAASjf,MAAM6K,EAAKsW,EAASvC,MAE/B,MAAO5d,GACP4mC,EAAazmB,EAAUngB,IDNrBmxC,CAAiB,CACf3xB,QACAW,SAAU+wB,EACV70B,SACA8pB,WACAS,oBAGJ,MAAO5mC,GACP4mC,EAAazmB,EAAUngB,ID8sCnB4sB,CAAe,CACbpN,MAAO3f,EACPsgB,SAAUpC,EACV1B,OAASA,EACT8pB,SAAUlnC,KAAKknC,SACfS,aAAc3nC,KAAKmyC,yBAAyBhoB,KAAKnqB,QAGnD,MAEF,KAAKiZ,oBAAkBijB,KACrB,IACE,IAAMhK,EAAW,IAAIH,SACnBjT,EAAEkT,OACFlT,EAAEtT,OAAS,IAAI8mB,WAAWF,KAAKpgB,MAAM8M,EAAEqT,aAAerT,EAAEqT,WACxDrT,EAAEmT,uBAEJjyB,KAAKimB,OAAOrY,gCAAiB4kB,MAAM5Q,IAAIsQ,GACvC,MAAOnxB,GACHf,KAAKyhC,OAAOqH,aACdr8B,QAAQC,KAAK3L,MASf2qC,0BAAR,SAAsB5sB,EAAiBszB,kBACrCtzB,EAAE0D,QAAQnM,SAAQ,SAAC6K,GACjB,IAAI9D,EAASQ,EAAKyC,OAAO3C,QAAQwD,EAAStY,IAC1C,IAAKwU,EAAQ,CACX,GAAI0B,EAAE0D,QAAQrY,MAAK,SAACxJ,GAAM,OAAAA,EAAEiI,KAAOsY,EAASG,YAE1C,OAEF,OAAOzD,EAAKy0B,iBAAiBvzB,EAAGoC,EAAStY,IAEvCgV,EAAK+rB,qBAAqB9rB,IAAIT,IAChCQ,EAAK+rB,qBAAqB3nB,OAAO5E,GAEnC,IAAIpH,EAAoC4H,EAAKyC,OAAO3C,QAClDwD,EAASG,UAEX,IAAKrL,EACH,OAAO4H,EAAKy0B,iBAAiBvzB,EAAGoC,EAASG,UAO3C,GALIH,EAASnQ,UAAYuT,GAActO,KACrCA,EAASA,EAAOjU,YAGlB6b,EAAKyC,OAAO1C,kBAAkBP,GAC1BpH,EAAQ,CACV,IAAIs8B,EAAa,KACXlD,EACJ,SAAUp5B,EAAS4H,EAAK6rB,kBAAkB7vB,IAAI5D,QAAUnN,EACtDumC,GAAcA,EAAW/nC,SAAS+V,GACpCpH,EAASo5B,EACAxxB,EAAK6rB,kBAAkB5rB,IAAIT,KAKpCk1B,EAAa10B,EAAK6rB,kBAAkB7vB,IAAIwD,GACxCQ,EAAK6rB,kBAAkBznB,OAAO5E,GAC9BA,EAASk1B,GAEX,IACEt8B,EAAO0F,YAAY0B,GACnB,MAAOrc,GACP,KAAIA,aAAiBwxC,cAUnB,MAAMxxC,EATN6c,EAAKlR,KACH,4CACAsJ,EACAo5B,EACAhyB,EACAk1B,EACAxzB,QAUV,IAAM0zB,OACDxyC,KAAKquC,4BAEJtrB,EAA6B,GAoB7B0vB,EAAa,SAACvxB,eAClB,IAAKtD,EAAKqI,OAAOrY,gBACf,OAAOnB,QAAQC,KAAK,gDAEtB,IAAIsJ,EAAoC4H,EAAKyC,OAAO3C,QAClDwD,EAASG,UAEX,IAAKrL,EACH,OAAIkL,EAASna,KAAKzE,OAASrD,EAAS+J,SAE3B4U,EAAKgxB,iBAAiB9tC,KAAKogB,GAE7B6B,EAAMjiB,KAAKogB,GAGpB,IAAIwxB,EAAmB,KACnB90B,EAAKqI,OAAOrY,gBAAgBvG,SAC9BqrC,EAAmB90B,EAAKqI,OAAOrY,gBAAgBvG,SAAS2O,GAC/C4H,EAAKqI,OAAOrY,gBAAgBiS,KAAKxY,WAG1CqrC,EAAmB90B,EAAKqI,OAAOrY,gBAAgBiS,KAAKxY,SAAS2O,IAG/D,IAAM28B,gBACF38B,GAAmCq2B,kDAAuB,UACzD3sC,QAAS,EAKd,GACE0yC,GACAM,IACC9uB,GAAc5N,KACd28B,EACD,CACA,IAAMC,EAAiB9sC,SAAS+sC,yBAOhC,IANAj1B,EAAKyC,OAAOhd,IAAI6d,EAASG,UAAYuxB,EACrCh1B,EAAK6rB,kBAAkBpvB,IAAIu4B,EAAe58B,GAG1C4H,EAAKk1B,WAAW98B,GAETA,EAAO8F,YACZ82B,EAAcj3B,YAAY3F,EAAO8F,YAEnC9F,EAAS48B,EAGP1xB,EAASna,KAAKgK,WAEXuT,GAActO,IACfA,EAAgC+F,aAAa,CAAEC,KAAM,SAElDhG,EAASA,EAAOjU,YAGzB,IAAIqc,EAAwB,KACxB9d,EAAoB,KAOxB,GANI4gB,EAAS6xB,aACX30B,EAAWR,EAAKyC,OAAO3C,QAAQwD,EAAS6xB,aAEtC7xB,EAASmC,SACX/iB,EAAOsd,EAAKyC,OAAO3C,QAAQwD,EAASmC,SAjFnB,SAACnC,GACpB,IAAI5gB,EAAoB,KAKxB,OAJI4gB,EAASmC,SACX/iB,EAAOsd,EAAKyC,OAAO3C,QAAQwD,EAASmC,SAIhB,OAApBnC,EAASmC,aACWxa,IAApBqY,EAASmC,SACY,IAArBnC,EAASmC,SACR/iB,EAyEC0yC,CAAa9xB,GACf,OAAO6B,EAAMjiB,KAAKogB,GAGpB,IAAIA,EAASna,KAAKa,QAAWgW,EAAKyC,OAAO3C,QAAQwD,EAASna,KAAKa,QAA/D,CAIA,IAAMqrC,EAAY/xB,EAASna,KAAKa,OAC5BgW,EAAKyC,OAAO3C,QAAQwD,EAASna,KAAKa,QAClCgW,EAAKqI,OAAOrY,gBAChB,GAAIgW,GAAc5N,GAChB4H,EAAK+wB,uBAAuBztB,EAAUlL,OADxC,CAIA,IAAMoH,EAASjB,EAAgB+E,EAASna,KAAM,CAC5CvB,IAAKytC,EACL5vC,IAAKua,EAAKyC,OAAOhd,IACjByL,WAAW,EACX2L,SAAS,EACThB,MAAOmE,EAAKnE,QAId,IAA6B,IAAzByH,EAAS6xB,aAA0C,IAArB7xB,EAASmC,OAA3C,CAQA,GACE,SAAUrN,GACVA,EAAOtN,KAAKpG,OAASrD,EAAS6O,SACN,aAAxBkI,EAAOtN,KAAKrG,SACZ6e,EAASna,KAAKzE,OAASrD,EAASqP,SAIhC,IAAgB,IAAAzE,EAAA5J,EAAAoB,MAAMH,KAAK8U,EAAO/M,2CAAa,CAA1C,IAAMtC,UACLA,EAAElF,WAAauU,EAAOvO,WACxBuO,EAAO0F,YAAY/U,qGAKzB,GAAIyX,GAAYA,EAAShQ,aAAegQ,EAAShQ,YAAY5G,WAC3DwO,EAAO+1B,aAAa3uB,EAAQgB,EAAShQ,kBAChC,GAAI9N,GAAQA,EAAKkH,WAGtBwO,EAAO3O,SAAS/G,GACZ0V,EAAO+1B,aAAa3uB,EAAQ9c,GAC5B0V,EAAO+1B,aAAa3uB,EAAQ,UAC3B,CAIL,GAAIpH,IAAWi9B,EACb,KAAOA,EAAUn3B,YACfm3B,EAAUv3B,YAAYu3B,EAAUn3B,YAIpC9F,EAAO2F,YAAYyB,GAGrB,GAAIwG,GAAcxG,GAAS,CACzB,IAAM81B,EAAkBt1B,EAAKgxB,iBAAiBzkC,MAC5C,SAAC9J,GAAM,OAAAA,EAAEghB,WAAajE,EAAO1U,KAAKE,MAEhCsqC,IACFt1B,EAAK+wB,uBAAuBuE,EAAiB91B,GAC7CQ,EAAKgxB,iBAAmBhxB,EAAKgxB,iBAAiB70B,QAC5C,SAAC1Z,GAAM,OAAAA,IAAM6yC,OAKfhyB,EAAS6xB,YAAc7xB,EAASmC,SAClCzF,EAAKu1B,0BACHX,EACAx8B,EACAoH,EACA8D,QA5DFsxB,EAAsBtxB,EAASna,KAAK6B,IAAM,CACxC7B,KAAMqW,EACN8D,eA+DNpC,EAAE2D,KAAKpM,SAAQ,SAAC6K,GACduxB,EAAWvxB,MAIb,IADA,IAAIke,EAAY7gB,KAAKD,MACdyE,EAAMrjB,QAAQ,CAEnB,IAAM0zC,EAAetwB,GAAoBC,GAEzC,GADAA,EAAMrjB,OAAS,EACX6e,KAAKD,MAAQ8gB,EAAY,IAAK,CAChCp/B,KAAK0M,KACH,2DACA0mC,GAEF,UAEF,IAAmB,IAAAC,YAAApzC,EAAAmzC,kCAAc,CAA5B,IAAM3xB,UACIzhB,KAAKqgB,OAAO3C,QAAQ+D,EAAKlhB,MAAM8gB,UAO1CqC,GAAmBjC,GAAM,SAACP,GACxBuxB,EAAWvxB,MANblhB,KAAKszC,MACH,gEACA7xB,sGAUJtiB,OAAOgX,KAAKq8B,GAAuB9yC,QACrCP,OAAOC,OAAOY,KAAKquC,2BAA4BmE,GAGjD1zB,EAAE0C,MAAMnL,SAAQ,SAAC6K,GACf,IAAI9D,EAASQ,EAAKyC,OAAO3C,QAAQwD,EAAStY,IAC1C,IAAKwU,EAAQ,CACX,GAAI0B,EAAE0D,QAAQrY,MAAK,SAACxJ,GAAM,OAAAA,EAAEiI,KAAOsY,EAAStY,MAE1C,OAEF,OAAOgV,EAAKy0B,iBAAiBvzB,EAAGoC,EAAStY,IAKvCgV,EAAK6rB,kBAAkB5rB,IAAIT,KAC7BA,EAASQ,EAAK6rB,kBAAkB7vB,IAAIwD,IAEtCA,EAAO7S,YAAc2W,EAAS3gB,SAEhCue,EAAEhV,WAAWuM,SAAQ,SAAC6K,GACpB,IAAI9D,EAASQ,EAAKyC,OAAO3C,QAAQwD,EAAStY,IAC1C,IAAKwU,EAAQ,CACX,GAAI0B,EAAE0D,QAAQrY,MAAK,SAACxJ,GAAM,OAAAA,EAAEiI,KAAOsY,EAAStY,MAE1C,OAEF,OAAOgV,EAAKy0B,iBAAiBvzB,EAAGoC,EAAStY,IAK3C,IAAK,IAAMye,KAHPzJ,EAAK6rB,kBAAkB5rB,IAAIT,KAC7BA,EAASQ,EAAK6rB,kBAAkB7vB,IAAIwD,IAEV8D,EAASpX,WACnC,GAA6B,iBAAlBud,EAA4B,CACrC,IAAM9mB,EAAQ2gB,EAASpX,WAAWud,GAClC,GAAc,OAAV9mB,EACA6c,EAA4Bm2B,gBAAgBlsB,QACzC,GAAqB,iBAAV9mB,EAChB,IACI6c,EAA4BjC,aAAakM,EAAe9mB,GAC1D,MAAOQ,GACH6c,EAAK6jB,OAAOqH,aACdr8B,QAAQC,KACN,qDACA3L,QAID,GAAsB,UAAlBsmB,EAA2B,CACpC,IAAImsB,EAAcjzC,EACZkzC,EAAYr2B,EAClB,IAAK,IAAI9d,KAAKk0C,EACZ,IAAuB,IAAnBA,EAAYl0C,GACdm0C,EAASv+B,MAAMsc,eAAelyB,QACzB,GAAIk0C,EAAYl0C,aAAc+B,MAAO,CAC1C,IAAMqyC,EAAMF,EAAYl0C,GACxBm0C,EAASv+B,MAAMmc,YAAY/xB,EAAGo0C,EAAI,GAAIA,EAAI,QACrC,CACL,IAAMC,EAAMH,EAAYl0C,GACxBm0C,EAASv+B,MAAMmc,YAAY/xB,EAAGq0C,UAepCjI,wBAAR,SAAoB5sB,EAAe4mB,GACjC,IAAMtoB,EAASpd,KAAKqgB,OAAO3C,QAAQoB,EAAElW,IACrC,IAAKwU,EACH,OAAOpd,KAAK+wC,kBAAkBjyB,EAAGA,EAAElW,IAErC,GAAKwU,IAAoBpd,KAAKimB,OAAOrY,gBACnC5N,KAAKimB,OAAO9U,cAAe+rB,SAAS,CAClC3B,IAAKzc,EAAE9T,EACPqwB,KAAMvc,EAAEhU,EACRizB,SAAU2H,EAAS,OAAS,gBAEzB,GAAItoB,EAAO1U,KAAKpG,OAASrD,EAAS+J,SAErCoU,EAAgC6G,YAAaiZ,SAAS,CACtD3B,IAAKzc,EAAE9T,EACPqwB,KAAMvc,EAAEhU,EACRizB,SAAU2H,EAAS,OAAS,gBAG9B,IACItoB,EAA4BhQ,UAAY0R,EAAE9T,EAC1CoS,EAA4BlQ,WAAa4R,EAAEhU,EAC7C,MAAO/J,MASL2qC,uBAAR,SAAmB5sB,GACjB,IAAM1B,EAASpd,KAAKqgB,OAAO3C,QAAQoB,EAAElW,IACrC,IAAKwU,EACH,OAAOpd,KAAK+wC,kBAAkBjyB,EAAGA,EAAElW,IAErC,IACIwU,EAAqC5S,QAAUsU,EAAE6Q,UACjDvS,EAAqC7c,MAAQue,EAAEtc,KACjD,MAAOzB,MAKH2qC,sBAAR,SAAkB5sB,EAAiBoC,GACjC,IAAM9D,EAASpd,KAAKqgB,OAAO3C,QAAQoB,EAAElW,IACrC,IAAKwU,EACH,OAAOpd,KAAK+wC,kBAAkB7vB,EAAUpC,EAAElW,IAE5C,IACIwU,EAAgC7S,YAAcuU,EAAEve,MAClD,MAAOQ,MAKH2qC,sCAAR,SACEroC,EACA2S,EACAoH,EACAw2B,GAEQ,IAAAb,EAAuBa,aAAXvwB,EAAWuwB,SACzBC,EAAgBd,GAAc1vC,EAAI0vC,GAClCe,EAAYzwB,GAAUhgB,EAAIggB,GAChC,GAAIwwB,EAAe,CACX,IAAAjyC,EAAqBiyC,EAAnB9sC,SAAMma,aACdlL,EAAO+1B,aAAahlC,EAAMqW,UACnB/Z,EAAI6d,EAASna,KAAK6B,WAClB5I,KAAKquC,2BAA2BntB,EAASna,KAAK6B,KACjDsY,EAAS6xB,YAAc7xB,EAASmC,SAClCrjB,KAAKmzC,0BAA0B9vC,EAAK2S,EAAQjP,EAAcma,GAG9D,GAAI4yB,EAAW,CACP,IAAA3rC,EAAqB2rC,EAAnB/sC,SAAMma,aACdlL,EAAO+1B,aAAahlC,EAAMqW,EAAOhP,oBAC1B/K,EAAI6d,EAASna,KAAK6B,WAClB5I,KAAKquC,2BAA2BntB,EAASna,KAAK6B,KACjDsY,EAAS6xB,YAAc7xB,EAASmC,SAClCrjB,KAAKmzC,0BAA0B9vC,EAAK2S,EAAQjP,EAAcma,KAKxDwqB,yBAAR,SACE5gC,EACAE,EACApC,EACA88B,EACA2H,GAEA,IAAMjwB,EAASpd,KAAKqgB,OAAO3C,QAAQ9U,GACnC,IAAKwU,EACH,OAAOpd,KAAK+wC,kBAAkB1D,EAAWzkC,GAG3C,IAAMmrC,EAAOlwB,GAAiBzG,EAAQpd,KAAKimB,QACrC+tB,EAAKlpC,EAAIipC,EAAK5vB,cAAgB4vB,EAAKjpC,EACnCmpC,EAAKjpC,EAAI+oC,EAAK5vB,cAAgB4vB,EAAK/oC,EAEzChL,KAAKyrC,MAAMv2B,MAAMmmB,KAAO,UAAG2Y,QAC3Bh0C,KAAKyrC,MAAMv2B,MAAMqmB,IAAM,UAAG0Y,QACrBvO,GACH1lC,KAAKk0C,cAAc,CAAEppC,EAAGkpC,EAAIhpC,EAAGipC,IAEjCj0C,KAAKm0C,cAAe/2B,IAGdsuB,0BAAR,SAAsBl5B,GAAtB,WACE,GAAKxS,KAAKopC,UAAV,CAIM,IAAAxnC,GACsB,IAA1B5B,KAAKyhC,OAAO2H,UACRlB,GACA/oC,OAAOC,OAAO,GAAI8oC,GAAwBloC,KAAKyhC,OAAO2H,WAHpDhB,YAASC,cAAWC,gBAAaH,aAKnCiM,EAAO,WACX,GAAKx2B,EAAKwrB,UAAV,CAGA,IAAMx+B,EAAMgT,EAAKwrB,UAAUv+B,WAAW,MACjCD,GAAQgT,EAAK2zB,cAAc7xC,SAGhCkL,EAAIypC,UAAU,EAAG,EAAGz2B,EAAKwrB,UAAUr+B,MAAO6S,EAAKwrB,UAAUn+B,QACzDL,EAAI0pC,YACJ1pC,EAAIy9B,UAAYA,EAChBz9B,EAAIw9B,QAAUA,EACdx9B,EAAI09B,YAAcA,EAClB19B,EAAI2pC,OAAO32B,EAAK2zB,cAAc,GAAGzmC,EAAG8S,EAAK2zB,cAAc,GAAGvmC,GAC1D4S,EAAK2zB,cAAcl7B,SAAQ,SAAC1W,GAAM,OAAAiL,EAAI4pC,OAAO70C,EAAEmL,EAAGnL,EAAEqL,MACpDJ,EAAI6pC,YAGNz0C,KAAKuxC,cAAczwC,KAAK0R,GACxB4hC,IACA3iC,YAAW,WACTmM,EAAK2zB,cAAgB3zB,EAAK2zB,cAAcx3B,QAAO,SAACpa,GAAM,OAAAA,IAAM6S,KAC5D4hC,MACCjM,EAAWnoC,KAAK0qC,aAAaxH,MAAMxkB,QAAQ4lB,MAAM1E,SAG9C8L,0BAAR,SAAsB5jC,mBACpB9H,KAAKimB,OAAOrY,gCACRiiB,iBAAiB,aAClBxZ,SAAQ,SAACq+B,GACRA,EAAUttC,UAAUqqB,OAAO,aAG/B,IADA,IAAIkjB,EAA4B7sC,EACzB6sC,GACDA,EAAUvtC,WACZutC,EAAUvtC,UAAUwa,IAAI,UAE1B+yB,EAAYA,EAAUjlB,eAIlBgc,8BAAR,SAA0BnrB,GACxB,OAAIA,EAAMje,OAAS0W,YAAUuhB,sBAI3Bha,EAAMhV,KAAKuH,OAASmG,oBAAkBsJ,UACtChC,EAAMhV,KAAKuH,QAAUmG,oBAAkB6iB,QAInC4P,yBAAR,WACE1rC,KAAKytC,yBAA2B,KAC5BztC,KAAK0qC,aAAaxH,MAAMzgC,QAAQ,YAGpCzC,KAAK0qC,aAAa5H,KAAK,CAAExgC,KAAM,mBAC/BtC,KAAKujC,QAAQve,KAAK3L,iBAAeu7B,QAAS,CACxChV,MAAO5/B,KAAK0qC,aAAaxH,MAAMxkB,QAAQisB,gBASnCe,8BAAR,SAA0B7B,EAAa7zB,GACrChW,KAAKqgB,OAAOhd,IAAI2S,EAAOtN,KAAKE,IAAMoN,EAMhCA,EAAOtN,KAAKpG,OAASrD,EAAS6O,SACN,aAAxBkI,EAAOtN,KAAKrG,SACZwnC,EAAKt/B,cAEHyL,EAA2CzV,MAAQspC,EAAKt/B,aAE5DyL,EAAO2F,YAAYkuB,GAEnB7pC,KAAK60C,aAAa7+B,IAQZ01B,uBAAR,SAAmB11B,WACjB,GAAIA,GACEA,EAAOvU,WAAauU,EAAOtU,aAAc,CAC3C,IAAMguB,EAAiB1Z,GACnB0Z,EAAcxiB,YAAcwiB,EAActiB,YAE5CpN,KAAK0pC,gBAAgBrvB,IAAIrE,EAAQ,CAC/B8V,OAAQ,CAAC4D,EAAcxiB,WAAYwiB,EAActiB,aAGvB,UAA1BsiB,EAAcrtB,kBFtqDxBqtB,EACAia,SAEA,IACE,IAAMnD,EAAWnlC,MAAMH,gBACpBwuB,EAAmC7nB,4BAAOzE,WAAY,IACvDC,KAAI,SAACG,GAAS,OAAAA,EAAKE,WACrBimC,EAAqBtvB,IAAKqV,EAAoC,CAC5D,CACEptB,KAAMwjC,GAAcS,SACpBC,cAGJ,MAAO5lC,KE0pDDk0C,CACEplB,EACA1vB,KAAK2pC,sBAET,IAAMpoB,EAAWmO,EAAcnO,aAC/B,IAAoB,IAAApZ,EAAAlI,EAAAoB,MAAMH,KAAKqgB,kCAAW,CAArC,IAAM/F,UACTxb,KAAK8yC,WAAYt3B,wGAUjBkwB,yBAAR,SAAqB11B,WACnB,GAAIA,EAAOvU,WAAauU,EAAOtU,aAAc,CAC3C,IAAMguB,EAAiB1Z,EACvB,GAAIhW,KAAK0pC,gBAAgB7rB,IAAI7H,GAAS,CACpC,IAAM++B,EAAc/0C,KAAK0pC,gBAAgB9vB,IAAI5D,GAEzC++B,EAAYjpB,SACd4D,EAAcxiB,WAAa6nC,EAAYjpB,OAAO,GAC9C4D,EAActiB,UAAY2nC,EAAYjpB,OAAO,IAE/C9rB,KAAK0pC,gBAAgB1nB,OAAOhM,GAE9B,IAAMuL,EAAWmO,EAAcnO,aAC/B,IAAoB,IAAApZ,EAAAlI,EAAAoB,MAAMH,KAAKqgB,kCAAW,CAArC,IAAM/F,UACTxb,KAAK60C,aAAcr5B,wGAKjBkwB,6BAAR,SAAyB3kC,GACvB,IAAMo/B,EAAcnmC,KAAK2pC,qBAAqB/vB,IAAI7S,GAC5B,UAAlBA,EAAKiuC,WAIJ7O,GAMLD,GAA6BC,EAFVp/B,KAKb2kC,6BAAR,SAAyB5sB,EAAoBlW,GACvC5I,KAAKwpC,UAAUyL,UAAUrsC,GAC3B5I,KAAK0M,KAAK,wBAAiB9D,gCAAgCkW,GAE3D9e,KAAK0M,KAAK,wBAAiB9D,mBAAmBkW,IAI1C4sB,qCAAR,SACE5sB,EACA/d,GAEAf,KAAK0M,KAAK,6BAA8B3L,EAAO,mBAAoB+d,IAG7D4sB,8BAAR,SAA0B5sB,EAAoBlW,GAOxC5I,KAAKwpC,UAAUyL,UAAUrsC,GAC3B5I,KAAKszC,MACHrL,GACA,wBAAiBr/B,gCACjBkW,GAGF9e,KAAKszC,MAAMrL,GAAuB,wBAAiBr/B,mBAAmBkW,IAIlE4sB,iBAAR,eAAa,aAAAxmC,mBAAAA,IAAAyZ,kBACN3e,KAAKyhC,OAAOqH,aAGjBr8B,QAAQC,WAARD,WAAaw7B,MAA0BtpB,SAGjC+sB,kBAAR,eAAc,aAAAxmC,mBAAAA,IAAAyZ,kBACP3e,KAAKyhC,OAAOsH,WAIjBt8B,QAAQyoC,UAARzoC,WAAYw7B,MAA0BtpB,cGl6DlCge,GAAmBnE,kBACnBsE,GAAetE,cCOnB2c,GAAK7iB,WAAY8iB,GAAM5gB,YAAa6gB,GAAMjqC,YAE1CkqC,GAAO,IAAIH,GAAG,CAAC,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAgB,EAAG,EAAoB,IAG1II,GAAO,IAAIJ,GAAG,CAAC,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,EAAG,GAAI,GAAI,GAAI,GAAI,GAAI,GAAI,GAAI,GAAiB,EAAG,IAEjIK,GAAO,IAAIL,GAAG,CAAC,GAAI,GAAI,GAAI,EAAG,EAAG,EAAG,EAAG,EAAG,GAAI,EAAG,GAAI,EAAG,GAAI,EAAG,GAAI,EAAG,GAAI,EAAG,KAE7EM,GAAO,SAAUC,EAAIjjC,GAErB,IADA,IAAIyH,EAAI,IAAIk7B,GAAI,IACP71C,EAAI,EAAGA,EAAI,KAAMA,EACtB2a,EAAE3a,GAAKkT,GAAS,GAAKijC,EAAGn2C,EAAI,GAGhC,IAAIoB,EAAI,IAAI00C,GAAIn7B,EAAE,KAClB,IAAS3a,EAAI,EAAGA,EAAI,KAAMA,EACtB,IAAK,IAAIwiC,EAAI7nB,EAAE3a,GAAIwiC,EAAI7nB,EAAE3a,EAAI,KAAMwiC,EAC/BphC,EAAEohC,GAAOA,EAAI7nB,EAAE3a,IAAO,EAAKA,EAGnC,MAAO,CAAC2a,EAAGvZ,IAEXiB,GAAK6zC,GAAKH,GAAM,GAAIK,GAAK/zC,GAAG,GAAIg0C,GAAQh0C,GAAG,GAE/C+zC,GAAG,IAAM,IAAKC,GAAM,KAAO,GAI3B,IAHA,IAAIztC,GAAKstC,GAAKF,GAAM,GAAIM,GAAK1tC,GAAG,GAAI2tC,GAAQ3tC,GAAG,GAE3C4tC,GAAM,IAAIX,GAAI,OACT71C,GAAI,EAAGA,GAAI,QAASA,GAAG,CAE5B,IAAIuL,IAAU,MAAJvL,MAAgB,GAAW,MAAJA,KAAe,EAEhDuL,IAAU,OADVA,IAAU,MAAJA,MAAgB,GAAW,MAAJA,KAAe,MACtB,GAAW,KAAJA,KAAe,EAC5CirC,GAAIx2C,MAAY,MAAJuL,MAAgB,GAAW,IAAJA,KAAe,KAAQ,EAK9D,IAAIkrC,YAAkBC,EAAIC,EAAIv1C,GAO1B,IANA,IAAIrB,EAAI22C,EAAGv2C,OAEPH,EAAI,EAEJ6B,EAAI,IAAIg0C,GAAIc,GAET32C,EAAID,IAAKC,IACV6B,EAAE60C,EAAG12C,GAAK,GAEhB,IAII42C,EAJAC,EAAK,IAAIhB,GAAIc,GACjB,IAAK32C,EAAI,EAAGA,EAAI22C,IAAM32C,EAClB62C,EAAG72C,GAAM62C,EAAG72C,EAAI,GAAK6B,EAAE7B,EAAI,IAAO,EAGtC,GAAIoB,EAAG,CAEHw1C,EAAK,IAAIf,GAAI,GAAKc,GAElB,IAAIG,EAAM,GAAKH,EACf,IAAK32C,EAAI,EAAGA,EAAID,IAAKC,EAEjB,GAAI02C,EAAG12C,GAQH,IANA,IAAI+2C,EAAM/2C,GAAK,EAAK02C,EAAG12C,GAEnBg3C,EAAML,EAAKD,EAAG12C,GAEd+W,EAAI8/B,EAAGH,EAAG12C,GAAK,MAAQg3C,EAElBl2C,EAAIiW,GAAM,GAAKigC,GAAO,EAAIjgC,GAAKjW,IAAKiW,EAEzC6/B,EAAGJ,GAAIz/B,KAAO+/B,GAAOC,OAOjC,IADAH,EAAK,IAAIf,GAAI91C,GACRC,EAAI,EAAGA,EAAID,IAAKC,EACjB42C,EAAG52C,GAAKw2C,GAAIK,EAAGH,EAAG12C,GAAK,QAAW,GAAK02C,EAAG12C,GAElD,OAAO42C,GAGPK,GAAM,IAAIrB,GAAG,KACjB,IAAS51C,GAAI,EAAGA,GAAI,MAAOA,GACvBi3C,GAAIj3C,IAAK,EACb,IAASA,GAAI,IAAKA,GAAI,MAAOA,GACzBi3C,GAAIj3C,IAAK,EACb,IAASA,GAAI,IAAKA,GAAI,MAAOA,GACzBi3C,GAAIj3C,IAAK,EACb,IAASA,GAAI,IAAKA,GAAI,MAAOA,GACzBi3C,GAAIj3C,IAAK,EAEb,IAAIk3C,GAAM,IAAItB,GAAG,IACjB,IAAS51C,GAAI,EAAGA,GAAI,KAAMA,GACtBk3C,GAAIl3C,IAAK,EAEb,IAAIm3C,GAAoBV,GAAKQ,GAAK,EAAG,GAAIG,GAAqBX,GAAKQ,GAAK,EAAG,GAEvEI,GAAoBZ,GAAKS,GAAK,EAAG,GAAII,GAAqBb,GAAKS,GAAK,EAAG,GAEvEtI,GAAM,SAAUxoC,GAEhB,IADA,IAAItF,EAAIsF,EAAE,GACDpG,EAAI,EAAGA,EAAIoG,EAAEjG,SAAUH,EACxBoG,EAAEpG,GAAKc,IACPA,EAAIsF,EAAEpG,IAEd,OAAOc,GAGPy2C,GAAO,SAAUh4B,EAAGnf,EAAGU,GACvB,IAAIH,EAAKP,EAAI,GAAM,EACnB,OAASmf,EAAE5e,GAAM4e,EAAE5e,EAAI,IAAM,MAAa,EAAJP,GAAUU,GAGhD02C,GAAS,SAAUj4B,EAAGnf,GACtB,IAAIO,EAAKP,EAAI,GAAM,EACnB,OAASmf,EAAE5e,GAAM4e,EAAE5e,EAAI,IAAM,EAAM4e,EAAE5e,EAAI,IAAM,OAAc,EAAJP,IAGzDq3C,GAAO,SAAUr3C,GAAK,OAASA,EAAI,GAAM,IAAU,EAAJA,GAAS,IAGxDs3C,GAAM,SAAU3gC,EAAGhX,EAAGsB,IACb,MAALtB,GAAaA,EAAI,KACjBA,EAAI,IACC,MAALsB,GAAaA,EAAI0V,EAAE5W,UACnBkB,EAAI0V,EAAE5W,QAEV,IAAIF,EAAI,IAAK8W,aAAa8+B,GAAMA,GAAM9+B,aAAa++B,GAAMA,GAAMF,IAAIv0C,EAAItB,GAEvE,OADAE,EAAE6a,IAAI/D,EAAE4gC,SAAS53C,EAAGsB,IACbpB,GA6KP23C,GAAQ,SAAUr4B,EAAGnf,EAAG2W,GACxBA,IAAU,EAAJ3W,EACN,IAAIO,EAAKP,EAAI,GAAM,EACnBmf,EAAE5e,IAAMoW,EACRwI,EAAE5e,EAAI,IAAMoW,IAAM,GAGlB8gC,GAAU,SAAUt4B,EAAGnf,EAAG2W,GAC1BA,IAAU,EAAJ3W,EACN,IAAIO,EAAKP,EAAI,GAAM,EACnBmf,EAAE5e,IAAMoW,EACRwI,EAAE5e,EAAI,IAAMoW,IAAM,EAClBwI,EAAE5e,EAAI,IAAMoW,IAAM,IAGlB+gC,GAAQ,SAAUv4B,EAAGo3B,GAGrB,IADA,IAAI72C,EAAI,GACCE,EAAI,EAAGA,EAAIuf,EAAEpf,SAAUH,EACxBuf,EAAEvf,IACFF,EAAEyB,KAAK,CAAExB,EAAGC,EAAG8hC,EAAGviB,EAAEvf,KAE5B,IAAID,EAAID,EAAEK,OACN43C,EAAKj4C,EAAEiC,QACX,IAAKhC,EACD,MAAO,CAAC,IAAI61C,GAAG,GAAI,GACvB,GAAS,GAAL71C,EAAQ,CACR,IAAIgX,EAAI,IAAI6+B,GAAG91C,EAAE,GAAGC,EAAI,GAExB,OADAgX,EAAEjX,EAAE,GAAGC,GAAK,EACL,CAACgX,EAAG,GAEfjX,EAAE4a,MAAK,SAAUtU,EAAGuU,GAAK,OAAOvU,EAAE07B,EAAInnB,EAAEmnB,KAGxChiC,EAAEyB,KAAK,CAAExB,GAAI,EAAG+hC,EAAG,QACnB,IAAIjgC,EAAI/B,EAAE,GAAIsB,EAAItB,EAAE,GAAIk4C,EAAK,EAAGC,EAAK,EAAGC,EAAK,EAO7C,IANAp4C,EAAE,GAAK,CAAEC,GAAI,EAAG+hC,EAAGjgC,EAAEigC,EAAI1gC,EAAE0gC,EAAGjgC,EAAGA,EAAGT,EAAGA,GAMhC62C,GAAMl4C,EAAI,GACb8B,EAAI/B,EAAEA,EAAEk4C,GAAIlW,EAAIhiC,EAAEo4C,GAAIpW,EAAIkW,IAAOE,KACjC92C,EAAItB,EAAEk4C,GAAMC,GAAMn4C,EAAEk4C,GAAIlW,EAAIhiC,EAAEo4C,GAAIpW,EAAIkW,IAAOE,KAC7Cp4C,EAAEm4C,KAAQ,CAAEl4C,GAAI,EAAG+hC,EAAGjgC,EAAEigC,EAAI1gC,EAAE0gC,EAAGjgC,EAAGA,EAAGT,EAAGA,GAE9C,IAAI+2C,EAASJ,EAAG,GAAGh4C,EACnB,IAASC,EAAI,EAAGA,EAAID,IAAKC,EACjB+3C,EAAG/3C,GAAGD,EAAIo4C,IACVA,EAASJ,EAAG/3C,GAAGD,GAGvB,IAAIq4C,EAAK,IAAIvC,GAAIsC,EAAS,GAEtBE,EAAMC,GAAGx4C,EAAEm4C,EAAK,GAAIG,EAAI,GAC5B,GAAIC,EAAM1B,EAAI,CAIN32C,EAAI,EAAR,IAAWu4C,EAAK,EAEZC,EAAMH,EAAM1B,EAAI8B,EAAM,GAAKD,EAE/B,IADAT,EAAGr9B,MAAK,SAAUtU,EAAGuU,GAAK,OAAOy9B,EAAGz9B,EAAE5a,GAAKq4C,EAAGhyC,EAAErG,IAAMqG,EAAE07B,EAAInnB,EAAEmnB,KACvD9hC,EAAID,IAAKC,EAAG,CACf,IAAI04C,EAAOX,EAAG/3C,GAAGD,EACjB,KAAIq4C,EAAGM,GAAQ/B,GAKX,MAJA4B,GAAME,GAAO,GAAMJ,EAAMD,EAAGM,IAC5BN,EAAGM,GAAQ/B,EAMnB,IADA4B,KAAQC,EACDD,EAAK,GAAG,CACX,IAAII,EAAOZ,EAAG/3C,GAAGD,EACbq4C,EAAGO,GAAQhC,EACX4B,GAAM,GAAM5B,EAAKyB,EAAGO,KAAU,IAE5B34C,EAEV,KAAOA,GAAK,GAAKu4C,IAAMv4C,EAAG,CACtB,IAAI44C,EAAOb,EAAG/3C,GAAGD,EACbq4C,EAAGQ,IAASjC,MACVyB,EAAGQ,KACHL,GAGVF,EAAM1B,EAEV,MAAO,CAAC,IAAIf,GAAGwC,GAAKC,IAGpBC,GAAK,SAAUr4C,EAAG4B,EAAG0d,GACrB,OAAe,GAARtf,EAAEF,EACH+L,KAAK8iC,IAAI0J,GAAGr4C,EAAE4B,EAAGA,EAAG0d,EAAI,GAAI+4B,GAAGr4C,EAAEmB,EAAGS,EAAG0d,EAAI,IAC1C1d,EAAE5B,EAAEF,GAAKwf,GAGhBs5B,GAAK,SAAUzxC,GAGf,IAFA,IAAIrH,EAAIqH,EAAEjH,OAEHJ,IAAMqH,IAAIrH,KAMjB,IAJA,IAAI+4C,EAAK,IAAIjD,KAAM91C,GAEfg5C,EAAM,EAAGC,EAAM5xC,EAAE,GAAI6xC,EAAM,EAC3Bzb,EAAI,SAAUzmB,GAAK+hC,EAAGC,KAAShiC,GAC1B/W,EAAI,EAAGA,GAAKD,IAAKC,EACtB,GAAIoH,EAAEpH,IAAMg5C,GAAOh5C,GAAKD,IAClBk5C,MACD,CACD,IAAKD,GAAOC,EAAM,EAAG,CACjB,KAAOA,EAAM,IAAKA,GAAO,IACrBzb,EAAE,OACFyb,EAAM,IACNzb,EAAEyb,EAAM,GAAOA,EAAM,IAAO,EAAK,MAAUA,EAAM,GAAM,EAAK,OAC5DA,EAAM,QAGT,GAAIA,EAAM,EAAG,CAEd,IADAzb,EAAEwb,KAAQC,EACHA,EAAM,EAAGA,GAAO,EACnBzb,EAAE,MACFyb,EAAM,IACNzb,EAAIyb,EAAM,GAAM,EAAK,MAAOA,EAAM,GAE1C,KAAOA,KACHzb,EAAEwb,GACNC,EAAM,EACND,EAAM5xC,EAAEpH,GAGhB,MAAO,CAAC84C,EAAGnB,SAAS,EAAGoB,GAAMh5C,IAG7Bm5C,GAAO,SAAUC,EAAIL,GAErB,IADA,IAAIj3C,EAAI,EACC7B,EAAI,EAAGA,EAAI84C,EAAG34C,SAAUH,EAC7B6B,GAAKs3C,EAAGn5C,GAAK84C,EAAG94C,GACpB,OAAO6B,GAIPu3C,GAAQ,SAAUC,EAAK3yC,EAAK4yC,GAE5B,IAAIv5C,EAAIu5C,EAAIn5C,OACRQ,EAAI82C,GAAK/wC,EAAM,GACnB2yC,EAAI14C,GAAS,IAAJZ,EACTs5C,EAAI14C,EAAI,GAAKZ,IAAM,EACnBs5C,EAAI14C,EAAI,GAAc,IAAT04C,EAAI14C,GACjB04C,EAAI14C,EAAI,GAAkB,IAAb04C,EAAI14C,EAAI,GACrB,IAAK,IAAIX,EAAI,EAAGA,EAAID,IAAKC,EACrBq5C,EAAI14C,EAAIX,EAAI,GAAKs5C,EAAIt5C,GACzB,OAAqB,GAAbW,EAAI,EAAIZ,IAGhBw5C,GAAO,SAAUD,EAAKD,EAAKG,EAAOC,EAAMC,EAAIC,EAAIxD,EAAIyD,EAAIC,EAAIC,EAAI15C,GAChEw3C,GAAMyB,EAAKj5C,IAAKo5C,KACdE,EAAG,KAML,IALA,IAAIr3C,EAAKy1C,GAAM4B,EAAI,IAAKK,EAAM13C,EAAG,GAAI23C,EAAM33C,EAAG,GAC1CuG,EAAKkvC,GAAM6B,EAAI,IAAKM,EAAMrxC,EAAG,GAAIsxC,EAAMtxC,EAAG,GAC1CE,EAAK+vC,GAAGkB,GAAMI,EAAOrxC,EAAG,GAAIsxC,EAAMtxC,EAAG,GACrCwB,EAAKuuC,GAAGoB,GAAMI,EAAO/vC,EAAG,GAAIgwC,EAAMhwC,EAAG,GACrCiwC,EAAS,IAAI1E,GAAI,IACZ71C,EAAI,EAAGA,EAAIm6C,EAAKh6C,SAAUH,EAC/Bu6C,EAAiB,GAAVJ,EAAKn6C,MAChB,IAASA,EAAI,EAAGA,EAAIq6C,EAAKl6C,SAAUH,EAC/Bu6C,EAAiB,GAAVF,EAAKr6C,MAGhB,IAFA,IAAIwK,EAAKstC,GAAMyC,EAAQ,GAAIC,EAAMhwC,EAAG,GAAIiwC,EAAOjwC,EAAG,GAC9CkwC,EAAO,GACJA,EAAO,IAAMF,EAAIvE,GAAKyE,EAAO,MAAOA,GAE3C,IAKIC,EAAIC,EAAIC,EAAIC,EALZC,EAAQjB,EAAK,GAAM,EACnBkB,EAAQ9B,GAAKQ,EAAIzC,IAAOiC,GAAKS,EAAIzC,IAAOf,EACxC8E,EAAQ/B,GAAKQ,EAAIK,GAAOb,GAAKS,EAAIM,GAAO9D,EAAK,GAAK,EAAIuE,EAAOxB,GAAKqB,EAAQC,IAAQ,EAAID,EAAO,IAAM,EAAIA,EAAO,IAAM,EAAIA,EAAO,KACnI,GAAIQ,GAAQC,GAASD,GAAQE,EACzB,OAAO7B,GAAMC,EAAKj5C,EAAGk5C,EAAI3B,SAASkC,EAAIA,EAAKC,IAG/C,GADAlC,GAAMyB,EAAKj5C,EAAG,GAAK66C,EAAQD,IAAS56C,GAAK,EACrC66C,EAAQD,EAAO,CACfL,EAAKlE,GAAKsD,EAAKC,EAAK,GAAIY,EAAKb,EAAKc,EAAKpE,GAAKwD,EAAKC,EAAK,GAAIY,EAAKb,EAC/D,IAAIiB,EAAMzE,GAAK+D,EAAKC,EAAM,GAC1B7C,GAAMyB,EAAKj5C,EAAGg6C,EAAM,KACpBxC,GAAMyB,EAAKj5C,EAAI,EAAGk6C,EAAM,GACxB1C,GAAMyB,EAAKj5C,EAAI,GAAIs6C,EAAO,GAC1Bt6C,GAAK,GACL,IAASJ,EAAI,EAAGA,EAAI06C,IAAQ16C,EACxB43C,GAAMyB,EAAKj5C,EAAI,EAAIJ,EAAGw6C,EAAIvE,GAAKj2C,KACnCI,GAAK,EAAIs6C,EAET,IADA,IAAIS,EAAO,CAAChB,EAAME,GACTe,EAAK,EAAGA,EAAK,IAAKA,EACvB,CAAA,IAAIC,EAAOF,EAAKC,GAChB,IAASp7C,EAAI,EAAGA,EAAIq7C,EAAKl7C,SAAUH,EAAG,CAClC,IAAI01B,EAAgB,GAAV2lB,EAAKr7C,GACf43C,GAAMyB,EAAKj5C,EAAG86C,EAAIxlB,IAAOt1B,GAAKo6C,EAAI9kB,GAC9BA,EAAM,KACNkiB,GAAMyB,EAAKj5C,EAAIi7C,EAAKr7C,KAAO,EAAK,KAAMI,GAAKi7C,EAAKr7C,KAAO,WAKnE26C,EAAKxD,GAAKyD,EAAK3D,GAAK4D,EAAKxD,GAAKyD,EAAK5D,GAEvC,IAASl3C,EAAI,EAAGA,EAAI45C,IAAM55C,EACtB,GAAIy5C,EAAKz5C,GAAK,IAAK,CACX01B,EAAO+jB,EAAKz5C,KAAO,GAAM,GAC7B63C,GAAQwB,EAAKj5C,EAAGu6C,EAAGjlB,EAAM,MAAOt1B,GAAKw6C,EAAGllB,EAAM,KAC1CA,EAAM,IACNkiB,GAAMyB,EAAKj5C,EAAIq5C,EAAKz5C,KAAO,GAAM,IAAKI,GAAK21C,GAAKrgB,IACpD,IAAI4lB,EAAgB,GAAV7B,EAAKz5C,GACf63C,GAAQwB,EAAKj5C,EAAGy6C,EAAGS,IAAOl7C,GAAK06C,EAAGQ,GAC9BA,EAAM,IACNzD,GAAQwB,EAAKj5C,EAAIq5C,EAAKz5C,KAAO,EAAK,MAAOI,GAAK41C,GAAKsF,SAGvDzD,GAAQwB,EAAKj5C,EAAGu6C,EAAGlB,EAAKz5C,KAAMI,GAAKw6C,EAAGnB,EAAKz5C,IAInD,OADA63C,GAAQwB,EAAKj5C,EAAGu6C,EAAG,MACZv6C,EAAIw6C,EAAG,MAGdW,GAAoB,IAAIzF,GAAI,CAAC,MAAO,OAAQ,OAAQ,OAAQ,OAAQ,QAAS,QAAS,QAAS,UAE/F0F,GAAmB,IAAI5F,GAAG,GAwK1B6F,GAAO,SAAUnC,EAAKoC,EAAKC,EAAKC,EAAMC,GACtC,OAvKO,SAAUvC,EAAKwC,EAAKC,EAAMJ,EAAKC,EAAMI,GAC5C,IAAIj8C,EAAIu5C,EAAIn5C,OACRQ,EAAI,IAAIi1C,GAAG+F,EAAM57C,EAAI,GAAK,EAAI+L,KAAKo1B,MAAMnhC,EAAI,MAAS67C,GAEtDpe,EAAI78B,EAAEg3C,SAASgE,EAAKh7C,EAAER,OAASy7C,GAC/Bl1C,EAAM,EACV,IAAKo1C,GAAO/7C,EAAI,EACZ,IAAK,IAAIC,EAAI,EAAGA,GAAKD,EAAGC,GAAK,MAAO,CAEhC,IAAIqB,EAAIrB,EAAI,MACRqB,EAAItB,EAEJ2G,EAAM0yC,GAAM5b,EAAG92B,EAAK4yC,EAAI3B,SAAS33C,EAAGqB,KAIpCm8B,EAAEx9B,GAAKg8C,EACPt1C,EAAM0yC,GAAM5b,EAAG92B,EAAK4yC,EAAI3B,SAAS33C,EAAGD,SAI3C,CAeD,IAdA,IAAI27C,EAAMH,GAAIO,EAAM,GAChB77C,EAAIy7C,IAAQ,GAAIt0C,EAAU,KAANs0C,EACpBO,GAAS,GAAKF,GAAQ,EAEtBG,EAAO,IAAIrG,GAAI,OAAQ1wB,EAAO,IAAI0wB,GAAIoG,EAAQ,GAC9CE,EAAQrwC,KAAKswC,KAAKL,EAAO,GAAIM,EAAQ,EAAIF,EACzCG,EAAM,SAAUt8C,GAAK,OAAQs5C,EAAIt5C,GAAMs5C,EAAIt5C,EAAI,IAAMm8C,EAAU7C,EAAIt5C,EAAI,IAAMq8C,GAAUJ,GAGvFxC,EAAO,IAAI3D,GAAI,MAEf4D,EAAK,IAAI7D,GAAI,KAAM8D,EAAK,IAAI9D,GAAI,IAEhC0G,EAAO,EAAGpG,EAAK,EAAUyD,GAAP55C,EAAI,EAAQ,GAAGw8C,EAAK,EAAG3C,EAAK,EAC3C75C,EAAID,IAAKC,EAAG,CAEf,IAAIy8C,EAAKH,EAAIt8C,GAET08C,EAAW,MAAJ18C,EAEP28C,EAAQx3B,EAAKs3B,GAKjB,GAJAP,EAAKQ,GAAQC,EACbx3B,EAAKs3B,GAAMC,EAGPF,GAAMx8C,EAAG,CAET,IAAI48C,EAAM78C,EAAIC,EACd,IAAKu8C,EAAO,KAAQ3C,EAAK,QAAUgD,EAAM,IAAK,CAC1Cl2C,EAAM6yC,GAAKD,EAAK9b,EAAG,EAAGic,EAAMC,EAAIC,EAAIxD,EAAIyD,EAAIC,EAAI75C,EAAI65C,EAAInzC,GACxDkzC,EAAK2C,EAAOpG,EAAK,EAAG0D,EAAK75C,EACzB,IAAK,IAAIwiC,EAAI,EAAGA,EAAI,MAAOA,EACvBkX,EAAGlX,GAAK,EACZ,IAASA,EAAI,EAAGA,EAAI,KAAMA,EACtBmX,EAAGnX,GAAK,EAGhB,IAAI3gC,EAAI,EAAG0d,EAAI,EAAGs9B,EAAOz1C,EAAG01C,EAAOJ,EAAOC,EAAS,MACnD,GAAIC,EAAM,GAAKH,GAAMH,EAAIt8C,EAAI88C,GAMzB,IALA,IAAIC,EAAOjxC,KAAKC,IAAI9L,EAAG28C,GAAO,EAC1BI,EAAOlxC,KAAKC,IAAI,MAAO/L,GAGvBi9C,EAAKnxC,KAAKC,IAAI,IAAK6wC,GAChBE,GAAOE,KAAUH,GAAQH,GAAQC,GAAO,CAC3C,GAAIrD,EAAIt5C,EAAI6B,IAAMy3C,EAAIt5C,EAAI6B,EAAIi7C,GAAM,CAEhC,IADA,IAAII,EAAK,EACFA,EAAKD,GAAM3D,EAAIt5C,EAAIk9C,IAAO5D,EAAIt5C,EAAIk9C,EAAKJ,KAAQI,GAEtD,GAAIA,EAAKr7C,EAAG,CAGR,GAFAA,EAAIq7C,EAAI39B,EAAIu9B,EAERI,EAAKH,EACL,MAIJ,IAAII,EAAMrxC,KAAKC,IAAI+wC,EAAKI,EAAK,GACzBE,EAAK,EACT,IAAS5a,EAAI,EAAGA,EAAI2a,IAAO3a,EAAG,CAC1B,IAAI6a,EAAMr9C,EAAI88C,EAAMta,EAAI,MAAS,MAE7BkU,EAAM2G,EADAnB,EAAKmB,GACM,MAAS,MAC1B3G,EAAK0G,IACLA,EAAK1G,EAAIiG,EAAQU,KAMjCP,IADAJ,EAAOC,IAAOA,EAAQT,EAAKQ,IACJ,MAAS,MAIxC,GAAIn9B,EAAG,CAGHk6B,EAAKG,KAAQ,UAAavD,GAAMx0C,IAAM,GAAM00C,GAAMh3B,GAClD,IAAI+9B,EAAiB,GAAXjH,GAAMx0C,GAAS07C,EAAiB,GAAXhH,GAAMh3B,GACrC42B,GAAMJ,GAAKuH,GAAOtH,GAAKuH,KACrB7D,EAAG,IAAM4D,KACT3D,EAAG4D,GACLf,EAAKx8C,EAAI6B,IACP06C,OAGF9C,EAAKG,KAAQN,EAAIt5C,KACf05C,EAAGJ,EAAIt5C,KAIrB0G,EAAM6yC,GAAKD,EAAK9b,EAAGwe,EAAKvC,EAAMC,EAAIC,EAAIxD,EAAIyD,EAAIC,EAAI75C,EAAI65C,EAAInzC,GAErDs1C,IACDt1C,EAAM0yC,GAAM5b,EAAG92B,EAAK80C,KAE5B,OAAO9D,GAAI/2C,EAAG,EAAGg7C,EAAMlE,GAAK/wC,GAAOk1C,GAiD5B4B,CAAKlE,EAAkB,MAAboC,EAAI+B,MAAgB,EAAI/B,EAAI+B,MAAkB,MAAX/B,EAAIgC,IAAc5xC,KAAKswC,KAAuD,IAAlDtwC,KAAK8iC,IAAI,EAAG9iC,KAAKC,IAAI,GAAID,KAAK6pC,IAAI2D,EAAIn5C,WAAoB,GAAKu7C,EAAIgC,IAAM/B,EAAKC,GAAOC,IA6hBlK,SAAS8B,GAAS3xC,EAAM4xC,QACd,IAATA,IAAmBA,EAAO,IAC9B,IAAIx3C,EApjBI,WACR,IAAIA,EAAI,EAAGuU,EAAI,EACf,MAAO,CACHva,EAAG,SAAUmf,GAIT,IAFA,IAAItf,EAAImG,EAAGtF,EAAI6Z,EACX9Y,EAAI0d,EAAEpf,OACDH,EAAI,EAAGA,GAAK6B,GAAI,CAErB,IADA,IAAIR,EAAIyK,KAAKC,IAAI/L,EAAI,KAAM6B,GACpB7B,EAAIqB,IAAKrB,EACDc,GAAXb,GAAKsf,EAAEvf,GACXC,GAAK,MAAOa,GAAK,MAErBsF,EAAInG,EAAG0a,EAAI7Z,GAEfye,EAAG,WAAc,OAASnZ,IAAM,GAAM,IAAU,IAAJuU,IAAY,EAAKA,IAAM,GAA0B,IAAd,IAAJvU,IAAY,MAqiBnFy3C,GACRz3C,EAAEhG,EAAE4L,GACJ,IAAIuT,EAAIk8B,GAAKzvC,EAAM4xC,EAAM,EAAG,GAC5B,OA9XM,SAAUx2C,EAAGzG,GACnB,IAAIm9C,EAAKn9C,EAAE88C,MAAOrH,EAAW,GAAN0H,EAAU,EAAIA,EAAK,EAAI,EAAU,GAANA,EAAU,EAAI,EAChE12C,EAAE,GAAK,IAAKA,EAAE,GAAMgvC,GAAM,GAAMA,EAAM,GAAK,EAAIA,EAAM,GA4X9C2H,CAAIx+B,EAAGq+B,GAnaL,SAAUr+B,EAAG5E,EAAG5D,GACzB,KAAOA,IAAK4D,EACR4E,EAAE5E,GAAK5D,EAAGA,KAAO,EAiaAinC,CAAOz+B,EAAGA,EAAEpf,OAAS,EAAGiG,EAAEmZ,KAAMA,EA6ElD,SAAS0+B,GAAWjyC,EAAMqtC,GAC7B,OApqCQ,SAAUC,EAAKre,EAAK4gB,GAE5B,IAAIqC,EAAK5E,EAAIn5C,OAETg+C,GAASljB,GAAO4gB,EAEhBuC,GAAQvC,GAAMA,EAAG77C,EAChB67C,IACDA,EAAK,IAEJ5gB,IACDA,EAAM,IAAI2a,GAAQ,EAALsI,IAEjB,IAAIG,EAAO,SAAUx8C,GACjB,IAAIi4C,EAAK7e,EAAI96B,OAEb,GAAI0B,EAAIi4C,EAAI,CAER,IAAIwE,EAAO,IAAI1I,GAAG9pC,KAAK8iC,IAAS,EAALkL,EAAQj4C,IACnCy8C,EAAKxjC,IAAImgB,GACTA,EAAMqjB,IAIV9E,EAAQqC,EAAG/Z,GAAK,EAAGp7B,EAAMm1C,EAAGz7C,GAAK,EAAGm+C,EAAK1C,EAAGlhC,GAAK,EAAGggC,EAAKkB,EAAGh6C,EAAGg5C,EAAKgB,EAAGt8B,EAAGi/B,EAAM3C,EAAG/6C,EAAG29C,EAAM5C,EAAG57C,EAE/Fy+C,EAAY,EAALR,EACX,EAAG,CACC,IAAKvD,EAAI,CAELkB,EAAG/Z,EAAI0X,EAAQjC,GAAK+B,EAAK5yC,EAAK,GAE9B,IAAI3D,EAAOw0C,GAAK+B,EAAK5yC,EAAM,EAAG,GAE9B,GADAA,GAAO,GACF3D,EAAM,CAEP,IAAuBlB,EAAIy3C,GAAvBv5C,EAAI03C,GAAK/wC,GAAO,GAAe,GAAM4yC,EAAIv5C,EAAI,IAAM,EAAID,EAAIC,EAAI8B,EACnE,GAAI/B,EAAIo+C,EAAI,CACR,GAAIE,EACA,KAAM,iBACV,MAGAD,GACAE,EAAKE,EAAK18C,GAEdo5B,EAAIngB,IAAIw+B,EAAI3B,SAAS53C,EAAGD,GAAIy+C,GAE5B1C,EAAGlhC,EAAI4jC,GAAM18C,EAAGg6C,EAAGz7C,EAAIsG,EAAU,EAAJ5G,EAC7B,SAEC,GAAY,GAARiD,EACL43C,EAAKvD,GAAMyD,EAAKvD,GAAMkH,EAAM,EAAGC,EAAM,MACpC,CAAA,GAAY,GAAR17C,EAqDL,KAAM,qBAnDN,IAAI47C,EAAOpH,GAAK+B,EAAK5yC,EAAK,IAAM,IAAKk4C,EAAQrH,GAAK+B,EAAK5yC,EAAM,GAAI,IAAM,EACnEm4C,EAAKF,EAAOpH,GAAK+B,EAAK5yC,EAAM,EAAG,IAAM,EACzCA,GAAO,GAKP,IAHA,IAAIo4C,EAAM,IAAIlJ,GAAGiJ,GAEbE,EAAM,IAAInJ,GAAG,IACR51C,EAAI,EAAGA,EAAI4+C,IAAS5+C,EAEzB++C,EAAI9I,GAAKj2C,IAAMu3C,GAAK+B,EAAK5yC,EAAU,EAAJ1G,EAAO,GAE1C0G,GAAe,EAARk4C,EAEP,IAAII,EAAMpQ,GAAImQ,GAAME,GAAU,GAAKD,GAAO,EAC1C,IAAKZ,GAAQ13C,EAAMm4C,GAAMG,EAAM,GAAKN,EAChC,MAEJ,IAAIQ,EAAMzI,GAAKsI,EAAKC,EAAK,GACzB,IAASh/C,EAAI,EAAGA,EAAI6+C,GAAK,CACrB,IAII9+C,EAJAqB,EAAI89C,EAAI3H,GAAK+B,EAAK5yC,EAAKu4C,IAM3B,GAJAv4C,GAAW,GAAJtF,GAEHrB,EAAIqB,IAAM,GAEN,GACJ09C,EAAI9+C,KAAOD,MAEV,CAED,IAAIqH,EAAI,EAAGnH,EAAI,EAOf,IANS,IAALF,GACAE,EAAI,EAAIs3C,GAAK+B,EAAK5yC,EAAK,GAAIA,GAAO,EAAGU,EAAI03C,EAAI9+C,EAAI,IACvC,IAALD,GACLE,EAAI,EAAIs3C,GAAK+B,EAAK5yC,EAAK,GAAIA,GAAO,GACxB,IAAL3G,IACLE,EAAI,GAAKs3C,GAAK+B,EAAK5yC,EAAK,KAAMA,GAAO,GAClCzG,KACH6+C,EAAI9+C,KAAOoH,GAIvB,IAAI+3C,EAAKL,EAAInH,SAAS,EAAGgH,GAAOpG,EAAKuG,EAAInH,SAASgH,GAElDH,EAAM5P,GAAIuQ,GAEVV,EAAM7P,GAAI2J,GACVoC,EAAKlE,GAAK0I,EAAIX,EAAK,GACnB3D,EAAKpE,GAAK8B,EAAIkG,EAAK,GAIvB,GAAI/3C,EAAMg4C,EACN,KAAM,iBAIVP,GACAE,EAAKE,EAAK,QAGd,IAFA,IAAIa,GAAO,GAAKZ,GAAO,EAAGa,GAAO,GAAKZ,GAAO,EACzCa,EAAMd,EAAMC,EAAM,GACfL,GAAQ13C,EAAM44C,EAAMZ,GAAM,CAE7B,IAAoCa,GAAhCn4C,EAAIuzC,EAAGnD,GAAO8B,EAAK5yC,GAAO04C,MAAkB,EAEhD,IADA14C,GAAW,GAAJU,GACGs3C,EACN,KAAM,iBACV,IAAKt3C,EACD,KAAM,yBACV,GAAIm4C,EAAM,IACNtkB,EAAIsjB,KAAQgB,MACX,CAAA,GAAW,KAAPA,EAAY,CACjB5E,EAAK,KACL,MAGA,IAAIt4B,EAAMk9B,EAAM,IAEhB,GAAIA,EAAM,IAAK,CAEX,IAAmB5kC,EAAIo7B,GAAnB/1C,EAAIu/C,EAAM,KACdl9B,EAAMk1B,GAAK+B,EAAK5yC,GAAM,GAAKiU,GAAK,GAAKy7B,GAAGp2C,GACxC0G,GAAOiU,EAGX,IAAI4E,EAAIs7B,EAAGrD,GAAO8B,EAAK5yC,GAAO24C,GAAMG,EAAOjgC,IAAM,EACjD,IAAKA,EACD,KAAM,mBAOV,GANA7Y,GAAW,GAAJ6Y,EACHg5B,EAAKjC,GAAGkJ,GACRA,EAAO,IACH7kC,EAAIq7B,GAAKwJ,GACbjH,GAAMf,GAAO8B,EAAK5yC,IAAS,GAAKiU,GAAK,EAAIjU,GAAOiU,GAEhDjU,EAAMg4C,EACN,KAAM,iBACNP,GACAE,EAAKE,EAAK,QAEd,IADA,IAAIjrC,EAAMirC,EAAKl8B,EACRk8B,EAAKjrC,EAAKirC,GAAM,EACnBtjB,EAAIsjB,GAAMtjB,EAAIsjB,EAAKhG,GACnBtd,EAAIsjB,EAAK,GAAKtjB,EAAIsjB,EAAK,EAAIhG,GAC3Btd,EAAIsjB,EAAK,GAAKtjB,EAAIsjB,EAAK,EAAIhG,GAC3Btd,EAAIsjB,EAAK,GAAKtjB,EAAIsjB,EAAK,EAAIhG,GAE/BgG,EAAKjrC,GAGbuoC,EAAGh6C,EAAI84C,EAAIkB,EAAGz7C,EAAIsG,EAAKm1C,EAAGlhC,EAAI4jC,EAC1B5D,IACAnB,EAAQ,EAAGqC,EAAG/6C,EAAI09C,EAAK3C,EAAGt8B,EAAIs7B,EAAIgB,EAAG57C,EAAIw+C,UACvCjF,GACV,OAAO+E,GAAMtjB,EAAI96B,OAAS86B,EAAMyc,GAAIzc,EAAK,EAAGsjB,GA6/BrCkB,EAvcD,SAAUlgC,GAChB,GAAmB,IAAP,GAAPA,EAAE,KAAkBA,EAAE,KAAO,EAAK,IAAOA,EAAE,IAAM,EAAIA,EAAE,IAAM,GAC9D,KAAM,oBACV,GAAW,GAAPA,EAAE,GACF,KAAM,uDAmcImgC,CAAI1zC,GAAOA,EAAK2rC,SAAS,GAAI,IAAK0B,GAyH7C,SAASsG,GAAQ7sC,EAAK8sC,GACzB,IAAI/9C,EAAIiR,EAAI3S,OACZ,IAAKy/C,GAAgC,oBAAfC,YAClB,OAAO,IAAIA,aAAclqB,OAAO7iB,GAIpC,IAHA,IAAIxR,EAAK,IAAIs0C,GAAG9iC,EAAI3S,QAAU2S,EAAI3S,SAAW,IACzC2/C,EAAK,EACLtiB,EAAI,SAAUzmB,GAAKzV,EAAGw+C,KAAQ/oC,GACzB/W,EAAI,EAAGA,EAAI6B,IAAK7B,EAAG,CACxB,GAAI8/C,EAAK,EAAIx+C,EAAGnB,OAAQ,CACpB,IAAIF,EAAI,IAAI21C,GAAGkK,EAAK,GAAMj+C,EAAI7B,GAAM,IACpCC,EAAE6a,IAAIxZ,GACNA,EAAKrB,EAET,IAAImH,EAAI0L,EAAIshB,WAAWp0B,GACnBoH,EAAI,KAAOw4C,EACXpiB,EAAEp2B,GACGA,EAAI,MACTo2B,EAAE,IAAOp2B,IAAM,GAAKo2B,EAAE,IAAW,GAAJp2B,IACxBA,EAAI,OAASA,EAAI,OAElBo2B,EAAE,KADNp2B,EAAI,OAAa,QAAJA,GAAyC,KAAtB0L,EAAIshB,aAAap0B,MAC9B,IAAMw9B,EAAE,IAAQp2B,IAAM,GAAM,IAAMo2B,EAAE,IAAQp2B,IAAM,EAAK,IAAMo2B,EAAE,IAAW,GAAJp2B,KAEzFo2B,EAAE,IAAOp2B,IAAM,IAAMo2B,EAAE,IAAQp2B,IAAM,EAAK,IAAMo2B,EAAE,IAAW,GAAJp2B,IAEjE,OAAOswC,GAAIp2C,EAAI,EAAGw+C,GASf,SAASC,GAAUzG,EAAKsG,GAC3B,IAAIx+C,EAAI,GACR,IAAKw+C,GAAgC,oBAAfI,YAClB,OAAO,IAAIA,aAAc/X,OAAOqR,GACpC,IAAK,IAAIt5C,EAAI,EAAGA,EAAIs5C,EAAIn5C,QAAS,CAC7B,IAAIiH,EAAIkyC,EAAIt5C,KACRoH,EAAI,KAAOw4C,EACXx+C,GAAKssC,OAAOuS,aAAa74C,GACpBA,EAAI,IACThG,GAAKssC,OAAOuS,cAAkB,GAAJ74C,IAAW,EAAgB,GAAXkyC,EAAIt5C,MACzCoH,EAAI,IACThG,GAAKssC,OAAOuS,cAAkB,GAAJ74C,IAAW,IAAiB,GAAXkyC,EAAIt5C,OAAc,EAAgB,GAAXs5C,EAAIt5C,OAEtEoH,IAAU,GAAJA,IAAW,IAAiB,GAAXkyC,EAAIt5C,OAAc,IAAiB,GAAXs5C,EAAIt5C,OAAc,EAAgB,GAAXs5C,EAAIt5C,MAAc,MACpFoB,GAAKssC,OAAOuS,aAAa,MAAS74C,GAAK,GAAK,MAAa,KAAJA,IAEjE,OAAOhG,ECh+CJ,IAAM8+C,GAAO,mBCKlB,WAAY1pC,GAMV/V,KAAK0/C,SAAW3pC,EAAI2pC,UAAY,GAChC1/C,KAAK2/C,aAAe5pC,EAAI4pC,cAAgB,GACxC3/C,KAAK4/C,WAAa7pC,EAAI6pC,WACtB5/C,KAAK6/C,aAAe9pC,EAAI8pC,aAoB5B,OAjBEC,qBAAA,WACE,IAAMF,EAAa5/C,KAAK4/C,YAAc,GAChCC,EAAe7/C,KAAK6/C,cAAgB,GAC1C,OAAI7/C,KAAK2/C,aAEL3/C,KAAK2/C,aACL,KACA3/C,KAAK0/C,SACL,IACAE,EACA,IACAC,EACA,IAGG7/C,KAAK0/C,SAAW,IAAME,EAAa,IAAMC,QAU9CE,GAA8B,eAC9BC,GAAyB,iCACzBC,GAA4B,8BACrBC,GAAmB,CAO9BluC,MAAO,SAAUjR,GAEf,IAAKA,EACH,MAAO,GAET,QAE8B,IAArBA,EAAMo/C,iBAEuB,IAA7Bp/C,EAAM,mBAEb,OAAOf,KAAKogD,WACVr/C,GAMG,GAAIA,EAAMgE,OAAShE,EAAMgE,MAAMsB,MAAM25C,IAC1C,OAAOhgD,KAAKqgD,YAAYt/C,GACnB,GAAIA,EAAMgE,MACf,OAAO/E,KAAKsgD,gBAAgBv/C,GAE5B,MAAM,IAAImS,MAAM,oCAIpBqtC,gBAAiB,SAAUC,GAEzB,IAA8B,IAA1BA,EAAQ37C,QAAQ,KAClB,MAAO,CAAC27C,GAGV,IACMx7C,EADS,+BACMsB,KAAKk6C,EAAQt8C,QAAQ,QAAS,KACnD,IAAKc,EAAO,MAAM,IAAIkO,MAAM,kCAA2BstC,IACvD,MAAO,CAACx7C,EAAM,GAAIA,EAAM,SAAM6D,EAAW7D,EAAM,SAAM6D,IAEvDw3C,YAAa,SAAUt/C,GAKrB,OAJiBA,EAAMgE,MAAMD,MAAM,MAAMiV,QAAO,SAAUrH,GACxD,QAASA,EAAKrM,MAAM25C,MACnBhgD,MAEaqD,KAAI,SAAUqP,GACxBA,EAAK7N,QAAQ,WAAa,IAE5B6N,EAAOA,EACJxO,QAAQ,aAAc,QACtBA,QAAQ,+BAAgC,KAE7C,IAAIu8C,EAAgB/tC,EAAKxO,QAAQ,OAAQ,IAAIA,QAAQ,eAAgB,KAI/DqN,EAAWkvC,EAAcp6C,MAAM,4BAO/Bq6C,GAJND,EAAgBlvC,EACZkvC,EAAcv8C,QAAQqN,EAAS,GAAI,IACnCkvC,GAEyB37C,MAAM,OAAOxD,MAAM,GAE1Cq/C,EAAgB3gD,KAAKugD,gBACzBhvC,EAAWA,EAAS,GAAKmvC,EAAOz7C,OAE5B06C,EAAee,EAAOn9C,KAAK,WAAQsF,EACnC62C,EACJ,CAAC,OAAQ,eAAe76C,QAAQ87C,EAAc,KAAO,OACjD93C,EACA83C,EAAc,GAEpB,OAAO,IAAIb,GAAW,CACpBH,eACAD,WACAE,WAAYe,EAAc,GAC1Bd,aAAcc,EAAc,OAE7B3gD,OAELsgD,gBAAiB,SAAUv/C,GAKzB,OAJiBA,EAAMgE,MAAMD,MAAM,MAAMiV,QAAO,SAAUrH,GACxD,OAAQA,EAAKrM,MAAM45C,MAClBjgD,MAEaqD,KAAI,SAAUqP,GAS5B,GAPIA,EAAK7N,QAAQ,YAAc,IAC7B6N,EAAOA,EAAKxO,QACV,mDACA,SAIuB,IAAvBwO,EAAK7N,QAAQ,OAAsC,IAAvB6N,EAAK7N,QAAQ,KAE3C,OAAO,IAAIi7C,GAAW,CACpBH,aAAcjtC,IAGhB,IAAMkuC,EAAoB,6BACpBn+C,EAAUiQ,EAAKrM,MAAMu6C,GACrBjB,EAAel9C,GAAWA,EAAQ,GAAKA,EAAQ,QAAKoG,EACpD83C,EAAgB3gD,KAAKugD,gBACzB7tC,EAAKxO,QAAQ08C,EAAmB,KAGlC,OAAO,IAAId,GAAW,CACpBH,eACAD,SAAUiB,EAAc,GACxBf,WAAYe,EAAc,GAC1Bd,aAAcc,EAAc,OAG/B3gD,OAELogD,WAAY,SAAUx/C,GAKpB,OACGA,EAAEu/C,YACFv/C,EAAEgwC,QAAQ/rC,QAAQ,OAAS,GAC1BjE,EAAEgwC,QAAQ9rC,MAAM,MAAMpF,OAASkB,EAAEu/C,WAAWr7C,MAAM,MAAMpF,OAEnDM,KAAK6gD,YAAYjgD,GACdA,EAAEmE,MAGL/E,KAAK8gD,aAAalgD,GAFlBZ,KAAK+gD,aAAangD,IAK7BigD,YAAa,SAAUjgD,GAKrB,IAJA,IAAMogD,EAAS,oCACT1uC,EAAQ1R,EAAEgwC,QAAQ9rC,MAAM,MACxBqV,EAAS,GAEN5a,EAAI,EAAG01B,EAAM3iB,EAAM5S,OAAQH,EAAI01B,EAAK11B,GAAK,EAAG,CACnD,IAAM8G,EAAQ26C,EAAO16C,KAAKgM,EAAM/S,IAC5B8G,GACF8T,EAAOrZ,KACL,IAAIg/C,GAAW,CACbJ,SAAUr5C,EAAM,GAChBu5C,WAAY/T,WAAWxlC,EAAM,OAMrC,OAAO8T,GAET4mC,aAAc,SAAUngD,GAKtB,IAJA,IAAMogD,EAAS,6DACT1uC,EAAQ1R,EAAEu/C,WAAWr7C,MAAM,MAC3BqV,EAAS,GAEN5a,EAAI,EAAG01B,EAAM3iB,EAAM5S,OAAQH,EAAI01B,EAAK11B,GAAK,EAAG,CACnD,IAAM8G,EAAQ26C,EAAO16C,KAAKgM,EAAM/S,IAC5B8G,GACF8T,EAAOrZ,KACL,IAAIg/C,GAAW,CACbH,aAAct5C,EAAM,SAAMwC,EAC1B62C,SAAUr5C,EAAM,GAChBu5C,WAAY/T,WAAWxlC,EAAM,OAMrC,OAAO8T,GAGT2mC,aAAc,SAAU//C,GAQtB,OAPiBA,EAAMgE,MAAMD,MAAM,MAAMiV,QAAO,SAAUrH,GACxD,QACIA,EAAKrM,MAAM05C,MACZrtC,EAAKrM,MAAM,uBAEbrG,MAEaqD,KAAI,SAAUqP,GAC5B,IAAMguC,EAAShuC,EAAK5N,MAAM,KACpB67C,EAAgB3gD,KAAKugD,gBAAgBG,EAAOz7C,OAE5C06C,GADee,EAAOp6B,SAAW,IAGlCpiB,QAAQ,iCAAkC,MAC1CA,QAAQ,aAAc,UAAO2E,EAClC,OAAO,IAAIi3C,GAAW,CACpBH,eACAD,SAAUiB,EAAc,GACxBf,WAAYe,EAAc,GAC1Bd,aAAcc,EAAc,OAE7B3gD,QCpPP,SAASihD,GAAel6C,GACtB,IAAKA,IAASA,EAAKm6C,UACjB,MAAO,GAIT,IADA,IAAI73B,EAAO,GACJtiB,EAAK2oB,eAAe,CACzB,IAAI1lB,EAAOjD,EAAKo6C,UAChB,IAAKn3C,EACH,MAEFA,EAAOA,EAAKtH,cACZ,IAAIysC,EAASpoC,EAAK2oB,cAEd0xB,EAAc,GAElB,GAAIjS,EAAO5tB,UAAY4tB,EAAO5tB,SAAS7hB,OAAS,EAE9C,IAAK,IAAIH,EAAI,EAAGA,EAAI4vC,EAAO5tB,SAAS7hB,OAAQH,IAAK,CAC/C,IAAI8hD,EAAUlS,EAAO5tB,SAAShiB,GAC1B8hD,EAAQF,WAAaE,EAAQF,UAAUz+C,aACrC2+C,EAAQF,UAAUz+C,gBAAkBsH,GACtCo3C,EAAYtgD,KAAKugD,GAMrBD,EAAY1hD,OAAS,IACvBsK,GAAQ,OAASo3C,EAAYv8C,QAAQkC,GAAQ,KAE/CsiB,EAAOrf,GAAQqf,EAAO,IAAMA,EAAO,IACnCtiB,EAAOooC,EAGT,OAAO9lB,EAMT,SAASi4B,GAASvrC,GAChB,MAA+C,oBAAxC5W,OAAOS,UAAU2hD,SAASzhD,KAAKiW,GAMxC,SAASyrC,GAAazrC,EAAU0rC,WAC9B,GAAc,IAAVA,EACF,OAAO,EAGT,IAAMtrC,EAAOhX,OAAOgX,KAAKJ,OACzB,IAAkB,IAAA2rC,EAAAzhD,EAAAkW,iCAAM,CAAnB,IAAM0G,UACT,GAAIykC,GAASvrC,EAAI8G,KAAS2kC,GAAazrC,EAAI8G,GAAM4kC,EAAQ,GACvD,OAAO,oGAIX,OAAO,WAOOpvB,GACdtc,EACA4rC,GAEA,IAAMh6C,EAA4B,CAChCi6C,eAAgB,GAChBC,aAAc,GAEhB1iD,OAAOC,OAAOuI,EAASg6C,GACvB,IAAM58C,EAAe,GACfoR,EAAc,GACpB,OAAOic,KAAKC,UAAUtc,GAAK,SAAU8G,EAAKtc,GAKxC,GAAIwE,EAAMrF,OAAS,EAAG,CACpB,IAAMoiD,EAAU/8C,EAAMF,QAAQ7E,OAC7B8hD,EAAU/8C,EAAMye,OAAOs+B,EAAU,GAAK/8C,EAAMjE,KAAKd,OACjD8hD,EAAU3rC,EAAKqN,OAAOs+B,EAASC,EAAAA,EAAUllC,GAAO1G,EAAKrV,KAAK+b,IACtD9X,EAAMF,QAAQtE,KAEfA,EADEwE,EAAM,KAAOxE,EACP,eAGN,eACA4V,EAAK7U,MAAM,EAAGyD,EAAMF,QAAQtE,IAAQgD,KAAK,KACzC,UAINwB,EAAMjE,KAAKP,GAIb,GAAIA,MAAAA,EACF,OAAOA,EAET,GAgCF,SAAsByhD,GAEpB,GAAIV,GAASU,IAAS7iD,OAAOgX,KAAK6rC,GAAMtiD,OAASiI,EAAQi6C,eACvD,OAAO,EAIT,GAAoB,mBAATI,EACT,OAAO,EAQT,GAAIV,GAASU,IAASR,GAAaQ,EAAMr6C,EAAQk6C,cAC/C,OAAO,EAGT,OAAO,EApDHI,CAAa1hD,GACf,OAyDJ,SAAkByhD,GAChB,IAAI3vC,EAAM2vC,EAAKT,WACX55C,EAAQu6C,mBAAqB7vC,EAAI3S,OAASiI,EAAQu6C,oBACpD7vC,EAAM,UAAGA,EAAI/Q,MAAM,EAAGqG,EAAQu6C,2BAEhC,OAAO7vC,EA9DEkvC,CAAShhD,GAElB,GAAIA,aAAiBuwC,MAAO,CAC1B,IAAMqR,EAAmB,GACzB,IAAK,IAAMj3B,KAAY3qB,EAAO,CAC5B,IAAM6hD,EAAc7hD,EAAc2qB,GAC9B7pB,MAAM+U,QAAQgsC,GAChBD,EAAYj3B,GAAY+1B,GACtBmB,EAAW1iD,OAAS0iD,EAAW,GAAK,MAGtCD,EAAYj3B,GAAYk3B,EAG5B,OAAOD,EACF,OAAI5hD,aAAiBqgB,KACtBrgB,aAAiB8yB,YACZ9yB,EAAQA,EAAM2gD,UAAY,GAE5B3gD,EAAMy0C,SACJz0C,aAAiB2S,MACnB3S,EAAMwE,MACTxE,EAAMwE,MAAQ,kCACdxE,EAAMyF,KAAO,KAAOzF,EAAMqwC,QAEzBrwC,KCpHX,IAAM8hD,GAAsC,CAC1CrF,MAAO,CACL,SACA,QACA,QACA,aACA,QACA,MACA,SACA,QACA,QACA,iBACA,WACA,OACA,MACA,QACA,OACA,UACA,UACA,QACA,QAEFsF,gBAAiB,IACjBC,OAAQ,WAwDV,SAASC,GACP7+B,EACAzS,EACAuxC,WAMIF,EAJEG,EAAaD,EAAWF,OAC9B,IAAKG,EACH,OAAO,aAIPH,EADwB,iBAAfG,EACAxxC,EAAIwxC,GAEJA,EAEX,IAAIC,EAAW,EACTC,EAAoC,GAE1C,GAAIH,EAAWzF,MAAOpV,SAAS,UACzBnoB,OAAQ,CACV,IAAMojC,EAAe,SAACtiC,GACZ,IAAAqwB,EAAmBrwB,UAAVxf,EAAUwf,QACrBuiC,EAAkB5C,GAAiBluC,MACvCjR,GACAsC,KAAI,SAAC0/C,GAA2B,OAAAA,EAAWxB,cACvCx6B,EAAU,CAACsL,GAAUue,EAAS6R,EAAWd,mBAC/Ch+B,EAAG,CACDq5B,MAAO,QACP8F,QACA/7B,aAGJtH,OAAOjO,iBAAiB,QAASqxC,GACjCD,EAAe9hD,MAAK,WACd2e,QAAQA,OAAOlC,oBAAoB,QAASslC,UAItD,IAAwB,IAAA16C,EAAAlI,EAAAwiD,EAAWzF,qCAAQ,CAAtC,IAAMgG,UACTJ,EAAe9hD,KAAKoD,EAAQq+C,EAAQS,sGAEtC,OAAO,WACLJ,EAAevsC,SAAQ,SAACmV,GAAM,OAAAA,QAQhC,SAAStnB,EAAQ++C,EAAiBjG,GAAlC,WACE,OAAKiG,EAAQjG,GAIN99B,EAAM+jC,EAASjG,GAAO,SAACh+B,GAC5B,OAAO,eAAC,aAAA9Z,mBAAAA,IAAAyZ,kBACNK,EAASjf,MAAM6d,EAAMe,GACrB,IACE,IAAMmkC,EAAQ5C,GAAiBluC,MAAM,IAAIkB,OACtC7P,KAAI,SAAC0/C,GAA2B,OAAAA,EAAWxB,cAC3C/9B,OAAO,GACJuD,EAAUpI,EAAKtb,KAAI,SAAC/D,GACxB,OAAA+yB,GAAU/yB,EAAGmjD,EAAWd,uBAE1BgB,EACeF,EAAWH,gBACxB3+B,EAAG,CACDq5B,QACA8F,QACA/7B,YAEO47B,IAAaF,EAAWH,iBAEjC3+B,EAAG,CACDq5B,MAAO,OACP8F,MAAO,GACP/7B,QAAS,CACPsL,GAAU,uDAIhB,MAAOtxB,GACPie,kBAAS,sBAAuBje,KAAU4d,aA/BvC,kBAsCAukC,GAAc,kBC5KrBC,GAAoC,CACxCnG,MAAO,CACL,SACA,QACA,QACA,aACA,QACA,MACA,SACA,QACA,QACA,iBACA,WACA,OACA,MACA,QACA,OACA,UACA,UACA,QACA,QAEFoG,kBAAcv6C,iBAMd,WAAY44B,GACVzhC,KAAKyhC,OAAStiC,OAAOC,OAAO+jD,GAAkB1hB,GAuDlD,OAjDS4hB,6BAAP,0BACQD,EAA6B,cACxBpG,GAEPoG,EAAapG,GADD,UAAVA,EACoB,SAACzxC,IACJkB,QAAQyoC,IACA,mBAEnBzoC,QAAQyoC,IACe,mBAEzBzoC,QAAQyoC,2BAEP3pC,EAAKwb,QAAQ1jB,KAAI,SAAC/D,GAAM,OAAA8yB,KAAKpgB,MAAM1S,YACtCse,EAAK0lC,cAAc/3C,UAID,SAACA,IACJkB,QAAQuwC,GACA,mBAEnBvwC,QAAQuwC,GACe,mBAEzBvwC,QAAQuwC,0BAEPzxC,EAAKwb,QAAQ1jB,KAAI,SAAC/D,GAAM,OAAA8yB,KAAKpgB,MAAM1S,YACtCse,EAAK0lC,cAAc/3C,eA1B3B,IAAoB,IAAApD,EAAAlI,EAAAD,KAAKyhC,OAAOub,mJA+BhC,OAAOoG,GAODC,0BAAR,SAAsB93C,GACpB,GAA0B,IAAtBA,EAAKu3C,MAAMpjD,OACb,MAAO,GAET,IAAM6jD,EAAc,UAChBppC,EAASopC,EAEb,OADAppC,GAAU5O,EAAKu3C,MAAMv/C,KAAKggD,4GD+FV,SAAC57C,GAAY,OAC/B3B,KAAMk9C,GACNj5B,SAAUu4B,GACV76C,QAASA,EACLxI,OAAOC,OAAO,GAAIijD,GAAmB16C,GACrC06C,8BC7Fc,SAAC16C,GACnB,IAAMy7C,GACJz7C,MAAAA,SAAAA,EAASy7C,eAAgB,IAAIC,GAAgB17C,GAAS67C,mBAExD,MAAO,CACLp4B,QAAA,SAAQ7K,EAAsBkjC,EAAS/kC,GACrC,IAAIglC,EAA0B,KAY9B,GAVEnjC,EAAMje,OAAS0W,YAAUuhB,qBACzBha,EAAMhV,KAAKuH,SAAYmG,oBAAkB0qC,IAEzCD,EAAWnjC,EAAMhV,KAEjBgV,EAAMje,OAAS0W,YAAUmjB,QACzB5b,EAAMhV,KAAKqnB,SAAWswB,KAEtBQ,EAAUnjC,EAAMhV,KAAKwb,SAEnB28B,EACF,IAC6C,mBAAhCN,EAAaM,EAAQ1G,QAC9BoG,EAAaM,EAAQ1G,OAAQ0G,GAE/B,MAAO3iD,GACH2d,EAAQqvB,SAAStM,OAAOqH,aAC1Br8B,QAAQC,KAAK3L,cCtIG,SAACwf,GAC3B,IAAMxW,SACDwW,IACHjK,EAAGmpC,KAEL,OAAOH,GAAUpC,GAASgC,GAAQ9sB,KAAKC,UAAUtoB,MAAO,yBCJ1B,SAAC65C,GAC/B,GAAmB,iBAARA,EACT,OAAOA,EAET,IAEE,IADMhjD,EAAmBwxB,KAAKpgB,MAAM4xC,IAC9B3rB,UACJ,OAAOr3B,EAET,MAAOG,IAGT,IACE,IAAMH,EAGN,IAHMA,EAA4BwxB,KAAKpgB,MACrCstC,GAAU9B,GAAW0B,GAAQ0E,GAAK,OAE9BttC,IAAMmpC,GACV,OAAO7+C,EAET,MAAM,IAAIsS,MACR,+CAAwCtS,EAAE0V,wDAA+CmpC,SAE3F,MAAO1+C,GAEP,MADA0L,QAAQ1L,MAAMA,GACR,IAAImS,MAAM"} +\ No newline at end of file +diff --git a/node_modules/rrweb/dist/rrweb.css b/node_modules/rrweb/dist/rrweb.css +new file mode 100755 +index 0000000..b459e51 +--- /dev/null ++++ b/node_modules/rrweb/dist/rrweb.css +@@ -0,0 +1,79 @@ ++.replayer-wrapper { ++ position: relative; ++} ++.replayer-mouse { ++ position: absolute; ++ width: 20px; ++ height: 20px; ++ transition: left 0.05s linear, top 0.05s linear; ++ background-size: contain; ++ background-position: center center; ++ background-repeat: no-repeat; ++ background-image: url('data:image/svg+xml;base64,PHN2ZyBoZWlnaHQ9JzMwMHB4JyB3aWR0aD0nMzAwcHgnICBmaWxsPSIjMDAwMDAwIiB4bWxucz0iaHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmciIGRhdGEtbmFtZT0iTGF5ZXIgMSIgdmlld0JveD0iMCAwIDUwIDUwIiB4PSIwcHgiIHk9IjBweCI+PHRpdGxlPkRlc2lnbl90bnA8L3RpdGxlPjxwYXRoIGQ9Ik00OC43MSw0Mi45MUwzNC4wOCwyOC4yOSw0NC4zMywxOEExLDEsMCwwLDAsNDQsMTYuMzlMMi4zNSwxLjA2QTEsMSwwLDAsMCwxLjA2LDIuMzVMMTYuMzksNDRhMSwxLDAsMCwwLDEuNjUuMzZMMjguMjksMzQuMDgsNDIuOTEsNDguNzFhMSwxLDAsMCwwLDEuNDEsMGw0LjM4LTQuMzhBMSwxLDAsMCwwLDQ4LjcxLDQyLjkxWm0tNS4wOSwzLjY3TDI5LDMyYTEsMSwwLDAsMC0xLjQxLDBsLTkuODUsOS44NUwzLjY5LDMuNjlsMzguMTIsMTRMMzIsMjcuNThBMSwxLDAsMCwwLDMyLDI5TDQ2LjU5LDQzLjYyWiI+PC9wYXRoPjwvc3ZnPg=='); ++ border-color: transparent; /* otherwise we transition from black when .touch-device class is added */ ++} ++.replayer-mouse::after { ++ content: ''; ++ display: inline-block; ++ width: 20px; ++ height: 20px; ++ background: rgb(73, 80, 246); ++ border-radius: 100%; ++ transform: translate(-50%, -50%); ++ opacity: 0.3; ++} ++.replayer-mouse.active::after { ++ animation: click 0.2s ease-in-out 1; ++} ++.replayer-mouse.touch-device { ++ background-image: none; /* there's no passive cursor on touch-only screens */ ++ width: 70px; ++ height: 70px; ++ border-width: 4px; ++ border-style: solid; ++ border-radius: 100%; ++ margin-left: -37px; ++ margin-top: -37px; ++ border-color: rgba(73, 80, 246, 0); ++ transition: left 0s linear, top 0s linear, border-color 0.2s ease-in-out; ++} ++.replayer-mouse.touch-device.touch-active { ++ border-color: rgba(73, 80, 246, 1); ++ transition: left 0.25s linear, top 0.25s linear, border-color 0.2s ease-in-out; ++} ++.replayer-mouse.touch-device::after { ++ opacity: 0; /* there's no passive cursor on touch-only screens */ ++} ++.replayer-mouse.touch-device.active::after { ++ animation: touch-click 0.2s ease-in-out 1; ++} ++.replayer-mouse-tail { ++ position: absolute; ++ pointer-events: none; ++} ++ ++@keyframes click { ++ 0% { ++ opacity: 0.3; ++ width: 20px; ++ height: 20px; ++ } ++ 50% { ++ opacity: 0.5; ++ width: 10px; ++ height: 10px; ++ } ++} ++ ++@keyframes touch-click { ++ 0% { ++ opacity: 0; ++ width: 20px; ++ height: 20px; ++ } ++ 50% { ++ opacity: 0.5; ++ width: 10px; ++ height: 10px; ++ } ++} +diff --git a/node_modules/rrweb/dist/rrweb.js b/node_modules/rrweb/dist/rrweb.js +old mode 100644 +new mode 100755 +index 446a6a7..a06fec9 +--- a/node_modules/rrweb/dist/rrweb.js ++++ b/node_modules/rrweb/dist/rrweb.js +@@ -97,10 +97,14 @@ var rrweb = (function (exports) { + return Boolean(host && host.shadowRoot && host.shadowRoot === n); + } + function maskInputValue(_a) { +- var maskInputOptions = _a.maskInputOptions, tagName = _a.tagName, type = _a.type, value = _a.value, maskInputFn = _a.maskInputFn; ++ var input = _a.input, maskInputSelector = _a.maskInputSelector, unmaskInputSelector = _a.unmaskInputSelector, maskInputOptions = _a.maskInputOptions, tagName = _a.tagName, type = _a.type, value = _a.value, maskInputFn = _a.maskInputFn; + var text = value || ''; ++ if (unmaskInputSelector && input.matches(unmaskInputSelector)) { ++ return text; ++ } + if (maskInputOptions[tagName.toLowerCase()] || +- maskInputOptions[type]) { ++ maskInputOptions[type] || ++ (maskInputSelector && input.matches(maskInputSelector))) { + if (maskInputFn) { + text = maskInputFn(text); + } +@@ -327,7 +331,10 @@ var rrweb = (function (exports) { + return value; + } + } +- function _isBlockedElement(element, blockClass, blockSelector) { ++ function _isBlockedElement(element, blockClass, blockSelector, unblockSelector) { ++ if (unblockSelector && element.matches(unblockSelector)) { ++ return false; ++ } + if (typeof blockClass === 'string') { + if (element.classList.contains(blockClass)) { + return true; +@@ -346,11 +353,16 @@ var rrweb = (function (exports) { + } + return false; + } +- function needMaskingText(node, maskTextClass, maskTextSelector) { ++ function needMaskingText(node, maskTextClass, maskTextSelector, unmaskTextSelector) { + if (!node) { + return false; + } + if (node.nodeType === node.ELEMENT_NODE) { ++ if (unmaskTextSelector) { ++ if (node.matches(unmaskTextSelector) || node.closest(unmaskTextSelector)) { ++ return false; ++ } ++ } + if (typeof maskTextClass === 'string') { + if (node.classList.contains(maskTextClass)) { + return true; +@@ -369,12 +381,12 @@ var rrweb = (function (exports) { + return true; + } + } +- return needMaskingText(node.parentNode, maskTextClass, maskTextSelector); ++ return needMaskingText(node.parentNode, maskTextClass, maskTextSelector, unmaskTextSelector); + } + if (node.nodeType === node.TEXT_NODE) { +- return needMaskingText(node.parentNode, maskTextClass, maskTextSelector); ++ return needMaskingText(node.parentNode, maskTextClass, maskTextSelector, unmaskTextSelector); + } +- return needMaskingText(node.parentNode, maskTextClass, maskTextSelector); ++ return needMaskingText(node.parentNode, maskTextClass, maskTextSelector, unmaskTextSelector); + } + function onceIframeLoaded(iframeEl, listener, iframeLoadTimeout) { + var win = iframeEl.contentWindow; +@@ -414,7 +426,7 @@ var rrweb = (function (exports) { + } + function serializeNode(n, options) { + var _a; +- var doc = options.doc, blockClass = options.blockClass, blockSelector = options.blockSelector, maskTextClass = options.maskTextClass, maskTextSelector = options.maskTextSelector, inlineStylesheet = options.inlineStylesheet, _b = options.maskInputOptions, maskInputOptions = _b === void 0 ? {} : _b, maskTextFn = options.maskTextFn, maskInputFn = options.maskInputFn, _c = options.dataURLOptions, dataURLOptions = _c === void 0 ? {} : _c, inlineImages = options.inlineImages, recordCanvas = options.recordCanvas, keepIframeSrcFn = options.keepIframeSrcFn; ++ var doc = options.doc, blockClass = options.blockClass, blockSelector = options.blockSelector, unblockSelector = options.unblockSelector, maskTextClass = options.maskTextClass, maskTextSelector = options.maskTextSelector, unmaskTextSelector = options.unmaskTextSelector, inlineStylesheet = options.inlineStylesheet, maskInputSelector = options.maskInputSelector, unmaskInputSelector = options.unmaskInputSelector, _b = options.maskInputOptions, maskInputOptions = _b === void 0 ? {} : _b, maskTextFn = options.maskTextFn, maskInputFn = options.maskInputFn, _c = options.dataURLOptions, dataURLOptions = _c === void 0 ? {} : _c, inlineImages = options.inlineImages, recordCanvas = options.recordCanvas, keepIframeSrcFn = options.keepIframeSrcFn; + var rootId; + if (doc.__sn) { + var docId = doc.__sn.id; +@@ -446,7 +458,7 @@ var rrweb = (function (exports) { + rootId: rootId + }; + case n.ELEMENT_NODE: +- var needBlock = _isBlockedElement(n, blockClass, blockSelector); ++ var needBlock = _isBlockedElement(n, blockClass, blockSelector, unblockSelector); + var tagName = getValidTagName(n); + var attributes_1 = {}; + for (var _i = 0, _d = Array.from(n.attributes); _i < _d.length; _i++) { +@@ -487,9 +499,12 @@ var rrweb = (function (exports) { + attributes_1.type !== 'button' && + value) { + attributes_1.value = maskInputValue({ ++ input: n, + type: attributes_1.type, + tagName: tagName, + value: value, ++ maskInputSelector: maskInputSelector, ++ unmaskInputSelector: unmaskInputSelector, + maskInputOptions: maskInputOptions, + maskInputFn: maskInputFn + }); +@@ -608,7 +623,7 @@ var rrweb = (function (exports) { + } + if (!isStyle && + !isScript && +- needMaskingText(n, maskTextClass, maskTextSelector) && ++ needMaskingText(n, maskTextClass, maskTextSelector, unmaskTextSelector) && + textContent) { + textContent = maskTextFn + ? maskTextFn(textContent) +@@ -716,15 +731,19 @@ var rrweb = (function (exports) { + return false; + } + function serializeNodeWithId(n, options) { +- var doc = options.doc, map = options.map, blockClass = options.blockClass, blockSelector = options.blockSelector, maskTextClass = options.maskTextClass, maskTextSelector = options.maskTextSelector, _a = options.skipChild, skipChild = _a === void 0 ? false : _a, _b = options.inlineStylesheet, inlineStylesheet = _b === void 0 ? true : _b, _c = options.maskInputOptions, maskInputOptions = _c === void 0 ? {} : _c, maskTextFn = options.maskTextFn, maskInputFn = options.maskInputFn, slimDOMOptions = options.slimDOMOptions, _d = options.dataURLOptions, dataURLOptions = _d === void 0 ? {} : _d, _e = options.inlineImages, inlineImages = _e === void 0 ? false : _e, _f = options.recordCanvas, recordCanvas = _f === void 0 ? false : _f, onSerialize = options.onSerialize, onIframeLoad = options.onIframeLoad, _g = options.iframeLoadTimeout, iframeLoadTimeout = _g === void 0 ? 5000 : _g, _h = options.keepIframeSrcFn, keepIframeSrcFn = _h === void 0 ? function () { return false; } : _h; ++ var doc = options.doc, map = options.map, blockClass = options.blockClass, blockSelector = options.blockSelector, unblockSelector = options.unblockSelector, maskTextClass = options.maskTextClass, maskTextSelector = options.maskTextSelector, unmaskTextSelector = options.unmaskTextSelector, _a = options.skipChild, skipChild = _a === void 0 ? false : _a, _b = options.inlineStylesheet, inlineStylesheet = _b === void 0 ? true : _b, maskInputSelector = options.maskInputSelector, unmaskInputSelector = options.unmaskInputSelector, _c = options.maskInputOptions, maskInputOptions = _c === void 0 ? {} : _c, maskTextFn = options.maskTextFn, maskInputFn = options.maskInputFn, slimDOMOptions = options.slimDOMOptions, _d = options.dataURLOptions, dataURLOptions = _d === void 0 ? {} : _d, _e = options.inlineImages, inlineImages = _e === void 0 ? false : _e, _f = options.recordCanvas, recordCanvas = _f === void 0 ? false : _f, onSerialize = options.onSerialize, onIframeLoad = options.onIframeLoad, _g = options.iframeLoadTimeout, iframeLoadTimeout = _g === void 0 ? 5000 : _g, _h = options.keepIframeSrcFn, keepIframeSrcFn = _h === void 0 ? function () { return false; } : _h; + var _j = options.preserveWhiteSpace, preserveWhiteSpace = _j === void 0 ? true : _j; + var _serializedNode = serializeNode(n, { + doc: doc, + blockClass: blockClass, + blockSelector: blockSelector, ++ unblockSelector: unblockSelector, + maskTextClass: maskTextClass, + maskTextSelector: maskTextSelector, ++ unmaskTextSelector: unmaskTextSelector, + inlineStylesheet: inlineStylesheet, ++ maskInputSelector: maskInputSelector, ++ unmaskInputSelector: unmaskInputSelector, + maskInputOptions: maskInputOptions, + maskTextFn: maskTextFn, + maskInputFn: maskInputFn, +@@ -780,10 +799,14 @@ var rrweb = (function (exports) { + map: map, + blockClass: blockClass, + blockSelector: blockSelector, ++ unblockSelector: unblockSelector, + maskTextClass: maskTextClass, + maskTextSelector: maskTextSelector, ++ unmaskTextSelector: unmaskTextSelector, + skipChild: skipChild, + inlineStylesheet: inlineStylesheet, ++ maskInputSelector: maskInputSelector, ++ unmaskInputSelector: unmaskInputSelector, + maskInputOptions: maskInputOptions, + maskTextFn: maskTextFn, + maskInputFn: maskInputFn, +@@ -828,10 +851,14 @@ var rrweb = (function (exports) { + map: map, + blockClass: blockClass, + blockSelector: blockSelector, ++ unblockSelector: unblockSelector, + maskTextClass: maskTextClass, + maskTextSelector: maskTextSelector, ++ unmaskTextSelector: unmaskTextSelector, + skipChild: false, + inlineStylesheet: inlineStylesheet, ++ maskInputSelector: maskInputSelector, ++ unmaskInputSelector: unmaskInputSelector, + maskInputOptions: maskInputOptions, + maskTextFn: maskTextFn, + maskInputFn: maskInputFn, +@@ -854,7 +881,7 @@ var rrweb = (function (exports) { + return serializedNode; + } + function snapshot(n, options) { +- var _a = options || {}, _b = _a.blockClass, blockClass = _b === void 0 ? 'rr-block' : _b, _c = _a.blockSelector, blockSelector = _c === void 0 ? null : _c, _d = _a.maskTextClass, maskTextClass = _d === void 0 ? 'rr-mask' : _d, _e = _a.maskTextSelector, maskTextSelector = _e === void 0 ? null : _e, _f = _a.inlineStylesheet, inlineStylesheet = _f === void 0 ? true : _f, _g = _a.inlineImages, inlineImages = _g === void 0 ? false : _g, _h = _a.recordCanvas, recordCanvas = _h === void 0 ? false : _h, _j = _a.maskAllInputs, maskAllInputs = _j === void 0 ? false : _j, maskTextFn = _a.maskTextFn, maskInputFn = _a.maskInputFn, _k = _a.slimDOM, slimDOM = _k === void 0 ? false : _k, dataURLOptions = _a.dataURLOptions, preserveWhiteSpace = _a.preserveWhiteSpace, onSerialize = _a.onSerialize, onIframeLoad = _a.onIframeLoad, iframeLoadTimeout = _a.iframeLoadTimeout, _l = _a.keepIframeSrcFn, keepIframeSrcFn = _l === void 0 ? function () { return false; } : _l; ++ var _a = options || {}, _b = _a.blockClass, blockClass = _b === void 0 ? 'rr-block' : _b, _c = _a.blockSelector, blockSelector = _c === void 0 ? null : _c, _d = _a.unblockSelector, unblockSelector = _d === void 0 ? null : _d, _e = _a.maskTextClass, maskTextClass = _e === void 0 ? 'rr-mask' : _e, _f = _a.maskTextSelector, maskTextSelector = _f === void 0 ? null : _f, _g = _a.unmaskTextSelector, unmaskTextSelector = _g === void 0 ? null : _g, _h = _a.inlineStylesheet, inlineStylesheet = _h === void 0 ? true : _h, _j = _a.inlineImages, inlineImages = _j === void 0 ? false : _j, _k = _a.recordCanvas, recordCanvas = _k === void 0 ? false : _k, _l = _a.maskInputSelector, maskInputSelector = _l === void 0 ? null : _l, _m = _a.unmaskInputSelector, unmaskInputSelector = _m === void 0 ? null : _m, _o = _a.maskAllInputs, maskAllInputs = _o === void 0 ? false : _o, maskTextFn = _a.maskTextFn, maskInputFn = _a.maskInputFn, _p = _a.slimDOM, slimDOM = _p === void 0 ? false : _p, dataURLOptions = _a.dataURLOptions, preserveWhiteSpace = _a.preserveWhiteSpace, onSerialize = _a.onSerialize, onIframeLoad = _a.onIframeLoad, iframeLoadTimeout = _a.iframeLoadTimeout, _q = _a.keepIframeSrcFn, keepIframeSrcFn = _q === void 0 ? function () { return false; } : _q; + var idNodeMap = {}; + var maskInputOptions = maskAllInputs === true + ? { +@@ -903,10 +930,14 @@ var rrweb = (function (exports) { + map: idNodeMap, + blockClass: blockClass, + blockSelector: blockSelector, ++ unblockSelector: unblockSelector, + maskTextClass: maskTextClass, + maskTextSelector: maskTextSelector, ++ unmaskTextSelector: unmaskTextSelector, + skipChild: false, + inlineStylesheet: inlineStylesheet, ++ maskInputSelector: maskInputSelector, ++ unmaskInputSelector: unmaskInputSelector, + maskInputOptions: maskInputOptions, + maskTextFn: maskTextFn, + maskInputFn: maskInputFn, +@@ -2442,8 +2473,12 @@ var rrweb = (function (exports) { + map: _this.mirror.map, + blockClass: _this.blockClass, + blockSelector: _this.blockSelector, ++ unblockSelector: _this.unblockSelector, + maskTextClass: _this.maskTextClass, + maskTextSelector: _this.maskTextSelector, ++ unmaskTextSelector: _this.unmaskTextSelector, ++ maskInputSelector: _this.maskInputSelector, ++ unmaskInputSelector: _this.unmaskInputSelector, + skipChild: true, + inlineStylesheet: _this.inlineStylesheet, + maskInputOptions: _this.maskInputOptions, +@@ -2589,7 +2624,7 @@ var rrweb = (function (exports) { + var value = m.target.textContent; + if (!isBlocked(m.target, _this.blockClass) && value !== m.oldValue) { + _this.texts.push({ +- value: needMaskingText(m.target, _this.maskTextClass, _this.maskTextSelector) && value ++ value: needMaskingText(m.target, _this.maskTextClass, _this.maskTextSelector, _this.unmaskTextSelector) && value + ? _this.maskTextFn + ? _this.maskTextFn(value) + : value.replace(/[\S]/g, '*') +@@ -2604,6 +2639,9 @@ var rrweb = (function (exports) { + var value = m.target.getAttribute(m.attributeName); + if (m.attributeName === 'value') { + value = maskInputValue({ ++ input: target, ++ maskInputSelector: _this.maskInputSelector, ++ unmaskInputSelector: _this.unmaskInputSelector, + maskInputOptions: _this.maskInputOptions, + tagName: m.target.tagName, + type: m.target.getAttribute('type'), +@@ -2740,8 +2778,12 @@ var rrweb = (function (exports) { + 'mutationCb', + 'blockClass', + 'blockSelector', ++ 'unblockSelector', + 'maskTextClass', + 'maskTextSelector', ++ 'unmaskTextSelector', ++ 'maskInputSelector', ++ 'unmaskInputSelector', + 'inlineStylesheet', + 'maskInputOptions', + 'maskTextFn', +@@ -3005,7 +3047,7 @@ var rrweb = (function (exports) { + var INPUT_TAGS = ['INPUT', 'TEXTAREA', 'SELECT']; + var lastInputValueMap = new WeakMap(); + function initInputObserver(_a) { +- var inputCb = _a.inputCb, doc = _a.doc, mirror = _a.mirror, blockClass = _a.blockClass, ignoreClass = _a.ignoreClass, maskInputOptions = _a.maskInputOptions, maskInputFn = _a.maskInputFn, sampling = _a.sampling, userTriggeredOnInput = _a.userTriggeredOnInput; ++ var inputCb = _a.inputCb, doc = _a.doc, mirror = _a.mirror, blockClass = _a.blockClass, ignoreClass = _a.ignoreClass, ignoreSelector = _a.ignoreSelector, maskInputSelector = _a.maskInputSelector, unmaskInputSelector = _a.unmaskInputSelector, maskInputOptions = _a.maskInputOptions, maskInputFn = _a.maskInputFn, sampling = _a.sampling, userTriggeredOnInput = _a.userTriggeredOnInput; + function eventHandler(event) { + var target = getEventTarget(event); + var userTriggered = event.isTrusted; +@@ -3018,7 +3060,7 @@ var rrweb = (function (exports) { + return; + } + var type = target.type; +- if (target.classList.contains(ignoreClass)) { ++ if (target.classList.contains(ignoreClass) || (ignoreSelector && target.matches(ignoreSelector))) { + return; + } + var text = target.value; +@@ -3029,7 +3071,10 @@ var rrweb = (function (exports) { + else if (maskInputOptions[target.tagName.toLowerCase()] || + maskInputOptions[type]) { + text = maskInputValue({ ++ input: target, + maskInputOptions: maskInputOptions, ++ maskInputSelector: maskInputSelector, ++ unmaskInputSelector: unmaskInputSelector, + tagName: target.tagName, + type: type, + value: text, +@@ -3113,6 +3158,9 @@ var rrweb = (function (exports) { + function initStyleSheetObserver(_a, _b) { + var styleSheetRuleCb = _a.styleSheetRuleCb, mirror = _a.mirror; + var win = _b.win; ++ if (!win.CSSStyleSheet || !win.CSSStyleSheet.prototype) { ++ return function () { }; ++ } + var insertRule = win.CSSStyleSheet.prototype.insertRule; + win.CSSStyleSheet.prototype.insertRule = function (rule, index) { + var id = mirror.getId(this.ownerNode); +@@ -3965,7 +4013,7 @@ var rrweb = (function (exports) { + var mirror = createMirror(); + function record(options) { + if (options === void 0) { options = {}; } +- var emit = options.emit, checkoutEveryNms = options.checkoutEveryNms, checkoutEveryNth = options.checkoutEveryNth, _a = options.blockClass, blockClass = _a === void 0 ? 'rr-block' : _a, _b = options.blockSelector, blockSelector = _b === void 0 ? null : _b, _c = options.ignoreClass, ignoreClass = _c === void 0 ? 'rr-ignore' : _c, _d = options.maskTextClass, maskTextClass = _d === void 0 ? 'rr-mask' : _d, _e = options.maskTextSelector, maskTextSelector = _e === void 0 ? null : _e, _f = options.inlineStylesheet, inlineStylesheet = _f === void 0 ? true : _f, maskAllInputs = options.maskAllInputs, _maskInputOptions = options.maskInputOptions, _slimDOMOptions = options.slimDOMOptions, maskInputFn = options.maskInputFn, maskTextFn = options.maskTextFn, hooks = options.hooks, packFn = options.packFn, _g = options.sampling, sampling = _g === void 0 ? {} : _g, mousemoveWait = options.mousemoveWait, _h = options.recordCanvas, recordCanvas = _h === void 0 ? false : _h, _j = options.userTriggeredOnInput, userTriggeredOnInput = _j === void 0 ? false : _j, _k = options.collectFonts, collectFonts = _k === void 0 ? false : _k, _l = options.inlineImages, inlineImages = _l === void 0 ? false : _l, plugins = options.plugins, _m = options.keepIframeSrcFn, keepIframeSrcFn = _m === void 0 ? function () { return false; } : _m; ++ var emit = options.emit, checkoutEveryNms = options.checkoutEveryNms, checkoutEveryNth = options.checkoutEveryNth, _a = options.blockClass, blockClass = _a === void 0 ? 'rr-block' : _a, _b = options.blockSelector, blockSelector = _b === void 0 ? null : _b, _c = options.unblockSelector, unblockSelector = _c === void 0 ? null : _c, _d = options.ignoreClass, ignoreClass = _d === void 0 ? 'rr-ignore' : _d, _e = options.ignoreSelector, ignoreSelector = _e === void 0 ? null : _e, _f = options.maskTextClass, maskTextClass = _f === void 0 ? 'rr-mask' : _f, _g = options.maskTextSelector, maskTextSelector = _g === void 0 ? null : _g, _h = options.maskInputSelector, maskInputSelector = _h === void 0 ? null : _h, _j = options.unmaskTextSelector, unmaskTextSelector = _j === void 0 ? null : _j, _k = options.unmaskInputSelector, unmaskInputSelector = _k === void 0 ? null : _k, _l = options.inlineStylesheet, inlineStylesheet = _l === void 0 ? true : _l, maskAllInputs = options.maskAllInputs, _maskInputOptions = options.maskInputOptions, _slimDOMOptions = options.slimDOMOptions, maskInputFn = options.maskInputFn, maskTextFn = options.maskTextFn, hooks = options.hooks, packFn = options.packFn, _m = options.sampling, sampling = _m === void 0 ? {} : _m, mousemoveWait = options.mousemoveWait, _o = options.recordCanvas, recordCanvas = _o === void 0 ? false : _o, _p = options.userTriggeredOnInput, userTriggeredOnInput = _p === void 0 ? false : _p, _q = options.collectFonts, collectFonts = _q === void 0 ? false : _q, _r = options.inlineImages, inlineImages = _r === void 0 ? false : _r, plugins = options.plugins, _s = options.keepIframeSrcFn, keepIframeSrcFn = _s === void 0 ? function () { return false; } : _s; + if (!emit) { + throw new Error('emit function is required'); + } +@@ -4096,8 +4144,12 @@ var rrweb = (function (exports) { + bypassOptions: { + blockClass: blockClass, + blockSelector: blockSelector, ++ unblockSelector: unblockSelector, + maskTextClass: maskTextClass, + maskTextSelector: maskTextSelector, ++ unmaskTextSelector: unmaskTextSelector, ++ maskInputSelector: maskInputSelector, ++ unmaskInputSelector: unmaskInputSelector, + inlineStylesheet: inlineStylesheet, + maskInputOptions: maskInputOptions, + maskTextFn: maskTextFn, +@@ -4126,8 +4178,12 @@ var rrweb = (function (exports) { + var _e = __read(snapshot(document, { + blockClass: blockClass, + blockSelector: blockSelector, ++ unblockSelector: unblockSelector, + maskTextClass: maskTextClass, + maskTextSelector: maskTextSelector, ++ unmaskTextSelector: unmaskTextSelector, ++ maskInputSelector: maskInputSelector, ++ unmaskInputSelector: unmaskInputSelector, + inlineStylesheet: inlineStylesheet, + maskAllInputs: maskInputOptions, + maskTextFn: maskTextFn, +@@ -4241,8 +4297,12 @@ var rrweb = (function (exports) { + }, + blockClass: blockClass, + ignoreClass: ignoreClass, ++ ignoreSelector: ignoreSelector, + maskTextClass: maskTextClass, + maskTextSelector: maskTextSelector, ++ unmaskTextSelector: unmaskTextSelector, ++ maskInputSelector: maskInputSelector, ++ unmaskInputSelector: unmaskInputSelector, + maskInputOptions: maskInputOptions, + inlineStylesheet: inlineStylesheet, + sampling: sampling, +@@ -4254,6 +4314,7 @@ var rrweb = (function (exports) { + maskInputFn: maskInputFn, + maskTextFn: maskTextFn, + blockSelector: blockSelector, ++ unblockSelector: unblockSelector, + slimDOMOptions: slimDOMOptions, + mirror: mirror, + iframeManager: iframeManager, +@@ -4275,7 +4336,12 @@ var rrweb = (function (exports) { + }, hooks); + }; + iframeManager.addLoadListener(function (iframeEl) { +- handlers_1.push(observe_1(iframeEl.contentDocument)); ++ try { ++ handlers_1.push(observe_1(iframeEl.contentDocument)); ++ } ++ catch (error) { ++ console.warn(error); ++ } + }); + var init_1 = function () { + takeFullSnapshot(); +diff --git a/node_modules/rrweb/dist/rrweb.min.css b/node_modules/rrweb/dist/rrweb.min.css +old mode 100644 +new mode 100755 +diff --git a/node_modules/rrweb/dist/rrweb.min.css.map b/node_modules/rrweb/dist/rrweb.min.css.map +old mode 100644 +new mode 100755 +diff --git a/node_modules/rrweb/dist/rrweb.min.js b/node_modules/rrweb/dist/rrweb.min.js +old mode 100644 +new mode 100755 +index e8e7c59..6c6597b +--- a/node_modules/rrweb/dist/rrweb.min.js ++++ b/node_modules/rrweb/dist/rrweb.min.js +@@ -12,7 +12,7 @@ var rrweb=function(e){"use strict"; + LOSS OF USE, DATA OR PROFITS, WHETHER IN AN ACTION OF CONTRACT, NEGLIGENCE OR + OTHER TORTIOUS ACTION, ARISING OUT OF OR IN CONNECTION WITH THE USE OR + PERFORMANCE OF THIS SOFTWARE. +- ***************************************************************************** */var t,n=function(){return(n=Object.assign||function(e){for(var t,n=1,r=arguments.length;n=e.length&&(e=void 0),{value:e&&e[r++],done:!e}}};throw new TypeError(t?"Object is not iterable.":"Symbol.iterator is not defined.")}function o(e,t){var n="function"==typeof Symbol&&e[Symbol.iterator];if(!n)return e;var r,o,a=n.call(e),i=[];try{for(;(void 0===t||t-- >0)&&!(r=a.next()).done;)i.push(r.value)}catch(e){o={error:e}}finally{try{r&&!r.done&&(n=a.return)&&n.call(a)}finally{if(o)throw o.error}}return i}function a(e,t,n){if(n||2===arguments.length)for(var r,o=0,a=t.length;o-1?s.split("/").slice(0,3).join("/"):s.split("/")[0]).split("?")[0]+l)+c+")";var u=t.split("/"),d=l.split("/");u.pop();for(var p=0,f=d;p=t.length);){var a=r(S);if(","===a.slice(-1))a=x(e,a.substring(0,a.length-1)),o.push(a);else{var i="";a=x(e,a);for(var s=!1;;){var l=t.charAt(n);if(""===l){o.push((a+i).trim());break}if(s)")"===l&&(s=!1);else{if(","===l){n+=1,o.push((a+i).trim());break}"("===l&&(s=!0)}i+=l,n+=1}}}return o.join(", ")}(e,r):"style"===n&&r?b(r,I()):"object"===t&&"data"===n&&r?x(e,r):r:x(e,r)}function T(e,t,n){if(!e)return!1;if(e.nodeType===e.ELEMENT_NODE){if("string"==typeof t){if(e.classList.contains(t))return!0}else for(var r=0;r'):r.write('')),p=r),p.__sn=e,o[e.id]=p,(e.type===t.Document||e.type===t.Element)&&!s)for(var f=0,h=e.childNodes;ft?(r&&(clearTimeout(r),r=null),o=i,e.apply(l,c)):r||!1===n.trailing||(r=setTimeout((function(){o=!1===n.leading?0:Date.now(),r=null,e.apply(l,c)}),s))}}function K(e,t,n,r,o){void 0===o&&(o=window);var a=o.Object.getOwnPropertyDescriptor(e,t);return o.Object.defineProperty(e,t,r?n:{set:function(e){var t=this;setTimeout((function(){n.set.call(t,e)}),0),a&&a.set&&a.set.call(this,e)}}),function(){return K(e,t,a||{},!0)}}function J(e,t,n){try{if(!(t in e))return function(){};var r=e[t],o=n(r);return"function"==typeof o&&(o.prototype=o.prototype||{},Object.defineProperties(o,{__rrweb_original__:{enumerable:!1,value:r}})),e[t]=o,function(){e[t]=r}}catch(e){return function(){}}}function Z(){return window.innerHeight||document.documentElement&&document.documentElement.clientHeight||document.body&&document.body.clientHeight}function ee(){return window.innerWidth||document.documentElement&&document.documentElement.clientWidth||document.body&&document.body.clientWidth}function te(e,t){if(!e)return!1;if(e.nodeType===e.ELEMENT_NODE){var n=!1;if("string"==typeof t){if(void 0!==e.closest)return null!==e.closest("."+t);n=e.classList.contains(t)}else e.classList.forEach((function(e){t.test(e)&&(n=!0)}));return n||te(e.parentNode,t)}return e.nodeType,e.TEXT_NODE,te(e.parentNode,t)}function ne(e){return"__sn"in e&&-2===e.__sn.id}function re(e,t){if(s(e))return!1;var n=t.getId(e);return!t.has(n)||(!e.parentNode||e.parentNode.nodeType!==e.DOCUMENT_NODE)&&(!e.parentNode||re(e.parentNode,t))}function oe(e){return Boolean(e.changedTouches)}function ae(e){void 0===e&&(e=window),"NodeList"in e&&!e.NodeList.prototype.forEach&&(e.NodeList.prototype.forEach=Array.prototype.forEach),"DOMTokenList"in e&&!e.DOMTokenList.prototype.forEach&&(e.DOMTokenList.prototype.forEach=Array.prototype.forEach),Node.prototype.contains||(Node.prototype.contains=function(e){if(!(0 in arguments))throw new TypeError("1 argument is required");do{if(this===e)return!0}while(e=e&&e.parentNode);return!1})}e.mirror={map:{},getId:function(){return console.error(Q),-1},getNode:function(){return console.error(Q),null},removeNodeFromMap:function(){console.error(Q)},has:function(){return console.error(Q),!1},reset:function(){console.error(Q)}},"undefined"!=typeof window&&window.Proxy&&window.Reflect&&(e.mirror=new Proxy(e.mirror,{get:function(e,t,n){return"map"===t&&console.error(Q),Reflect.get(e,t,n)}}));var ie=function(){function t(){this.reset()}return t.prototype.add=function(e){var t=this.indexes.get(e.parentId),n={id:e.node.id,mutation:e,children:[],texts:[],attributes:[]};t?(n.parent=t,t.children[n.id]=n):this.tree[n.id]=n,this.indexes.set(n.id,n)},t.prototype.remove=function(e,t){var n=this,r=this.indexes.get(e.parentId),o=this.indexes.get(e.id),a=function(e){n.removeIdSet.add(e);var r=t.getNode(e);null==r||r.childNodes.forEach((function(e){"__sn"in e&&a(e.__sn.id)}))},i=function(t){n.removeIdSet.add(t.id),Object.values(t.children).forEach((function(e){return i(e)}));var r=n.indexes.get(t.id);if(r){var o=r.parent;o&&(delete r.parent,delete o.children[r.id],n.indexes.delete(e.id))}};o?r?(delete o.parent,delete r.children[o.id],this.indexes.delete(e.id),i(o)):(delete this.tree[o.id],this.indexes.delete(o.id),i(o)):(this.removeNodeMutations.push(e),a(e.id))},t.prototype.text=function(e){var t=this.indexes.get(e.id);t?t.texts.push(e):this.textMutations.push(e)},t.prototype.attribute=function(e){var t=this.indexes.get(e.id);t?t.attributes.push(e):this.attributeMutations.push(e)},t.prototype.scroll=function(e){this.scrollMap.set(e.id,e)},t.prototype.input=function(e){this.inputMap.set(e.id,e)},t.prototype.flush=function(){var t,n,o,a,i=this,s=this,l=s.tree,c=s.removeNodeMutations,u=s.textMutations,d=s.attributeMutations,p={source:e.IncrementalSource.Mutation,removes:c,texts:u,attributes:d,adds:[]},f=function(e,t){t&&i.removeIdSet.add(e.id),p.texts=p.texts.concat(t?[]:e.texts).filter((function(e){return!i.removeIdSet.has(e.id)})),p.attributes=p.attributes.concat(t?[]:e.attributes).filter((function(e){return!i.removeIdSet.has(e.id)})),i.removeIdSet.has(e.id)||i.removeIdSet.has(e.mutation.parentId)||t?Object.values(e.children).forEach((function(e){return f(e,!0)})):(p.adds.push(e.mutation),e.children&&Object.values(e.children).forEach((function(e){return f(e,!1)})))};Object.values(l).forEach((function(e){return f(e,!1)}));try{for(var h=r(this.scrollMap.keys()),m=h.next();!m.done;m=h.next()){var v=m.value;this.removeIdSet.has(v)&&this.scrollMap.delete(v)}}catch(e){t={error:e}}finally{try{m&&!m.done&&(n=h.return)&&n.call(h)}finally{if(t)throw t.error}}try{for(var y=r(this.inputMap.keys()),g=y.next();!g.done;g=y.next()){v=g.value;this.removeIdSet.has(v)&&this.inputMap.delete(v)}}catch(e){o={error:e}}finally{try{g&&!g.done&&(a=y.return)&&a.call(y)}finally{if(o)throw o.error}}var b=new Map(this.scrollMap),S=new Map(this.inputMap);return this.reset(),{mutationData:p,scrollMap:b,inputMap:S}},t.prototype.reset=function(){this.tree=[],this.indexes=new Map,this.removeNodeMutations=[],this.textMutations=[],this.attributeMutations=[],this.removeIdSet=new Set,this.scrollMap=new Map,this.inputMap=new Map},t.prototype.idRemoved=function(e){return this.removeIdSet.has(e)},t}();function se(e){var t,n,o={},a=function(e,t){var n={value:e,parent:t,children:[]};return o[e.node.id]=n,n},i=[];try{for(var s=r(e),l=s.next();!l.done;l=s.next()){var c=l.value,u=c.nextId,d=c.parentId;if(u&&u in o){var p=o[u];if(p.parent){var f=p.parent.children.indexOf(p);p.parent.children.splice(f,0,a(c,p.parent))}else{f=i.indexOf(p);i.splice(f,0,a(c,null))}}else if(d in o){var h=o[d];h.children.push(a(c,h))}else i.push(a(c,null))}}catch(e){t={error:e}}finally{try{l&&!l.done&&(n=s.return)&&n.call(s)}finally{if(t)throw t.error}}return i}function le(e,t){t(e.value);for(var n=e.children.length-1;n>=0;n--)le(e.children[n],t)}function ce(e){return"__sn"in e&&(e.__sn.type===t.Element&&"iframe"===e.__sn.tagName)}function ue(e,t){var n,r,o=null===(r=null===(n=e.ownerDocument)||void 0===n?void 0:n.defaultView)||void 0===r?void 0:r.frameElement;if(!o||o===t)return{x:0,y:0,relativeScale:1,absoluteScale:1};var a=o.getBoundingClientRect(),i=ue(o,t),s=a.height/o.clientHeight;return{x:a.x*i.relativeScale+i.x,y:a.y*i.relativeScale+i.y,relativeScale:s,absoluteScale:i.absoluteScale*s}}function de(e){return Boolean(null==e?void 0:e.shadowRoot)}var pe=Object.freeze({__proto__:null,on:X,createMirror:q,get _mirror(){return e.mirror},throttle:$,hookSetter:K,patch:J,getWindowHeight:Z,getWindowWidth:ee,isBlocked:te,isIgnored:ne,isAncestorRemoved:re,isTouchEvent:oe,polyfill:ae,TreeIndex:ie,queueToResolveTrees:se,iterateResolveTree:le,isIframeINode:ce,getBaseDimension:ue,hasShadowRoot:de});function fe(e){return"__ln"in e}var he=function(){function e(){this.length=0,this.head=null}return e.prototype.get=function(e){if(e>=this.length)throw new Error("Position outside of list range");for(var t=this.head,n=0;n=0;S--){var w=l.get(S);if(w){g=e.mirror.getId(w.value.parentNode),b=c(w.value);if(-1!==g&&-1!==b){y=w;break}}}if(!y){for(;l.head;)l.removeNode(l.head.value);break}v=y.previous,l.removeNode(y.value),u(y.value)}var x={texts:e.texts.map((function(t){return{id:e.mirror.getId(t.node),value:t.value}})).filter((function(t){return e.mirror.has(t.id)})),attributes:e.attributes.map((function(t){return{id:e.mirror.getId(t.node),attributes:t.attributes}})).filter((function(t){return e.mirror.has(t.id)})),removes:e.removes,adds:i};(x.texts.length||x.attributes.length||x.removes.length||x.adds.length)&&(e.texts=[],e.attributes=[],e.removes=[],e.addedSet=new Set,e.movedSet=new Set,e.droppedSet=new Set,e.movedMap={},e.mutationCb(x))}},this.processMutation=function(t){var n,o,a,i;if(!ne(t.target))switch(t.type){case"characterData":var c=t.target.textContent;te(t.target,e.blockClass)||c===t.oldValue||e.texts.push({value:T(t.target,e.maskTextClass,e.maskTextSelector)&&c?e.maskTextFn?e.maskTextFn(c):c.replace(/[\S]/g,"*"):c,node:t.target});break;case"attributes":var u=t.target;c=t.target.getAttribute(t.attributeName);if("value"===t.attributeName&&(c=l({maskInputOptions:e.maskInputOptions,tagName:t.target.tagName,type:t.target.getAttribute("type"),value:c,maskInputFn:e.maskInputFn})),te(t.target,e.blockClass)||c===t.oldValue)return;var d=e.attributes.find((function(e){return e.node===t.target}));if(d||(d={node:t.target,attributes:{}},e.attributes.push(d)),"style"===t.attributeName){var p=e.doc.createElement("span");t.oldValue&&p.setAttribute("style",t.oldValue),void 0!==d.attributes.style&&null!==d.attributes.style||(d.attributes.style={});var f=d.attributes.style;try{for(var h=r(Array.from(u.style)),m=h.next();!m.done;m=h.next()){var v=m.value,y=u.style.getPropertyValue(v),g=u.style.getPropertyPriority(v);y===p.style.getPropertyValue(v)&&g===p.style.getPropertyPriority(v)||(f[v]=""===g?y:[y,g])}}catch(e){n={error:e}}finally{try{m&&!m.done&&(o=h.return)&&o.call(h)}finally{if(n)throw n.error}}try{for(var b=r(Array.from(p.style)),S=b.next();!S.done;S=b.next()){v=S.value;""===u.style.getPropertyValue(v)&&(f[v]=!1)}}catch(e){a={error:e}}finally{try{S&&!S.done&&(i=b.return)&&i.call(b)}finally{if(a)throw a.error}}}else d.attributes[t.attributeName]=E(e.doc,t.target.tagName,t.attributeName,c);break;case"childList":t.addedNodes.forEach((function(n){return e.genAdds(n,t.target)})),t.removedNodes.forEach((function(n){var r=e.mirror.getId(n),o=s(t.target)?e.mirror.getId(t.target.host):e.mirror.getId(t.target);te(t.target,e.blockClass)||ne(n)||(e.addedSet.has(n)?(ge(e.addedSet,n),e.droppedSet.add(n)):e.addedSet.has(t.target)&&-1===r||re(t.target,e.mirror)||(e.movedSet.has(n)&&e.movedMap[me(r,o)]?ge(e.movedSet,n):e.removes.push({parentId:o,id:r,isShadow:!!s(t.target)||void 0})),e.mapRemoves.push(n))}))}},this.genAdds=function(t,n){if(!n||!te(n,e.blockClass)){if(ve(t)){if(ne(t))return;e.movedSet.add(t);var r=null;n&&ve(n)&&(r=n.__sn.id),r&&(e.movedMap[me(t.__sn.id,r)]=!0)}else e.addedSet.add(t),e.droppedSet.delete(t);te(t,e.blockClass)||t.childNodes.forEach((function(t){return e.genAdds(t)}))}}}return e.prototype.init=function(e){var t=this;["mutationCb","blockClass","blockSelector","maskTextClass","maskTextSelector","inlineStylesheet","maskInputOptions","maskTextFn","maskInputFn","recordCanvas","inlineImages","slimDOMOptions","doc","mirror","iframeManager","shadowDomManager","canvasManager"].forEach((function(n){t[n]=e[n]}))},e.prototype.freeze=function(){this.frozen=!0,this.canvasManager.freeze()},e.prototype.unfreeze=function(){this.frozen=!1,this.canvasManager.unfreeze(),this.emit()},e.prototype.isFrozen=function(){return this.frozen},e.prototype.lock=function(){this.locked=!0,this.canvasManager.lock()},e.prototype.unlock=function(){this.locked=!1,this.canvasManager.unlock(),this.emit()},e.prototype.reset=function(){this.shadowDomManager.reset(),this.canvasManager.reset()},e}();function ge(e,t){e.delete(t),t.childNodes.forEach((function(t){return ge(e,t)}))}function be(e,t,n){var r=t.parentNode;if(!r)return!1;var o=n.getId(r);return!!e.some((function(e){return e.id===o}))||be(e,r,n)}function Se(e,t){var n=t.parentNode;return!!n&&(!!e.has(n)||Se(e,n))}var we=[],xe="undefined"!=typeof CSSGroupingRule,Ie="undefined"!=typeof CSSMediaRule,Ee="undefined"!=typeof CSSSupportsRule,Te="undefined"!=typeof CSSConditionRule;function Ce(e){try{if("composedPath"in e){var t=e.composedPath();if(t.length)return t[0]}else if("path"in e&&e.path.length)return e.path[0];return e.target}catch(t){return e.target}}function Me(e,t){var n,r,o=new ye;we.push(o),o.init(e);var a=window.MutationObserver||window.__rrMutationObserver,i=null===(r=null===(n=null===window||void 0===window?void 0:window.Zone)||void 0===n?void 0:n.__symbol__)||void 0===r?void 0:r.call(n,"MutationObserver");i&&window[i]&&(a=window[i]);var s=new a(o.processMutations.bind(o));return s.observe(t,{attributes:!0,attributeOldValue:!0,characterData:!0,characterDataOldValue:!0,childList:!0,subtree:!0}),s}function ke(t){var n=t.mouseInteractionCb,r=t.doc,o=t.mirror,a=t.blockClass,i=t.sampling;if(!1===i.mouseInteraction)return function(){};var s=!0===i.mouseInteraction||void 0===i.mouseInteraction?{}:i.mouseInteraction,l=[];return Object.keys(e.MouseInteractions).filter((function(e){return Number.isNaN(Number(e))&&!e.endsWith("_Departed")&&!1!==s[e]})).forEach((function(t){var i=t.toLowerCase(),s=function(t){return function(r){var i=Ce(r);if(!te(i,a)){var s=oe(r)?r.changedTouches[0]:r;if(s){var l=o.getId(i),c=s.clientX,u=s.clientY;n({type:e.MouseInteractions[t],id:l,x:c,y:u})}}}}(t);l.push(X(i,s,r))})),function(){l.forEach((function(e){return e()}))}}function Ne(e){var t=e.scrollCb,n=e.doc,r=e.mirror,o=e.blockClass;return X("scroll",$((function(e){var a=Ce(e);if(a&&!te(a,o)){var i=r.getId(a);if(a===n){var s=n.scrollingElement||n.documentElement;t({id:i,x:s.scrollLeft,y:s.scrollTop})}else t({id:i,x:a.scrollLeft,y:a.scrollTop})}}),e.sampling.scroll||100),n)}function Re(e,t){var r=n({},e);return t||delete r.userTriggered,r}var _e=["INPUT","TEXTAREA","SELECT"],Oe=new WeakMap;function De(e){return function(e,t){if(xe&&e.parentRule instanceof CSSGroupingRule||Ie&&e.parentRule instanceof CSSMediaRule||Ee&&e.parentRule instanceof CSSSupportsRule||Te&&e.parentRule instanceof CSSConditionRule){var n=Array.from(e.parentRule.cssRules).indexOf(e);t.unshift(n)}else{n=Array.from(e.parentStyleSheet.cssRules).indexOf(e);t.unshift(n)}return t}(e,[])}function Ae(t,i){var s,c;void 0===i&&(i={});var u=t.doc.defaultView;if(!u)return function(){};!function(e,t){var n=e.mutationCb,r=e.mousemoveCb,i=e.mouseInteractionCb,s=e.scrollCb,l=e.viewportResizeCb,c=e.inputCb,u=e.mediaInteractionCb,d=e.styleSheetRuleCb,p=e.styleDeclarationCb,f=e.canvasMutationCb,h=e.fontCb;e.mutationCb=function(){for(var e=[],r=0;r>2],o+=Pe[(3&n[t])<<4|n[t+1]>>4],o+=Pe[(15&n[t+1])<<2|n[t+2]>>6],o+=Pe[63&n[t+2]];return r%3==2?o=o.substring(0,o.length-1)+"=":r%3==1&&(o=o.substring(0,o.length-2)+"=="),o}(e)}:e instanceof DataView?{rr_type:e.constructor.name,args:[Be(e.buffer,t,n),e.byteOffset,e.byteLength]}:e instanceof HTMLImageElement?{rr_type:e.constructor.name,src:e.src}:e instanceof ImageData?{rr_type:e.constructor.name,args:[Be(e.data,t,n),e.width,e.height]}:Ge(e,t)||"object"==typeof e?{rr_type:e.constructor.name,index:Ue(e,t,n)}:e}var Ve=function(e,t,n){return a([],o(e),!1).map((function(e){return Be(e,t,n)}))},Ge=function(e,t){var n=["WebGLActiveInfo","WebGLBuffer","WebGLFramebuffer","WebGLProgram","WebGLRenderbuffer","WebGLShader","WebGLShaderPrecisionFormat","WebGLTexture","WebGLUniformLocation","WebGLVertexArrayObject","WebGLVertexArrayObjectOES"].filter((function(e){return"function"==typeof t[e]}));return Boolean(n.find((function(n){return e instanceof t[n]})))};function He(e,t,n,i,s,l){var c,u,d=[],p=Object.getOwnPropertyNames(e),f=function(r){try{if("function"!=typeof e[r])return"continue";var c=J(e,r,(function(c){return function(){for(var u=[],d=0;d=s,c=i&&t.timestamp-B.timestamp>i;(l||c)&&Xe(!0)}};var Y=function(t){Ye(Qe({type:e.EventType.IncrementalSnapshot,data:n({source:e.IncrementalSource.Mutation},t)}))},q=function(t){return Ye(Qe({type:e.EventType.IncrementalSnapshot,data:n({source:e.IncrementalSource.Scroll},t)}))},Q=function(t){return Ye(Qe({type:e.EventType.IncrementalSnapshot,data:n({source:e.IncrementalSource.CanvasMutation},t)}))},$=new Le({mutationCb:Y}),K=new qe({recordCanvas:O,mutationCb:Q,win:window,blockClass:c,mirror:$e}),J=new Fe({mutationCb:Y,scrollCb:q,bypassOptions:{blockClass:c,blockSelector:d,maskTextClass:m,maskTextSelector:y,inlineStylesheet:b,maskInputOptions:V,maskTextFn:E,maskInputFn:I,recordCanvas:O,inlineImages:W,sampling:N,slimDOMOptions:G,iframeManager:$,canvasManager:K},mirror:$e});Xe=function(t){var n,r,a,i;void 0===t&&(t=!1),Ye(Qe({type:e.EventType.Meta,data:{href:window.location.href,width:ee(),height:Z()}}),t),we.forEach((function(e){return e.lock()}));var s=o(function(e,t){var n=t||{},r=n.blockClass,o=void 0===r?"rr-block":r,a=n.blockSelector,i=void 0===a?null:a,s=n.maskTextClass,l=void 0===s?"rr-mask":s,c=n.maskTextSelector,u=void 0===c?null:c,d=n.inlineStylesheet,p=void 0===d||d,f=n.inlineImages,h=void 0!==f&&f,m=n.recordCanvas,v=void 0!==m&&m,y=n.maskAllInputs,g=void 0!==y&&y,b=n.maskTextFn,S=n.maskInputFn,w=n.slimDOM,x=void 0!==w&&w,I=n.dataURLOptions,E=n.preserveWhiteSpace,T=n.onSerialize,C=n.onIframeLoad,M=n.iframeLoadTimeout,N=n.keepIframeSrcFn,R={};return[k(e,{doc:e,map:R,blockClass:o,blockSelector:i,maskTextClass:l,maskTextSelector:u,skipChild:!1,inlineStylesheet:p,maskInputOptions:!0===g?{color:!0,date:!0,"datetime-local":!0,email:!0,month:!0,number:!0,range:!0,search:!0,tel:!0,text:!0,time:!0,url:!0,week:!0,textarea:!0,select:!0,password:!0}:!1===g?{password:!0}:g,maskTextFn:b,maskInputFn:S,slimDOMOptions:!0===x||"all"===x?{script:!0,comment:!0,headFavicon:!0,headWhitespace:!0,headMetaDescKeywords:"all"===x,headMetaSocial:!0,headMetaRobots:!0,headMetaHttpEquiv:!0,headMetaAuthorship:!0,headMetaVerification:!0}:!1===x?{}:x,dataURLOptions:I,inlineImages:h,recordCanvas:v,preserveWhiteSpace:E,onSerialize:T,onIframeLoad:C,iframeLoadTimeout:M,keepIframeSrcFn:void 0===N?function(){return!1}:N}),R]}(document,{blockClass:c,blockSelector:d,maskTextClass:m,maskTextSelector:y,inlineStylesheet:b,maskAllInputs:V,maskTextFn:E,slimDOM:G,recordCanvas:O,inlineImages:W,onSerialize:function(e){ce(e)&&$.addIframe(e),de(e)&&J.addShadowRoot(e.shadowRoot,document)},onIframeLoad:function(e,t){$.attachIframe(e,t),J.observeAttachShadow(e)},keepIframeSrcFn:U}),2),l=s[0],u=s[1];if(!l)return console.warn("Failed to snapshot the document");$e.map=u,Ye(Qe({type:e.EventType.FullSnapshot,data:{node:l,initialOffset:{left:void 0!==window.pageXOffset?window.pageXOffset:(null===document||void 0===document?void 0:document.documentElement.scrollLeft)||(null===(r=null===(n=null===document||void 0===document?void 0:document.body)||void 0===n?void 0:n.parentElement)||void 0===r?void 0:r.scrollLeft)||(null===document||void 0===document?void 0:document.body.scrollLeft)||0,top:void 0!==window.pageYOffset?window.pageYOffset:(null===document||void 0===document?void 0:document.documentElement.scrollTop)||(null===(i=null===(a=null===document||void 0===document?void 0:document.body)||void 0===a?void 0:a.parentElement)||void 0===i?void 0:i.scrollTop)||(null===document||void 0===document?void 0:document.body.scrollTop)||0}}})),we.forEach((function(e){return e.unlock()}))};try{var te=[];te.push(X("DOMContentLoaded",(function(){Ye(Qe({type:e.EventType.DomContentLoaded,data:{}}))})));var ne=function(t){var r;return Ae({mutationCb:Y,mousemoveCb:function(t,n){return Ye(Qe({type:e.EventType.IncrementalSnapshot,data:{source:n,positions:t}}))},mouseInteractionCb:function(t){return Ye(Qe({type:e.EventType.IncrementalSnapshot,data:n({source:e.IncrementalSource.MouseInteraction},t)}))},scrollCb:q,viewportResizeCb:function(t){return Ye(Qe({type:e.EventType.IncrementalSnapshot,data:n({source:e.IncrementalSource.ViewportResize},t)}))},inputCb:function(t){return Ye(Qe({type:e.EventType.IncrementalSnapshot,data:n({source:e.IncrementalSource.Input},t)}))},mediaInteractionCb:function(t){return Ye(Qe({type:e.EventType.IncrementalSnapshot,data:n({source:e.IncrementalSource.MediaInteraction},t)}))},styleSheetRuleCb:function(t){return Ye(Qe({type:e.EventType.IncrementalSnapshot,data:n({source:e.IncrementalSource.StyleSheetRule},t)}))},styleDeclarationCb:function(t){return Ye(Qe({type:e.EventType.IncrementalSnapshot,data:n({source:e.IncrementalSource.StyleDeclaration},t)}))},canvasMutationCb:Q,fontCb:function(t){return Ye(Qe({type:e.EventType.IncrementalSnapshot,data:n({source:e.IncrementalSource.Font},t)}))},blockClass:c,ignoreClass:f,maskTextClass:m,maskTextSelector:y,maskInputOptions:V,inlineStylesheet:b,sampling:N,recordCanvas:O,inlineImages:W,userTriggeredOnInput:A,collectFonts:F,doc:t,maskInputFn:I,maskTextFn:E,blockSelector:d,slimDOMOptions:G,mirror:$e,iframeManager:$,shadowDomManager:J,canvasManager:K,plugins:(null===(r=null==j?void 0:j.filter((function(e){return e.observer})))||void 0===r?void 0:r.map((function(t){return{observer:t.observer,options:t.options,callback:function(n){return Ye(Qe({type:e.EventType.Plugin,data:{plugin:t.name,payload:n}}))}}})))||[]},T)};$.addLoadListener((function(e){te.push(ne(e.contentDocument))}));var re=function(){Xe(),te.push(ne(document))};return"interactive"===document.readyState||"complete"===document.readyState?re():te.push(X("load",(function(){Ye(Qe({type:e.EventType.Load,data:{}})),re()}),window)),function(){te.forEach((function(e){return e()}))}}catch(e){console.warn(e)}}function Je(e){return e=e||Object.create(null),{on:function(t,n){(e[t]||(e[t]=[])).push(n)},off:function(t,n){e[t]&&e[t].splice(e[t].indexOf(n)>>>0,1)},emit:function(t,n){(e[t]||[]).slice().map((function(e){e(n)})),(e["*"]||[]).slice().map((function(e){e(t,n)}))}}}Ke.addCustomEvent=function(t,n){if(!Ye)throw new Error("please add custom event after start recording");Ye(Qe({type:e.EventType.Custom,data:{tag:t,payload:n}}))},Ke.freezePage=function(){we.forEach((function(e){return e.freeze()}))},Ke.takeFullSnapshot=function(e){if(!Xe)throw new Error("please take full snapshot after start recording");Xe(e)},Ke.mirror=$e;var Ze=Object.freeze({__proto__:null,default:Je});function et(e,t){if(void 0===e&&(e=window),void 0===t&&(t=document),!("scrollBehavior"in t.documentElement.style)||!0===e.__forceSmoothScrollPolyfill__){var n,r=e.HTMLElement||e.Element,o={scroll:e.scroll||e.scrollTo,scrollBy:e.scrollBy,elementScroll:r.prototype.scroll||s,scrollIntoView:r.prototype.scrollIntoView},a=e.performance&&e.performance.now?e.performance.now.bind(e.performance):Date.now,i=(n=e.navigator.userAgent,new RegExp(["MSIE ","Trident/","Edge/"].join("|")).test(n)?1:0);e.scroll=e.scrollTo=function(){void 0!==arguments[0]&&(!0!==l(arguments[0])?h.call(e,t.body,void 0!==arguments[0].left?~~arguments[0].left:e.scrollX||e.pageXOffset,void 0!==arguments[0].top?~~arguments[0].top:e.scrollY||e.pageYOffset):o.scroll.call(e,void 0!==arguments[0].left?arguments[0].left:"object"!=typeof arguments[0]?arguments[0]:e.scrollX||e.pageXOffset,void 0!==arguments[0].top?arguments[0].top:void 0!==arguments[1]?arguments[1]:e.scrollY||e.pageYOffset))},e.scrollBy=function(){void 0!==arguments[0]&&(l(arguments[0])?o.scrollBy.call(e,void 0!==arguments[0].left?arguments[0].left:"object"!=typeof arguments[0]?arguments[0]:0,void 0!==arguments[0].top?arguments[0].top:void 0!==arguments[1]?arguments[1]:0):h.call(e,t.body,~~arguments[0].left+(e.scrollX||e.pageXOffset),~~arguments[0].top+(e.scrollY||e.pageYOffset)))},r.prototype.scroll=r.prototype.scrollTo=function(){if(void 0!==arguments[0])if(!0!==l(arguments[0])){var e=arguments[0].left,t=arguments[0].top;h.call(this,this,void 0===e?this.scrollLeft:~~e,void 0===t?this.scrollTop:~~t)}else{if("number"==typeof arguments[0]&&void 0===arguments[1])throw new SyntaxError("Value could not be converted");o.elementScroll.call(this,void 0!==arguments[0].left?~~arguments[0].left:"object"!=typeof arguments[0]?~~arguments[0]:this.scrollLeft,void 0!==arguments[0].top?~~arguments[0].top:void 0!==arguments[1]?~~arguments[1]:this.scrollTop)}},r.prototype.scrollBy=function(){void 0!==arguments[0]&&(!0!==l(arguments[0])?this.scroll({left:~~arguments[0].left+this.scrollLeft,top:~~arguments[0].top+this.scrollTop,behavior:arguments[0].behavior}):o.elementScroll.call(this,void 0!==arguments[0].left?~~arguments[0].left+this.scrollLeft:~~arguments[0]+this.scrollLeft,void 0!==arguments[0].top?~~arguments[0].top+this.scrollTop:~~arguments[1]+this.scrollTop))},r.prototype.scrollIntoView=function(){if(!0!==l(arguments[0])){var n=p(this),r=n.getBoundingClientRect(),a=this.getBoundingClientRect();n!==t.body?(h.call(this,n,n.scrollLeft+a.left-r.left,n.scrollTop+a.top-r.top),"fixed"!==e.getComputedStyle(n).position&&e.scrollBy({left:r.left,top:r.top,behavior:"smooth"})):e.scrollBy({left:a.left,top:a.top,behavior:"smooth"})}else o.scrollIntoView.call(this,void 0===arguments[0]||arguments[0])}}function s(e,t){this.scrollLeft=e,this.scrollTop=t}function l(e){if(null===e||"object"!=typeof e||void 0===e.behavior||"auto"===e.behavior||"instant"===e.behavior)return!0;if("object"==typeof e&&"smooth"===e.behavior)return!1;throw new TypeError("behavior member of ScrollOptions "+e.behavior+" is not a valid value for enumeration ScrollBehavior.")}function c(e,t){return"Y"===t?e.clientHeight+i1?1:s,n=.5*(1-Math.cos(Math.PI*i)),r=t.startX+(t.x-t.startX)*n,o=t.startY+(t.y-t.startY)*n,t.method.call(t.scrollable,r,o),r===t.x&&o===t.y||e.requestAnimationFrame(f.bind(e,t))}function h(n,r,i){var l,c,u,d,p=a();n===t.body?(l=e,c=e.scrollX||e.pageXOffset,u=e.scrollY||e.pageYOffset,d=o.scroll):(l=n,c=n.scrollLeft,u=n.scrollTop,d=s),f({scrollable:l,method:d,startTime:p,startX:c,startY:u,x:r,y:i})}}var tt,nt=function(){function e(e,t){void 0===e&&(e=[]),this.timeOffset=0,this.raf=null,this.actions=e,this.speed=t}return e.prototype.addAction=function(e){var t=this.findActionIndex(e);this.actions.splice(t,0,e)},e.prototype.addActions=function(e){this.actions=this.actions.concat(e)},e.prototype.start=function(){this.timeOffset=0;var e=performance.now(),t=this.actions,n=this;this.raf=requestAnimationFrame((function r(){var o=performance.now();for(n.timeOffset+=(o-e)*n.speed,e=o;t.length;){var a=t[0];if(!(n.timeOffset>=a.delay))break;t.shift(),a.doAction()}(t.length>0||n.liveMode)&&(n.raf=requestAnimationFrame(r))}))},e.prototype.clear=function(){this.raf&&(cancelAnimationFrame(this.raf),this.raf=null),this.actions.length=0},e.prototype.setSpeed=function(e){this.speed=e},e.prototype.toggleLiveMode=function(e){this.liveMode=e},e.prototype.isActive=function(){return null!==this.raf},e.prototype.findActionIndex=function(e){for(var t=0,n=this.actions.length-1;t<=n;){var r=Math.floor((t+n)/2);if(this.actions[r].delaye.delay))return r+1;n=r-1}}return t},e}();function rt(t,n){if(t.type===e.EventType.IncrementalSnapshot&&t.data.source===e.IncrementalSource.MouseMove){var r=t.data.positions[0].timeOffset,o=t.timestamp+r;return t.delay=o-n,o-n}return t.delay=t.timestamp-n,t.delay} ++ ***************************************************************************** */var t,n=function(){return(n=Object.assign||function(e){for(var t,n=1,r=arguments.length;n=e.length&&(e=void 0),{value:e&&e[r++],done:!e}}};throw new TypeError(t?"Object is not iterable.":"Symbol.iterator is not defined.")}function o(e,t){var n="function"==typeof Symbol&&e[Symbol.iterator];if(!n)return e;var r,o,a=n.call(e),i=[];try{for(;(void 0===t||t-- >0)&&!(r=a.next()).done;)i.push(r.value)}catch(e){o={error:e}}finally{try{r&&!r.done&&(n=a.return)&&n.call(a)}finally{if(o)throw o.error}}return i}function a(e,t,n){if(n||2===arguments.length)for(var r,o=0,a=t.length;o-1?s.split("/").slice(0,3).join("/"):s.split("/")[0]).split("?")[0]+l)+c+")";var u=t.split("/"),d=l.split("/");u.pop();for(var p=0,f=d;p=t.length);){var a=r(b);if(","===a.slice(-1))a=I(e,a.substring(0,a.length-1)),o.push(a);else{var i="";a=I(e,a);for(var s=!1;;){var l=t.charAt(n);if(""===l){o.push((a+i).trim());break}if(s)")"===l&&(s=!1);else{if(","===l){n+=1,o.push((a+i).trim());break}"("===l&&(s=!0)}i+=l,n+=1}}}return o.join(", ")}(e,r):"style"===n&&r?S(r,x()):"object"===t&&"data"===n&&r?I(e,r):r:I(e,r)}function E(e,t,n,r){if(!e)return!1;if(e.nodeType===e.ELEMENT_NODE){if(r&&(e.matches(r)||e.closest(r)))return!1;if("string"==typeof t){if(e.classList.contains(t))return!0}else for(var o=0;o'):r.write('')),p=r),p.__sn=e,o[e.id]=p,(e.type===t.Document||e.type===t.Element)&&!s)for(var f=0,h=e.childNodes;ft?(r&&(clearTimeout(r),r=null),o=i,e.apply(l,c)):r||!1===n.trailing||(r=setTimeout((function(){o=!1===n.leading?0:Date.now(),r=null,e.apply(l,c)}),s))}}function K(e,t,n,r,o){void 0===o&&(o=window);var a=o.Object.getOwnPropertyDescriptor(e,t);return o.Object.defineProperty(e,t,r?n:{set:function(e){var t=this;setTimeout((function(){n.set.call(t,e)}),0),a&&a.set&&a.set.call(this,e)}}),function(){return K(e,t,a||{},!0)}}function J(e,t,n){try{if(!(t in e))return function(){};var r=e[t],o=n(r);return"function"==typeof o&&(o.prototype=o.prototype||{},Object.defineProperties(o,{__rrweb_original__:{enumerable:!1,value:r}})),e[t]=o,function(){e[t]=r}}catch(e){return function(){}}}function Z(){return window.innerHeight||document.documentElement&&document.documentElement.clientHeight||document.body&&document.body.clientHeight}function ee(){return window.innerWidth||document.documentElement&&document.documentElement.clientWidth||document.body&&document.body.clientWidth}function te(e,t){if(!e)return!1;if(e.nodeType===e.ELEMENT_NODE){var n=!1;if("string"==typeof t){if(void 0!==e.closest)return null!==e.closest("."+t);n=e.classList.contains(t)}else e.classList.forEach((function(e){t.test(e)&&(n=!0)}));return n||te(e.parentNode,t)}return e.nodeType,e.TEXT_NODE,te(e.parentNode,t)}function ne(e){return"__sn"in e&&-2===e.__sn.id}function re(e,t){if(s(e))return!1;var n=t.getId(e);return!t.has(n)||(!e.parentNode||e.parentNode.nodeType!==e.DOCUMENT_NODE)&&(!e.parentNode||re(e.parentNode,t))}function oe(e){return Boolean(e.changedTouches)}function ae(e){void 0===e&&(e=window),"NodeList"in e&&!e.NodeList.prototype.forEach&&(e.NodeList.prototype.forEach=Array.prototype.forEach),"DOMTokenList"in e&&!e.DOMTokenList.prototype.forEach&&(e.DOMTokenList.prototype.forEach=Array.prototype.forEach),Node.prototype.contains||(Node.prototype.contains=function(e){if(!(0 in arguments))throw new TypeError("1 argument is required");do{if(this===e)return!0}while(e=e&&e.parentNode);return!1})}e.mirror={map:{},getId:function(){return console.error(Q),-1},getNode:function(){return console.error(Q),null},removeNodeFromMap:function(){console.error(Q)},has:function(){return console.error(Q),!1},reset:function(){console.error(Q)}},"undefined"!=typeof window&&window.Proxy&&window.Reflect&&(e.mirror=new Proxy(e.mirror,{get:function(e,t,n){return"map"===t&&console.error(Q),Reflect.get(e,t,n)}}));var ie=function(){function t(){this.reset()}return t.prototype.add=function(e){var t=this.indexes.get(e.parentId),n={id:e.node.id,mutation:e,children:[],texts:[],attributes:[]};t?(n.parent=t,t.children[n.id]=n):this.tree[n.id]=n,this.indexes.set(n.id,n)},t.prototype.remove=function(e,t){var n=this,r=this.indexes.get(e.parentId),o=this.indexes.get(e.id),a=function(e){n.removeIdSet.add(e);var r=t.getNode(e);null==r||r.childNodes.forEach((function(e){"__sn"in e&&a(e.__sn.id)}))},i=function(t){n.removeIdSet.add(t.id),Object.values(t.children).forEach((function(e){return i(e)}));var r=n.indexes.get(t.id);if(r){var o=r.parent;o&&(delete r.parent,delete o.children[r.id],n.indexes.delete(e.id))}};o?r?(delete o.parent,delete r.children[o.id],this.indexes.delete(e.id),i(o)):(delete this.tree[o.id],this.indexes.delete(o.id),i(o)):(this.removeNodeMutations.push(e),a(e.id))},t.prototype.text=function(e){var t=this.indexes.get(e.id);t?t.texts.push(e):this.textMutations.push(e)},t.prototype.attribute=function(e){var t=this.indexes.get(e.id);t?t.attributes.push(e):this.attributeMutations.push(e)},t.prototype.scroll=function(e){this.scrollMap.set(e.id,e)},t.prototype.input=function(e){this.inputMap.set(e.id,e)},t.prototype.flush=function(){var t,n,o,a,i=this,s=this,l=s.tree,c=s.removeNodeMutations,u=s.textMutations,d=s.attributeMutations,p={source:e.IncrementalSource.Mutation,removes:c,texts:u,attributes:d,adds:[]},f=function(e,t){t&&i.removeIdSet.add(e.id),p.texts=p.texts.concat(t?[]:e.texts).filter((function(e){return!i.removeIdSet.has(e.id)})),p.attributes=p.attributes.concat(t?[]:e.attributes).filter((function(e){return!i.removeIdSet.has(e.id)})),i.removeIdSet.has(e.id)||i.removeIdSet.has(e.mutation.parentId)||t?Object.values(e.children).forEach((function(e){return f(e,!0)})):(p.adds.push(e.mutation),e.children&&Object.values(e.children).forEach((function(e){return f(e,!1)})))};Object.values(l).forEach((function(e){return f(e,!1)}));try{for(var h=r(this.scrollMap.keys()),m=h.next();!m.done;m=h.next()){var v=m.value;this.removeIdSet.has(v)&&this.scrollMap.delete(v)}}catch(e){t={error:e}}finally{try{m&&!m.done&&(n=h.return)&&n.call(h)}finally{if(t)throw t.error}}try{for(var y=r(this.inputMap.keys()),g=y.next();!g.done;g=y.next()){v=g.value;this.removeIdSet.has(v)&&this.inputMap.delete(v)}}catch(e){o={error:e}}finally{try{g&&!g.done&&(a=y.return)&&a.call(y)}finally{if(o)throw o.error}}var S=new Map(this.scrollMap),b=new Map(this.inputMap);return this.reset(),{mutationData:p,scrollMap:S,inputMap:b}},t.prototype.reset=function(){this.tree=[],this.indexes=new Map,this.removeNodeMutations=[],this.textMutations=[],this.attributeMutations=[],this.removeIdSet=new Set,this.scrollMap=new Map,this.inputMap=new Map},t.prototype.idRemoved=function(e){return this.removeIdSet.has(e)},t}();function se(e){var t,n,o={},a=function(e,t){var n={value:e,parent:t,children:[]};return o[e.node.id]=n,n},i=[];try{for(var s=r(e),l=s.next();!l.done;l=s.next()){var c=l.value,u=c.nextId,d=c.parentId;if(u&&u in o){var p=o[u];if(p.parent){var f=p.parent.children.indexOf(p);p.parent.children.splice(f,0,a(c,p.parent))}else{f=i.indexOf(p);i.splice(f,0,a(c,null))}}else if(d in o){var h=o[d];h.children.push(a(c,h))}else i.push(a(c,null))}}catch(e){t={error:e}}finally{try{l&&!l.done&&(n=s.return)&&n.call(s)}finally{if(t)throw t.error}}return i}function le(e,t){t(e.value);for(var n=e.children.length-1;n>=0;n--)le(e.children[n],t)}function ce(e){return"__sn"in e&&(e.__sn.type===t.Element&&"iframe"===e.__sn.tagName)}function ue(e,t){var n,r,o=null===(r=null===(n=e.ownerDocument)||void 0===n?void 0:n.defaultView)||void 0===r?void 0:r.frameElement;if(!o||o===t)return{x:0,y:0,relativeScale:1,absoluteScale:1};var a=o.getBoundingClientRect(),i=ue(o,t),s=a.height/o.clientHeight;return{x:a.x*i.relativeScale+i.x,y:a.y*i.relativeScale+i.y,relativeScale:s,absoluteScale:i.absoluteScale*s}}function de(e){return Boolean(null==e?void 0:e.shadowRoot)}var pe=Object.freeze({__proto__:null,on:X,createMirror:q,get _mirror(){return e.mirror},throttle:$,hookSetter:K,patch:J,getWindowHeight:Z,getWindowWidth:ee,isBlocked:te,isIgnored:ne,isAncestorRemoved:re,isTouchEvent:oe,polyfill:ae,TreeIndex:ie,queueToResolveTrees:se,iterateResolveTree:le,isIframeINode:ce,getBaseDimension:ue,hasShadowRoot:de});function fe(e){return"__ln"in e}var he=function(){function e(){this.length=0,this.head=null}return e.prototype.get=function(e){if(e>=this.length)throw new Error("Position outside of list range");for(var t=this.head,n=0;n=0;b--){var w=l.get(b);if(w){g=e.mirror.getId(w.value.parentNode),S=c(w.value);if(-1!==g&&-1!==S){y=w;break}}}if(!y){for(;l.head;)l.removeNode(l.head.value);break}v=y.previous,l.removeNode(y.value),u(y.value)}var I={texts:e.texts.map((function(t){return{id:e.mirror.getId(t.node),value:t.value}})).filter((function(t){return e.mirror.has(t.id)})),attributes:e.attributes.map((function(t){return{id:e.mirror.getId(t.node),attributes:t.attributes}})).filter((function(t){return e.mirror.has(t.id)})),removes:e.removes,adds:i};(I.texts.length||I.attributes.length||I.removes.length||I.adds.length)&&(e.texts=[],e.attributes=[],e.removes=[],e.addedSet=new Set,e.movedSet=new Set,e.droppedSet=new Set,e.movedMap={},e.mutationCb(I))}},this.processMutation=function(t){var n,o,a,i;if(!ne(t.target))switch(t.type){case"characterData":var c=t.target.textContent;te(t.target,e.blockClass)||c===t.oldValue||e.texts.push({value:E(t.target,e.maskTextClass,e.maskTextSelector,e.unmaskTextSelector)&&c?e.maskTextFn?e.maskTextFn(c):c.replace(/[\S]/g,"*"):c,node:t.target});break;case"attributes":var u=t.target;c=t.target.getAttribute(t.attributeName);if("value"===t.attributeName&&(c=l({input:u,maskInputSelector:e.maskInputSelector,unmaskInputSelector:e.unmaskInputSelector,maskInputOptions:e.maskInputOptions,tagName:t.target.tagName,type:t.target.getAttribute("type"),value:c,maskInputFn:e.maskInputFn})),te(t.target,e.blockClass)||c===t.oldValue)return;var d=e.attributes.find((function(e){return e.node===t.target}));if(d||(d={node:t.target,attributes:{}},e.attributes.push(d)),"style"===t.attributeName){var p=e.doc.createElement("span");t.oldValue&&p.setAttribute("style",t.oldValue),void 0!==d.attributes.style&&null!==d.attributes.style||(d.attributes.style={});var f=d.attributes.style;try{for(var h=r(Array.from(u.style)),m=h.next();!m.done;m=h.next()){var v=m.value,y=u.style.getPropertyValue(v),g=u.style.getPropertyPriority(v);y===p.style.getPropertyValue(v)&&g===p.style.getPropertyPriority(v)||(f[v]=""===g?y:[y,g])}}catch(e){n={error:e}}finally{try{m&&!m.done&&(o=h.return)&&o.call(h)}finally{if(n)throw n.error}}try{for(var S=r(Array.from(p.style)),b=S.next();!b.done;b=S.next()){v=b.value;""===u.style.getPropertyValue(v)&&(f[v]=!1)}}catch(e){a={error:e}}finally{try{b&&!b.done&&(i=S.return)&&i.call(S)}finally{if(a)throw a.error}}}else d.attributes[t.attributeName]=T(e.doc,t.target.tagName,t.attributeName,c);break;case"childList":t.addedNodes.forEach((function(n){return e.genAdds(n,t.target)})),t.removedNodes.forEach((function(n){var r=e.mirror.getId(n),o=s(t.target)?e.mirror.getId(t.target.host):e.mirror.getId(t.target);te(t.target,e.blockClass)||ne(n)||(e.addedSet.has(n)?(ge(e.addedSet,n),e.droppedSet.add(n)):e.addedSet.has(t.target)&&-1===r||re(t.target,e.mirror)||(e.movedSet.has(n)&&e.movedMap[me(r,o)]?ge(e.movedSet,n):e.removes.push({parentId:o,id:r,isShadow:!!s(t.target)||void 0})),e.mapRemoves.push(n))}))}},this.genAdds=function(t,n){if(!n||!te(n,e.blockClass)){if(ve(t)){if(ne(t))return;e.movedSet.add(t);var r=null;n&&ve(n)&&(r=n.__sn.id),r&&(e.movedMap[me(t.__sn.id,r)]=!0)}else e.addedSet.add(t),e.droppedSet.delete(t);te(t,e.blockClass)||t.childNodes.forEach((function(t){return e.genAdds(t)}))}}}return e.prototype.init=function(e){var t=this;["mutationCb","blockClass","blockSelector","unblockSelector","maskTextClass","maskTextSelector","unmaskTextSelector","maskInputSelector","unmaskInputSelector","inlineStylesheet","maskInputOptions","maskTextFn","maskInputFn","recordCanvas","inlineImages","slimDOMOptions","doc","mirror","iframeManager","shadowDomManager","canvasManager"].forEach((function(n){t[n]=e[n]}))},e.prototype.freeze=function(){this.frozen=!0,this.canvasManager.freeze()},e.prototype.unfreeze=function(){this.frozen=!1,this.canvasManager.unfreeze(),this.emit()},e.prototype.isFrozen=function(){return this.frozen},e.prototype.lock=function(){this.locked=!0,this.canvasManager.lock()},e.prototype.unlock=function(){this.locked=!1,this.canvasManager.unlock(),this.emit()},e.prototype.reset=function(){this.shadowDomManager.reset(),this.canvasManager.reset()},e}();function ge(e,t){e.delete(t),t.childNodes.forEach((function(t){return ge(e,t)}))}function Se(e,t,n){var r=t.parentNode;if(!r)return!1;var o=n.getId(r);return!!e.some((function(e){return e.id===o}))||Se(e,r,n)}function be(e,t){var n=t.parentNode;return!!n&&(!!e.has(n)||be(e,n))}var we=[],Ie="undefined"!=typeof CSSGroupingRule,xe="undefined"!=typeof CSSMediaRule,Te="undefined"!=typeof CSSSupportsRule,Ee="undefined"!=typeof CSSConditionRule;function ke(e){try{if("composedPath"in e){var t=e.composedPath();if(t.length)return t[0]}else if("path"in e&&e.path.length)return e.path[0];return e.target}catch(t){return e.target}}function Ce(e,t){var n,r,o=new ye;we.push(o),o.init(e);var a=window.MutationObserver||window.__rrMutationObserver,i=null===(r=null===(n=null===window||void 0===window?void 0:window.Zone)||void 0===n?void 0:n.__symbol__)||void 0===r?void 0:r.call(n,"MutationObserver");i&&window[i]&&(a=window[i]);var s=new a(o.processMutations.bind(o));return s.observe(t,{attributes:!0,attributeOldValue:!0,characterData:!0,characterDataOldValue:!0,childList:!0,subtree:!0}),s}function Me(t){var n=t.mouseInteractionCb,r=t.doc,o=t.mirror,a=t.blockClass,i=t.sampling;if(!1===i.mouseInteraction)return function(){};var s=!0===i.mouseInteraction||void 0===i.mouseInteraction?{}:i.mouseInteraction,l=[];return Object.keys(e.MouseInteractions).filter((function(e){return Number.isNaN(Number(e))&&!e.endsWith("_Departed")&&!1!==s[e]})).forEach((function(t){var i=t.toLowerCase(),s=function(t){return function(r){var i=ke(r);if(!te(i,a)){var s=oe(r)?r.changedTouches[0]:r;if(s){var l=o.getId(i),c=s.clientX,u=s.clientY;n({type:e.MouseInteractions[t],id:l,x:c,y:u})}}}}(t);l.push(X(i,s,r))})),function(){l.forEach((function(e){return e()}))}}function Ne(e){var t=e.scrollCb,n=e.doc,r=e.mirror,o=e.blockClass;return X("scroll",$((function(e){var a=ke(e);if(a&&!te(a,o)){var i=r.getId(a);if(a===n){var s=n.scrollingElement||n.documentElement;t({id:i,x:s.scrollLeft,y:s.scrollTop})}else t({id:i,x:a.scrollLeft,y:a.scrollTop})}}),e.sampling.scroll||100),n)}function Re(e,t){var r=n({},e);return t||delete r.userTriggered,r}var _e=["INPUT","TEXTAREA","SELECT"],Oe=new WeakMap;function De(e){return function(e,t){if(Ie&&e.parentRule instanceof CSSGroupingRule||xe&&e.parentRule instanceof CSSMediaRule||Te&&e.parentRule instanceof CSSSupportsRule||Ee&&e.parentRule instanceof CSSConditionRule){var n=Array.from(e.parentRule.cssRules).indexOf(e);t.unshift(n)}else{n=Array.from(e.parentStyleSheet.cssRules).indexOf(e);t.unshift(n)}return t}(e,[])}function Ae(t,i){var s,c;void 0===i&&(i={});var u=t.doc.defaultView;if(!u)return function(){};!function(e,t){var n=e.mutationCb,r=e.mousemoveCb,i=e.mouseInteractionCb,s=e.scrollCb,l=e.viewportResizeCb,c=e.inputCb,u=e.mediaInteractionCb,d=e.styleSheetRuleCb,p=e.styleDeclarationCb,f=e.canvasMutationCb,h=e.fontCb;e.mutationCb=function(){for(var e=[],r=0;r>2],o+=Pe[(3&n[t])<<4|n[t+1]>>4],o+=Pe[(15&n[t+1])<<2|n[t+2]>>6],o+=Pe[63&n[t+2]];return r%3==2?o=o.substring(0,o.length-1)+"=":r%3==1&&(o=o.substring(0,o.length-2)+"=="),o}(e)}:e instanceof DataView?{rr_type:e.constructor.name,args:[Be(e.buffer,t,n),e.byteOffset,e.byteLength]}:e instanceof HTMLImageElement?{rr_type:e.constructor.name,src:e.src}:e instanceof ImageData?{rr_type:e.constructor.name,args:[Be(e.data,t,n),e.width,e.height]}:Ge(e,t)||"object"==typeof e?{rr_type:e.constructor.name,index:Ue(e,t,n)}:e}var Ve=function(e,t,n){return a([],o(e),!1).map((function(e){return Be(e,t,n)}))},Ge=function(e,t){var n=["WebGLActiveInfo","WebGLBuffer","WebGLFramebuffer","WebGLProgram","WebGLRenderbuffer","WebGLShader","WebGLShaderPrecisionFormat","WebGLTexture","WebGLUniformLocation","WebGLVertexArrayObject","WebGLVertexArrayObjectOES"].filter((function(e){return"function"==typeof t[e]}));return Boolean(n.find((function(n){return e instanceof t[n]})))};function He(e,t,n,i,s,l){var c,u,d=[],p=Object.getOwnPropertyNames(e),f=function(r){try{if("function"!=typeof e[r])return"continue";var c=J(e,r,(function(c){return function(){for(var u=[],d=0;d=s,c=i&&t.timestamp-te.timestamp>i;(l||c)&&Xe(!0)}};var ie=function(t){Ye(Qe({type:e.EventType.IncrementalSnapshot,data:n({source:e.IncrementalSource.Mutation},t)}))},se=function(t){return Ye(Qe({type:e.EventType.IncrementalSnapshot,data:n({source:e.IncrementalSource.Scroll},t)}))},le=function(t){return Ye(Qe({type:e.EventType.IncrementalSnapshot,data:n({source:e.IncrementalSource.CanvasMutation},t)}))},ue=new Le({mutationCb:ie}),pe=new qe({recordCanvas:B,mutationCb:le,win:window,blockClass:c,mirror:$e}),fe=new Fe({mutationCb:ie,scrollCb:se,bypassOptions:{blockClass:c,blockSelector:d,unblockSelector:f,maskTextClass:S,maskTextSelector:w,unmaskTextSelector:E,maskInputSelector:x,unmaskInputSelector:C,inlineStylesheet:R,maskInputOptions:ne,maskTextFn:L,maskInputFn:A,recordCanvas:B,inlineImages:Q,sampling:j,slimDOMOptions:re,iframeManager:ue,canvasManager:pe},mirror:$e});Xe=function(t){var n,r,a,i;void 0===t&&(t=!1),Ye(Qe({type:e.EventType.Meta,data:{href:window.location.href,width:ee(),height:Z()}}),t),we.forEach((function(e){return e.lock()}));var s=o(function(e,t){var n=t||{},r=n.blockClass,o=void 0===r?"rr-block":r,a=n.blockSelector,i=void 0===a?null:a,s=n.unblockSelector,l=void 0===s?null:s,c=n.maskTextClass,u=void 0===c?"rr-mask":c,d=n.maskTextSelector,p=void 0===d?null:d,f=n.unmaskTextSelector,h=void 0===f?null:f,m=n.inlineStylesheet,v=void 0===m||m,y=n.inlineImages,g=void 0!==y&&y,S=n.recordCanvas,b=void 0!==S&&S,w=n.maskInputSelector,I=void 0===w?null:w,x=n.unmaskInputSelector,T=void 0===x?null:x,E=n.maskAllInputs,k=void 0!==E&&E,C=n.maskTextFn,N=n.maskInputFn,R=n.slimDOM,_=void 0!==R&&R,O=n.dataURLOptions,D=n.preserveWhiteSpace,A=n.onSerialize,L=n.onIframeLoad,F=n.iframeLoadTimeout,P=n.keepIframeSrcFn,W={};return[M(e,{doc:e,map:W,blockClass:o,blockSelector:i,unblockSelector:l,maskTextClass:u,maskTextSelector:p,unmaskTextSelector:h,skipChild:!1,inlineStylesheet:v,maskInputSelector:I,unmaskInputSelector:T,maskInputOptions:!0===k?{color:!0,date:!0,"datetime-local":!0,email:!0,month:!0,number:!0,range:!0,search:!0,tel:!0,text:!0,time:!0,url:!0,week:!0,textarea:!0,select:!0,password:!0}:!1===k?{password:!0}:k,maskTextFn:C,maskInputFn:N,slimDOMOptions:!0===_||"all"===_?{script:!0,comment:!0,headFavicon:!0,headWhitespace:!0,headMetaDescKeywords:"all"===_,headMetaSocial:!0,headMetaRobots:!0,headMetaHttpEquiv:!0,headMetaAuthorship:!0,headMetaVerification:!0}:!1===_?{}:_,dataURLOptions:O,inlineImages:g,recordCanvas:b,preserveWhiteSpace:D,onSerialize:A,onIframeLoad:L,iframeLoadTimeout:F,keepIframeSrcFn:void 0===P?function(){return!1}:P}),W]}(document,{blockClass:c,blockSelector:d,unblockSelector:f,maskTextClass:S,maskTextSelector:w,unmaskTextSelector:E,maskInputSelector:x,unmaskInputSelector:C,inlineStylesheet:R,maskAllInputs:ne,maskTextFn:L,slimDOM:re,recordCanvas:B,inlineImages:Q,onSerialize:function(e){ce(e)&&ue.addIframe(e),de(e)&&fe.addShadowRoot(e.shadowRoot,document)},onIframeLoad:function(e,t){ue.attachIframe(e,t),fe.observeAttachShadow(e)},keepIframeSrcFn:J}),2),l=s[0],u=s[1];if(!l)return console.warn("Failed to snapshot the document");$e.map=u,Ye(Qe({type:e.EventType.FullSnapshot,data:{node:l,initialOffset:{left:void 0!==window.pageXOffset?window.pageXOffset:(null===document||void 0===document?void 0:document.documentElement.scrollLeft)||(null===(r=null===(n=null===document||void 0===document?void 0:document.body)||void 0===n?void 0:n.parentElement)||void 0===r?void 0:r.scrollLeft)||(null===document||void 0===document?void 0:document.body.scrollLeft)||0,top:void 0!==window.pageYOffset?window.pageYOffset:(null===document||void 0===document?void 0:document.documentElement.scrollTop)||(null===(i=null===(a=null===document||void 0===document?void 0:document.body)||void 0===a?void 0:a.parentElement)||void 0===i?void 0:i.scrollTop)||(null===document||void 0===document?void 0:document.body.scrollTop)||0}}})),we.forEach((function(e){return e.unlock()}))};try{var he=[];he.push(X("DOMContentLoaded",(function(){Ye(Qe({type:e.EventType.DomContentLoaded,data:{}}))})));var me=function(t){var r;return Ae({mutationCb:ie,mousemoveCb:function(t,n){return Ye(Qe({type:e.EventType.IncrementalSnapshot,data:{source:n,positions:t}}))},mouseInteractionCb:function(t){return Ye(Qe({type:e.EventType.IncrementalSnapshot,data:n({source:e.IncrementalSource.MouseInteraction},t)}))},scrollCb:se,viewportResizeCb:function(t){return Ye(Qe({type:e.EventType.IncrementalSnapshot,data:n({source:e.IncrementalSource.ViewportResize},t)}))},inputCb:function(t){return Ye(Qe({type:e.EventType.IncrementalSnapshot,data:n({source:e.IncrementalSource.Input},t)}))},mediaInteractionCb:function(t){return Ye(Qe({type:e.EventType.IncrementalSnapshot,data:n({source:e.IncrementalSource.MediaInteraction},t)}))},styleSheetRuleCb:function(t){return Ye(Qe({type:e.EventType.IncrementalSnapshot,data:n({source:e.IncrementalSource.StyleSheetRule},t)}))},styleDeclarationCb:function(t){return Ye(Qe({type:e.EventType.IncrementalSnapshot,data:n({source:e.IncrementalSource.StyleDeclaration},t)}))},canvasMutationCb:le,fontCb:function(t){return Ye(Qe({type:e.EventType.IncrementalSnapshot,data:n({source:e.IncrementalSource.Font},t)}))},blockClass:c,ignoreClass:m,ignoreSelector:y,maskTextClass:S,maskTextSelector:w,unmaskTextSelector:E,maskInputSelector:x,unmaskInputSelector:C,maskInputOptions:ne,inlineStylesheet:R,sampling:j,recordCanvas:B,inlineImages:Q,userTriggeredOnInput:G,collectFonts:Y,doc:t,maskInputFn:A,maskTextFn:L,blockSelector:d,unblockSelector:f,slimDOMOptions:re,mirror:$e,iframeManager:ue,shadowDomManager:fe,canvasManager:pe,plugins:(null===(r=null==$?void 0:$.filter((function(e){return e.observer})))||void 0===r?void 0:r.map((function(t){return{observer:t.observer,options:t.options,callback:function(n){return Ye(Qe({type:e.EventType.Plugin,data:{plugin:t.name,payload:n}}))}}})))||[]},F)};ue.addLoadListener((function(e){try{he.push(me(e.contentDocument))}catch(e){console.warn(e)}}));var ve=function(){Xe(),he.push(me(document))};return"interactive"===document.readyState||"complete"===document.readyState?ve():he.push(X("load",(function(){Ye(Qe({type:e.EventType.Load,data:{}})),ve()}),window)),function(){he.forEach((function(e){return e()}))}}catch(e){console.warn(e)}}function Je(e){return e=e||Object.create(null),{on:function(t,n){(e[t]||(e[t]=[])).push(n)},off:function(t,n){e[t]&&e[t].splice(e[t].indexOf(n)>>>0,1)},emit:function(t,n){(e[t]||[]).slice().map((function(e){e(n)})),(e["*"]||[]).slice().map((function(e){e(t,n)}))}}}Ke.addCustomEvent=function(t,n){if(!Ye)throw new Error("please add custom event after start recording");Ye(Qe({type:e.EventType.Custom,data:{tag:t,payload:n}}))},Ke.freezePage=function(){we.forEach((function(e){return e.freeze()}))},Ke.takeFullSnapshot=function(e){if(!Xe)throw new Error("please take full snapshot after start recording");Xe(e)},Ke.mirror=$e;var Ze=Object.freeze({__proto__:null,default:Je});function et(e,t){if(void 0===e&&(e=window),void 0===t&&(t=document),!("scrollBehavior"in t.documentElement.style)||!0===e.__forceSmoothScrollPolyfill__){var n,r=e.HTMLElement||e.Element,o={scroll:e.scroll||e.scrollTo,scrollBy:e.scrollBy,elementScroll:r.prototype.scroll||s,scrollIntoView:r.prototype.scrollIntoView},a=e.performance&&e.performance.now?e.performance.now.bind(e.performance):Date.now,i=(n=e.navigator.userAgent,new RegExp(["MSIE ","Trident/","Edge/"].join("|")).test(n)?1:0);e.scroll=e.scrollTo=function(){void 0!==arguments[0]&&(!0!==l(arguments[0])?h.call(e,t.body,void 0!==arguments[0].left?~~arguments[0].left:e.scrollX||e.pageXOffset,void 0!==arguments[0].top?~~arguments[0].top:e.scrollY||e.pageYOffset):o.scroll.call(e,void 0!==arguments[0].left?arguments[0].left:"object"!=typeof arguments[0]?arguments[0]:e.scrollX||e.pageXOffset,void 0!==arguments[0].top?arguments[0].top:void 0!==arguments[1]?arguments[1]:e.scrollY||e.pageYOffset))},e.scrollBy=function(){void 0!==arguments[0]&&(l(arguments[0])?o.scrollBy.call(e,void 0!==arguments[0].left?arguments[0].left:"object"!=typeof arguments[0]?arguments[0]:0,void 0!==arguments[0].top?arguments[0].top:void 0!==arguments[1]?arguments[1]:0):h.call(e,t.body,~~arguments[0].left+(e.scrollX||e.pageXOffset),~~arguments[0].top+(e.scrollY||e.pageYOffset)))},r.prototype.scroll=r.prototype.scrollTo=function(){if(void 0!==arguments[0])if(!0!==l(arguments[0])){var e=arguments[0].left,t=arguments[0].top;h.call(this,this,void 0===e?this.scrollLeft:~~e,void 0===t?this.scrollTop:~~t)}else{if("number"==typeof arguments[0]&&void 0===arguments[1])throw new SyntaxError("Value could not be converted");o.elementScroll.call(this,void 0!==arguments[0].left?~~arguments[0].left:"object"!=typeof arguments[0]?~~arguments[0]:this.scrollLeft,void 0!==arguments[0].top?~~arguments[0].top:void 0!==arguments[1]?~~arguments[1]:this.scrollTop)}},r.prototype.scrollBy=function(){void 0!==arguments[0]&&(!0!==l(arguments[0])?this.scroll({left:~~arguments[0].left+this.scrollLeft,top:~~arguments[0].top+this.scrollTop,behavior:arguments[0].behavior}):o.elementScroll.call(this,void 0!==arguments[0].left?~~arguments[0].left+this.scrollLeft:~~arguments[0]+this.scrollLeft,void 0!==arguments[0].top?~~arguments[0].top+this.scrollTop:~~arguments[1]+this.scrollTop))},r.prototype.scrollIntoView=function(){if(!0!==l(arguments[0])){var n=p(this),r=n.getBoundingClientRect(),a=this.getBoundingClientRect();n!==t.body?(h.call(this,n,n.scrollLeft+a.left-r.left,n.scrollTop+a.top-r.top),"fixed"!==e.getComputedStyle(n).position&&e.scrollBy({left:r.left,top:r.top,behavior:"smooth"})):e.scrollBy({left:a.left,top:a.top,behavior:"smooth"})}else o.scrollIntoView.call(this,void 0===arguments[0]||arguments[0])}}function s(e,t){this.scrollLeft=e,this.scrollTop=t}function l(e){if(null===e||"object"!=typeof e||void 0===e.behavior||"auto"===e.behavior||"instant"===e.behavior)return!0;if("object"==typeof e&&"smooth"===e.behavior)return!1;throw new TypeError("behavior member of ScrollOptions "+e.behavior+" is not a valid value for enumeration ScrollBehavior.")}function c(e,t){return"Y"===t?e.clientHeight+i1?1:s,n=.5*(1-Math.cos(Math.PI*i)),r=t.startX+(t.x-t.startX)*n,o=t.startY+(t.y-t.startY)*n,t.method.call(t.scrollable,r,o),r===t.x&&o===t.y||e.requestAnimationFrame(f.bind(e,t))}function h(n,r,i){var l,c,u,d,p=a();n===t.body?(l=e,c=e.scrollX||e.pageXOffset,u=e.scrollY||e.pageYOffset,d=o.scroll):(l=n,c=n.scrollLeft,u=n.scrollTop,d=s),f({scrollable:l,method:d,startTime:p,startX:c,startY:u,x:r,y:i})}}var tt,nt=function(){function e(e,t){void 0===e&&(e=[]),this.timeOffset=0,this.raf=null,this.actions=e,this.speed=t}return e.prototype.addAction=function(e){var t=this.findActionIndex(e);this.actions.splice(t,0,e)},e.prototype.addActions=function(e){this.actions=this.actions.concat(e)},e.prototype.start=function(){this.timeOffset=0;var e=performance.now(),t=this.actions,n=this;this.raf=requestAnimationFrame((function r(){var o=performance.now();for(n.timeOffset+=(o-e)*n.speed,e=o;t.length;){var a=t[0];if(!(n.timeOffset>=a.delay))break;t.shift(),a.doAction()}(t.length>0||n.liveMode)&&(n.raf=requestAnimationFrame(r))}))},e.prototype.clear=function(){this.raf&&(cancelAnimationFrame(this.raf),this.raf=null),this.actions.length=0},e.prototype.setSpeed=function(e){this.speed=e},e.prototype.toggleLiveMode=function(e){this.liveMode=e},e.prototype.isActive=function(){return null!==this.raf},e.prototype.findActionIndex=function(e){for(var t=0,n=this.actions.length-1;t<=n;){var r=Math.floor((t+n)/2);if(this.actions[r].delaye.delay))return r+1;n=r-1}}return t},e}();function rt(t,n){if(t.type===e.EventType.IncrementalSnapshot&&t.data.source===e.IncrementalSource.MouseMove){var r=t.data.positions[0].timeOffset,o=t.timestamp+r;return t.delay=o-n,o-n}return t.delay=t.timestamp-n,t.delay} + /*! ***************************************************************************** + Copyright (c) Microsoft Corporation. + +@@ -26,5 +26,5 @@ var rrweb=function(e){"use strict"; + LOSS OF USE, DATA OR PROFITS, WHETHER IN AN ACTION OF CONTRACT, NEGLIGENCE OR + OTHER TORTIOUS ACTION, ARISING OUT OF OR IN CONNECTION WITH THE USE OR + PERFORMANCE OF THIS SOFTWARE. +- ***************************************************************************** */function ot(e,t){var n="function"==typeof Symbol&&e[Symbol.iterator];if(!n)return e;var r,o,a=n.call(e),i=[];try{for(;(void 0===t||t-- >0)&&!(r=a.next()).done;)i.push(r.value)}catch(e){o={error:e}}finally{try{r&&!r.done&&(n=a.return)&&n.call(a)}finally{if(o)throw o.error}}return i}!function(e){e[e.NotStarted=0]="NotStarted",e[e.Running=1]="Running",e[e.Stopped=2]="Stopped"}(tt||(tt={}));var at={type:"xstate.init"};function it(e){return void 0===e?[]:[].concat(e)}function st(e){return{type:"xstate.assign",assignment:e}}function lt(e,t){return"string"==typeof(e="string"==typeof e&&t&&t[e]?t[e]:e)?{type:e}:"function"==typeof e?{type:e.name,exec:e}:e}function ct(e){return function(t){return e===t}}function ut(e){return"string"==typeof e?{type:e}:e}function dt(e,t){return{value:e,context:t,actions:[],changed:!1,matches:ct(e)}}function pt(e,t,n){var r=t,o=!1;return[e.filter((function(e){if("xstate.assign"===e.type){o=!0;var t=Object.assign({},r);return"function"==typeof e.assignment?t=e.assignment(r,n):Object.keys(e.assignment).forEach((function(o){t[o]="function"==typeof e.assignment[o]?e.assignment[o](r,n):e.assignment[o]})),r=t,!1}return!0})),r,o]}function ft(e,t){void 0===t&&(t={});var n=ot(pt(it(e.states[e.initial].entry).map((function(e){return lt(e,t.actions)})),e.context,at),2),r=n[0],o=n[1],a={config:e,_options:t,initialState:{value:e.initial,actions:r,context:o,matches:ct(e.initial)},transition:function(t,n){var r,o,i="string"==typeof t?{value:t,context:e.context}:t,s=i.value,l=i.context,c=ut(n),u=e.states[s];if(u.on){var d=it(u.on[c.type]);try{for(var p=function(e){var t="function"==typeof Symbol&&Symbol.iterator,n=t&&e[t],r=0;if(n)return n.call(e);if(e&&"number"==typeof e.length)return{next:function(){return e&&r>=e.length&&(e=void 0),{value:e&&e[r++],done:!e}}};throw new TypeError(t?"Object is not iterable.":"Symbol.iterator is not defined.")}(d),f=p.next();!f.done;f=p.next()){var h=f.value;if(void 0===h)return dt(s,l);var m="string"==typeof h?{target:h}:h,v=m.target,y=m.actions,g=void 0===y?[]:y,b=m.cond,S=void 0===b?function(){return!0}:b,w=void 0===v,x=null!=v?v:s,I=e.states[x];if(S(l,c)){var E=ot(pt((w?it(g):[].concat(u.exit,g,I.entry).filter((function(e){return e}))).map((function(e){return lt(e,a._options.actions)})),l,c),3),T=E[0],C=E[1],M=E[2],k=null!=v?v:s;return{value:k,context:C,actions:T,changed:v!==s||T.length>0||M,matches:ct(k)}}}}catch(e){r={error:e}}finally{try{f&&!f.done&&(o=p.return)&&o.call(p)}finally{if(r)throw r.error}}}return dt(s,l)}};return a}var ht=function(e,t){return e.actions.forEach((function(n){var r=n.exec;return r&&r(e.context,t)}))};function mt(e){var t=e.initialState,n=tt.NotStarted,r=new Set,o={_machine:e,send:function(o){n===tt.Running&&(t=e.transition(t,o),ht(t,ut(o)),r.forEach((function(e){return e(t)})))},subscribe:function(e){return r.add(e),e(t),{unsubscribe:function(){return r.delete(e)}}},start:function(r){if(r){var a="object"==typeof r?r:{context:e.config.context,value:r};t={value:a.value,actions:[],context:a.context,matches:ct(a.value)}}return n=tt.Running,ht(t,at),o},stop:function(){return n=tt.Stopped,r.clear(),o},get state(){return t},get status(){return n}};return o}function vt(t,o){var a=o.getCastFn,i=o.applyEventsSynchronously,s=o.emitter;return mt(ft({id:"player",context:t,initial:"paused",states:{playing:{on:{PAUSE:{target:"paused",actions:["pause"]},CAST_EVENT:{target:"playing",actions:"castEvent"},END:{target:"paused",actions:["resetLastPlayedEvent","pause"]},ADD_EVENT:{target:"playing",actions:["addEvent"]}}},paused:{on:{PLAY:{target:"playing",actions:["recordTimeOffset","play"]},CAST_EVENT:{target:"paused",actions:"castEvent"},TO_LIVE:{target:"live",actions:["startLive"]},ADD_EVENT:{target:"paused",actions:["addEvent"]}}},live:{on:{ADD_EVENT:{target:"live",actions:["addEvent"]},CAST_EVENT:{target:"live",actions:["castEvent"]}}}}},{actions:{castEvent:st({lastPlayedEvent:function(e,t){return"CAST_EVENT"===t.type?t.payload.event:e.lastPlayedEvent}}),recordTimeOffset:st((function(e,t){var r=e.timeOffset;return"payload"in t&&"timeOffset"in t.payload&&(r=t.payload.timeOffset),n(n({},e),{timeOffset:r,baselineTime:e.events[0].timestamp+r})})),play:function(t){var n,o,l,c,u,d=t.timer,p=t.events,f=t.baselineTime,h=t.lastPlayedEvent;d.clear();try{for(var m=r(p),v=m.next();!v.done;v=m.next()){rt(v.value,f)}}catch(e){n={error:e}}finally{try{v&&!v.done&&(o=m.return)&&o.call(m)}finally{if(n)throw n.error}}var y=function(t,n){for(var r=t.length-1;r>=0;r--){var o=t[r];if(o.type===e.EventType.Meta&&o.timestamp<=n)return t.slice(r)}return t}(p,f),g=null==h?void 0:h.timestamp;(null==h?void 0:h.type)===e.EventType.IncrementalSnapshot&&h.data.source===e.IncrementalSource.MouseMove&&(g=h.timestamp+(null===(u=h.data.positions[0])||void 0===u?void 0:u.timeOffset)),f<(g||0)&&s.emit(e.ReplayerEvents.PlayBack);var b=new Array,S=new Array,w=function(e){if(g&&gi)try{null===(r=t.sheet)||void 0===r||r.deleteRule(Number(s))}catch(e){}i=c})),e.forEach((function(e,n){var r,o,a;try{(null===(o=null===(r=t.sheet)||void 0===r?void 0:r.cssRules[n])||void 0===o?void 0:o.cssText)!==e&&(null===(a=t.sheet)||void 0===a||a.insertRule(e,n))}catch(e){}}))}catch(e){}}(e.cssTexts,t);else if(e.type===yt.SetProperty){gt(n.cssRules,e.index).style.setProperty(e.property,e.value,e.priority)}else if(e.type===yt.RemoveProperty){gt(n.cssRules,e.index).style.removeProperty(e.property)}}))}!function(e){e[e.Insert=0]="Insert",e[e.Remove=1]="Remove",e[e.Snapshot=2]="Snapshot",e[e.SetProperty=3]="SetProperty",e[e.RemoveProperty=4]="RemoveProperty"}(yt||(yt={}));var wt=new Map;function xt(e,t){var n=wt.get(e);return n||(n=new Map,wt.set(e,n)),n.has(t)||n.set(t,[]),n.get(t)}var It=["WebGLActiveInfo","WebGLBuffer","WebGLFramebuffer","WebGLProgram","WebGLRenderbuffer","WebGLShader","WebGLShaderPrecisionFormat","WebGLTexture","WebGLUniformLocation","WebGLVertexArrayObject"];function Et(e,t){return function(n){if(n&&"object"==typeof n&&"rr_type"in n){if("index"in n){var r=n.rr_type,i=n.index;return xt(t,r)[i]}if("args"in n){var s=n.rr_type,l=n.args,c=window[s];return new(c.bind.apply(c,a([void 0],o(l.map(Et(e,t))),!1)))}if("base64"in n)return function(e){var t,n,r,o,a,i=.75*e.length,s=e.length,l=0;"="===e[e.length-1]&&(i--,"="===e[e.length-2]&&i--);var c=new ArrayBuffer(i),u=new Uint8Array(c);for(t=0;t>4,u[l++]=(15&r)<<4|o>>2,u[l++]=(3&o)<<6|63&a;return c}(n.base64);if("src"in n){var u=e.get(n.src);if(u)return u;var d=new Image;return d.src=n.src,e.set(n.src,d),d}}else if(Array.isArray(n))return n.map(Et(e,t));return n}}function Tt(e){var t=e.mutation,n=e.target,r=e.type,o=e.imageMap,a=e.errorHandler;try{var i=function(e,t){try{return t===P.WebGL?e.getContext("webgl")||e.getContext("experimental-webgl"):e.getContext("webgl2")}catch(e){return null}}(n,r);if(!i)return;if(t.setter)return void(i[t.property]=t.args[0]);var s=i[t.property],l=t.args.map(Et(o,i));!function(e,t){if(null==t?void 0:t.constructor){var n=t.constructor.name;if(It.includes(n)){var r=xt(e,n);r.includes(t)||r.push(t)}}}(i,s.apply(i,l))}catch(e){a(t,e)}}var Ct=Je||Ze,Mt="[replayer]",kt={duration:500,lineCap:"round",lineWidth:3,strokeStyle:"red"};function Nt(t){return t.type==e.EventType.IncrementalSnapshot&&(t.data.source==e.IncrementalSource.TouchMove||t.data.source==e.IncrementalSource.MouseInteraction&&t.data.type==e.MouseInteractions.TouchStart)}var Rt=function(){function i(t,n){var o=this;if(this.mouseTail=null,this.tailPositions=[],this.emitter=Ct(),this.legacy_missingNodeRetryMap={},this.cache=V(),this.imageMap=new Map,this.mirror={map:{},getId:function(e){return e&&e.__sn?e.__sn.id:-1},getNode:function(e){return this.map[e]||null},removeNodeFromMap:function(e){var t=this,n=e.__sn&&e.__sn.id;delete this.map[n],e.childNodes&&e.childNodes.forEach((function(e){return t.removeNodeFromMap(e)}))},has:function(e){return this.map.hasOwnProperty(e)},reset:function(){this.map={}}},this.firstFullSnapshot=null,this.newDocumentQueue=[],this.mousePos=null,this.touchActive=null,!(null==n?void 0:n.liveMode)&&t.length<2)throw new Error("Replayer need at least 2 events.");var a={speed:1,maxSpeed:360,root:document.body,loadTimeout:0,skipInactive:!1,showWarning:!0,showDebug:!1,blockClass:"rr-block",liveMode:!1,insertStyleRules:[],triggerFocus:!0,UNSAFE_replayCanvas:!1,pauseAnimation:!0,mouseTail:kt};this.config=Object.assign({},a,n),this.handleResize=this.handleResize.bind(this),this.getCastFn=this.getCastFn.bind(this),this.applyEventsSynchronously=this.applyEventsSynchronously.bind(this),this.emitter.on(e.ReplayerEvents.Resize,this.handleResize),this.setupDom(),this.treeIndex=new ie,this.fragmentParentMap=new Map,this.elementStateMap=new Map,this.virtualStyleRulesMap=new Map,this.emitter.on(e.ReplayerEvents.Flush,(function(){var e,t,n,a,i,s,l,c,u=o.treeIndex.flush(),d=u.scrollMap,p=u.inputMap,f=u.mutationData;o.fragmentParentMap.forEach((function(e,t){return o.restoreRealParent(t,e)}));try{for(var h=r(f.texts),m=h.next();!m.done;m=h.next()){var v=m.value;o.applyText(v,f)}}catch(t){e={error:t}}finally{try{m&&!m.done&&(t=h.return)&&t.call(h)}finally{if(e)throw e.error}}try{for(var y=r(o.virtualStyleRulesMap.keys()),g=y.next();!g.done;g=y.next()){var b=g.value;o.restoreNodeSheet(b)}}catch(e){n={error:e}}finally{try{g&&!g.done&&(a=y.return)&&a.call(y)}finally{if(n)throw n.error}}o.fragmentParentMap.clear(),o.elementStateMap.clear(),o.virtualStyleRulesMap.clear();try{for(var S=r(d.values()),w=S.next();!w.done;w=S.next()){v=w.value;o.applyScroll(v,!0)}}catch(e){i={error:e}}finally{try{w&&!w.done&&(s=S.return)&&s.call(S)}finally{if(i)throw i.error}}try{for(var x=r(p.values()),I=x.next();!I.done;I=x.next()){v=I.value;o.applyInput(v)}}catch(e){l={error:e}}finally{try{I&&!I.done&&(c=x.return)&&c.call(x)}finally{if(l)throw l.error}}})),this.emitter.on(e.ReplayerEvents.PlayBack,(function(){o.firstFullSnapshot=null,o.mirror.reset()}));var i=new nt([],(null==n?void 0:n.speed)||a.speed);this.service=vt({events:t.map((function(e){return n&&n.unpackFn?n.unpackFn(e):e})).sort((function(e,t){return e.timestamp-t.timestamp})),timer:i,timeOffset:0,baselineTime:0,lastPlayedEvent:null},{getCastFn:this.getCastFn,applyEventsSynchronously:this.applyEventsSynchronously,emitter:this.emitter}),this.service.start(),this.service.subscribe((function(t){o.emitter.emit(e.ReplayerEvents.StateChange,{player:t})})),this.speedService=mt(ft({id:"speed",context:{normalSpeed:-1,timer:i},initial:"normal",states:{normal:{on:{FAST_FORWARD:{target:"skipping",actions:["recordSpeed","setSpeed"]},SET_SPEED:{target:"normal",actions:["setSpeed"]}}},skipping:{on:{BACK_TO_NORMAL:{target:"normal",actions:["restoreSpeed"]},SET_SPEED:{target:"normal",actions:["setSpeed"]}}}}},{actions:{setSpeed:function(e,t){"payload"in t&&e.timer.setSpeed(t.payload.speed)},recordSpeed:st({normalSpeed:function(e){return e.timer.speed}}),restoreSpeed:function(e){e.timer.setSpeed(e.normalSpeed)}}})),this.speedService.start(),this.speedService.subscribe((function(t){o.emitter.emit(e.ReplayerEvents.StateChange,{speed:t})}));var s=this.service.state.context.events.find((function(t){return t.type===e.EventType.Meta})),l=this.service.state.context.events.find((function(t){return t.type===e.EventType.FullSnapshot}));if(s){var c=s.data,u=c.width,d=c.height;setTimeout((function(){o.emitter.emit(e.ReplayerEvents.Resize,{width:u,height:d})}),0)}l&&setTimeout((function(){o.firstFullSnapshot||(o.firstFullSnapshot=l,o.rebuildFullSnapshot(l),o.iframe.contentWindow.scrollTo(l.data.initialOffset))}),1),this.service.state.context.events.find(Nt)&&this.mouse.classList.add("touch-device")}return Object.defineProperty(i.prototype,"timer",{get:function(){return this.service.state.context.timer},enumerable:!1,configurable:!0}),i.prototype.on=function(e,t){return this.emitter.on(e,t),this},i.prototype.off=function(e,t){return this.emitter.off(e,t),this},i.prototype.setConfig=function(e){var t=this;Object.keys(e).forEach((function(n){t.config[n]=e[n]})),this.config.skipInactive||this.backToNormal(),void 0!==e.speed&&this.speedService.send({type:"SET_SPEED",payload:{speed:e.speed}}),void 0!==e.mouseTail&&(!1===e.mouseTail?this.mouseTail&&(this.mouseTail.style.display="none"):(this.mouseTail||(this.mouseTail=document.createElement("canvas"),this.mouseTail.width=Number.parseFloat(this.iframe.width),this.mouseTail.height=Number.parseFloat(this.iframe.height),this.mouseTail.classList.add("replayer-mouse-tail"),this.wrapper.insertBefore(this.mouseTail,this.iframe)),this.mouseTail.style.display="inherit"))},i.prototype.getMetaData=function(){var e=this.service.state.context.events[0],t=this.service.state.context.events[this.service.state.context.events.length-1];return{startTime:e.timestamp,endTime:t.timestamp,totalTime:t.timestamp-e.timestamp}},i.prototype.getCurrentTime=function(){return this.timer.timeOffset+this.getTimeOffset()},i.prototype.getTimeOffset=function(){var e=this.service.state.context;return e.baselineTime-e.events[0].timestamp},i.prototype.getMirror=function(){return this.mirror},i.prototype.play=function(t){var n;void 0===t&&(t=0),this.service.state.matches("paused")||this.service.send({type:"PAUSE"}),this.service.send({type:"PLAY",payload:{timeOffset:t}}),null===(n=this.iframe.contentDocument)||void 0===n||n.getElementsByTagName("html")[0].classList.remove("rrweb-paused"),this.emitter.emit(e.ReplayerEvents.Start)},i.prototype.pause=function(t){var n;void 0===t&&this.service.state.matches("playing")&&this.service.send({type:"PAUSE"}),"number"==typeof t&&(this.play(t),this.service.send({type:"PAUSE"})),null===(n=this.iframe.contentDocument)||void 0===n||n.getElementsByTagName("html")[0].classList.add("rrweb-paused"),this.emitter.emit(e.ReplayerEvents.Pause)},i.prototype.resume=function(t){void 0===t&&(t=0),console.warn("The 'resume' will be departed in 1.0. Please use 'play' method which has the same interface."),this.play(t),this.emitter.emit(e.ReplayerEvents.Resume)},i.prototype.startLive=function(e){this.service.send({type:"TO_LIVE",payload:{baselineTime:e}})},i.prototype.addEvent=function(e){var t=this,n=this.config.unpackFn?this.config.unpackFn(e):e;Nt(n)&&this.mouse.classList.add("touch-device"),Promise.resolve().then((function(){return t.service.send({type:"ADD_EVENT",payload:{event:n}})}))},i.prototype.enableInteract=function(){this.iframe.setAttribute("scrolling","auto"),this.iframe.style.pointerEvents="auto"},i.prototype.disableInteract=function(){this.iframe.setAttribute("scrolling","no"),this.iframe.style.pointerEvents="none"},i.prototype.resetCache=function(){this.cache=V()},i.prototype.setupDom=function(){this.wrapper=document.createElement("div"),this.wrapper.classList.add("replayer-wrapper"),this.config.root.appendChild(this.wrapper),this.mouse=document.createElement("div"),this.mouse.classList.add("replayer-mouse"),this.wrapper.appendChild(this.mouse),!1!==this.config.mouseTail&&(this.mouseTail=document.createElement("canvas"),this.mouseTail.classList.add("replayer-mouse-tail"),this.mouseTail.style.display="inherit",this.wrapper.appendChild(this.mouseTail)),this.iframe=document.createElement("iframe");var e=["allow-same-origin"];this.config.UNSAFE_replayCanvas&&e.push("allow-scripts"),this.iframe.style.display="none",this.iframe.setAttribute("sandbox",e.join(" ")),this.disableInteract(),this.wrapper.appendChild(this.iframe),this.iframe.contentWindow&&this.iframe.contentDocument&&(et(this.iframe.contentWindow,this.iframe.contentDocument),ae(this.iframe.contentWindow))},i.prototype.handleResize=function(e){var t,n;this.iframe.style.display="inherit";try{for(var o=r([this.mouseTail,this.iframe]),a=o.next();!a.done;a=o.next()){var i=a.value;i&&(i.setAttribute("width",String(e.width)),i.setAttribute("height",String(e.height)))}}catch(e){t={error:e}}finally{try{a&&!a.done&&(n=o.return)&&n.call(o)}finally{if(t)throw t.error}}},i.prototype.applyEventsSynchronously=function(t){var n,o;try{for(var a=r(t),i=a.next();!i.done;i=a.next()){var s=i.value;switch(s.type){case e.EventType.DomContentLoaded:case e.EventType.Load:case e.EventType.Custom:continue;case e.EventType.FullSnapshot:case e.EventType.Meta:case e.EventType.Plugin:break;case e.EventType.IncrementalSnapshot:switch(s.data.source){case e.IncrementalSource.MediaInteraction:continue}}this.getCastFn(s,!0)()}}catch(e){n={error:e}}finally{try{i&&!i.done&&(o=a.return)&&o.call(a)}finally{if(n)throw n.error}}this.mousePos&&this.moveAndHover(this.mousePos.x,this.mousePos.y,this.mousePos.id,!0,this.mousePos.debugData),this.mousePos=null,!0===this.touchActive?this.mouse.classList.add("touch-active"):!1===this.touchActive&&this.mouse.classList.remove("touch-active"),this.touchActive=null},i.prototype.getCastFn=function(t,n){var o,a=this;switch(void 0===n&&(n=!1),t.type){case e.EventType.DomContentLoaded:case e.EventType.Load:break;case e.EventType.Custom:o=function(){a.emitter.emit(e.ReplayerEvents.CustomEvent,t)};break;case e.EventType.Meta:o=function(){return a.emitter.emit(e.ReplayerEvents.Resize,{width:t.data.width,height:t.data.height})};break;case e.EventType.FullSnapshot:o=function(){if(a.firstFullSnapshot){if(a.firstFullSnapshot===t)return void(a.firstFullSnapshot=!0)}else a.firstFullSnapshot=!0;a.rebuildFullSnapshot(t,n),a.iframe.contentWindow.scrollTo(t.data.initialOffset)};break;case e.EventType.IncrementalSnapshot:o=function(){var o,i;if(a.applyIncremental(t,n),!n&&(t===a.nextUserInteractionEvent&&(a.nextUserInteractionEvent=null,a.backToNormal()),a.config.skipInactive&&!a.nextUserInteractionEvent)){try{for(var s=r(a.service.state.context.events),l=s.next();!l.done;l=s.next()){var c=l.value;if(!(c.timestamp<=t.timestamp)&&a.isUserInteraction(c)){c.delay-t.delay>1e4*a.speedService.state.context.timer.speed&&(a.nextUserInteractionEvent=c);break}}}catch(e){o={error:e}}finally{try{l&&!l.done&&(i=s.return)&&i.call(s)}finally{if(o)throw o.error}}if(a.nextUserInteractionEvent){var u=a.nextUserInteractionEvent.delay-t.delay,d={speed:Math.min(Math.round(u/5e3),a.config.maxSpeed)};a.speedService.send({type:"FAST_FORWARD",payload:d}),a.emitter.emit(e.ReplayerEvents.SkipStart,d)}}}}return function(){var i,s;o&&o();try{for(var l=r(a.config.plugins||[]),c=l.next();!c.done;c=l.next()){c.value.handler(t,n,{replayer:a})}}catch(e){i={error:e}}finally{try{c&&!c.done&&(s=l.return)&&s.call(l)}finally{if(i)throw i.error}}a.service.send({type:"CAST_EVENT",payload:{event:t}});var u=a.service.state.context.events.length-1;if(t===a.service.state.context.events[u]){var d=function(){u0&&(this.service.send({type:"PAUSE"}),this.emitter.emit(e.ReplayerEvents.LoadStylesheetStart),o=setTimeout((function(){i.matches("playing")&&n.play(n.getCurrentTime()),o=-1,l()}),this.config.loadTimeout))}},i.prototype.hasImageArg=function(e){var t,n;try{for(var o=r(e),a=o.next();!a.done;a=o.next()){var i=a.value;if(i&&"object"==typeof i)if("rr_type"in i&&"args"in i){if(this.hasImageArg(i.args))return!0}else{if("rr_type"in i&&"HTMLImageElement"===i.rr_type)return!0;if(i instanceof Array&&this.hasImageArg(i))return!0}else;}}catch(e){t={error:e}}finally{try{a&&!a.done&&(n=o.return)&&n.call(o)}finally{if(t)throw t.error}}return!1},i.prototype.getImageArgs=function(e){var t,n,i=[];try{for(var s=r(e),l=s.next();!l.done;l=s.next()){var c=l.value;c&&"object"==typeof c&&("rr_type"in c&&"args"in c?i.push.apply(i,a([],o(this.getImageArgs(c.args)),!1)):"rr_type"in c&&"HTMLImageElement"===c.rr_type?i.push(c.src):c instanceof Array&&i.push.apply(i,a([],o(this.getImageArgs(c)),!1)))}}catch(e){t={error:e}}finally{try{l&&!l.done&&(n=s.return)&&n.call(s)}finally{if(t)throw t.error}}return i},i.prototype.preloadAllImages=function(){var t,n,o=this;this.service.state;var a=function(){o.service.state};this.emitter.on(e.ReplayerEvents.Start,a),this.emitter.on(e.ReplayerEvents.Pause,a);var i=function(t){t.type===e.EventType.IncrementalSnapshot&&t.data.source===e.IncrementalSource.CanvasMutation&&("commands"in t.data?t.data.commands.forEach((function(e){return o.preloadImages(e,t)})):s.preloadImages(t.data,t))},s=this;try{for(var l=r(this.service.state.context.events),c=l.next();!c.done;c=l.next()){i(c.value)}}catch(e){t={error:e}}finally{try{c&&!c.done&&(n=l.return)&&n.call(l)}finally{if(t)throw t.error}}},i.prototype.preloadImages=function(e,t){var n=this;if("drawImage"!==e.property||"string"!=typeof e.args[0]||this.imageMap.has(t))this.hasImageArg(e.args)&&this.getImageArgs(e.args).forEach((function(e){var t=new Image;t.src=e,n.imageMap.set(e,t)}));else{var r=document.createElement("canvas"),o=r.getContext("2d"),a=null==o?void 0:o.createImageData(r.width,r.height);null==a||a.data,JSON.parse(e.args[0]),null==o||o.putImageData(a,0,0)}},i.prototype.applyIncremental=function(t,r){var o,a,i=this,s=t.data;switch(s.source){case e.IncrementalSource.Mutation:r&&(s.adds.forEach((function(e){return i.treeIndex.add(e)})),s.texts.forEach((function(e){var t=i.mirror.getNode(e.id),n=null==t?void 0:t.parentNode;n&&i.virtualStyleRulesMap.has(n)&&i.virtualStyleRulesMap.delete(n),i.treeIndex.text(e)})),s.attributes.forEach((function(e){return i.treeIndex.attribute(e)})),s.removes.forEach((function(e){return i.treeIndex.remove(e,i.mirror)})));try{this.applyMutation(s,r)}catch(e){this.warn("Exception in mutation ".concat(e.message||e),s)}break;case e.IncrementalSource.Drag:case e.IncrementalSource.TouchMove:case e.IncrementalSource.MouseMove:if(r){var l=s.positions[s.positions.length-1];this.mousePos={x:l.x,y:l.y,id:l.id,debugData:s}}else s.positions.forEach((function(e){var n={doAction:function(){i.moveAndHover(e.x,e.y,e.id,r,s)},delay:e.timeOffset+t.timestamp-i.service.state.context.baselineTime};i.timer.addAction(n)})),this.timer.addAction({doAction:function(){},delay:t.delay-(null===(o=s.positions[0])||void 0===o?void 0:o.timeOffset)});break;case e.IncrementalSource.MouseInteraction:if(-1===s.id)break;var c=new Event(e.MouseInteractions[s.type].toLowerCase());if(!(S=this.mirror.getNode(s.id)))return this.debugNodeNotFound(s,s.id);this.emitter.emit(e.ReplayerEvents.MouseInteraction,{type:s.type,target:S});var u=this.config.triggerFocus;switch(s.type){case e.MouseInteractions.Blur:"blur"in S&&S.blur();break;case e.MouseInteractions.Focus:u&&S.focus&&S.focus({preventScroll:!0});break;case e.MouseInteractions.Click:case e.MouseInteractions.TouchStart:case e.MouseInteractions.TouchEnd:r?(s.type===e.MouseInteractions.TouchStart?this.touchActive=!0:s.type===e.MouseInteractions.TouchEnd&&(this.touchActive=!1),this.mousePos={x:s.x,y:s.y,id:s.id,debugData:s}):(s.type===e.MouseInteractions.TouchStart&&(this.tailPositions.length=0),this.moveAndHover(s.x,s.y,s.id,r,s),s.type===e.MouseInteractions.Click?(this.mouse.classList.remove("active"),this.mouse.offsetWidth,this.mouse.classList.add("active")):s.type===e.MouseInteractions.TouchStart?(this.mouse.offsetWidth,this.mouse.classList.add("touch-active")):s.type===e.MouseInteractions.TouchEnd&&this.mouse.classList.remove("touch-active"));break;case e.MouseInteractions.TouchCancel:r?this.touchActive=!1:this.mouse.classList.remove("touch-active");break;default:S.dispatchEvent(c)}break;case e.IncrementalSource.Scroll:if(-1===s.id)break;if(r){this.treeIndex.scroll(s);break}this.applyScroll(s,!1);break;case e.IncrementalSource.ViewportResize:this.emitter.emit(e.ReplayerEvents.Resize,{width:s.width,height:s.height});break;case e.IncrementalSource.Input:if(-1===s.id)break;if(r){this.treeIndex.input(s);break}this.applyInput(s);break;case e.IncrementalSource.MediaInteraction:if(!(S=this.mirror.getNode(s.id)))return this.debugNodeNotFound(s,s.id);var d=S;try{s.currentTime&&(d.currentTime=s.currentTime),s.volume&&(d.volume=s.volume),s.muted&&(d.muted=s.muted),1===s.type&&d.pause(),0===s.type&&d.play()}catch(e){this.config.showWarning&&console.warn("Failed to replay media interactions: ".concat(e.message||e))}break;case e.IncrementalSource.StyleSheetRule:if(!(S=this.mirror.getNode(s.id)))return this.debugNodeNotFound(s,s.id);var p,f=S,h=S.parentNode,m=this.fragmentParentMap.has(h),v=m?null:f.sheet;v||(this.virtualStyleRulesMap.has(S)?p=this.virtualStyleRulesMap.get(S):(p=[],this.virtualStyleRulesMap.set(S,p))),s.adds&&s.adds.forEach((function(e){var t=e.rule,n=e.index;if(v)try{if(Array.isArray(n)){var r=bt(n),o=r.positions,a=r.index;gt(v.cssRules,o).insertRule(t,a)}else{a=void 0===n?void 0:Math.min(n,v.cssRules.length);v.insertRule(t,a)}}catch(e){}else null==p||p.push({cssText:t,index:n,type:yt.Insert})})),s.removes&&s.removes.forEach((function(e){var t=e.index;if(m)null==p||p.push({index:t,type:yt.Remove});else try{if(Array.isArray(t)){var n=bt(t),r=n.positions,o=n.index;gt(v.cssRules,r).deleteRule(o||0)}else null==v||v.deleteRule(t)}catch(e){}}));break;case e.IncrementalSource.StyleDeclaration:if(!(S=this.mirror.getNode(s.id)))return this.debugNodeNotFound(s,s.id);f=S;var y=S.parentNode,g=this.fragmentParentMap.has(y)?null:f.sheet,b=[];if(g||(this.virtualStyleRulesMap.has(S)?b=this.virtualStyleRulesMap.get(S):(b=[],this.virtualStyleRulesMap.set(S,b))),s.set)if(g)gt(g.rules,s.index).style.setProperty(s.set.property,s.set.value,s.set.priority);else b.push(n({type:yt.SetProperty,index:s.index},s.set));if(s.remove)if(g)gt(g.rules,s.index).style.removeProperty(s.remove.property);else b.push(n({type:yt.RemoveProperty,index:s.index},s.remove));break;case e.IncrementalSource.CanvasMutation:if(!this.config.UNSAFE_replayCanvas)return;var S;if(!(S=this.mirror.getNode(s.id)))return this.debugNodeNotFound(s,s.id);!function(e){var t=e.event,n=e.mutation,r=e.target,o=e.imageMap,a=e.errorHandler;try{var i="commands"in n?n.commands:[n];[P.WebGL,P.WebGL2].includes(n.type)?i.forEach((function(e){Tt({mutation:e,type:n.type,target:r,imageMap:o,errorHandler:a})})):i.forEach((function(e){!function(e){var t=e.event,n=e.mutation,r=e.target,o=e.imageMap,a=e.errorHandler;try{var i=r.getContext("2d");if(n.setter)return void(i[n.property]=n.args[0]);var s=i[n.property];if("drawImage"===n.property&&"string"==typeof n.args[0]){var l=o.get(t);n.args[0]=l,s.apply(i,n.args)}else s.apply(i,n.args)}catch(e){a(n,e)}}({event:t,mutation:e,target:r,imageMap:o,errorHandler:a})}))}catch(e){a(n,e)}}({event:t,mutation:s,target:S,imageMap:this.imageMap,errorHandler:this.warnCanvasMutationFailed.bind(this)});break;case e.IncrementalSource.Font:try{var w=new FontFace(s.family,s.buffer?new Uint8Array(JSON.parse(s.fontSource)):s.fontSource,s.descriptors);null===(a=this.iframe.contentDocument)||void 0===a||a.fonts.add(w)}catch(e){this.config.showWarning&&console.warn(e)}}},i.prototype.applyMutation=function(e,o){var a,i,s=this;e.removes.forEach((function(t){var n=s.mirror.getNode(t.id);if(!n){if(e.removes.find((function(e){return e.id===t.parentId})))return;return s.warnNodeNotFound(e,t.id)}s.virtualStyleRulesMap.has(n)&&s.virtualStyleRulesMap.delete(n);var r=s.mirror.getNode(t.parentId);if(!r)return s.warnNodeNotFound(e,t.parentId);if(t.isShadow&&de(r)&&(r=r.shadowRoot),s.mirror.removeNodeFromMap(n),r){var o=null,a="__sn"in r?s.fragmentParentMap.get(r):void 0;a&&a.contains(n)?r=a:s.fragmentParentMap.has(n)&&(o=s.fragmentParentMap.get(n),s.fragmentParentMap.delete(n),n=o);try{r.removeChild(n)}catch(t){if(!(t instanceof DOMException))throw t;s.warn("parent could not remove child in mutation",r,a,n,o,e)}}}));var l=n({},this.legacy_missingNodeRetryMap),c=[],u=function(e){var n,a,i,u;if(!s.iframe.contentDocument)return console.warn("Looks like your replayer has been destroyed.");var d=s.mirror.getNode(e.parentId);if(!d)return e.node.type===t.Document?s.newDocumentQueue.push(e):c.push(e);var p=null;s.iframe.contentDocument.contains?p=s.iframe.contentDocument.contains(d):s.iframe.contentDocument.body.contains&&(p=s.iframe.contentDocument.body.contains(d));var f=(null===(u=(i=d).getElementsByTagName)||void 0===u?void 0:u.call(i,"iframe").length)>0;if(o&&p&&!ce(d)&&!f){var h=document.createDocumentFragment();for(s.mirror.map[e.parentId]=h,s.fragmentParentMap.set(h,d),s.storeState(d);d.firstChild;)h.appendChild(d.firstChild);d=h}e.node.isShadow&&(de(d)||d.attachShadow({mode:"open"}),d=d.shadowRoot);var m=null,v=null;if(e.previousId&&(m=s.mirror.getNode(e.previousId)),e.nextId&&(v=s.mirror.getNode(e.nextId)),function(e){var t=null;return e.nextId&&(t=s.mirror.getNode(e.nextId)),null!==e.nextId&&void 0!==e.nextId&&-1!==e.nextId&&!t}(e))return c.push(e);if(!e.node.rootId||s.mirror.getNode(e.node.rootId)){var y=e.node.rootId?s.mirror.getNode(e.node.rootId):s.iframe.contentDocument;if(ce(d))s.attachDocumentToIframe(e,d);else{var g=H(e.node,{doc:y,map:s.mirror.map,skipChild:!0,hackCss:!0,cache:s.cache});if(-1!==e.previousId&&-1!==e.nextId){if("__sn"in d&&d.__sn.type===t.Element&&"textarea"===d.__sn.tagName&&e.node.type===t.Text)try{for(var b=r(Array.from(d.childNodes)),S=b.next();!S.done;S=b.next()){var w=S.value;w.nodeType===d.TEXT_NODE&&d.removeChild(w)}}catch(e){n={error:e}}finally{try{S&&!S.done&&(a=b.return)&&a.call(b)}finally{if(n)throw n.error}}if(m&&m.nextSibling&&m.nextSibling.parentNode)d.insertBefore(g,m.nextSibling);else if(v&&v.parentNode)d.contains(v)?d.insertBefore(g,v):d.insertBefore(g,null);else{if(d===y)for(;y.firstChild;)y.removeChild(y.firstChild);d.appendChild(g)}if(ce(g)){var x=s.newDocumentQueue.find((function(e){return e.parentId===g.__sn.id}));x&&(s.attachDocumentToIframe(x,g),s.newDocumentQueue=s.newDocumentQueue.filter((function(e){return e!==x})))}(e.previousId||e.nextId)&&s.legacy_resolveMissingNode(l,d,g,e)}else l[e.node.id]={node:g,mutation:e}}}};e.adds.forEach((function(e){u(e)}));for(var d=Date.now();c.length;){var p=se(c);if(c.length=0,Date.now()-d>500){this.warn("Timeout in the loop, please check the resolve tree data:",p);break}try{for(var f=(a=void 0,r(p)),h=f.next();!h.done;h=f.next()){var m=h.value;this.mirror.getNode(m.value.parentId)?le(m,(function(e){u(e)})):this.debug("Drop resolve tree since there is no parent for the root node.",m)}}catch(e){a={error:e}}finally{try{h&&!h.done&&(i=f.return)&&i.call(f)}finally{if(a)throw a.error}}}Object.keys(l).length&&Object.assign(this.legacy_missingNodeRetryMap,l),e.texts.forEach((function(t){var n=s.mirror.getNode(t.id);if(!n){if(e.removes.find((function(e){return e.id===t.id})))return;return s.warnNodeNotFound(e,t.id)}s.fragmentParentMap.has(n)&&(n=s.fragmentParentMap.get(n)),n.textContent=t.value})),e.attributes.forEach((function(t){var n=s.mirror.getNode(t.id);if(!n){if(e.removes.find((function(e){return e.id===t.id})))return;return s.warnNodeNotFound(e,t.id)}for(var r in s.fragmentParentMap.has(n)&&(n=s.fragmentParentMap.get(n)),t.attributes)if("string"==typeof r){var o=t.attributes[r];if(null===o)n.removeAttribute(r);else if("string"==typeof o)try{n.setAttribute(r,o)}catch(e){s.config.showWarning&&console.warn("An error occurred may due to the checkout feature.",e)}else if("style"===r){var a=o,i=n;for(var l in a)if(!1===a[l])i.style.removeProperty(l);else if(a[l]instanceof Array){var c=a[l];i.style.setProperty(l,c[0],c[1])}else{var u=a[l];i.style.setProperty(l,u)}}}}))},i.prototype.applyScroll=function(e,n){var r=this.mirror.getNode(e.id);if(!r)return this.debugNodeNotFound(e,e.id);if(r===this.iframe.contentDocument)this.iframe.contentWindow.scrollTo({top:e.y,left:e.x,behavior:n?"auto":"smooth"});else if(r.__sn.type===t.Document)r.defaultView.scrollTo({top:e.y,left:e.x,behavior:n?"auto":"smooth"});else try{r.scrollTop=e.y,r.scrollLeft=e.x}catch(e){}},i.prototype.applyInput=function(e){var t=this.mirror.getNode(e.id);if(!t)return this.debugNodeNotFound(e,e.id);try{t.checked=e.isChecked,t.value=e.text}catch(e){}},i.prototype.applyText=function(e,t){var n=this.mirror.getNode(e.id);if(!n)return this.debugNodeNotFound(t,e.id);try{n.textContent=e.value}catch(e){}},i.prototype.legacy_resolveMissingNode=function(e,t,n,r){var o=r.previousId,a=r.nextId,i=o&&e[o],s=a&&e[a];if(i){var l=i,c=l.node,u=l.mutation;t.insertBefore(c,n),delete e[u.node.id],delete this.legacy_missingNodeRetryMap[u.node.id],(u.previousId||u.nextId)&&this.legacy_resolveMissingNode(e,t,c,u)}if(s){var d=s;c=d.node,u=d.mutation;t.insertBefore(c,n.nextSibling),delete e[u.node.id],delete this.legacy_missingNodeRetryMap[u.node.id],(u.previousId||u.nextId)&&this.legacy_resolveMissingNode(e,t,c,u)}},i.prototype.moveAndHover=function(e,t,n,r,o){var a=this.mirror.getNode(n);if(!a)return this.debugNodeNotFound(o,n);var i=ue(a,this.iframe),s=e*i.absoluteScale+i.x,l=t*i.absoluteScale+i.y;this.mouse.style.left="".concat(s,"px"),this.mouse.style.top="".concat(l,"px"),r||this.drawMouseTail({x:s,y:l}),this.hoverElements(a)},i.prototype.drawMouseTail=function(e){var t=this;if(this.mouseTail){var n=!0===this.config.mouseTail?kt:Object.assign({},kt,this.config.mouseTail),r=n.lineCap,o=n.lineWidth,a=n.strokeStyle,i=n.duration,s=function(){if(t.mouseTail){var e=t.mouseTail.getContext("2d");e&&t.tailPositions.length&&(e.clearRect(0,0,t.mouseTail.width,t.mouseTail.height),e.beginPath(),e.lineWidth=o,e.lineCap=r,e.strokeStyle=a,e.moveTo(t.tailPositions[0].x,t.tailPositions[0].y),t.tailPositions.forEach((function(t){return e.lineTo(t.x,t.y)})),e.stroke())}};this.tailPositions.push(e),s(),setTimeout((function(){t.tailPositions=t.tailPositions.filter((function(t){return t!==e})),s()}),i/this.speedService.state.context.timer.speed)}},i.prototype.hoverElements=function(e){var t;null===(t=this.iframe.contentDocument)||void 0===t||t.querySelectorAll(".\\:hover").forEach((function(e){e.classList.remove(":hover")}));for(var n=e;n;)n.classList&&n.classList.add(":hover"),n=n.parentElement},i.prototype.isUserInteraction=function(t){return t.type===e.EventType.IncrementalSnapshot&&(t.data.source>e.IncrementalSource.Mutation&&t.data.source<=e.IncrementalSource.Input)},i.prototype.backToNormal=function(){this.nextUserInteractionEvent=null,this.speedService.state.matches("normal")||(this.speedService.send({type:"BACK_TO_NORMAL"}),this.emitter.emit(e.ReplayerEvents.SkipEnd,{speed:this.speedService.state.context.normalSpeed}))},i.prototype.restoreRealParent=function(e,n){this.mirror.map[n.__sn.id]=n,n.__sn.type===t.Element&&"textarea"===n.__sn.tagName&&e.textContent&&(n.value=e.textContent),n.appendChild(e),this.restoreState(n)},i.prototype.storeState=function(e){var t,n;if(e&&e.nodeType===e.ELEMENT_NODE){var o=e;(o.scrollLeft||o.scrollTop)&&this.elementStateMap.set(e,{scroll:[o.scrollLeft,o.scrollTop]}),"STYLE"===o.tagName&&function(e,t){var n;try{var r=Array.from((null===(n=e.sheet)||void 0===n?void 0:n.cssRules)||[]).map((function(e){return e.cssText}));t.set(e,[{type:yt.Snapshot,cssTexts:r}])}catch(e){}}(o,this.virtualStyleRulesMap);var a=o.children;try{for(var i=r(Array.from(a)),s=i.next();!s.done;s=i.next()){var l=s.value;this.storeState(l)}}catch(e){t={error:e}}finally{try{s&&!s.done&&(n=i.return)&&n.call(i)}finally{if(t)throw t.error}}}},i.prototype.restoreState=function(e){var t,n;if(e.nodeType===e.ELEMENT_NODE){var o=e;if(this.elementStateMap.has(e)){var a=this.elementStateMap.get(e);a.scroll&&(o.scrollLeft=a.scroll[0],o.scrollTop=a.scroll[1]),this.elementStateMap.delete(e)}var i=o.children;try{for(var s=r(Array.from(i)),l=s.next();!l.done;l=s.next()){var c=l.value;this.restoreState(c)}}catch(e){t={error:e}}finally{try{l&&!l.done&&(n=s.return)&&n.call(s)}finally{if(t)throw t.error}}}},i.prototype.restoreNodeSheet=function(e){var t=this.virtualStyleRulesMap.get(e);"STYLE"===e.nodeName&&(t&&St(t,e))},i.prototype.warnNodeNotFound=function(e,t){this.treeIndex.idRemoved(t)?this.warn("Node with id '".concat(t,"' was previously removed. "),e):this.warn("Node with id '".concat(t,"' not found. "),e)},i.prototype.warnCanvasMutationFailed=function(e,t){this.warn("Has error on canvas update",t,"canvas mutation:",e)},i.prototype.debugNodeNotFound=function(e,t){this.treeIndex.idRemoved(t)?this.debug(Mt,"Node with id '".concat(t,"' was previously removed. "),e):this.debug(Mt,"Node with id '".concat(t,"' not found. "),e)},i.prototype.warn=function(){for(var e=[],t=0;t0)&&!(r=a.next()).done;)i.push(r.value)}catch(e){o={error:e}}finally{try{r&&!r.done&&(n=a.return)&&n.call(a)}finally{if(o)throw o.error}}return i}!function(e){e[e.NotStarted=0]="NotStarted",e[e.Running=1]="Running",e[e.Stopped=2]="Stopped"}(tt||(tt={}));var at={type:"xstate.init"};function it(e){return void 0===e?[]:[].concat(e)}function st(e){return{type:"xstate.assign",assignment:e}}function lt(e,t){return"string"==typeof(e="string"==typeof e&&t&&t[e]?t[e]:e)?{type:e}:"function"==typeof e?{type:e.name,exec:e}:e}function ct(e){return function(t){return e===t}}function ut(e){return"string"==typeof e?{type:e}:e}function dt(e,t){return{value:e,context:t,actions:[],changed:!1,matches:ct(e)}}function pt(e,t,n){var r=t,o=!1;return[e.filter((function(e){if("xstate.assign"===e.type){o=!0;var t=Object.assign({},r);return"function"==typeof e.assignment?t=e.assignment(r,n):Object.keys(e.assignment).forEach((function(o){t[o]="function"==typeof e.assignment[o]?e.assignment[o](r,n):e.assignment[o]})),r=t,!1}return!0})),r,o]}function ft(e,t){void 0===t&&(t={});var n=ot(pt(it(e.states[e.initial].entry).map((function(e){return lt(e,t.actions)})),e.context,at),2),r=n[0],o=n[1],a={config:e,_options:t,initialState:{value:e.initial,actions:r,context:o,matches:ct(e.initial)},transition:function(t,n){var r,o,i="string"==typeof t?{value:t,context:e.context}:t,s=i.value,l=i.context,c=ut(n),u=e.states[s];if(u.on){var d=it(u.on[c.type]);try{for(var p=function(e){var t="function"==typeof Symbol&&Symbol.iterator,n=t&&e[t],r=0;if(n)return n.call(e);if(e&&"number"==typeof e.length)return{next:function(){return e&&r>=e.length&&(e=void 0),{value:e&&e[r++],done:!e}}};throw new TypeError(t?"Object is not iterable.":"Symbol.iterator is not defined.")}(d),f=p.next();!f.done;f=p.next()){var h=f.value;if(void 0===h)return dt(s,l);var m="string"==typeof h?{target:h}:h,v=m.target,y=m.actions,g=void 0===y?[]:y,S=m.cond,b=void 0===S?function(){return!0}:S,w=void 0===v,I=null!=v?v:s,x=e.states[I];if(b(l,c)){var T=ot(pt((w?it(g):[].concat(u.exit,g,x.entry).filter((function(e){return e}))).map((function(e){return lt(e,a._options.actions)})),l,c),3),E=T[0],k=T[1],C=T[2],M=null!=v?v:s;return{value:M,context:k,actions:E,changed:v!==s||E.length>0||C,matches:ct(M)}}}}catch(e){r={error:e}}finally{try{f&&!f.done&&(o=p.return)&&o.call(p)}finally{if(r)throw r.error}}}return dt(s,l)}};return a}var ht=function(e,t){return e.actions.forEach((function(n){var r=n.exec;return r&&r(e.context,t)}))};function mt(e){var t=e.initialState,n=tt.NotStarted,r=new Set,o={_machine:e,send:function(o){n===tt.Running&&(t=e.transition(t,o),ht(t,ut(o)),r.forEach((function(e){return e(t)})))},subscribe:function(e){return r.add(e),e(t),{unsubscribe:function(){return r.delete(e)}}},start:function(r){if(r){var a="object"==typeof r?r:{context:e.config.context,value:r};t={value:a.value,actions:[],context:a.context,matches:ct(a.value)}}return n=tt.Running,ht(t,at),o},stop:function(){return n=tt.Stopped,r.clear(),o},get state(){return t},get status(){return n}};return o}function vt(t,o){var a=o.getCastFn,i=o.applyEventsSynchronously,s=o.emitter;return mt(ft({id:"player",context:t,initial:"paused",states:{playing:{on:{PAUSE:{target:"paused",actions:["pause"]},CAST_EVENT:{target:"playing",actions:"castEvent"},END:{target:"paused",actions:["resetLastPlayedEvent","pause"]},ADD_EVENT:{target:"playing",actions:["addEvent"]}}},paused:{on:{PLAY:{target:"playing",actions:["recordTimeOffset","play"]},CAST_EVENT:{target:"paused",actions:"castEvent"},TO_LIVE:{target:"live",actions:["startLive"]},ADD_EVENT:{target:"paused",actions:["addEvent"]}}},live:{on:{ADD_EVENT:{target:"live",actions:["addEvent"]},CAST_EVENT:{target:"live",actions:["castEvent"]}}}}},{actions:{castEvent:st({lastPlayedEvent:function(e,t){return"CAST_EVENT"===t.type?t.payload.event:e.lastPlayedEvent}}),recordTimeOffset:st((function(e,t){var r=e.timeOffset;return"payload"in t&&"timeOffset"in t.payload&&(r=t.payload.timeOffset),n(n({},e),{timeOffset:r,baselineTime:e.events[0].timestamp+r})})),play:function(t){var n,o,l,c,u,d=t.timer,p=t.events,f=t.baselineTime,h=t.lastPlayedEvent;d.clear();try{for(var m=r(p),v=m.next();!v.done;v=m.next()){rt(v.value,f)}}catch(e){n={error:e}}finally{try{v&&!v.done&&(o=m.return)&&o.call(m)}finally{if(n)throw n.error}}var y=function(t,n){for(var r=t.length-1;r>=0;r--){var o=t[r];if(o.type===e.EventType.Meta&&o.timestamp<=n)return t.slice(r)}return t}(p,f),g=null==h?void 0:h.timestamp;(null==h?void 0:h.type)===e.EventType.IncrementalSnapshot&&h.data.source===e.IncrementalSource.MouseMove&&(g=h.timestamp+(null===(u=h.data.positions[0])||void 0===u?void 0:u.timeOffset)),f<(g||0)&&s.emit(e.ReplayerEvents.PlayBack);var S=new Array,b=new Array,w=function(e){if(g&&gi)try{null===(r=t.sheet)||void 0===r||r.deleteRule(Number(s))}catch(e){}i=c})),e.forEach((function(e,n){var r,o,a;try{(null===(o=null===(r=t.sheet)||void 0===r?void 0:r.cssRules[n])||void 0===o?void 0:o.cssText)!==e&&(null===(a=t.sheet)||void 0===a||a.insertRule(e,n))}catch(e){}}))}catch(e){}}(e.cssTexts,t);else if(e.type===yt.SetProperty){gt(n.cssRules,e.index).style.setProperty(e.property,e.value,e.priority)}else if(e.type===yt.RemoveProperty){gt(n.cssRules,e.index).style.removeProperty(e.property)}}))}!function(e){e[e.Insert=0]="Insert",e[e.Remove=1]="Remove",e[e.Snapshot=2]="Snapshot",e[e.SetProperty=3]="SetProperty",e[e.RemoveProperty=4]="RemoveProperty"}(yt||(yt={}));var wt=new Map;function It(e,t){var n=wt.get(e);return n||(n=new Map,wt.set(e,n)),n.has(t)||n.set(t,[]),n.get(t)}var xt=["WebGLActiveInfo","WebGLBuffer","WebGLFramebuffer","WebGLProgram","WebGLRenderbuffer","WebGLShader","WebGLShaderPrecisionFormat","WebGLTexture","WebGLUniformLocation","WebGLVertexArrayObject"];function Tt(e,t){return function(n){if(n&&"object"==typeof n&&"rr_type"in n){if("index"in n){var r=n.rr_type,i=n.index;return It(t,r)[i]}if("args"in n){var s=n.rr_type,l=n.args,c=window[s];return new(c.bind.apply(c,a([void 0],o(l.map(Tt(e,t))),!1)))}if("base64"in n)return function(e){var t,n,r,o,a,i=.75*e.length,s=e.length,l=0;"="===e[e.length-1]&&(i--,"="===e[e.length-2]&&i--);var c=new ArrayBuffer(i),u=new Uint8Array(c);for(t=0;t>4,u[l++]=(15&r)<<4|o>>2,u[l++]=(3&o)<<6|63&a;return c}(n.base64);if("src"in n){var u=e.get(n.src);if(u)return u;var d=new Image;return d.src=n.src,e.set(n.src,d),d}}else if(Array.isArray(n))return n.map(Tt(e,t));return n}}function Et(e){var t=e.mutation,n=e.target,r=e.type,o=e.imageMap,a=e.errorHandler;try{var i=function(e,t){try{return t===P.WebGL?e.getContext("webgl")||e.getContext("experimental-webgl"):e.getContext("webgl2")}catch(e){return null}}(n,r);if(!i)return;if(t.setter)return void(i[t.property]=t.args[0]);var s=i[t.property],l=t.args.map(Tt(o,i));!function(e,t){if(null==t?void 0:t.constructor){var n=t.constructor.name;if(xt.includes(n)){var r=It(e,n);r.includes(t)||r.push(t)}}}(i,s.apply(i,l))}catch(e){a(t,e)}}var kt=Je||Ze,Ct="[replayer]",Mt={duration:500,lineCap:"round",lineWidth:3,strokeStyle:"red"};function Nt(t){return t.type==e.EventType.IncrementalSnapshot&&(t.data.source==e.IncrementalSource.TouchMove||t.data.source==e.IncrementalSource.MouseInteraction&&t.data.type==e.MouseInteractions.TouchStart)}var Rt=function(){function i(t,n){var o=this;if(this.mouseTail=null,this.tailPositions=[],this.emitter=kt(),this.legacy_missingNodeRetryMap={},this.cache=V(),this.imageMap=new Map,this.mirror={map:{},getId:function(e){return e&&e.__sn?e.__sn.id:-1},getNode:function(e){return this.map[e]||null},removeNodeFromMap:function(e){var t=this,n=e.__sn&&e.__sn.id;delete this.map[n],e.childNodes&&e.childNodes.forEach((function(e){return t.removeNodeFromMap(e)}))},has:function(e){return this.map.hasOwnProperty(e)},reset:function(){this.map={}}},this.firstFullSnapshot=null,this.newDocumentQueue=[],this.mousePos=null,this.touchActive=null,!(null==n?void 0:n.liveMode)&&t.length<2)throw new Error("Replayer need at least 2 events.");var a={speed:1,maxSpeed:360,root:document.body,loadTimeout:0,skipInactive:!1,showWarning:!0,showDebug:!1,blockClass:"rr-block",liveMode:!1,insertStyleRules:[],triggerFocus:!0,UNSAFE_replayCanvas:!1,pauseAnimation:!0,mouseTail:Mt};this.config=Object.assign({},a,n),this.handleResize=this.handleResize.bind(this),this.getCastFn=this.getCastFn.bind(this),this.applyEventsSynchronously=this.applyEventsSynchronously.bind(this),this.emitter.on(e.ReplayerEvents.Resize,this.handleResize),this.setupDom(),this.treeIndex=new ie,this.fragmentParentMap=new Map,this.elementStateMap=new Map,this.virtualStyleRulesMap=new Map,this.emitter.on(e.ReplayerEvents.Flush,(function(){var e,t,n,a,i,s,l,c,u=o.treeIndex.flush(),d=u.scrollMap,p=u.inputMap,f=u.mutationData;o.fragmentParentMap.forEach((function(e,t){return o.restoreRealParent(t,e)}));try{for(var h=r(f.texts),m=h.next();!m.done;m=h.next()){var v=m.value;o.applyText(v,f)}}catch(t){e={error:t}}finally{try{m&&!m.done&&(t=h.return)&&t.call(h)}finally{if(e)throw e.error}}try{for(var y=r(o.virtualStyleRulesMap.keys()),g=y.next();!g.done;g=y.next()){var S=g.value;o.restoreNodeSheet(S)}}catch(e){n={error:e}}finally{try{g&&!g.done&&(a=y.return)&&a.call(y)}finally{if(n)throw n.error}}o.fragmentParentMap.clear(),o.elementStateMap.clear(),o.virtualStyleRulesMap.clear();try{for(var b=r(d.values()),w=b.next();!w.done;w=b.next()){v=w.value;o.applyScroll(v,!0)}}catch(e){i={error:e}}finally{try{w&&!w.done&&(s=b.return)&&s.call(b)}finally{if(i)throw i.error}}try{for(var I=r(p.values()),x=I.next();!x.done;x=I.next()){v=x.value;o.applyInput(v)}}catch(e){l={error:e}}finally{try{x&&!x.done&&(c=I.return)&&c.call(I)}finally{if(l)throw l.error}}})),this.emitter.on(e.ReplayerEvents.PlayBack,(function(){o.firstFullSnapshot=null,o.mirror.reset()}));var i=new nt([],(null==n?void 0:n.speed)||a.speed);this.service=vt({events:t.map((function(e){return n&&n.unpackFn?n.unpackFn(e):e})).sort((function(e,t){return e.timestamp-t.timestamp})),timer:i,timeOffset:0,baselineTime:0,lastPlayedEvent:null},{getCastFn:this.getCastFn,applyEventsSynchronously:this.applyEventsSynchronously,emitter:this.emitter}),this.service.start(),this.service.subscribe((function(t){o.emitter.emit(e.ReplayerEvents.StateChange,{player:t})})),this.speedService=mt(ft({id:"speed",context:{normalSpeed:-1,timer:i},initial:"normal",states:{normal:{on:{FAST_FORWARD:{target:"skipping",actions:["recordSpeed","setSpeed"]},SET_SPEED:{target:"normal",actions:["setSpeed"]}}},skipping:{on:{BACK_TO_NORMAL:{target:"normal",actions:["restoreSpeed"]},SET_SPEED:{target:"normal",actions:["setSpeed"]}}}}},{actions:{setSpeed:function(e,t){"payload"in t&&e.timer.setSpeed(t.payload.speed)},recordSpeed:st({normalSpeed:function(e){return e.timer.speed}}),restoreSpeed:function(e){e.timer.setSpeed(e.normalSpeed)}}})),this.speedService.start(),this.speedService.subscribe((function(t){o.emitter.emit(e.ReplayerEvents.StateChange,{speed:t})}));var s=this.service.state.context.events.find((function(t){return t.type===e.EventType.Meta})),l=this.service.state.context.events.find((function(t){return t.type===e.EventType.FullSnapshot}));if(s){var c=s.data,u=c.width,d=c.height;setTimeout((function(){o.emitter.emit(e.ReplayerEvents.Resize,{width:u,height:d})}),0)}l&&setTimeout((function(){o.firstFullSnapshot||(o.firstFullSnapshot=l,o.rebuildFullSnapshot(l),o.iframe.contentWindow.scrollTo(l.data.initialOffset))}),1),this.service.state.context.events.find(Nt)&&this.mouse.classList.add("touch-device")}return Object.defineProperty(i.prototype,"timer",{get:function(){return this.service.state.context.timer},enumerable:!1,configurable:!0}),i.prototype.on=function(e,t){return this.emitter.on(e,t),this},i.prototype.off=function(e,t){return this.emitter.off(e,t),this},i.prototype.setConfig=function(e){var t=this;Object.keys(e).forEach((function(n){t.config[n]=e[n]})),this.config.skipInactive||this.backToNormal(),void 0!==e.speed&&this.speedService.send({type:"SET_SPEED",payload:{speed:e.speed}}),void 0!==e.mouseTail&&(!1===e.mouseTail?this.mouseTail&&(this.mouseTail.style.display="none"):(this.mouseTail||(this.mouseTail=document.createElement("canvas"),this.mouseTail.width=Number.parseFloat(this.iframe.width),this.mouseTail.height=Number.parseFloat(this.iframe.height),this.mouseTail.classList.add("replayer-mouse-tail"),this.wrapper.insertBefore(this.mouseTail,this.iframe)),this.mouseTail.style.display="inherit"))},i.prototype.getMetaData=function(){var e=this.service.state.context.events[0],t=this.service.state.context.events[this.service.state.context.events.length-1];return{startTime:e.timestamp,endTime:t.timestamp,totalTime:t.timestamp-e.timestamp}},i.prototype.getCurrentTime=function(){return this.timer.timeOffset+this.getTimeOffset()},i.prototype.getTimeOffset=function(){var e=this.service.state.context;return e.baselineTime-e.events[0].timestamp},i.prototype.getMirror=function(){return this.mirror},i.prototype.play=function(t){var n;void 0===t&&(t=0),this.service.state.matches("paused")||this.service.send({type:"PAUSE"}),this.service.send({type:"PLAY",payload:{timeOffset:t}}),null===(n=this.iframe.contentDocument)||void 0===n||n.getElementsByTagName("html")[0].classList.remove("rrweb-paused"),this.emitter.emit(e.ReplayerEvents.Start)},i.prototype.pause=function(t){var n;void 0===t&&this.service.state.matches("playing")&&this.service.send({type:"PAUSE"}),"number"==typeof t&&(this.play(t),this.service.send({type:"PAUSE"})),null===(n=this.iframe.contentDocument)||void 0===n||n.getElementsByTagName("html")[0].classList.add("rrweb-paused"),this.emitter.emit(e.ReplayerEvents.Pause)},i.prototype.resume=function(t){void 0===t&&(t=0),console.warn("The 'resume' will be departed in 1.0. Please use 'play' method which has the same interface."),this.play(t),this.emitter.emit(e.ReplayerEvents.Resume)},i.prototype.startLive=function(e){this.service.send({type:"TO_LIVE",payload:{baselineTime:e}})},i.prototype.addEvent=function(e){var t=this,n=this.config.unpackFn?this.config.unpackFn(e):e;Nt(n)&&this.mouse.classList.add("touch-device"),Promise.resolve().then((function(){return t.service.send({type:"ADD_EVENT",payload:{event:n}})}))},i.prototype.enableInteract=function(){this.iframe.setAttribute("scrolling","auto"),this.iframe.style.pointerEvents="auto"},i.prototype.disableInteract=function(){this.iframe.setAttribute("scrolling","no"),this.iframe.style.pointerEvents="none"},i.prototype.resetCache=function(){this.cache=V()},i.prototype.setupDom=function(){this.wrapper=document.createElement("div"),this.wrapper.classList.add("replayer-wrapper"),this.config.root.appendChild(this.wrapper),this.mouse=document.createElement("div"),this.mouse.classList.add("replayer-mouse"),this.wrapper.appendChild(this.mouse),!1!==this.config.mouseTail&&(this.mouseTail=document.createElement("canvas"),this.mouseTail.classList.add("replayer-mouse-tail"),this.mouseTail.style.display="inherit",this.wrapper.appendChild(this.mouseTail)),this.iframe=document.createElement("iframe");var e=["allow-same-origin"];this.config.UNSAFE_replayCanvas&&e.push("allow-scripts"),this.iframe.style.display="none",this.iframe.setAttribute("sandbox",e.join(" ")),this.disableInteract(),this.wrapper.appendChild(this.iframe),this.iframe.contentWindow&&this.iframe.contentDocument&&(et(this.iframe.contentWindow,this.iframe.contentDocument),ae(this.iframe.contentWindow))},i.prototype.handleResize=function(e){var t,n;this.iframe.style.display="inherit";try{for(var o=r([this.mouseTail,this.iframe]),a=o.next();!a.done;a=o.next()){var i=a.value;i&&(i.setAttribute("width",String(e.width)),i.setAttribute("height",String(e.height)))}}catch(e){t={error:e}}finally{try{a&&!a.done&&(n=o.return)&&n.call(o)}finally{if(t)throw t.error}}},i.prototype.applyEventsSynchronously=function(t){var n,o;try{for(var a=r(t),i=a.next();!i.done;i=a.next()){var s=i.value;switch(s.type){case e.EventType.DomContentLoaded:case e.EventType.Load:case e.EventType.Custom:continue;case e.EventType.FullSnapshot:case e.EventType.Meta:case e.EventType.Plugin:break;case e.EventType.IncrementalSnapshot:switch(s.data.source){case e.IncrementalSource.MediaInteraction:continue}}this.getCastFn(s,!0)()}}catch(e){n={error:e}}finally{try{i&&!i.done&&(o=a.return)&&o.call(a)}finally{if(n)throw n.error}}this.mousePos&&this.moveAndHover(this.mousePos.x,this.mousePos.y,this.mousePos.id,!0,this.mousePos.debugData),this.mousePos=null,!0===this.touchActive?this.mouse.classList.add("touch-active"):!1===this.touchActive&&this.mouse.classList.remove("touch-active"),this.touchActive=null},i.prototype.getCastFn=function(t,n){var o,a=this;switch(void 0===n&&(n=!1),t.type){case e.EventType.DomContentLoaded:case e.EventType.Load:break;case e.EventType.Custom:o=function(){a.emitter.emit(e.ReplayerEvents.CustomEvent,t)};break;case e.EventType.Meta:o=function(){return a.emitter.emit(e.ReplayerEvents.Resize,{width:t.data.width,height:t.data.height})};break;case e.EventType.FullSnapshot:o=function(){if(a.firstFullSnapshot){if(a.firstFullSnapshot===t)return void(a.firstFullSnapshot=!0)}else a.firstFullSnapshot=!0;a.rebuildFullSnapshot(t,n),a.iframe.contentWindow.scrollTo(t.data.initialOffset)};break;case e.EventType.IncrementalSnapshot:o=function(){var o,i;if(a.applyIncremental(t,n),!n&&(t===a.nextUserInteractionEvent&&(a.nextUserInteractionEvent=null,a.backToNormal()),a.config.skipInactive&&!a.nextUserInteractionEvent)){try{for(var s=r(a.service.state.context.events),l=s.next();!l.done;l=s.next()){var c=l.value;if(!(c.timestamp<=t.timestamp)&&a.isUserInteraction(c)){c.delay-t.delay>1e4*a.speedService.state.context.timer.speed&&(a.nextUserInteractionEvent=c);break}}}catch(e){o={error:e}}finally{try{l&&!l.done&&(i=s.return)&&i.call(s)}finally{if(o)throw o.error}}if(a.nextUserInteractionEvent){var u=a.nextUserInteractionEvent.delay-t.delay,d={speed:Math.min(Math.round(u/5e3),a.config.maxSpeed)};a.speedService.send({type:"FAST_FORWARD",payload:d}),a.emitter.emit(e.ReplayerEvents.SkipStart,d)}}}}return function(){var i,s;o&&o();try{for(var l=r(a.config.plugins||[]),c=l.next();!c.done;c=l.next()){c.value.handler(t,n,{replayer:a})}}catch(e){i={error:e}}finally{try{c&&!c.done&&(s=l.return)&&s.call(l)}finally{if(i)throw i.error}}a.service.send({type:"CAST_EVENT",payload:{event:t}});var u=a.service.state.context.events.length-1;if(t===a.service.state.context.events[u]){var d=function(){u0&&(this.service.send({type:"PAUSE"}),this.emitter.emit(e.ReplayerEvents.LoadStylesheetStart),o=setTimeout((function(){i.matches("playing")&&n.play(n.getCurrentTime()),o=-1,l()}),this.config.loadTimeout))}},i.prototype.hasImageArg=function(e){var t,n;try{for(var o=r(e),a=o.next();!a.done;a=o.next()){var i=a.value;if(i&&"object"==typeof i)if("rr_type"in i&&"args"in i){if(this.hasImageArg(i.args))return!0}else{if("rr_type"in i&&"HTMLImageElement"===i.rr_type)return!0;if(i instanceof Array&&this.hasImageArg(i))return!0}else;}}catch(e){t={error:e}}finally{try{a&&!a.done&&(n=o.return)&&n.call(o)}finally{if(t)throw t.error}}return!1},i.prototype.getImageArgs=function(e){var t,n,i=[];try{for(var s=r(e),l=s.next();!l.done;l=s.next()){var c=l.value;c&&"object"==typeof c&&("rr_type"in c&&"args"in c?i.push.apply(i,a([],o(this.getImageArgs(c.args)),!1)):"rr_type"in c&&"HTMLImageElement"===c.rr_type?i.push(c.src):c instanceof Array&&i.push.apply(i,a([],o(this.getImageArgs(c)),!1)))}}catch(e){t={error:e}}finally{try{l&&!l.done&&(n=s.return)&&n.call(s)}finally{if(t)throw t.error}}return i},i.prototype.preloadAllImages=function(){var t,n,o=this;this.service.state;var a=function(){o.service.state};this.emitter.on(e.ReplayerEvents.Start,a),this.emitter.on(e.ReplayerEvents.Pause,a);var i=function(t){t.type===e.EventType.IncrementalSnapshot&&t.data.source===e.IncrementalSource.CanvasMutation&&("commands"in t.data?t.data.commands.forEach((function(e){return o.preloadImages(e,t)})):s.preloadImages(t.data,t))},s=this;try{for(var l=r(this.service.state.context.events),c=l.next();!c.done;c=l.next()){i(c.value)}}catch(e){t={error:e}}finally{try{c&&!c.done&&(n=l.return)&&n.call(l)}finally{if(t)throw t.error}}},i.prototype.preloadImages=function(e,t){var n=this;if("drawImage"!==e.property||"string"!=typeof e.args[0]||this.imageMap.has(t))this.hasImageArg(e.args)&&this.getImageArgs(e.args).forEach((function(e){var t=new Image;t.src=e,n.imageMap.set(e,t)}));else{var r=document.createElement("canvas"),o=r.getContext("2d"),a=null==o?void 0:o.createImageData(r.width,r.height);null==a||a.data,JSON.parse(e.args[0]),null==o||o.putImageData(a,0,0)}},i.prototype.applyIncremental=function(t,r){var o,a,i=this,s=t.data;switch(s.source){case e.IncrementalSource.Mutation:r&&(s.adds.forEach((function(e){return i.treeIndex.add(e)})),s.texts.forEach((function(e){var t=i.mirror.getNode(e.id),n=null==t?void 0:t.parentNode;n&&i.virtualStyleRulesMap.has(n)&&i.virtualStyleRulesMap.delete(n),i.treeIndex.text(e)})),s.attributes.forEach((function(e){return i.treeIndex.attribute(e)})),s.removes.forEach((function(e){return i.treeIndex.remove(e,i.mirror)})));try{this.applyMutation(s,r)}catch(e){this.warn("Exception in mutation ".concat(e.message||e),s)}break;case e.IncrementalSource.Drag:case e.IncrementalSource.TouchMove:case e.IncrementalSource.MouseMove:if(r){var l=s.positions[s.positions.length-1];this.mousePos={x:l.x,y:l.y,id:l.id,debugData:s}}else s.positions.forEach((function(e){var n={doAction:function(){i.moveAndHover(e.x,e.y,e.id,r,s)},delay:e.timeOffset+t.timestamp-i.service.state.context.baselineTime};i.timer.addAction(n)})),this.timer.addAction({doAction:function(){},delay:t.delay-(null===(o=s.positions[0])||void 0===o?void 0:o.timeOffset)});break;case e.IncrementalSource.MouseInteraction:if(-1===s.id)break;var c=new Event(e.MouseInteractions[s.type].toLowerCase());if(!(b=this.mirror.getNode(s.id)))return this.debugNodeNotFound(s,s.id);this.emitter.emit(e.ReplayerEvents.MouseInteraction,{type:s.type,target:b});var u=this.config.triggerFocus;switch(s.type){case e.MouseInteractions.Blur:"blur"in b&&b.blur();break;case e.MouseInteractions.Focus:u&&b.focus&&b.focus({preventScroll:!0});break;case e.MouseInteractions.Click:case e.MouseInteractions.TouchStart:case e.MouseInteractions.TouchEnd:r?(s.type===e.MouseInteractions.TouchStart?this.touchActive=!0:s.type===e.MouseInteractions.TouchEnd&&(this.touchActive=!1),this.mousePos={x:s.x,y:s.y,id:s.id,debugData:s}):(s.type===e.MouseInteractions.TouchStart&&(this.tailPositions.length=0),this.moveAndHover(s.x,s.y,s.id,r,s),s.type===e.MouseInteractions.Click?(this.mouse.classList.remove("active"),this.mouse.offsetWidth,this.mouse.classList.add("active")):s.type===e.MouseInteractions.TouchStart?(this.mouse.offsetWidth,this.mouse.classList.add("touch-active")):s.type===e.MouseInteractions.TouchEnd&&this.mouse.classList.remove("touch-active"));break;case e.MouseInteractions.TouchCancel:r?this.touchActive=!1:this.mouse.classList.remove("touch-active");break;default:b.dispatchEvent(c)}break;case e.IncrementalSource.Scroll:if(-1===s.id)break;if(r){this.treeIndex.scroll(s);break}this.applyScroll(s,!1);break;case e.IncrementalSource.ViewportResize:this.emitter.emit(e.ReplayerEvents.Resize,{width:s.width,height:s.height});break;case e.IncrementalSource.Input:if(-1===s.id)break;if(r){this.treeIndex.input(s);break}this.applyInput(s);break;case e.IncrementalSource.MediaInteraction:if(!(b=this.mirror.getNode(s.id)))return this.debugNodeNotFound(s,s.id);var d=b;try{s.currentTime&&(d.currentTime=s.currentTime),s.volume&&(d.volume=s.volume),s.muted&&(d.muted=s.muted),1===s.type&&d.pause(),0===s.type&&d.play()}catch(e){this.config.showWarning&&console.warn("Failed to replay media interactions: ".concat(e.message||e))}break;case e.IncrementalSource.StyleSheetRule:if(!(b=this.mirror.getNode(s.id)))return this.debugNodeNotFound(s,s.id);var p,f=b,h=b.parentNode,m=this.fragmentParentMap.has(h),v=m?null:f.sheet;v||(this.virtualStyleRulesMap.has(b)?p=this.virtualStyleRulesMap.get(b):(p=[],this.virtualStyleRulesMap.set(b,p))),s.adds&&s.adds.forEach((function(e){var t=e.rule,n=e.index;if(v)try{if(Array.isArray(n)){var r=St(n),o=r.positions,a=r.index;gt(v.cssRules,o).insertRule(t,a)}else{a=void 0===n?void 0:Math.min(n,v.cssRules.length);v.insertRule(t,a)}}catch(e){}else null==p||p.push({cssText:t,index:n,type:yt.Insert})})),s.removes&&s.removes.forEach((function(e){var t=e.index;if(m)null==p||p.push({index:t,type:yt.Remove});else try{if(Array.isArray(t)){var n=St(t),r=n.positions,o=n.index;gt(v.cssRules,r).deleteRule(o||0)}else null==v||v.deleteRule(t)}catch(e){}}));break;case e.IncrementalSource.StyleDeclaration:if(!(b=this.mirror.getNode(s.id)))return this.debugNodeNotFound(s,s.id);f=b;var y=b.parentNode,g=this.fragmentParentMap.has(y)?null:f.sheet,S=[];if(g||(this.virtualStyleRulesMap.has(b)?S=this.virtualStyleRulesMap.get(b):(S=[],this.virtualStyleRulesMap.set(b,S))),s.set)if(g)gt(g.rules,s.index).style.setProperty(s.set.property,s.set.value,s.set.priority);else S.push(n({type:yt.SetProperty,index:s.index},s.set));if(s.remove)if(g)gt(g.rules,s.index).style.removeProperty(s.remove.property);else S.push(n({type:yt.RemoveProperty,index:s.index},s.remove));break;case e.IncrementalSource.CanvasMutation:if(!this.config.UNSAFE_replayCanvas)return;var b;if(!(b=this.mirror.getNode(s.id)))return this.debugNodeNotFound(s,s.id);!function(e){var t=e.event,n=e.mutation,r=e.target,o=e.imageMap,a=e.errorHandler;try{var i="commands"in n?n.commands:[n];[P.WebGL,P.WebGL2].includes(n.type)?i.forEach((function(e){Et({mutation:e,type:n.type,target:r,imageMap:o,errorHandler:a})})):i.forEach((function(e){!function(e){var t=e.event,n=e.mutation,r=e.target,o=e.imageMap,a=e.errorHandler;try{var i=r.getContext("2d");if(n.setter)return void(i[n.property]=n.args[0]);var s=i[n.property];if("drawImage"===n.property&&"string"==typeof n.args[0]){var l=o.get(t);n.args[0]=l,s.apply(i,n.args)}else s.apply(i,n.args)}catch(e){a(n,e)}}({event:t,mutation:e,target:r,imageMap:o,errorHandler:a})}))}catch(e){a(n,e)}}({event:t,mutation:s,target:b,imageMap:this.imageMap,errorHandler:this.warnCanvasMutationFailed.bind(this)});break;case e.IncrementalSource.Font:try{var w=new FontFace(s.family,s.buffer?new Uint8Array(JSON.parse(s.fontSource)):s.fontSource,s.descriptors);null===(a=this.iframe.contentDocument)||void 0===a||a.fonts.add(w)}catch(e){this.config.showWarning&&console.warn(e)}}},i.prototype.applyMutation=function(e,o){var a,i,s=this;e.removes.forEach((function(t){var n=s.mirror.getNode(t.id);if(!n){if(e.removes.find((function(e){return e.id===t.parentId})))return;return s.warnNodeNotFound(e,t.id)}s.virtualStyleRulesMap.has(n)&&s.virtualStyleRulesMap.delete(n);var r=s.mirror.getNode(t.parentId);if(!r)return s.warnNodeNotFound(e,t.parentId);if(t.isShadow&&de(r)&&(r=r.shadowRoot),s.mirror.removeNodeFromMap(n),r){var o=null,a="__sn"in r?s.fragmentParentMap.get(r):void 0;a&&a.contains(n)?r=a:s.fragmentParentMap.has(n)&&(o=s.fragmentParentMap.get(n),s.fragmentParentMap.delete(n),n=o);try{r.removeChild(n)}catch(t){if(!(t instanceof DOMException))throw t;s.warn("parent could not remove child in mutation",r,a,n,o,e)}}}));var l=n({},this.legacy_missingNodeRetryMap),c=[],u=function(e){var n,a,i,u;if(!s.iframe.contentDocument)return console.warn("Looks like your replayer has been destroyed.");var d=s.mirror.getNode(e.parentId);if(!d)return e.node.type===t.Document?s.newDocumentQueue.push(e):c.push(e);var p=null;s.iframe.contentDocument.contains?p=s.iframe.contentDocument.contains(d):s.iframe.contentDocument.body.contains&&(p=s.iframe.contentDocument.body.contains(d));var f=(null===(u=(i=d).getElementsByTagName)||void 0===u?void 0:u.call(i,"iframe").length)>0;if(o&&p&&!ce(d)&&!f){var h=document.createDocumentFragment();for(s.mirror.map[e.parentId]=h,s.fragmentParentMap.set(h,d),s.storeState(d);d.firstChild;)h.appendChild(d.firstChild);d=h}e.node.isShadow&&(de(d)||d.attachShadow({mode:"open"}),d=d.shadowRoot);var m=null,v=null;if(e.previousId&&(m=s.mirror.getNode(e.previousId)),e.nextId&&(v=s.mirror.getNode(e.nextId)),function(e){var t=null;return e.nextId&&(t=s.mirror.getNode(e.nextId)),null!==e.nextId&&void 0!==e.nextId&&-1!==e.nextId&&!t}(e))return c.push(e);if(!e.node.rootId||s.mirror.getNode(e.node.rootId)){var y=e.node.rootId?s.mirror.getNode(e.node.rootId):s.iframe.contentDocument;if(ce(d))s.attachDocumentToIframe(e,d);else{var g=H(e.node,{doc:y,map:s.mirror.map,skipChild:!0,hackCss:!0,cache:s.cache});if(-1!==e.previousId&&-1!==e.nextId){if("__sn"in d&&d.__sn.type===t.Element&&"textarea"===d.__sn.tagName&&e.node.type===t.Text)try{for(var S=r(Array.from(d.childNodes)),b=S.next();!b.done;b=S.next()){var w=b.value;w.nodeType===d.TEXT_NODE&&d.removeChild(w)}}catch(e){n={error:e}}finally{try{b&&!b.done&&(a=S.return)&&a.call(S)}finally{if(n)throw n.error}}if(m&&m.nextSibling&&m.nextSibling.parentNode)d.insertBefore(g,m.nextSibling);else if(v&&v.parentNode)d.contains(v)?d.insertBefore(g,v):d.insertBefore(g,null);else{if(d===y)for(;y.firstChild;)y.removeChild(y.firstChild);d.appendChild(g)}if(ce(g)){var I=s.newDocumentQueue.find((function(e){return e.parentId===g.__sn.id}));I&&(s.attachDocumentToIframe(I,g),s.newDocumentQueue=s.newDocumentQueue.filter((function(e){return e!==I})))}(e.previousId||e.nextId)&&s.legacy_resolveMissingNode(l,d,g,e)}else l[e.node.id]={node:g,mutation:e}}}};e.adds.forEach((function(e){u(e)}));for(var d=Date.now();c.length;){var p=se(c);if(c.length=0,Date.now()-d>500){this.warn("Timeout in the loop, please check the resolve tree data:",p);break}try{for(var f=(a=void 0,r(p)),h=f.next();!h.done;h=f.next()){var m=h.value;this.mirror.getNode(m.value.parentId)?le(m,(function(e){u(e)})):this.debug("Drop resolve tree since there is no parent for the root node.",m)}}catch(e){a={error:e}}finally{try{h&&!h.done&&(i=f.return)&&i.call(f)}finally{if(a)throw a.error}}}Object.keys(l).length&&Object.assign(this.legacy_missingNodeRetryMap,l),e.texts.forEach((function(t){var n=s.mirror.getNode(t.id);if(!n){if(e.removes.find((function(e){return e.id===t.id})))return;return s.warnNodeNotFound(e,t.id)}s.fragmentParentMap.has(n)&&(n=s.fragmentParentMap.get(n)),n.textContent=t.value})),e.attributes.forEach((function(t){var n=s.mirror.getNode(t.id);if(!n){if(e.removes.find((function(e){return e.id===t.id})))return;return s.warnNodeNotFound(e,t.id)}for(var r in s.fragmentParentMap.has(n)&&(n=s.fragmentParentMap.get(n)),t.attributes)if("string"==typeof r){var o=t.attributes[r];if(null===o)n.removeAttribute(r);else if("string"==typeof o)try{n.setAttribute(r,o)}catch(e){s.config.showWarning&&console.warn("An error occurred may due to the checkout feature.",e)}else if("style"===r){var a=o,i=n;for(var l in a)if(!1===a[l])i.style.removeProperty(l);else if(a[l]instanceof Array){var c=a[l];i.style.setProperty(l,c[0],c[1])}else{var u=a[l];i.style.setProperty(l,u)}}}}))},i.prototype.applyScroll=function(e,n){var r=this.mirror.getNode(e.id);if(!r)return this.debugNodeNotFound(e,e.id);if(r===this.iframe.contentDocument)this.iframe.contentWindow.scrollTo({top:e.y,left:e.x,behavior:n?"auto":"smooth"});else if(r.__sn.type===t.Document)r.defaultView.scrollTo({top:e.y,left:e.x,behavior:n?"auto":"smooth"});else try{r.scrollTop=e.y,r.scrollLeft=e.x}catch(e){}},i.prototype.applyInput=function(e){var t=this.mirror.getNode(e.id);if(!t)return this.debugNodeNotFound(e,e.id);try{t.checked=e.isChecked,t.value=e.text}catch(e){}},i.prototype.applyText=function(e,t){var n=this.mirror.getNode(e.id);if(!n)return this.debugNodeNotFound(t,e.id);try{n.textContent=e.value}catch(e){}},i.prototype.legacy_resolveMissingNode=function(e,t,n,r){var o=r.previousId,a=r.nextId,i=o&&e[o],s=a&&e[a];if(i){var l=i,c=l.node,u=l.mutation;t.insertBefore(c,n),delete e[u.node.id],delete this.legacy_missingNodeRetryMap[u.node.id],(u.previousId||u.nextId)&&this.legacy_resolveMissingNode(e,t,c,u)}if(s){var d=s;c=d.node,u=d.mutation;t.insertBefore(c,n.nextSibling),delete e[u.node.id],delete this.legacy_missingNodeRetryMap[u.node.id],(u.previousId||u.nextId)&&this.legacy_resolveMissingNode(e,t,c,u)}},i.prototype.moveAndHover=function(e,t,n,r,o){var a=this.mirror.getNode(n);if(!a)return this.debugNodeNotFound(o,n);var i=ue(a,this.iframe),s=e*i.absoluteScale+i.x,l=t*i.absoluteScale+i.y;this.mouse.style.left="".concat(s,"px"),this.mouse.style.top="".concat(l,"px"),r||this.drawMouseTail({x:s,y:l}),this.hoverElements(a)},i.prototype.drawMouseTail=function(e){var t=this;if(this.mouseTail){var n=!0===this.config.mouseTail?Mt:Object.assign({},Mt,this.config.mouseTail),r=n.lineCap,o=n.lineWidth,a=n.strokeStyle,i=n.duration,s=function(){if(t.mouseTail){var e=t.mouseTail.getContext("2d");e&&t.tailPositions.length&&(e.clearRect(0,0,t.mouseTail.width,t.mouseTail.height),e.beginPath(),e.lineWidth=o,e.lineCap=r,e.strokeStyle=a,e.moveTo(t.tailPositions[0].x,t.tailPositions[0].y),t.tailPositions.forEach((function(t){return e.lineTo(t.x,t.y)})),e.stroke())}};this.tailPositions.push(e),s(),setTimeout((function(){t.tailPositions=t.tailPositions.filter((function(t){return t!==e})),s()}),i/this.speedService.state.context.timer.speed)}},i.prototype.hoverElements=function(e){var t;null===(t=this.iframe.contentDocument)||void 0===t||t.querySelectorAll(".\\:hover").forEach((function(e){e.classList.remove(":hover")}));for(var n=e;n;)n.classList&&n.classList.add(":hover"),n=n.parentElement},i.prototype.isUserInteraction=function(t){return t.type===e.EventType.IncrementalSnapshot&&(t.data.source>e.IncrementalSource.Mutation&&t.data.source<=e.IncrementalSource.Input)},i.prototype.backToNormal=function(){this.nextUserInteractionEvent=null,this.speedService.state.matches("normal")||(this.speedService.send({type:"BACK_TO_NORMAL"}),this.emitter.emit(e.ReplayerEvents.SkipEnd,{speed:this.speedService.state.context.normalSpeed}))},i.prototype.restoreRealParent=function(e,n){this.mirror.map[n.__sn.id]=n,n.__sn.type===t.Element&&"textarea"===n.__sn.tagName&&e.textContent&&(n.value=e.textContent),n.appendChild(e),this.restoreState(n)},i.prototype.storeState=function(e){var t,n;if(e&&e.nodeType===e.ELEMENT_NODE){var o=e;(o.scrollLeft||o.scrollTop)&&this.elementStateMap.set(e,{scroll:[o.scrollLeft,o.scrollTop]}),"STYLE"===o.tagName&&function(e,t){var n;try{var r=Array.from((null===(n=e.sheet)||void 0===n?void 0:n.cssRules)||[]).map((function(e){return e.cssText}));t.set(e,[{type:yt.Snapshot,cssTexts:r}])}catch(e){}}(o,this.virtualStyleRulesMap);var a=o.children;try{for(var i=r(Array.from(a)),s=i.next();!s.done;s=i.next()){var l=s.value;this.storeState(l)}}catch(e){t={error:e}}finally{try{s&&!s.done&&(n=i.return)&&n.call(i)}finally{if(t)throw t.error}}}},i.prototype.restoreState=function(e){var t,n;if(e.nodeType===e.ELEMENT_NODE){var o=e;if(this.elementStateMap.has(e)){var a=this.elementStateMap.get(e);a.scroll&&(o.scrollLeft=a.scroll[0],o.scrollTop=a.scroll[1]),this.elementStateMap.delete(e)}var i=o.children;try{for(var s=r(Array.from(i)),l=s.next();!l.done;l=s.next()){var c=l.value;this.restoreState(c)}}catch(e){t={error:e}}finally{try{l&&!l.done&&(n=s.return)&&n.call(s)}finally{if(t)throw t.error}}}},i.prototype.restoreNodeSheet=function(e){var t=this.virtualStyleRulesMap.get(e);"STYLE"===e.nodeName&&(t&&bt(t,e))},i.prototype.warnNodeNotFound=function(e,t){this.treeIndex.idRemoved(t)?this.warn("Node with id '".concat(t,"' was previously removed. "),e):this.warn("Node with id '".concat(t,"' not found. "),e)},i.prototype.warnCanvasMutationFailed=function(e,t){this.warn("Has error on canvas update",t,"canvas mutation:",e)},i.prototype.debugNodeNotFound=function(e,t){this.treeIndex.idRemoved(t)?this.debug(Ct,"Node with id '".concat(t,"' was previously removed. "),e):this.debug(Ct,"Node with id '".concat(t,"' not found. "),e)},i.prototype.warn=function(){for(var e=[],t=0;t= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r;\r\n return c > 3 && r && Object.defineProperty(target, key, r), r;\r\n}\r\n\r\nexport function __param(paramIndex, decorator) {\r\n return function (target, key) { decorator(target, key, paramIndex); }\r\n}\r\n\r\nexport function __metadata(metadataKey, metadataValue) {\r\n if (typeof Reflect === \"object\" && typeof Reflect.metadata === \"function\") return Reflect.metadata(metadataKey, metadataValue);\r\n}\r\n\r\nexport function __awaiter(thisArg, _arguments, P, generator) {\r\n function adopt(value) { return value instanceof P ? value : new P(function (resolve) { resolve(value); }); }\r\n return new (P || (P = Promise))(function (resolve, reject) {\r\n function fulfilled(value) { try { step(generator.next(value)); } catch (e) { reject(e); } }\r\n function rejected(value) { try { step(generator[\"throw\"](value)); } catch (e) { reject(e); } }\r\n function step(result) { result.done ? resolve(result.value) : adopt(result.value).then(fulfilled, rejected); }\r\n step((generator = generator.apply(thisArg, _arguments || [])).next());\r\n });\r\n}\r\n\r\nexport function __generator(thisArg, body) {\r\n var _ = { label: 0, sent: function() { if (t[0] & 1) throw t[1]; return t[1]; }, trys: [], ops: [] }, f, y, t, g;\r\n return g = { next: verb(0), \"throw\": verb(1), \"return\": verb(2) }, typeof Symbol === \"function\" && (g[Symbol.iterator] = function() { return this; }), g;\r\n function verb(n) { return function (v) { return step([n, v]); }; }\r\n function step(op) {\r\n if (f) throw new TypeError(\"Generator is already executing.\");\r\n while (_) try {\r\n if (f = 1, y && (t = op[0] & 2 ? y[\"return\"] : op[0] ? y[\"throw\"] || ((t = y[\"return\"]) && t.call(y), 0) : y.next) && !(t = t.call(y, op[1])).done) return t;\r\n if (y = 0, t) op = [op[0] & 2, t.value];\r\n switch (op[0]) {\r\n case 0: case 1: t = op; break;\r\n case 4: _.label++; return { value: op[1], done: false };\r\n case 5: _.label++; y = op[1]; op = [0]; continue;\r\n case 7: op = _.ops.pop(); _.trys.pop(); continue;\r\n default:\r\n if (!(t = _.trys, t = t.length > 0 && t[t.length - 1]) && (op[0] === 6 || op[0] === 2)) { _ = 0; continue; }\r\n if (op[0] === 3 && (!t || (op[1] > t[0] && op[1] < t[3]))) { _.label = op[1]; break; }\r\n if (op[0] === 6 && _.label < t[1]) { _.label = t[1]; t = op; break; }\r\n if (t && _.label < t[2]) { _.label = t[2]; _.ops.push(op); break; }\r\n if (t[2]) _.ops.pop();\r\n _.trys.pop(); continue;\r\n }\r\n op = body.call(thisArg, _);\r\n } catch (e) { op = [6, e]; y = 0; } finally { f = t = 0; }\r\n if (op[0] & 5) throw op[1]; return { value: op[0] ? op[1] : void 0, done: true };\r\n }\r\n}\r\n\r\nexport var __createBinding = Object.create ? (function(o, m, k, k2) {\r\n if (k2 === undefined) k2 = k;\r\n Object.defineProperty(o, k2, { enumerable: true, get: function() { return m[k]; } });\r\n}) : (function(o, m, k, k2) {\r\n if (k2 === undefined) k2 = k;\r\n o[k2] = m[k];\r\n});\r\n\r\nexport function __exportStar(m, o) {\r\n for (var p in m) if (p !== \"default\" && !Object.prototype.hasOwnProperty.call(o, p)) __createBinding(o, m, p);\r\n}\r\n\r\nexport function __values(o) {\r\n var s = typeof Symbol === \"function\" && Symbol.iterator, m = s && o[s], i = 0;\r\n if (m) return m.call(o);\r\n if (o && typeof o.length === \"number\") return {\r\n next: function () {\r\n if (o && i >= o.length) o = void 0;\r\n return { value: o && o[i++], done: !o };\r\n }\r\n };\r\n throw new TypeError(s ? \"Object is not iterable.\" : \"Symbol.iterator is not defined.\");\r\n}\r\n\r\nexport function __read(o, n) {\r\n var m = typeof Symbol === \"function\" && o[Symbol.iterator];\r\n if (!m) return o;\r\n var i = m.call(o), r, ar = [], e;\r\n try {\r\n while ((n === void 0 || n-- > 0) && !(r = i.next()).done) ar.push(r.value);\r\n }\r\n catch (error) { e = { error: error }; }\r\n finally {\r\n try {\r\n if (r && !r.done && (m = i[\"return\"])) m.call(i);\r\n }\r\n finally { if (e) throw e.error; }\r\n }\r\n return ar;\r\n}\r\n\r\n/** @deprecated */\r\nexport function __spread() {\r\n for (var ar = [], i = 0; i < arguments.length; i++)\r\n ar = ar.concat(__read(arguments[i]));\r\n return ar;\r\n}\r\n\r\n/** @deprecated */\r\nexport function __spreadArrays() {\r\n for (var s = 0, i = 0, il = arguments.length; i < il; i++) s += arguments[i].length;\r\n for (var r = Array(s), k = 0, i = 0; i < il; i++)\r\n for (var a = arguments[i], j = 0, jl = a.length; j < jl; j++, k++)\r\n r[k] = a[j];\r\n return r;\r\n}\r\n\r\nexport function __spreadArray(to, from, pack) {\r\n if (pack || arguments.length === 2) for (var i = 0, l = from.length, ar; i < l; i++) {\r\n if (ar || !(i in from)) {\r\n if (!ar) ar = Array.prototype.slice.call(from, 0, i);\r\n ar[i] = from[i];\r\n }\r\n }\r\n return to.concat(ar || Array.prototype.slice.call(from));\r\n}\r\n\r\nexport function __await(v) {\r\n return this instanceof __await ? (this.v = v, this) : new __await(v);\r\n}\r\n\r\nexport function __asyncGenerator(thisArg, _arguments, generator) {\r\n if (!Symbol.asyncIterator) throw new TypeError(\"Symbol.asyncIterator is not defined.\");\r\n var g = generator.apply(thisArg, _arguments || []), i, q = [];\r\n return i = {}, verb(\"next\"), verb(\"throw\"), verb(\"return\"), i[Symbol.asyncIterator] = function () { return this; }, i;\r\n function verb(n) { if (g[n]) i[n] = function (v) { return new Promise(function (a, b) { q.push([n, v, a, b]) > 1 || resume(n, v); }); }; }\r\n function resume(n, v) { try { step(g[n](v)); } catch (e) { settle(q[0][3], e); } }\r\n function step(r) { r.value instanceof __await ? Promise.resolve(r.value.v).then(fulfill, reject) : settle(q[0][2], r); }\r\n function fulfill(value) { resume(\"next\", value); }\r\n function reject(value) { resume(\"throw\", value); }\r\n function settle(f, v) { if (f(v), q.shift(), q.length) resume(q[0][0], q[0][1]); }\r\n}\r\n\r\nexport function __asyncDelegator(o) {\r\n var i, p;\r\n return i = {}, verb(\"next\"), verb(\"throw\", function (e) { throw e; }), verb(\"return\"), i[Symbol.iterator] = function () { return this; }, i;\r\n function verb(n, f) { i[n] = o[n] ? function (v) { return (p = !p) ? { value: __await(o[n](v)), done: n === \"return\" } : f ? f(v) : v; } : f; }\r\n}\r\n\r\nexport function __asyncValues(o) {\r\n if (!Symbol.asyncIterator) throw new TypeError(\"Symbol.asyncIterator is not defined.\");\r\n var m = o[Symbol.asyncIterator], i;\r\n return m ? m.call(o) : (o = typeof __values === \"function\" ? __values(o) : o[Symbol.iterator](), i = {}, verb(\"next\"), verb(\"throw\"), verb(\"return\"), i[Symbol.asyncIterator] = function () { return this; }, i);\r\n function verb(n) { i[n] = o[n] && function (v) { return new Promise(function (resolve, reject) { v = o[n](v), settle(resolve, reject, v.done, v.value); }); }; }\r\n function settle(resolve, reject, d, v) { Promise.resolve(v).then(function(v) { resolve({ value: v, done: d }); }, reject); }\r\n}\r\n\r\nexport function __makeTemplateObject(cooked, raw) {\r\n if (Object.defineProperty) { Object.defineProperty(cooked, \"raw\", { value: raw }); } else { cooked.raw = raw; }\r\n return cooked;\r\n};\r\n\r\nvar __setModuleDefault = Object.create ? (function(o, v) {\r\n Object.defineProperty(o, \"default\", { enumerable: true, value: v });\r\n}) : function(o, v) {\r\n o[\"default\"] = v;\r\n};\r\n\r\nexport function __importStar(mod) {\r\n if (mod && mod.__esModule) return mod;\r\n var result = {};\r\n if (mod != null) for (var k in mod) if (k !== \"default\" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding(result, mod, k);\r\n __setModuleDefault(result, mod);\r\n return result;\r\n}\r\n\r\nexport function __importDefault(mod) {\r\n return (mod && mod.__esModule) ? mod : { default: mod };\r\n}\r\n\r\nexport function __classPrivateFieldGet(receiver, state, kind, f) {\r\n if (kind === \"a\" && !f) throw new TypeError(\"Private accessor was defined without a getter\");\r\n if (typeof state === \"function\" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError(\"Cannot read private member from an object whose class did not declare it\");\r\n return kind === \"m\" ? f : kind === \"a\" ? f.call(receiver) : f ? f.value : state.get(receiver);\r\n}\r\n\r\nexport function __classPrivateFieldSet(receiver, state, value, kind, f) {\r\n if (kind === \"m\") throw new TypeError(\"Private method is not writable\");\r\n if (kind === \"a\" && !f) throw new TypeError(\"Private accessor was defined without a setter\");\r\n if (typeof state === \"function\" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError(\"Cannot write private member to an object whose class did not declare it\");\r\n return (kind === \"a\" ? f.call(receiver, value) : f ? f.value = value : state.set(receiver, value)), value;\r\n}\r\n","var NodeType;\n(function (NodeType) {\n NodeType[NodeType[\"Document\"] = 0] = \"Document\";\n NodeType[NodeType[\"DocumentType\"] = 1] = \"DocumentType\";\n NodeType[NodeType[\"Element\"] = 2] = \"Element\";\n NodeType[NodeType[\"Text\"] = 3] = \"Text\";\n NodeType[NodeType[\"CDATA\"] = 4] = \"CDATA\";\n NodeType[NodeType[\"Comment\"] = 5] = \"Comment\";\n})(NodeType || (NodeType = {}));\n\nfunction isElement(n) {\n return n.nodeType === n.ELEMENT_NODE;\n}\nfunction isShadowRoot(n) {\n var _a;\n var host = (_a = n) === null || _a === void 0 ? void 0 : _a.host;\n return Boolean(host && host.shadowRoot && host.shadowRoot === n);\n}\nfunction maskInputValue(_a) {\n var maskInputOptions = _a.maskInputOptions, tagName = _a.tagName, type = _a.type, value = _a.value, maskInputFn = _a.maskInputFn;\n var text = value || '';\n if (maskInputOptions[tagName.toLowerCase()] ||\n maskInputOptions[type]) {\n if (maskInputFn) {\n text = maskInputFn(text);\n }\n else {\n text = '*'.repeat(text.length);\n }\n }\n return text;\n}\nvar ORIGINAL_ATTRIBUTE_NAME = '__rrweb_original__';\nfunction is2DCanvasBlank(canvas) {\n var ctx = canvas.getContext('2d');\n if (!ctx)\n return true;\n var chunkSize = 50;\n for (var x = 0; x < canvas.width; x += chunkSize) {\n for (var y = 0; y < canvas.height; y += chunkSize) {\n var getImageData = ctx.getImageData;\n var originalGetImageData = ORIGINAL_ATTRIBUTE_NAME in getImageData\n ? getImageData[ORIGINAL_ATTRIBUTE_NAME]\n : getImageData;\n var pixelBuffer = new Uint32Array(originalGetImageData.call(ctx, x, y, Math.min(chunkSize, canvas.width - x), Math.min(chunkSize, canvas.height - y)).data.buffer);\n if (pixelBuffer.some(function (pixel) { return pixel !== 0; }))\n return false;\n }\n }\n return true;\n}\n\nvar _id = 1;\nvar tagNameRegex = new RegExp('[^a-z0-9-_:]');\nvar IGNORED_NODE = -2;\nfunction genId() {\n return _id++;\n}\nfunction getValidTagName(element) {\n if (element instanceof HTMLFormElement) {\n return 'form';\n }\n var processedTagName = element.tagName.toLowerCase().trim();\n if (tagNameRegex.test(processedTagName)) {\n return 'div';\n }\n return processedTagName;\n}\nfunction getCssRulesString(s) {\n try {\n var rules = s.rules || s.cssRules;\n return rules ? Array.from(rules).map(getCssRuleString).join('') : null;\n }\n catch (error) {\n return null;\n }\n}\nfunction getCssRuleString(rule) {\n var cssStringified = rule.cssText;\n if (isCSSImportRule(rule)) {\n try {\n cssStringified = getCssRulesString(rule.styleSheet) || cssStringified;\n }\n catch (_a) {\n }\n }\n return cssStringified;\n}\nfunction isCSSImportRule(rule) {\n return 'styleSheet' in rule;\n}\nfunction stringifyStyleSheet(sheet) {\n return sheet.cssRules\n ? Array.from(sheet.cssRules)\n .map(function (rule) { return rule.cssText || ''; })\n .join('')\n : '';\n}\nfunction extractOrigin(url) {\n var origin = '';\n if (url.indexOf('//') > -1) {\n origin = url.split('/').slice(0, 3).join('/');\n }\n else {\n origin = url.split('/')[0];\n }\n origin = origin.split('?')[0];\n return origin;\n}\nvar canvasService;\nvar canvasCtx;\nvar URL_IN_CSS_REF = /url\\((?:(')([^']*)'|(\")(.*?)\"|([^)]*))\\)/gm;\nvar RELATIVE_PATH = /^(?!www\\.|(?:http|ftp)s?:\\/\\/|[A-Za-z]:\\\\|\\/\\/|#).*/;\nvar DATA_URI = /^(data:)([^,]*),(.*)/i;\nfunction absoluteToStylesheet(cssText, href) {\n return (cssText || '').replace(URL_IN_CSS_REF, function (origin, quote1, path1, quote2, path2, path3) {\n var filePath = path1 || path2 || path3;\n var maybeQuote = quote1 || quote2 || '';\n if (!filePath) {\n return origin;\n }\n if (!RELATIVE_PATH.test(filePath)) {\n return \"url(\" + maybeQuote + filePath + maybeQuote + \")\";\n }\n if (DATA_URI.test(filePath)) {\n return \"url(\" + maybeQuote + filePath + maybeQuote + \")\";\n }\n if (filePath[0] === '/') {\n return \"url(\" + maybeQuote + (extractOrigin(href) + filePath) + maybeQuote + \")\";\n }\n var stack = href.split('/');\n var parts = filePath.split('/');\n stack.pop();\n for (var _i = 0, parts_1 = parts; _i < parts_1.length; _i++) {\n var part = parts_1[_i];\n if (part === '.') {\n continue;\n }\n else if (part === '..') {\n stack.pop();\n }\n else {\n stack.push(part);\n }\n }\n return \"url(\" + maybeQuote + stack.join('/') + maybeQuote + \")\";\n });\n}\nvar SRCSET_NOT_SPACES = /^[^ \\t\\n\\r\\u000c]+/;\nvar SRCSET_COMMAS_OR_SPACES = /^[, \\t\\n\\r\\u000c]+/;\nfunction getAbsoluteSrcsetString(doc, attributeValue) {\n if (attributeValue.trim() === '') {\n return attributeValue;\n }\n var pos = 0;\n function collectCharacters(regEx) {\n var chars;\n var match = regEx.exec(attributeValue.substring(pos));\n if (match) {\n chars = match[0];\n pos += chars.length;\n return chars;\n }\n return '';\n }\n var output = [];\n while (true) {\n collectCharacters(SRCSET_COMMAS_OR_SPACES);\n if (pos >= attributeValue.length) {\n break;\n }\n var url = collectCharacters(SRCSET_NOT_SPACES);\n if (url.slice(-1) === ',') {\n url = absoluteToDoc(doc, url.substring(0, url.length - 1));\n output.push(url);\n }\n else {\n var descriptorsStr = '';\n url = absoluteToDoc(doc, url);\n var inParens = false;\n while (true) {\n var c = attributeValue.charAt(pos);\n if (c === '') {\n output.push((url + descriptorsStr).trim());\n break;\n }\n else if (!inParens) {\n if (c === ',') {\n pos += 1;\n output.push((url + descriptorsStr).trim());\n break;\n }\n else if (c === '(') {\n inParens = true;\n }\n }\n else {\n if (c === ')') {\n inParens = false;\n }\n }\n descriptorsStr += c;\n pos += 1;\n }\n }\n }\n return output.join(', ');\n}\nfunction absoluteToDoc(doc, attributeValue) {\n if (!attributeValue || attributeValue.trim() === '') {\n return attributeValue;\n }\n var a = doc.createElement('a');\n a.href = attributeValue;\n return a.href;\n}\nfunction isSVGElement(el) {\n return Boolean(el.tagName === 'svg' || el.ownerSVGElement);\n}\nfunction getHref() {\n var a = document.createElement('a');\n a.href = '';\n return a.href;\n}\nfunction transformAttribute(doc, tagName, name, value) {\n if (name === 'src' || (name === 'href' && value)) {\n return absoluteToDoc(doc, value);\n }\n else if (name === 'xlink:href' && value && value[0] !== '#') {\n return absoluteToDoc(doc, value);\n }\n else if (name === 'background' &&\n value &&\n (tagName === 'table' || tagName === 'td' || tagName === 'th')) {\n return absoluteToDoc(doc, value);\n }\n else if (name === 'srcset' && value) {\n return getAbsoluteSrcsetString(doc, value);\n }\n else if (name === 'style' && value) {\n return absoluteToStylesheet(value, getHref());\n }\n else if (tagName === 'object' && name === 'data' && value) {\n return absoluteToDoc(doc, value);\n }\n else {\n return value;\n }\n}\nfunction _isBlockedElement(element, blockClass, blockSelector) {\n if (typeof blockClass === 'string') {\n if (element.classList.contains(blockClass)) {\n return true;\n }\n }\n else {\n for (var eIndex = 0; eIndex < element.classList.length; eIndex++) {\n var className = element.classList[eIndex];\n if (blockClass.test(className)) {\n return true;\n }\n }\n }\n if (blockSelector) {\n return element.matches(blockSelector);\n }\n return false;\n}\nfunction needMaskingText(node, maskTextClass, maskTextSelector) {\n if (!node) {\n return false;\n }\n if (node.nodeType === node.ELEMENT_NODE) {\n if (typeof maskTextClass === 'string') {\n if (node.classList.contains(maskTextClass)) {\n return true;\n }\n }\n else {\n for (var eIndex = 0; eIndex < node.classList.length; eIndex++) {\n var className = node.classList[eIndex];\n if (maskTextClass.test(className)) {\n return true;\n }\n }\n }\n if (maskTextSelector) {\n if (node.matches(maskTextSelector)) {\n return true;\n }\n }\n return needMaskingText(node.parentNode, maskTextClass, maskTextSelector);\n }\n if (node.nodeType === node.TEXT_NODE) {\n return needMaskingText(node.parentNode, maskTextClass, maskTextSelector);\n }\n return needMaskingText(node.parentNode, maskTextClass, maskTextSelector);\n}\nfunction onceIframeLoaded(iframeEl, listener, iframeLoadTimeout) {\n var win = iframeEl.contentWindow;\n if (!win) {\n return;\n }\n var fired = false;\n var readyState;\n try {\n readyState = win.document.readyState;\n }\n catch (error) {\n return;\n }\n if (readyState !== 'complete') {\n var timer_1 = setTimeout(function () {\n if (!fired) {\n listener();\n fired = true;\n }\n }, iframeLoadTimeout);\n iframeEl.addEventListener('load', function () {\n clearTimeout(timer_1);\n fired = true;\n listener();\n });\n return;\n }\n var blankUrl = 'about:blank';\n if (win.location.href !== blankUrl ||\n iframeEl.src === blankUrl ||\n iframeEl.src === '') {\n setTimeout(listener, 0);\n return;\n }\n iframeEl.addEventListener('load', listener);\n}\nfunction serializeNode(n, options) {\n var _a;\n var doc = options.doc, blockClass = options.blockClass, blockSelector = options.blockSelector, maskTextClass = options.maskTextClass, maskTextSelector = options.maskTextSelector, inlineStylesheet = options.inlineStylesheet, _b = options.maskInputOptions, maskInputOptions = _b === void 0 ? {} : _b, maskTextFn = options.maskTextFn, maskInputFn = options.maskInputFn, _c = options.dataURLOptions, dataURLOptions = _c === void 0 ? {} : _c, inlineImages = options.inlineImages, recordCanvas = options.recordCanvas, keepIframeSrcFn = options.keepIframeSrcFn;\n var rootId;\n if (doc.__sn) {\n var docId = doc.__sn.id;\n rootId = docId === 1 ? undefined : docId;\n }\n switch (n.nodeType) {\n case n.DOCUMENT_NODE:\n if (n.compatMode !== 'CSS1Compat') {\n return {\n type: NodeType.Document,\n childNodes: [],\n compatMode: n.compatMode,\n rootId: rootId\n };\n }\n else {\n return {\n type: NodeType.Document,\n childNodes: [],\n rootId: rootId\n };\n }\n case n.DOCUMENT_TYPE_NODE:\n return {\n type: NodeType.DocumentType,\n name: n.name,\n publicId: n.publicId,\n systemId: n.systemId,\n rootId: rootId\n };\n case n.ELEMENT_NODE:\n var needBlock = _isBlockedElement(n, blockClass, blockSelector);\n var tagName = getValidTagName(n);\n var attributes_1 = {};\n for (var _i = 0, _d = Array.from(n.attributes); _i < _d.length; _i++) {\n var _e = _d[_i], name_1 = _e.name, value = _e.value;\n attributes_1[name_1] = transformAttribute(doc, tagName, name_1, value);\n }\n if (tagName === 'link' && inlineStylesheet) {\n var stylesheet = Array.from(doc.styleSheets).find(function (s) {\n return s.href === n.href;\n });\n var cssText = null;\n if (stylesheet) {\n cssText = getCssRulesString(stylesheet);\n }\n if (cssText) {\n delete attributes_1.rel;\n delete attributes_1.href;\n attributes_1._cssText = absoluteToStylesheet(cssText, stylesheet.href);\n }\n }\n if (tagName === 'style' &&\n n.sheet &&\n !(n.innerText ||\n n.textContent ||\n '').trim().length) {\n var cssText = getCssRulesString(n.sheet);\n if (cssText) {\n attributes_1._cssText = absoluteToStylesheet(cssText, getHref());\n }\n }\n if (tagName === 'input' ||\n tagName === 'textarea' ||\n tagName === 'select') {\n var value = n.value;\n if (attributes_1.type !== 'radio' &&\n attributes_1.type !== 'checkbox' &&\n attributes_1.type !== 'submit' &&\n attributes_1.type !== 'button' &&\n value) {\n attributes_1.value = maskInputValue({\n type: attributes_1.type,\n tagName: tagName,\n value: value,\n maskInputOptions: maskInputOptions,\n maskInputFn: maskInputFn\n });\n }\n else if (n.checked) {\n attributes_1.checked = n.checked;\n }\n }\n if (tagName === 'option') {\n if (n.selected && !maskInputOptions['select']) {\n attributes_1.selected = true;\n }\n else {\n delete attributes_1.selected;\n }\n }\n if (tagName === 'canvas' && recordCanvas) {\n if (n.__context === '2d') {\n if (!is2DCanvasBlank(n)) {\n attributes_1.rr_dataURL = n.toDataURL(dataURLOptions.type, dataURLOptions.quality);\n }\n }\n else if (!('__context' in n)) {\n var canvasDataURL = n.toDataURL(dataURLOptions.type, dataURLOptions.quality);\n var blankCanvas = document.createElement('canvas');\n blankCanvas.width = n.width;\n blankCanvas.height = n.height;\n var blankCanvasDataURL = blankCanvas.toDataURL(dataURLOptions.type, dataURLOptions.quality);\n if (canvasDataURL !== blankCanvasDataURL) {\n attributes_1.rr_dataURL = canvasDataURL;\n }\n }\n }\n if (tagName === 'img' && inlineImages) {\n if (!canvasService) {\n canvasService = doc.createElement('canvas');\n canvasCtx = canvasService.getContext('2d');\n }\n var image_1 = n;\n var oldValue_1 = image_1.crossOrigin;\n image_1.crossOrigin = 'anonymous';\n var recordInlineImage = function () {\n try {\n canvasService.width = image_1.naturalWidth;\n canvasService.height = image_1.naturalHeight;\n canvasCtx.drawImage(image_1, 0, 0);\n attributes_1.rr_dataURL = canvasService.toDataURL(dataURLOptions.type, dataURLOptions.quality);\n }\n catch (err) {\n console.warn(\"Cannot inline img src=\" + image_1.currentSrc + \"! Error: \" + err);\n }\n oldValue_1\n ? (attributes_1.crossOrigin = oldValue_1)\n : delete attributes_1.crossOrigin;\n };\n if (image_1.complete && image_1.naturalWidth !== 0)\n recordInlineImage();\n else\n image_1.onload = recordInlineImage;\n }\n if (tagName === 'audio' || tagName === 'video') {\n attributes_1.rr_mediaState = n.paused\n ? 'paused'\n : 'played';\n attributes_1.rr_mediaCurrentTime = n.currentTime;\n }\n if (n.scrollLeft) {\n attributes_1.rr_scrollLeft = n.scrollLeft;\n }\n if (n.scrollTop) {\n attributes_1.rr_scrollTop = n.scrollTop;\n }\n if (needBlock) {\n var _f = n.getBoundingClientRect(), width = _f.width, height = _f.height;\n attributes_1 = {\n \"class\": attributes_1[\"class\"],\n rr_width: width + \"px\",\n rr_height: height + \"px\"\n };\n }\n if (tagName === 'iframe' && !keepIframeSrcFn(attributes_1.src)) {\n if (!n.contentDocument) {\n attributes_1.rr_src = attributes_1.src;\n }\n delete attributes_1.src;\n }\n return {\n type: NodeType.Element,\n tagName: tagName,\n attributes: attributes_1,\n childNodes: [],\n isSVG: isSVGElement(n) || undefined,\n needBlock: needBlock,\n rootId: rootId\n };\n case n.TEXT_NODE:\n var parentTagName = n.parentNode && n.parentNode.tagName;\n var textContent = n.textContent;\n var isStyle = parentTagName === 'STYLE' ? true : undefined;\n var isScript = parentTagName === 'SCRIPT' ? true : undefined;\n if (isStyle && textContent) {\n try {\n if (n.nextSibling || n.previousSibling) {\n }\n else if ((_a = n.parentNode.sheet) === null || _a === void 0 ? void 0 : _a.cssRules) {\n textContent = stringifyStyleSheet(n.parentNode.sheet);\n }\n }\n catch (err) {\n console.warn(\"Cannot get CSS styles from text's parentNode. Error: \" + err, n);\n }\n textContent = absoluteToStylesheet(textContent, getHref());\n }\n if (isScript) {\n textContent = 'SCRIPT_PLACEHOLDER';\n }\n if (!isStyle &&\n !isScript &&\n needMaskingText(n, maskTextClass, maskTextSelector) &&\n textContent) {\n textContent = maskTextFn\n ? maskTextFn(textContent)\n : textContent.replace(/[\\S]/g, '*');\n }\n return {\n type: NodeType.Text,\n textContent: textContent || '',\n isStyle: isStyle,\n rootId: rootId\n };\n case n.CDATA_SECTION_NODE:\n return {\n type: NodeType.CDATA,\n textContent: '',\n rootId: rootId\n };\n case n.COMMENT_NODE:\n return {\n type: NodeType.Comment,\n textContent: n.textContent || '',\n rootId: rootId\n };\n default:\n return false;\n }\n}\nfunction lowerIfExists(maybeAttr) {\n if (maybeAttr === undefined) {\n return '';\n }\n else {\n return maybeAttr.toLowerCase();\n }\n}\nfunction slimDOMExcluded(sn, slimDOMOptions) {\n if (slimDOMOptions.comment && sn.type === NodeType.Comment) {\n return true;\n }\n else if (sn.type === NodeType.Element) {\n if (slimDOMOptions.script &&\n (sn.tagName === 'script' ||\n (sn.tagName === 'link' &&\n sn.attributes.rel === 'preload' &&\n sn.attributes.as === 'script') ||\n (sn.tagName === 'link' &&\n sn.attributes.rel === 'prefetch' &&\n typeof sn.attributes.href === 'string' &&\n sn.attributes.href.endsWith('.js')))) {\n return true;\n }\n else if (slimDOMOptions.headFavicon &&\n ((sn.tagName === 'link' && sn.attributes.rel === 'shortcut icon') ||\n (sn.tagName === 'meta' &&\n (lowerIfExists(sn.attributes.name).match(/^msapplication-tile(image|color)$/) ||\n lowerIfExists(sn.attributes.name) === 'application-name' ||\n lowerIfExists(sn.attributes.rel) === 'icon' ||\n lowerIfExists(sn.attributes.rel) === 'apple-touch-icon' ||\n lowerIfExists(sn.attributes.rel) === 'shortcut icon')))) {\n return true;\n }\n else if (sn.tagName === 'meta') {\n if (slimDOMOptions.headMetaDescKeywords &&\n lowerIfExists(sn.attributes.name).match(/^description|keywords$/)) {\n return true;\n }\n else if (slimDOMOptions.headMetaSocial &&\n (lowerIfExists(sn.attributes.property).match(/^(og|twitter|fb):/) ||\n lowerIfExists(sn.attributes.name).match(/^(og|twitter):/) ||\n lowerIfExists(sn.attributes.name) === 'pinterest')) {\n return true;\n }\n else if (slimDOMOptions.headMetaRobots &&\n (lowerIfExists(sn.attributes.name) === 'robots' ||\n lowerIfExists(sn.attributes.name) === 'googlebot' ||\n lowerIfExists(sn.attributes.name) === 'bingbot')) {\n return true;\n }\n else if (slimDOMOptions.headMetaHttpEquiv &&\n sn.attributes['http-equiv'] !== undefined) {\n return true;\n }\n else if (slimDOMOptions.headMetaAuthorship &&\n (lowerIfExists(sn.attributes.name) === 'author' ||\n lowerIfExists(sn.attributes.name) === 'generator' ||\n lowerIfExists(sn.attributes.name) === 'framework' ||\n lowerIfExists(sn.attributes.name) === 'publisher' ||\n lowerIfExists(sn.attributes.name) === 'progid' ||\n lowerIfExists(sn.attributes.property).match(/^article:/) ||\n lowerIfExists(sn.attributes.property).match(/^product:/))) {\n return true;\n }\n else if (slimDOMOptions.headMetaVerification &&\n (lowerIfExists(sn.attributes.name) === 'google-site-verification' ||\n lowerIfExists(sn.attributes.name) === 'yandex-verification' ||\n lowerIfExists(sn.attributes.name) === 'csrf-token' ||\n lowerIfExists(sn.attributes.name) === 'p:domain_verify' ||\n lowerIfExists(sn.attributes.name) === 'verify-v1' ||\n lowerIfExists(sn.attributes.name) === 'verification' ||\n lowerIfExists(sn.attributes.name) === 'shopify-checkout-api-token')) {\n return true;\n }\n }\n }\n return false;\n}\nfunction serializeNodeWithId(n, options) {\n var doc = options.doc, map = options.map, blockClass = options.blockClass, blockSelector = options.blockSelector, maskTextClass = options.maskTextClass, maskTextSelector = options.maskTextSelector, _a = options.skipChild, skipChild = _a === void 0 ? false : _a, _b = options.inlineStylesheet, inlineStylesheet = _b === void 0 ? true : _b, _c = options.maskInputOptions, maskInputOptions = _c === void 0 ? {} : _c, maskTextFn = options.maskTextFn, maskInputFn = options.maskInputFn, slimDOMOptions = options.slimDOMOptions, _d = options.dataURLOptions, dataURLOptions = _d === void 0 ? {} : _d, _e = options.inlineImages, inlineImages = _e === void 0 ? false : _e, _f = options.recordCanvas, recordCanvas = _f === void 0 ? false : _f, onSerialize = options.onSerialize, onIframeLoad = options.onIframeLoad, _g = options.iframeLoadTimeout, iframeLoadTimeout = _g === void 0 ? 5000 : _g, _h = options.keepIframeSrcFn, keepIframeSrcFn = _h === void 0 ? function () { return false; } : _h;\n var _j = options.preserveWhiteSpace, preserveWhiteSpace = _j === void 0 ? true : _j;\n var _serializedNode = serializeNode(n, {\n doc: doc,\n blockClass: blockClass,\n blockSelector: blockSelector,\n maskTextClass: maskTextClass,\n maskTextSelector: maskTextSelector,\n inlineStylesheet: inlineStylesheet,\n maskInputOptions: maskInputOptions,\n maskTextFn: maskTextFn,\n maskInputFn: maskInputFn,\n dataURLOptions: dataURLOptions,\n inlineImages: inlineImages,\n recordCanvas: recordCanvas,\n keepIframeSrcFn: keepIframeSrcFn\n });\n if (!_serializedNode) {\n console.warn(n, 'not serialized');\n return null;\n }\n var id;\n if ('__sn' in n) {\n id = n.__sn.id;\n }\n else if (slimDOMExcluded(_serializedNode, slimDOMOptions) ||\n (!preserveWhiteSpace &&\n _serializedNode.type === NodeType.Text &&\n !_serializedNode.isStyle &&\n !_serializedNode.textContent.replace(/^\\s+|\\s+$/gm, '').length)) {\n id = IGNORED_NODE;\n }\n else {\n id = genId();\n }\n var serializedNode = Object.assign(_serializedNode, { id: id });\n n.__sn = serializedNode;\n if (id === IGNORED_NODE) {\n return null;\n }\n map[id] = n;\n if (onSerialize) {\n onSerialize(n);\n }\n var recordChild = !skipChild;\n if (serializedNode.type === NodeType.Element) {\n recordChild = recordChild && !serializedNode.needBlock;\n delete serializedNode.needBlock;\n if (n.shadowRoot)\n serializedNode.isShadowHost = true;\n }\n if ((serializedNode.type === NodeType.Document ||\n serializedNode.type === NodeType.Element) &&\n recordChild) {\n if (slimDOMOptions.headWhitespace &&\n _serializedNode.type === NodeType.Element &&\n _serializedNode.tagName === 'head') {\n preserveWhiteSpace = false;\n }\n var bypassOptions = {\n doc: doc,\n map: map,\n blockClass: blockClass,\n blockSelector: blockSelector,\n maskTextClass: maskTextClass,\n maskTextSelector: maskTextSelector,\n skipChild: skipChild,\n inlineStylesheet: inlineStylesheet,\n maskInputOptions: maskInputOptions,\n maskTextFn: maskTextFn,\n maskInputFn: maskInputFn,\n slimDOMOptions: slimDOMOptions,\n dataURLOptions: dataURLOptions,\n inlineImages: inlineImages,\n recordCanvas: recordCanvas,\n preserveWhiteSpace: preserveWhiteSpace,\n onSerialize: onSerialize,\n onIframeLoad: onIframeLoad,\n iframeLoadTimeout: iframeLoadTimeout,\n keepIframeSrcFn: keepIframeSrcFn\n };\n for (var _i = 0, _k = Array.from(n.childNodes); _i < _k.length; _i++) {\n var childN = _k[_i];\n var serializedChildNode = serializeNodeWithId(childN, bypassOptions);\n if (serializedChildNode) {\n serializedNode.childNodes.push(serializedChildNode);\n }\n }\n if (isElement(n) && n.shadowRoot) {\n for (var _l = 0, _m = Array.from(n.shadowRoot.childNodes); _l < _m.length; _l++) {\n var childN = _m[_l];\n var serializedChildNode = serializeNodeWithId(childN, bypassOptions);\n if (serializedChildNode) {\n serializedChildNode.isShadow = true;\n serializedNode.childNodes.push(serializedChildNode);\n }\n }\n }\n }\n if (n.parentNode && isShadowRoot(n.parentNode)) {\n serializedNode.isShadow = true;\n }\n if (serializedNode.type === NodeType.Element &&\n serializedNode.tagName === 'iframe') {\n onceIframeLoaded(n, function () {\n var iframeDoc = n.contentDocument;\n if (iframeDoc && onIframeLoad) {\n var serializedIframeNode = serializeNodeWithId(iframeDoc, {\n doc: iframeDoc,\n map: map,\n blockClass: blockClass,\n blockSelector: blockSelector,\n maskTextClass: maskTextClass,\n maskTextSelector: maskTextSelector,\n skipChild: false,\n inlineStylesheet: inlineStylesheet,\n maskInputOptions: maskInputOptions,\n maskTextFn: maskTextFn,\n maskInputFn: maskInputFn,\n slimDOMOptions: slimDOMOptions,\n dataURLOptions: dataURLOptions,\n inlineImages: inlineImages,\n recordCanvas: recordCanvas,\n preserveWhiteSpace: preserveWhiteSpace,\n onSerialize: onSerialize,\n onIframeLoad: onIframeLoad,\n iframeLoadTimeout: iframeLoadTimeout,\n keepIframeSrcFn: keepIframeSrcFn\n });\n if (serializedIframeNode) {\n onIframeLoad(n, serializedIframeNode);\n }\n }\n }, iframeLoadTimeout);\n }\n return serializedNode;\n}\nfunction snapshot(n, options) {\n var _a = options || {}, _b = _a.blockClass, blockClass = _b === void 0 ? 'rr-block' : _b, _c = _a.blockSelector, blockSelector = _c === void 0 ? null : _c, _d = _a.maskTextClass, maskTextClass = _d === void 0 ? 'rr-mask' : _d, _e = _a.maskTextSelector, maskTextSelector = _e === void 0 ? null : _e, _f = _a.inlineStylesheet, inlineStylesheet = _f === void 0 ? true : _f, _g = _a.inlineImages, inlineImages = _g === void 0 ? false : _g, _h = _a.recordCanvas, recordCanvas = _h === void 0 ? false : _h, _j = _a.maskAllInputs, maskAllInputs = _j === void 0 ? false : _j, maskTextFn = _a.maskTextFn, maskInputFn = _a.maskInputFn, _k = _a.slimDOM, slimDOM = _k === void 0 ? false : _k, dataURLOptions = _a.dataURLOptions, preserveWhiteSpace = _a.preserveWhiteSpace, onSerialize = _a.onSerialize, onIframeLoad = _a.onIframeLoad, iframeLoadTimeout = _a.iframeLoadTimeout, _l = _a.keepIframeSrcFn, keepIframeSrcFn = _l === void 0 ? function () { return false; } : _l;\n var idNodeMap = {};\n var maskInputOptions = maskAllInputs === true\n ? {\n color: true,\n date: true,\n 'datetime-local': true,\n email: true,\n month: true,\n number: true,\n range: true,\n search: true,\n tel: true,\n text: true,\n time: true,\n url: true,\n week: true,\n textarea: true,\n select: true,\n password: true\n }\n : maskAllInputs === false\n ? {\n password: true\n }\n : maskAllInputs;\n var slimDOMOptions = slimDOM === true || slimDOM === 'all'\n ?\n {\n script: true,\n comment: true,\n headFavicon: true,\n headWhitespace: true,\n headMetaDescKeywords: slimDOM === 'all',\n headMetaSocial: true,\n headMetaRobots: true,\n headMetaHttpEquiv: true,\n headMetaAuthorship: true,\n headMetaVerification: true\n }\n : slimDOM === false\n ? {}\n : slimDOM;\n return [\n serializeNodeWithId(n, {\n doc: n,\n map: idNodeMap,\n blockClass: blockClass,\n blockSelector: blockSelector,\n maskTextClass: maskTextClass,\n maskTextSelector: maskTextSelector,\n skipChild: false,\n inlineStylesheet: inlineStylesheet,\n maskInputOptions: maskInputOptions,\n maskTextFn: maskTextFn,\n maskInputFn: maskInputFn,\n slimDOMOptions: slimDOMOptions,\n dataURLOptions: dataURLOptions,\n inlineImages: inlineImages,\n recordCanvas: recordCanvas,\n preserveWhiteSpace: preserveWhiteSpace,\n onSerialize: onSerialize,\n onIframeLoad: onIframeLoad,\n iframeLoadTimeout: iframeLoadTimeout,\n keepIframeSrcFn: keepIframeSrcFn\n }),\n idNodeMap,\n ];\n}\nfunction visitSnapshot(node, onVisit) {\n function walk(current) {\n onVisit(current);\n if (current.type === NodeType.Document ||\n current.type === NodeType.Element) {\n current.childNodes.forEach(walk);\n }\n }\n walk(node);\n}\nfunction cleanupSnapshot() {\n _id = 1;\n}\n\nvar commentre = /\\/\\*[^*]*\\*+([^/*][^*]*\\*+)*\\//g;\nfunction parse(css, options) {\n if (options === void 0) { options = {}; }\n var lineno = 1;\n var column = 1;\n function updatePosition(str) {\n var lines = str.match(/\\n/g);\n if (lines) {\n lineno += lines.length;\n }\n var i = str.lastIndexOf('\\n');\n column = i === -1 ? column + str.length : str.length - i;\n }\n function position() {\n var start = { line: lineno, column: column };\n return function (node) {\n node.position = new Position(start);\n whitespace();\n return node;\n };\n }\n var Position = (function () {\n function Position(start) {\n this.start = start;\n this.end = { line: lineno, column: column };\n this.source = options.source;\n }\n return Position;\n }());\n Position.prototype.content = css;\n var errorsList = [];\n function error(msg) {\n var err = new Error(options.source + ':' + lineno + ':' + column + ': ' + msg);\n err.reason = msg;\n err.filename = options.source;\n err.line = lineno;\n err.column = column;\n err.source = css;\n if (options.silent) {\n errorsList.push(err);\n }\n else {\n throw err;\n }\n }\n function stylesheet() {\n var rulesList = rules();\n return {\n type: 'stylesheet',\n stylesheet: {\n source: options.source,\n rules: rulesList,\n parsingErrors: errorsList\n }\n };\n }\n function open() {\n return match(/^{\\s*/);\n }\n function close() {\n return match(/^}/);\n }\n function rules() {\n var node;\n var rules = [];\n whitespace();\n comments(rules);\n while (css.length && css.charAt(0) !== '}' && (node = atrule() || rule())) {\n if (node !== false) {\n rules.push(node);\n comments(rules);\n }\n }\n return rules;\n }\n function match(re) {\n var m = re.exec(css);\n if (!m) {\n return;\n }\n var str = m[0];\n updatePosition(str);\n css = css.slice(str.length);\n return m;\n }\n function whitespace() {\n match(/^\\s*/);\n }\n function comments(rules) {\n if (rules === void 0) { rules = []; }\n var c;\n while ((c = comment())) {\n if (c !== false) {\n rules.push(c);\n }\n c = comment();\n }\n return rules;\n }\n function comment() {\n var pos = position();\n if ('/' !== css.charAt(0) || '*' !== css.charAt(1)) {\n return;\n }\n var i = 2;\n while ('' !== css.charAt(i) &&\n ('*' !== css.charAt(i) || '/' !== css.charAt(i + 1))) {\n ++i;\n }\n i += 2;\n if ('' === css.charAt(i - 1)) {\n return error('End of comment missing');\n }\n var str = css.slice(2, i - 2);\n column += 2;\n updatePosition(str);\n css = css.slice(i);\n column += 2;\n return pos({\n type: 'comment',\n comment: str\n });\n }\n function selector() {\n var m = match(/^([^{]+)/);\n if (!m) {\n return;\n }\n return trim(m[0])\n .replace(/\\/\\*([^*]|[\\r\\n]|(\\*+([^*/]|[\\r\\n])))*\\*\\/+/g, '')\n .replace(/\"(?:\\\\\"|[^\"])*\"|'(?:\\\\'|[^'])*'/g, function (m) {\n return m.replace(/,/g, '\\u200C');\n })\n .split(/\\s*(?![^(]*\\)),\\s*/)\n .map(function (s) {\n return s.replace(/\\u200C/g, ',');\n });\n }\n function declaration() {\n var pos = position();\n var propMatch = match(/^(\\*?[-#\\/\\*\\\\\\w]+(\\[[0-9a-z_-]+\\])?)\\s*/);\n if (!propMatch) {\n return;\n }\n var prop = trim(propMatch[0]);\n if (!match(/^:\\s*/)) {\n return error(\"property missing ':'\");\n }\n var val = match(/^((?:'(?:\\\\'|.)*?'|\"(?:\\\\\"|.)*?\"|\\([^\\)]*?\\)|[^};])+)/);\n var ret = pos({\n type: 'declaration',\n property: prop.replace(commentre, ''),\n value: val ? trim(val[0]).replace(commentre, '') : ''\n });\n match(/^[;\\s]*/);\n return ret;\n }\n function declarations() {\n var decls = [];\n if (!open()) {\n return error(\"missing '{'\");\n }\n comments(decls);\n var decl;\n while ((decl = declaration())) {\n if (decl !== false) {\n decls.push(decl);\n comments(decls);\n }\n decl = declaration();\n }\n if (!close()) {\n return error(\"missing '}'\");\n }\n return decls;\n }\n function keyframe() {\n var m;\n var vals = [];\n var pos = position();\n while ((m = match(/^((\\d+\\.\\d+|\\.\\d+|\\d+)%?|[a-z]+)\\s*/))) {\n vals.push(m[1]);\n match(/^,\\s*/);\n }\n if (!vals.length) {\n return;\n }\n return pos({\n type: 'keyframe',\n values: vals,\n declarations: declarations()\n });\n }\n function atkeyframes() {\n var pos = position();\n var m = match(/^@([-\\w]+)?keyframes\\s*/);\n if (!m) {\n return;\n }\n var vendor = m[1];\n m = match(/^([-\\w]+)\\s*/);\n if (!m) {\n return error('@keyframes missing name');\n }\n var name = m[1];\n if (!open()) {\n return error(\"@keyframes missing '{'\");\n }\n var frame;\n var frames = comments();\n while ((frame = keyframe())) {\n frames.push(frame);\n frames = frames.concat(comments());\n }\n if (!close()) {\n return error(\"@keyframes missing '}'\");\n }\n return pos({\n type: 'keyframes',\n name: name,\n vendor: vendor,\n keyframes: frames\n });\n }\n function atsupports() {\n var pos = position();\n var m = match(/^@supports *([^{]+)/);\n if (!m) {\n return;\n }\n var supports = trim(m[1]);\n if (!open()) {\n return error(\"@supports missing '{'\");\n }\n var style = comments().concat(rules());\n if (!close()) {\n return error(\"@supports missing '}'\");\n }\n return pos({\n type: 'supports',\n supports: supports,\n rules: style\n });\n }\n function athost() {\n var pos = position();\n var m = match(/^@host\\s*/);\n if (!m) {\n return;\n }\n if (!open()) {\n return error(\"@host missing '{'\");\n }\n var style = comments().concat(rules());\n if (!close()) {\n return error(\"@host missing '}'\");\n }\n return pos({\n type: 'host',\n rules: style\n });\n }\n function atmedia() {\n var pos = position();\n var m = match(/^@media *([^{]+)/);\n if (!m) {\n return;\n }\n var media = trim(m[1]);\n if (!open()) {\n return error(\"@media missing '{'\");\n }\n var style = comments().concat(rules());\n if (!close()) {\n return error(\"@media missing '}'\");\n }\n return pos({\n type: 'media',\n media: media,\n rules: style\n });\n }\n function atcustommedia() {\n var pos = position();\n var m = match(/^@custom-media\\s+(--[^\\s]+)\\s*([^{;]+);/);\n if (!m) {\n return;\n }\n return pos({\n type: 'custom-media',\n name: trim(m[1]),\n media: trim(m[2])\n });\n }\n function atpage() {\n var pos = position();\n var m = match(/^@page */);\n if (!m) {\n return;\n }\n var sel = selector() || [];\n if (!open()) {\n return error(\"@page missing '{'\");\n }\n var decls = comments();\n var decl;\n while ((decl = declaration())) {\n decls.push(decl);\n decls = decls.concat(comments());\n }\n if (!close()) {\n return error(\"@page missing '}'\");\n }\n return pos({\n type: 'page',\n selectors: sel,\n declarations: decls\n });\n }\n function atdocument() {\n var pos = position();\n var m = match(/^@([-\\w]+)?document *([^{]+)/);\n if (!m) {\n return;\n }\n var vendor = trim(m[1]);\n var doc = trim(m[2]);\n if (!open()) {\n return error(\"@document missing '{'\");\n }\n var style = comments().concat(rules());\n if (!close()) {\n return error(\"@document missing '}'\");\n }\n return pos({\n type: 'document',\n document: doc,\n vendor: vendor,\n rules: style\n });\n }\n function atfontface() {\n var pos = position();\n var m = match(/^@font-face\\s*/);\n if (!m) {\n return;\n }\n if (!open()) {\n return error(\"@font-face missing '{'\");\n }\n var decls = comments();\n var decl;\n while ((decl = declaration())) {\n decls.push(decl);\n decls = decls.concat(comments());\n }\n if (!close()) {\n return error(\"@font-face missing '}'\");\n }\n return pos({\n type: 'font-face',\n declarations: decls\n });\n }\n var atimport = _compileAtrule('import');\n var atcharset = _compileAtrule('charset');\n var atnamespace = _compileAtrule('namespace');\n function _compileAtrule(name) {\n var re = new RegExp('^@' + name + '\\\\s*([^;]+);');\n return function () {\n var pos = position();\n var m = match(re);\n if (!m) {\n return;\n }\n var ret = { type: name };\n ret[name] = m[1].trim();\n return pos(ret);\n };\n }\n function atrule() {\n if (css[0] !== '@') {\n return;\n }\n return (atkeyframes() ||\n atmedia() ||\n atcustommedia() ||\n atsupports() ||\n atimport() ||\n atcharset() ||\n atnamespace() ||\n atdocument() ||\n atpage() ||\n athost() ||\n atfontface());\n }\n function rule() {\n var pos = position();\n var sel = selector();\n if (!sel) {\n return error('selector missing');\n }\n comments();\n return pos({\n type: 'rule',\n selectors: sel,\n declarations: declarations()\n });\n }\n return addParent(stylesheet());\n}\nfunction trim(str) {\n return str ? str.replace(/^\\s+|\\s+$/g, '') : '';\n}\nfunction addParent(obj, parent) {\n var isNode = obj && typeof obj.type === 'string';\n var childParent = isNode ? obj : parent;\n for (var _i = 0, _a = Object.keys(obj); _i < _a.length; _i++) {\n var k = _a[_i];\n var value = obj[k];\n if (Array.isArray(value)) {\n value.forEach(function (v) {\n addParent(v, childParent);\n });\n }\n else if (value && typeof value === 'object') {\n addParent(value, childParent);\n }\n }\n if (isNode) {\n Object.defineProperty(obj, 'parent', {\n configurable: true,\n writable: true,\n enumerable: false,\n value: parent || null\n });\n }\n return obj;\n}\n\nvar tagMap = {\n script: 'noscript',\n altglyph: 'altGlyph',\n altglyphdef: 'altGlyphDef',\n altglyphitem: 'altGlyphItem',\n animatecolor: 'animateColor',\n animatemotion: 'animateMotion',\n animatetransform: 'animateTransform',\n clippath: 'clipPath',\n feblend: 'feBlend',\n fecolormatrix: 'feColorMatrix',\n fecomponenttransfer: 'feComponentTransfer',\n fecomposite: 'feComposite',\n feconvolvematrix: 'feConvolveMatrix',\n fediffuselighting: 'feDiffuseLighting',\n fedisplacementmap: 'feDisplacementMap',\n fedistantlight: 'feDistantLight',\n fedropshadow: 'feDropShadow',\n feflood: 'feFlood',\n fefunca: 'feFuncA',\n fefuncb: 'feFuncB',\n fefuncg: 'feFuncG',\n fefuncr: 'feFuncR',\n fegaussianblur: 'feGaussianBlur',\n feimage: 'feImage',\n femerge: 'feMerge',\n femergenode: 'feMergeNode',\n femorphology: 'feMorphology',\n feoffset: 'feOffset',\n fepointlight: 'fePointLight',\n fespecularlighting: 'feSpecularLighting',\n fespotlight: 'feSpotLight',\n fetile: 'feTile',\n feturbulence: 'feTurbulence',\n foreignobject: 'foreignObject',\n glyphref: 'glyphRef',\n lineargradient: 'linearGradient',\n radialgradient: 'radialGradient'\n};\nfunction getTagName(n) {\n var tagName = tagMap[n.tagName] ? tagMap[n.tagName] : n.tagName;\n if (tagName === 'link' && n.attributes._cssText) {\n tagName = 'style';\n }\n return tagName;\n}\nfunction escapeRegExp(str) {\n return str.replace(/[.*+?^${}()|[\\]\\\\]/g, '\\\\$&');\n}\nvar HOVER_SELECTOR = /([^\\\\]):hover/;\nvar HOVER_SELECTOR_GLOBAL = new RegExp(HOVER_SELECTOR.source, 'g');\nfunction addHoverClass(cssText, cache) {\n var cachedStyle = cache === null || cache === void 0 ? void 0 : cache.stylesWithHoverClass.get(cssText);\n if (cachedStyle)\n return cachedStyle;\n var ast = parse(cssText, {\n silent: true\n });\n if (!ast.stylesheet) {\n return cssText;\n }\n var selectors = [];\n ast.stylesheet.rules.forEach(function (rule) {\n if ('selectors' in rule) {\n (rule.selectors || []).forEach(function (selector) {\n if (HOVER_SELECTOR.test(selector)) {\n selectors.push(selector);\n }\n });\n }\n });\n if (selectors.length === 0) {\n return cssText;\n }\n var selectorMatcher = new RegExp(selectors\n .filter(function (selector, index) { return selectors.indexOf(selector) === index; })\n .sort(function (a, b) { return b.length - a.length; })\n .map(function (selector) {\n return escapeRegExp(selector);\n })\n .join('|'), 'g');\n var result = cssText.replace(selectorMatcher, function (selector) {\n var newSelector = selector.replace(HOVER_SELECTOR_GLOBAL, '$1.\\\\:hover');\n return selector + \", \" + newSelector;\n });\n cache === null || cache === void 0 ? void 0 : cache.stylesWithHoverClass.set(cssText, result);\n return result;\n}\nfunction createCache() {\n var stylesWithHoverClass = new Map();\n return {\n stylesWithHoverClass: stylesWithHoverClass\n };\n}\nfunction buildNode(n, options) {\n var doc = options.doc, hackCss = options.hackCss, cache = options.cache;\n switch (n.type) {\n case NodeType.Document:\n return doc.implementation.createDocument(null, '', null);\n case NodeType.DocumentType:\n return doc.implementation.createDocumentType(n.name || 'html', n.publicId, n.systemId);\n case NodeType.Element:\n var tagName = getTagName(n);\n var node_1;\n if (n.isSVG) {\n node_1 = doc.createElementNS('http://www.w3.org/2000/svg', tagName);\n }\n else {\n node_1 = doc.createElement(tagName);\n }\n var _loop_1 = function (name_1) {\n if (!n.attributes.hasOwnProperty(name_1)) {\n return \"continue\";\n }\n var value = n.attributes[name_1];\n if (tagName === 'option' && name_1 === 'selected' && value === false) {\n return \"continue\";\n }\n value =\n typeof value === 'boolean' || typeof value === 'number' ? '' : value;\n if (!name_1.startsWith('rr_')) {\n var isTextarea = tagName === 'textarea' && name_1 === 'value';\n var isRemoteOrDynamicCss = tagName === 'style' && name_1 === '_cssText';\n if (isRemoteOrDynamicCss && hackCss) {\n value = addHoverClass(value, cache);\n }\n if (isTextarea || isRemoteOrDynamicCss) {\n var child = doc.createTextNode(value);\n for (var _i = 0, _a = Array.from(node_1.childNodes); _i < _a.length; _i++) {\n var c = _a[_i];\n if (c.nodeType === node_1.TEXT_NODE) {\n node_1.removeChild(c);\n }\n }\n node_1.appendChild(child);\n return \"continue\";\n }\n try {\n if (n.isSVG && name_1 === 'xlink:href') {\n node_1.setAttributeNS('http://www.w3.org/1999/xlink', name_1, value);\n }\n else if (name_1 === 'onload' ||\n name_1 === 'onclick' ||\n name_1.substring(0, 7) === 'onmouse') {\n node_1.setAttribute('_' + name_1, value);\n }\n else if (tagName === 'meta' &&\n n.attributes['http-equiv'] === 'Content-Security-Policy' &&\n name_1 === 'content') {\n node_1.setAttribute('csp-content', value);\n return \"continue\";\n }\n else if (tagName === 'link' &&\n n.attributes.rel === 'preload' &&\n n.attributes.as === 'script') {\n }\n else if (tagName === 'link' &&\n n.attributes.rel === 'prefetch' &&\n typeof n.attributes.href === 'string' &&\n n.attributes.href.endsWith('.js')) {\n }\n else if (tagName === 'img' &&\n n.attributes.srcset &&\n n.attributes.rr_dataURL) {\n node_1.setAttribute('rrweb-original-srcset', n.attributes.srcset);\n }\n else {\n node_1.setAttribute(name_1, value);\n }\n }\n catch (error) {\n }\n }\n else {\n if (tagName === 'canvas' && name_1 === 'rr_dataURL') {\n var image_1 = document.createElement('img');\n image_1.src = value;\n image_1.onload = function () {\n var ctx = node_1.getContext('2d');\n if (ctx) {\n ctx.drawImage(image_1, 0, 0, image_1.width, image_1.height);\n }\n };\n }\n else if (tagName === 'img' && name_1 === 'rr_dataURL') {\n var image = node_1;\n if (!image.currentSrc.startsWith('data:')) {\n image.setAttribute('rrweb-original-src', n.attributes.src);\n image.src = value;\n }\n }\n if (name_1 === 'rr_width') {\n node_1.style.width = value;\n }\n else if (name_1 === 'rr_height') {\n node_1.style.height = value;\n }\n else if (name_1 === 'rr_mediaCurrentTime') {\n node_1.currentTime = n.attributes\n .rr_mediaCurrentTime;\n }\n else if (name_1 === 'rr_mediaState') {\n switch (value) {\n case 'played':\n node_1\n .play()[\"catch\"](function (e) { return console.warn('media playback error', e); });\n break;\n case 'paused':\n node_1.pause();\n break;\n }\n }\n }\n };\n for (var name_1 in n.attributes) {\n _loop_1(name_1);\n }\n if (n.isShadowHost) {\n if (!node_1.shadowRoot) {\n node_1.attachShadow({ mode: 'open' });\n }\n else {\n while (node_1.shadowRoot.firstChild) {\n node_1.shadowRoot.removeChild(node_1.shadowRoot.firstChild);\n }\n }\n }\n return node_1;\n case NodeType.Text:\n return doc.createTextNode(n.isStyle && hackCss\n ? addHoverClass(n.textContent, cache)\n : n.textContent);\n case NodeType.CDATA:\n return doc.createCDATASection(n.textContent);\n case NodeType.Comment:\n return doc.createComment(n.textContent);\n default:\n return null;\n }\n}\nfunction buildNodeWithSN(n, options) {\n var doc = options.doc, map = options.map, _a = options.skipChild, skipChild = _a === void 0 ? false : _a, _b = options.hackCss, hackCss = _b === void 0 ? true : _b, afterAppend = options.afterAppend, cache = options.cache;\n var node = buildNode(n, { doc: doc, hackCss: hackCss, cache: cache });\n if (!node) {\n return null;\n }\n if (n.rootId) {\n console.assert(map[n.rootId] === doc, 'Target document should has the same root id.');\n }\n if (n.type === NodeType.Document) {\n doc.close();\n doc.open();\n if (n.compatMode === 'BackCompat' &&\n n.childNodes &&\n n.childNodes[0].type !== NodeType.DocumentType) {\n if (n.childNodes[0].type === NodeType.Element &&\n 'xmlns' in n.childNodes[0].attributes &&\n n.childNodes[0].attributes.xmlns === 'http://www.w3.org/1999/xhtml') {\n doc.write('');\n }\n else {\n doc.write('');\n }\n }\n node = doc;\n }\n node.__sn = n;\n map[n.id] = node;\n if ((n.type === NodeType.Document || n.type === NodeType.Element) &&\n !skipChild) {\n for (var _i = 0, _c = n.childNodes; _i < _c.length; _i++) {\n var childN = _c[_i];\n var childNode = buildNodeWithSN(childN, {\n doc: doc,\n map: map,\n skipChild: false,\n hackCss: hackCss,\n afterAppend: afterAppend,\n cache: cache\n });\n if (!childNode) {\n console.warn('Failed to rebuild', childN);\n continue;\n }\n if (childN.isShadow && isElement(node) && node.shadowRoot) {\n node.shadowRoot.appendChild(childNode);\n }\n else {\n node.appendChild(childNode);\n }\n if (afterAppend) {\n afterAppend(childNode);\n }\n }\n }\n return node;\n}\nfunction visit(idNodeMap, onVisit) {\n function walk(node) {\n onVisit(node);\n }\n for (var key in idNodeMap) {\n if (idNodeMap[key]) {\n walk(idNodeMap[key]);\n }\n }\n}\nfunction handleScroll(node) {\n var n = node.__sn;\n if (n.type !== NodeType.Element) {\n return;\n }\n var el = node;\n for (var name_2 in n.attributes) {\n if (!(n.attributes.hasOwnProperty(name_2) && name_2.startsWith('rr_'))) {\n continue;\n }\n var value = n.attributes[name_2];\n if (name_2 === 'rr_scrollLeft') {\n el.scrollLeft = value;\n }\n if (name_2 === 'rr_scrollTop') {\n el.scrollTop = value;\n }\n }\n}\nfunction rebuild(n, options) {\n var doc = options.doc, onVisit = options.onVisit, _a = options.hackCss, hackCss = _a === void 0 ? true : _a, afterAppend = options.afterAppend, cache = options.cache;\n var idNodeMap = {};\n var node = buildNodeWithSN(n, {\n doc: doc,\n map: idNodeMap,\n skipChild: false,\n hackCss: hackCss,\n afterAppend: afterAppend,\n cache: cache\n });\n visit(idNodeMap, function (visitedNode) {\n if (onVisit) {\n onVisit(visitedNode);\n }\n handleScroll(visitedNode);\n });\n return [node, idNodeMap];\n}\n\nexport { IGNORED_NODE, NodeType, addHoverClass, buildNodeWithSN, cleanupSnapshot, createCache, is2DCanvasBlank, isElement, isShadowRoot, maskInputValue, needMaskingText, rebuild, serializeNodeWithId, snapshot, transformAttribute, visitSnapshot };\n","import {\n serializedNodeWithId,\n idNodeMap,\n INode,\n MaskInputOptions,\n SlimDOMOptions,\n MaskInputFn,\n MaskTextFn,\n} from 'rrweb-snapshot';\nimport { PackFn, UnpackFn } from './packer/base';\nimport { IframeManager } from './record/iframe-manager';\nimport { ShadowDomManager } from './record/shadow-dom-manager';\nimport type { Replayer } from './replay';\nimport { CanvasManager } from './record/observers/canvas/canvas-manager';\n\nexport enum EventType {\n DomContentLoaded,\n Load,\n FullSnapshot,\n IncrementalSnapshot,\n Meta,\n Custom,\n Plugin,\n}\n\nexport type domContentLoadedEvent = {\n type: EventType.DomContentLoaded;\n data: {};\n};\n\nexport type loadedEvent = {\n type: EventType.Load;\n data: {};\n};\n\nexport type fullSnapshotEvent = {\n type: EventType.FullSnapshot;\n data: {\n node: serializedNodeWithId;\n initialOffset: {\n top: number;\n left: number;\n };\n };\n};\n\nexport type incrementalSnapshotEvent = {\n type: EventType.IncrementalSnapshot;\n data: incrementalData;\n};\n\nexport type metaEvent = {\n type: EventType.Meta;\n data: {\n href: string;\n width: number;\n height: number;\n };\n};\n\nexport type customEvent = {\n type: EventType.Custom;\n data: {\n tag: string;\n payload: T;\n };\n};\n\nexport type pluginEvent = {\n type: EventType.Plugin;\n data: {\n plugin: string;\n payload: T;\n };\n};\n\nexport type styleSheetEvent = {};\n\nexport enum IncrementalSource {\n Mutation,\n MouseMove,\n MouseInteraction,\n Scroll,\n ViewportResize,\n Input,\n TouchMove,\n MediaInteraction,\n StyleSheetRule,\n CanvasMutation,\n Font,\n Log,\n Drag,\n StyleDeclaration,\n}\n\nexport type mutationData = {\n source: IncrementalSource.Mutation;\n} & mutationCallbackParam;\n\nexport type mousemoveData = {\n source:\n | IncrementalSource.MouseMove\n | IncrementalSource.TouchMove\n | IncrementalSource.Drag;\n positions: mousePosition[];\n};\n\nexport type mouseInteractionData = {\n source: IncrementalSource.MouseInteraction;\n} & mouseInteractionParam;\n\nexport type scrollData = {\n source: IncrementalSource.Scroll;\n} & scrollPosition;\n\nexport type viewportResizeData = {\n source: IncrementalSource.ViewportResize;\n} & viewportResizeDimension;\n\nexport type inputData = {\n source: IncrementalSource.Input;\n id: number;\n} & inputValue;\n\nexport type mediaInteractionData = {\n source: IncrementalSource.MediaInteraction;\n} & mediaInteractionParam;\n\nexport type styleSheetRuleData = {\n source: IncrementalSource.StyleSheetRule;\n} & styleSheetRuleParam;\n\nexport type styleDeclarationData = {\n source: IncrementalSource.StyleDeclaration;\n} & styleDeclarationParam;\n\nexport type canvasMutationData = {\n source: IncrementalSource.CanvasMutation;\n} & canvasMutationParam;\n\nexport type fontData = {\n source: IncrementalSource.Font;\n} & fontParam;\n\nexport type incrementalData =\n | mutationData\n | mousemoveData\n | mouseInteractionData\n | scrollData\n | viewportResizeData\n | inputData\n | mediaInteractionData\n | styleSheetRuleData\n | canvasMutationData\n | fontData\n | styleDeclarationData;\n\nexport type event =\n | domContentLoadedEvent\n | loadedEvent\n | fullSnapshotEvent\n | incrementalSnapshotEvent\n | metaEvent\n | customEvent\n | pluginEvent;\n\nexport type eventWithTime = event & {\n timestamp: number;\n delay?: number;\n};\n\nexport type blockClass = string | RegExp;\n\nexport type maskTextClass = string | RegExp;\n\nexport type SamplingStrategy = Partial<{\n /**\n * false means not to record mouse/touch move events\n * number is the throttle threshold of recording mouse/touch move\n */\n mousemove: boolean | number;\n /**\n * number is the throttle threshold of mouse/touch move callback\n */\n mousemoveCallback: number;\n /**\n * false means not to record mouse interaction events\n * can also specify record some kinds of mouse interactions\n */\n mouseInteraction: boolean | Record;\n /**\n * number is the throttle threshold of recording scroll\n */\n scroll: number;\n /**\n * number is the throttle threshold of recording media interactions\n */\n media: number;\n /**\n * 'all' will record all the input events\n * 'last' will only record the last input value while input a sequence of chars\n */\n input: 'all' | 'last';\n}>;\n\nexport type RecordPlugin = {\n name: string;\n observer?: (cb: Function, win: IWindow, options: TOptions) => listenerHandler;\n eventProcessor?: (event: eventWithTime) => eventWithTime & TExtend;\n options: TOptions;\n};\n\nexport type recordOptions = {\n emit?: (e: T, isCheckout?: boolean) => void;\n checkoutEveryNth?: number;\n checkoutEveryNms?: number;\n blockClass?: blockClass;\n blockSelector?: string;\n ignoreClass?: string;\n maskTextClass?: maskTextClass;\n maskTextSelector?: string;\n maskAllInputs?: boolean;\n maskInputOptions?: MaskInputOptions;\n maskInputFn?: MaskInputFn;\n maskTextFn?: MaskTextFn;\n slimDOMOptions?: SlimDOMOptions | 'all' | true;\n inlineStylesheet?: boolean;\n hooks?: hooksParam;\n packFn?: PackFn;\n sampling?: SamplingStrategy;\n recordCanvas?: boolean;\n userTriggeredOnInput?: boolean;\n collectFonts?: boolean;\n inlineImages?: boolean;\n plugins?: RecordPlugin[];\n // departed, please use sampling options\n mousemoveWait?: number;\n keepIframeSrcFn?: KeepIframeSrcFn;\n};\n\nexport type observerParam = {\n mutationCb: mutationCallBack;\n mousemoveCb: mousemoveCallBack;\n mouseInteractionCb: mouseInteractionCallBack;\n scrollCb: scrollCallback;\n viewportResizeCb: viewportResizeCallback;\n inputCb: inputCallback;\n mediaInteractionCb: mediaInteractionCallback;\n blockClass: blockClass;\n blockSelector: string | null;\n ignoreClass: string;\n maskTextClass: maskTextClass;\n maskTextSelector: string | null;\n maskInputOptions: MaskInputOptions;\n maskInputFn?: MaskInputFn;\n maskTextFn?: MaskTextFn;\n inlineStylesheet: boolean;\n styleSheetRuleCb: styleSheetRuleCallback;\n styleDeclarationCb: styleDeclarationCallback;\n canvasMutationCb: canvasMutationCallback;\n fontCb: fontCallback;\n sampling: SamplingStrategy;\n recordCanvas: boolean;\n inlineImages: boolean;\n userTriggeredOnInput: boolean;\n collectFonts: boolean;\n slimDOMOptions: SlimDOMOptions;\n doc: Document;\n mirror: Mirror;\n iframeManager: IframeManager;\n shadowDomManager: ShadowDomManager;\n canvasManager: CanvasManager;\n plugins: Array<{\n observer: Function;\n callback: Function;\n options: unknown;\n }>;\n};\n\nexport type MutationBufferParam = Pick<\n observerParam,\n | 'mutationCb'\n | 'blockClass'\n | 'blockSelector'\n | 'maskTextClass'\n | 'maskTextSelector'\n | 'inlineStylesheet'\n | 'maskInputOptions'\n | 'maskTextFn'\n | 'maskInputFn'\n | 'recordCanvas'\n | 'inlineImages'\n | 'slimDOMOptions'\n | 'doc'\n | 'mirror'\n | 'iframeManager'\n | 'shadowDomManager'\n | 'canvasManager'\n>;\n\nexport type hooksParam = {\n mutation?: mutationCallBack;\n mousemove?: mousemoveCallBack;\n mouseInteraction?: mouseInteractionCallBack;\n scroll?: scrollCallback;\n viewportResize?: viewportResizeCallback;\n input?: inputCallback;\n mediaInteaction?: mediaInteractionCallback;\n styleSheetRule?: styleSheetRuleCallback;\n styleDeclaration?: styleDeclarationCallback;\n canvasMutation?: canvasMutationCallback;\n font?: fontCallback;\n};\n\n// https://dom.spec.whatwg.org/#interface-mutationrecord\nexport type mutationRecord = {\n type: string;\n target: Node;\n oldValue: string | null;\n addedNodes: NodeList;\n removedNodes: NodeList;\n attributeName: string | null;\n};\n\nexport type textCursor = {\n node: Node;\n value: string | null;\n};\nexport type textMutation = {\n id: number;\n value: string | null;\n};\n\nexport type styleAttributeValue = {\n [key: string]: styleValueWithPriority | string | false;\n};\n\nexport type styleValueWithPriority = [string, string];\n\nexport type attributeCursor = {\n node: Node;\n attributes: {\n [key: string]: string | styleAttributeValue | null;\n };\n};\nexport type attributeMutation = {\n id: number;\n attributes: {\n [key: string]: string | styleAttributeValue | null;\n };\n};\n\nexport type removedNodeMutation = {\n parentId: number;\n id: number;\n isShadow?: boolean;\n};\n\nexport type addedNodeMutation = {\n parentId: number;\n // Newly recorded mutations will not have previousId any more, just for compatibility\n previousId?: number | null;\n nextId: number | null;\n node: serializedNodeWithId;\n};\n\nexport type mutationCallbackParam = {\n texts: textMutation[];\n attributes: attributeMutation[];\n removes: removedNodeMutation[];\n adds: addedNodeMutation[];\n isAttachIframe?: true;\n};\n\nexport type mutationCallBack = (m: mutationCallbackParam) => void;\n\nexport type mousemoveCallBack = (\n p: mousePosition[],\n source:\n | IncrementalSource.MouseMove\n | IncrementalSource.TouchMove\n | IncrementalSource.Drag,\n) => void;\n\nexport type mousePosition = {\n x: number;\n y: number;\n id: number;\n timeOffset: number;\n};\n\nexport type mouseMovePos = {\n x: number;\n y: number;\n id: number;\n debugData: incrementalData;\n};\n\nexport enum MouseInteractions {\n MouseUp,\n MouseDown,\n Click,\n ContextMenu,\n DblClick,\n Focus,\n Blur,\n TouchStart,\n TouchMove_Departed, // we will start a separate observer for touch move event\n TouchEnd,\n TouchCancel,\n}\n\nexport enum CanvasContext {\n '2D',\n WebGL,\n WebGL2,\n}\n\nexport type SerializedWebGlArg =\n | {\n rr_type: 'ArrayBuffer';\n base64: string; // base64\n }\n | {\n rr_type: string;\n src: string; // url of image\n }\n | {\n rr_type: string;\n args: SerializedWebGlArg[];\n }\n | {\n rr_type: string;\n index: number;\n }\n | string\n | number\n | boolean\n | null\n | SerializedWebGlArg[];\n\ntype mouseInteractionParam = {\n type: MouseInteractions;\n id: number;\n x: number;\n y: number;\n};\n\nexport type mouseInteractionCallBack = (d: mouseInteractionParam) => void;\n\nexport type scrollPosition = {\n id: number;\n x: number;\n y: number;\n};\n\nexport type scrollCallback = (p: scrollPosition) => void;\n\nexport type styleSheetAddRule = {\n rule: string;\n index?: number | number[];\n};\n\nexport type styleSheetDeleteRule = {\n index: number | number[];\n};\n\nexport type styleSheetRuleParam = {\n id: number;\n removes?: styleSheetDeleteRule[];\n adds?: styleSheetAddRule[];\n};\n\nexport type styleSheetRuleCallback = (s: styleSheetRuleParam) => void;\n\nexport type styleDeclarationParam = {\n id: number;\n index: number[];\n set?: {\n property: string;\n value: string | null;\n priority: string | undefined;\n };\n remove?: {\n property: string;\n };\n};\n\nexport type styleDeclarationCallback = (s: styleDeclarationParam) => void;\n\nexport type canvasMutationCommand = {\n property: string;\n args: Array;\n setter?: true;\n};\n\nexport type canvasMutationParam =\n | {\n id: number;\n type: CanvasContext;\n commands: canvasMutationCommand[];\n }\n | ({\n id: number;\n type: CanvasContext;\n } & canvasMutationCommand);\n\nexport type canvasMutationWithType = {\n type: CanvasContext;\n} & canvasMutationCommand;\n\nexport type canvasMutationCallback = (p: canvasMutationParam) => void;\n\nexport type canvasManagerMutationCallback = (\n target: HTMLCanvasElement,\n p: canvasMutationWithType,\n) => void;\n\nexport type fontParam = {\n family: string;\n fontSource: string;\n buffer: boolean;\n descriptors?: FontFaceDescriptors;\n};\n\nexport type fontCallback = (p: fontParam) => void;\n\nexport type viewportResizeDimension = {\n width: number;\n height: number;\n};\n\nexport type viewportResizeCallback = (d: viewportResizeDimension) => void;\n\nexport type inputValue = {\n text: string;\n isChecked: boolean;\n\n // `userTriggered` indicates if this event was triggered directly by user (userTriggered: true)\n // or was triggered indirectly (userTriggered: false)\n // Example of `userTriggered` in action:\n // User clicks on radio element (userTriggered: true) which triggers the other radio element to change (userTriggered: false)\n userTriggered?: boolean;\n};\n\nexport type inputCallback = (v: inputValue & { id: number }) => void;\n\nexport const enum MediaInteractions {\n Play,\n Pause,\n Seeked,\n VolumeChange,\n}\n\nexport type mediaInteractionParam = {\n type: MediaInteractions;\n id: number;\n currentTime?: number;\n volume?: number;\n muted?: boolean;\n};\n\nexport type mediaInteractionCallback = (p: mediaInteractionParam) => void;\n\nexport type DocumentDimension = {\n x: number;\n y: number;\n // scale value relative to its parent iframe\n relativeScale: number;\n // scale value relative to the root iframe\n absoluteScale: number;\n};\n\nexport type Mirror = {\n map: idNodeMap;\n getId: (n: INode) => number;\n getNode: (id: number) => INode | null;\n removeNodeFromMap: (n: INode) => void;\n has: (id: number) => boolean;\n reset: () => void;\n};\n\nexport type throttleOptions = {\n leading?: boolean;\n trailing?: boolean;\n};\n\nexport type listenerHandler = () => void;\nexport type hookResetter = () => void;\n\nexport type ReplayPlugin = {\n handler: (\n event: eventWithTime,\n isSync: boolean,\n context: { replayer: Replayer },\n ) => void;\n};\nexport type playerConfig = {\n speed: number;\n maxSpeed: number;\n root: Element;\n loadTimeout: number;\n skipInactive: boolean;\n showWarning: boolean;\n showDebug: boolean;\n blockClass: string;\n liveMode: boolean;\n insertStyleRules: string[];\n triggerFocus: boolean;\n UNSAFE_replayCanvas: boolean;\n pauseAnimation?: boolean;\n mouseTail:\n | boolean\n | {\n duration?: number;\n lineCap?: string;\n lineWidth?: number;\n strokeStyle?: string;\n };\n unpackFn?: UnpackFn;\n plugins?: ReplayPlugin[];\n};\n\nexport type playerMetaData = {\n startTime: number;\n endTime: number;\n totalTime: number;\n};\n\nexport type missingNode = {\n node: Node;\n mutation: addedNodeMutation;\n};\nexport type missingNodeMap = {\n [id: number]: missingNode;\n};\n\nexport type actionWithDelay = {\n doAction: () => void;\n delay: number;\n};\n\nexport type Handler = (event?: unknown) => void;\n\nexport type Emitter = {\n on(type: string, handler: Handler): void;\n emit(type: string, event?: unknown): void;\n off(type: string, handler: Handler): void;\n};\n\nexport type Arguments = T extends (...payload: infer U) => unknown\n ? U\n : unknown;\n\nexport enum ReplayerEvents {\n Start = 'start',\n Pause = 'pause',\n Resume = 'resume',\n Resize = 'resize',\n Finish = 'finish',\n FullsnapshotRebuilded = 'fullsnapshot-rebuilded',\n LoadStylesheetStart = 'load-stylesheet-start',\n LoadStylesheetEnd = 'load-stylesheet-end',\n SkipStart = 'skip-start',\n SkipEnd = 'skip-end',\n MouseInteraction = 'mouse-interaction',\n EventCast = 'event-cast',\n CustomEvent = 'custom-event',\n Flush = 'flush',\n StateChange = 'state-change',\n PlayBack = 'play-back',\n}\n\n// store the state that would be changed during the process(unmount from dom and mount again)\nexport type ElementState = {\n // [scrollLeft,scrollTop]\n scroll?: [number, number];\n};\n\nexport type KeepIframeSrcFn = (src: string) => boolean;\n\ndeclare global {\n interface Window {\n FontFace: typeof FontFace;\n }\n}\n\nexport type IWindow = Window & typeof globalThis;\n\nexport type Optional = Pick, K> & Omit;\n","import {\n Mirror,\n throttleOptions,\n listenerHandler,\n hookResetter,\n blockClass,\n IncrementalSource,\n addedNodeMutation,\n removedNodeMutation,\n textMutation,\n attributeMutation,\n mutationData,\n scrollData,\n inputData,\n DocumentDimension,\n IWindow,\n} from './types';\nimport {\n INode,\n IGNORED_NODE,\n serializedNodeWithId,\n NodeType,\n isShadowRoot,\n} from 'rrweb-snapshot';\n\nexport function on(\n type: string,\n fn: EventListenerOrEventListenerObject,\n target: Document | IWindow = document,\n): listenerHandler {\n const options = { capture: true, passive: true };\n target.addEventListener(type, fn, options);\n return () => target.removeEventListener(type, fn, options);\n}\n\nexport function createMirror(): Mirror {\n return {\n map: {},\n getId(n) {\n // if n is not a serialized INode, use -1 as its id.\n if (!n || !n.__sn) {\n return -1;\n }\n return n.__sn.id;\n },\n getNode(id) {\n return this.map[id] || null;\n },\n // TODO: use a weakmap to get rid of manually memory management\n removeNodeFromMap(n) {\n const id = n.__sn && n.__sn.id;\n delete this.map[id];\n if (n.childNodes) {\n n.childNodes.forEach((child) =>\n this.removeNodeFromMap((child as Node) as INode),\n );\n }\n },\n has(id) {\n return this.map.hasOwnProperty(id);\n },\n reset() {\n this.map = {};\n },\n };\n}\n\n// https://github.com/rrweb-io/rrweb/pull/407\nconst DEPARTED_MIRROR_ACCESS_WARNING =\n 'Please stop import mirror directly. Instead of that,' +\n '\\r\\n' +\n 'now you can use replayer.getMirror() to access the mirror instance of a replayer,' +\n '\\r\\n' +\n 'or you can use record.mirror to access the mirror instance during recording.';\nexport let _mirror: Mirror = {\n map: {},\n getId() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n return -1;\n },\n getNode() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n return null;\n },\n removeNodeFromMap() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n },\n has() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n return false;\n },\n reset() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n },\n};\nif (typeof window !== 'undefined' && window.Proxy && window.Reflect) {\n _mirror = new Proxy(_mirror, {\n get(target, prop, receiver) {\n if (prop === 'map') {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n }\n return Reflect.get(target, prop, receiver);\n },\n });\n}\n\n// copy from underscore and modified\nexport function throttle(\n func: (arg: T) => void,\n wait: number,\n options: throttleOptions = {},\n) {\n let timeout: ReturnType | null = null;\n let previous = 0;\n // tslint:disable-next-line: only-arrow-functions\n return function (arg: T) {\n let now = Date.now();\n if (!previous && options.leading === false) {\n previous = now;\n }\n let remaining = wait - (now - previous);\n let context = this;\n let args = arguments;\n if (remaining <= 0 || remaining > wait) {\n if (timeout) {\n clearTimeout(timeout);\n timeout = null;\n }\n previous = now;\n func.apply(context, args);\n } else if (!timeout && options.trailing !== false) {\n timeout = setTimeout(() => {\n previous = options.leading === false ? 0 : Date.now();\n timeout = null;\n func.apply(context, args);\n }, remaining);\n }\n };\n}\n\nexport function hookSetter(\n target: T,\n key: string | number | symbol,\n d: PropertyDescriptor,\n isRevoked?: boolean,\n win = window,\n): hookResetter {\n const original = win.Object.getOwnPropertyDescriptor(target, key);\n win.Object.defineProperty(\n target,\n key,\n isRevoked\n ? d\n : {\n set(value) {\n // put hooked setter into event loop to avoid of set latency\n setTimeout(() => {\n d.set!.call(this, value);\n }, 0);\n if (original && original.set) {\n original.set.call(this, value);\n }\n },\n },\n );\n return () => hookSetter(target, key, original || {}, true);\n}\n\n// copy from https://github.com/getsentry/sentry-javascript/blob/b2109071975af8bf0316d3b5b38f519bdaf5dc15/packages/utils/src/object.ts\nexport function patch(\n // tslint:disable-next-line:no-any\n source: { [key: string]: any },\n name: string,\n // tslint:disable-next-line:no-any\n replacement: (...args: any[]) => any,\n): () => void {\n try {\n if (!(name in source)) {\n return () => {};\n }\n\n const original = source[name] as () => unknown;\n const wrapped = replacement(original);\n\n // Make sure it's a function first, as we need to attach an empty prototype for `defineProperties` to work\n // otherwise it'll throw \"TypeError: Object.defineProperties called on non-object\"\n // tslint:disable-next-line:strict-type-predicates\n if (typeof wrapped === 'function') {\n wrapped.prototype = wrapped.prototype || {};\n Object.defineProperties(wrapped, {\n __rrweb_original__: {\n enumerable: false,\n value: original,\n },\n });\n }\n\n source[name] = wrapped;\n\n return () => {\n source[name] = original;\n };\n } catch {\n return () => {};\n // This can throw if multiple fill happens on a global object like XMLHttpRequest\n // Fixes https://github.com/getsentry/sentry-javascript/issues/2043\n }\n}\n\nexport function getWindowHeight(): number {\n return (\n window.innerHeight ||\n (document.documentElement && document.documentElement.clientHeight) ||\n (document.body && document.body.clientHeight)\n );\n}\n\nexport function getWindowWidth(): number {\n return (\n window.innerWidth ||\n (document.documentElement && document.documentElement.clientWidth) ||\n (document.body && document.body.clientWidth)\n );\n}\n\nexport function isBlocked(node: Node | null, blockClass: blockClass): boolean {\n if (!node) {\n return false;\n }\n if (node.nodeType === node.ELEMENT_NODE) {\n let needBlock = false;\n if (typeof blockClass === 'string') {\n if ((node as HTMLElement).closest !== undefined) {\n return (node as HTMLElement).closest('.' + blockClass) !== null;\n } else {\n needBlock = (node as HTMLElement).classList.contains(blockClass);\n }\n } else {\n (node as HTMLElement).classList.forEach((className) => {\n if (blockClass.test(className)) {\n needBlock = true;\n }\n });\n }\n return needBlock || isBlocked(node.parentNode, blockClass);\n }\n if (node.nodeType === node.TEXT_NODE) {\n // check parent node since text node do not have class name\n return isBlocked(node.parentNode, blockClass);\n }\n return isBlocked(node.parentNode, blockClass);\n}\n\nexport function isIgnored(n: Node | INode): boolean {\n if ('__sn' in n) {\n return (n as INode).__sn.id === IGNORED_NODE;\n }\n // The main part of the slimDOM check happens in\n // rrweb-snapshot::serializeNodeWithId\n return false;\n}\n\nexport function isAncestorRemoved(target: INode, mirror: Mirror): boolean {\n if (isShadowRoot(target)) {\n return false;\n }\n const id = mirror.getId(target);\n if (!mirror.has(id)) {\n return true;\n }\n if (\n target.parentNode &&\n target.parentNode.nodeType === target.DOCUMENT_NODE\n ) {\n return false;\n }\n // if the root is not document, it means the node is not in the DOM tree anymore\n if (!target.parentNode) {\n return true;\n }\n return isAncestorRemoved((target.parentNode as unknown) as INode, mirror);\n}\n\nexport function isTouchEvent(\n event: MouseEvent | TouchEvent,\n): event is TouchEvent {\n return Boolean((event as TouchEvent).changedTouches);\n}\n\nexport function polyfill(win = window) {\n if ('NodeList' in win && !win.NodeList.prototype.forEach) {\n win.NodeList.prototype.forEach = (Array.prototype\n .forEach as unknown) as NodeList['forEach'];\n }\n\n if ('DOMTokenList' in win && !win.DOMTokenList.prototype.forEach) {\n win.DOMTokenList.prototype.forEach = (Array.prototype\n .forEach as unknown) as DOMTokenList['forEach'];\n }\n\n // https://github.com/Financial-Times/polyfill-service/pull/183\n if (!Node.prototype.contains) {\n Node.prototype.contains = function contains(node) {\n if (!(0 in arguments)) {\n throw new TypeError('1 argument is required');\n }\n\n do {\n if (this === node) {\n return true;\n }\n // tslint:disable-next-line: no-conditional-assignment\n } while ((node = node && node.parentNode));\n\n return false;\n };\n }\n}\n\nexport type TreeNode = {\n id: number;\n mutation: addedNodeMutation;\n parent?: TreeNode;\n children: Record;\n texts: textMutation[];\n attributes: attributeMutation[];\n};\nexport class TreeIndex {\n public tree!: Record;\n\n private removeNodeMutations!: removedNodeMutation[];\n private textMutations!: textMutation[];\n private attributeMutations!: attributeMutation[];\n private indexes!: Map;\n private removeIdSet!: Set;\n private scrollMap!: Map;\n private inputMap!: Map;\n\n constructor() {\n this.reset();\n }\n\n public add(mutation: addedNodeMutation) {\n const parentTreeNode = this.indexes.get(mutation.parentId);\n const treeNode: TreeNode = {\n id: mutation.node.id,\n mutation,\n children: [],\n texts: [],\n attributes: [],\n };\n if (!parentTreeNode) {\n this.tree[treeNode.id] = treeNode;\n } else {\n treeNode.parent = parentTreeNode;\n parentTreeNode.children[treeNode.id] = treeNode;\n }\n this.indexes.set(treeNode.id, treeNode);\n }\n\n public remove(mutation: removedNodeMutation, mirror: Mirror) {\n const parentTreeNode = this.indexes.get(mutation.parentId);\n const treeNode = this.indexes.get(mutation.id);\n\n const deepRemoveFromMirror = (id: number) => {\n this.removeIdSet.add(id);\n const node = mirror.getNode(id);\n node?.childNodes.forEach((childNode) => {\n if ('__sn' in childNode) {\n deepRemoveFromMirror(((childNode as unknown) as INode).__sn.id);\n }\n });\n };\n const deepRemoveFromTreeIndex = (node: TreeNode) => {\n this.removeIdSet.add(node.id);\n Object.values(node.children).forEach((n) => deepRemoveFromTreeIndex(n));\n const _treeNode = this.indexes.get(node.id);\n if (_treeNode) {\n const _parentTreeNode = _treeNode.parent;\n if (_parentTreeNode) {\n delete _treeNode.parent;\n delete _parentTreeNode.children[_treeNode.id];\n this.indexes.delete(mutation.id);\n }\n }\n };\n\n if (!treeNode) {\n this.removeNodeMutations.push(mutation);\n deepRemoveFromMirror(mutation.id);\n } else if (!parentTreeNode) {\n delete this.tree[treeNode.id];\n this.indexes.delete(treeNode.id);\n deepRemoveFromTreeIndex(treeNode);\n } else {\n delete treeNode.parent;\n delete parentTreeNode.children[treeNode.id];\n this.indexes.delete(mutation.id);\n deepRemoveFromTreeIndex(treeNode);\n }\n }\n\n public text(mutation: textMutation) {\n const treeNode = this.indexes.get(mutation.id);\n if (treeNode) {\n treeNode.texts.push(mutation);\n } else {\n this.textMutations.push(mutation);\n }\n }\n\n public attribute(mutation: attributeMutation) {\n const treeNode = this.indexes.get(mutation.id);\n if (treeNode) {\n treeNode.attributes.push(mutation);\n } else {\n this.attributeMutations.push(mutation);\n }\n }\n\n public scroll(d: scrollData) {\n this.scrollMap.set(d.id, d);\n }\n\n public input(d: inputData) {\n this.inputMap.set(d.id, d);\n }\n\n public flush(): {\n mutationData: mutationData;\n scrollMap: TreeIndex['scrollMap'];\n inputMap: TreeIndex['inputMap'];\n } {\n const {\n tree,\n removeNodeMutations,\n textMutations,\n attributeMutations,\n } = this;\n\n const batchMutationData: mutationData = {\n source: IncrementalSource.Mutation,\n removes: removeNodeMutations,\n texts: textMutations,\n attributes: attributeMutations,\n adds: [],\n };\n\n const walk = (treeNode: TreeNode, removed: boolean) => {\n if (removed) {\n this.removeIdSet.add(treeNode.id);\n }\n batchMutationData.texts = batchMutationData.texts\n .concat(removed ? [] : treeNode.texts)\n .filter((m) => !this.removeIdSet.has(m.id));\n batchMutationData.attributes = batchMutationData.attributes\n .concat(removed ? [] : treeNode.attributes)\n .filter((m) => !this.removeIdSet.has(m.id));\n if (\n !this.removeIdSet.has(treeNode.id) &&\n !this.removeIdSet.has(treeNode.mutation.parentId) &&\n !removed\n ) {\n batchMutationData.adds.push(treeNode.mutation);\n if (treeNode.children) {\n Object.values(treeNode.children).forEach((n) => walk(n, false));\n }\n } else {\n Object.values(treeNode.children).forEach((n) => walk(n, true));\n }\n };\n\n Object.values(tree).forEach((n) => walk(n, false));\n\n for (const id of this.scrollMap.keys()) {\n if (this.removeIdSet.has(id)) {\n this.scrollMap.delete(id);\n }\n }\n for (const id of this.inputMap.keys()) {\n if (this.removeIdSet.has(id)) {\n this.inputMap.delete(id);\n }\n }\n\n const scrollMap = new Map(this.scrollMap);\n const inputMap = new Map(this.inputMap);\n\n this.reset();\n\n return {\n mutationData: batchMutationData,\n scrollMap,\n inputMap,\n };\n }\n\n private reset() {\n this.tree = [];\n this.indexes = new Map();\n this.removeNodeMutations = [];\n this.textMutations = [];\n this.attributeMutations = [];\n this.removeIdSet = new Set();\n this.scrollMap = new Map();\n this.inputMap = new Map();\n }\n\n public idRemoved(id: number): boolean {\n return this.removeIdSet.has(id);\n }\n}\n\ntype ResolveTree = {\n value: addedNodeMutation;\n children: ResolveTree[];\n parent: ResolveTree | null;\n};\n\nexport function queueToResolveTrees(queue: addedNodeMutation[]): ResolveTree[] {\n const queueNodeMap: Record = {};\n const putIntoMap = (\n m: addedNodeMutation,\n parent: ResolveTree | null,\n ): ResolveTree => {\n const nodeInTree: ResolveTree = {\n value: m,\n parent,\n children: [],\n };\n queueNodeMap[m.node.id] = nodeInTree;\n return nodeInTree;\n };\n\n const queueNodeTrees: ResolveTree[] = [];\n for (const mutation of queue) {\n const { nextId, parentId } = mutation;\n if (nextId && nextId in queueNodeMap) {\n const nextInTree = queueNodeMap[nextId];\n if (nextInTree.parent) {\n const idx = nextInTree.parent.children.indexOf(nextInTree);\n nextInTree.parent.children.splice(\n idx,\n 0,\n putIntoMap(mutation, nextInTree.parent),\n );\n } else {\n const idx = queueNodeTrees.indexOf(nextInTree);\n queueNodeTrees.splice(idx, 0, putIntoMap(mutation, null));\n }\n continue;\n }\n if (parentId in queueNodeMap) {\n const parentInTree = queueNodeMap[parentId];\n parentInTree.children.push(putIntoMap(mutation, parentInTree));\n continue;\n }\n queueNodeTrees.push(putIntoMap(mutation, null));\n }\n\n return queueNodeTrees;\n}\n\nexport function iterateResolveTree(\n tree: ResolveTree,\n cb: (mutation: addedNodeMutation) => unknown,\n) {\n cb(tree.value);\n /**\n * The resolve tree was designed to reflect the DOM layout,\n * but we need append next sibling first, so we do a reverse\n * loop here.\n */\n for (let i = tree.children.length - 1; i >= 0; i--) {\n iterateResolveTree(tree.children[i], cb);\n }\n}\n\ntype HTMLIFrameINode = HTMLIFrameElement & {\n __sn: serializedNodeWithId;\n};\nexport type AppendedIframe = {\n mutationInQueue: addedNodeMutation;\n builtNode: HTMLIFrameINode;\n};\n\nexport function isIframeINode(\n node: INode | ShadowRoot,\n): node is HTMLIFrameINode {\n if ('__sn' in node) {\n return (\n node.__sn.type === NodeType.Element && node.__sn.tagName === 'iframe'\n );\n }\n // node can be document fragment when using the virtual parent feature\n return false;\n}\n\nexport function getBaseDimension(\n node: Node,\n rootIframe: Node,\n): DocumentDimension {\n const frameElement = node.ownerDocument?.defaultView?.frameElement;\n if (!frameElement || frameElement === rootIframe) {\n return {\n x: 0,\n y: 0,\n relativeScale: 1,\n absoluteScale: 1,\n };\n }\n\n const frameDimension = frameElement.getBoundingClientRect();\n const frameBaseDimension = getBaseDimension(frameElement, rootIframe);\n // the iframe element may have a scale transform\n const relativeScale = frameDimension.height / frameElement.clientHeight;\n return {\n x:\n frameDimension.x * frameBaseDimension.relativeScale +\n frameBaseDimension.x,\n y:\n frameDimension.y * frameBaseDimension.relativeScale +\n frameBaseDimension.y,\n relativeScale,\n absoluteScale: frameBaseDimension.absoluteScale * relativeScale,\n };\n}\n\nexport function hasShadowRoot(\n n: T,\n): n is T & { shadowRoot: ShadowRoot } {\n return Boolean(((n as unknown) as Element)?.shadowRoot);\n}\n","import {\n INode,\n serializeNodeWithId,\n transformAttribute,\n IGNORED_NODE,\n isShadowRoot,\n needMaskingText,\n maskInputValue,\n} from 'rrweb-snapshot';\nimport {\n mutationRecord,\n textCursor,\n attributeCursor,\n removedNodeMutation,\n addedNodeMutation,\n Mirror,\n styleAttributeValue,\n observerParam,\n MutationBufferParam,\n Optional,\n} from '../types';\nimport {\n isBlocked,\n isAncestorRemoved,\n isIgnored,\n isIframeINode,\n hasShadowRoot,\n} from '../utils';\n\ntype DoubleLinkedListNode = {\n previous: DoubleLinkedListNode | null;\n next: DoubleLinkedListNode | null;\n value: NodeInLinkedList;\n};\ntype NodeInLinkedList = Node & {\n __ln: DoubleLinkedListNode;\n};\n\nfunction isNodeInLinkedList(n: Node | NodeInLinkedList): n is NodeInLinkedList {\n return '__ln' in n;\n}\nclass DoubleLinkedList {\n public length = 0;\n public head: DoubleLinkedListNode | null = null;\n\n public get(position: number) {\n if (position >= this.length) {\n throw new Error('Position outside of list range');\n }\n\n let current = this.head;\n for (let index = 0; index < position; index++) {\n current = current?.next || null;\n }\n return current;\n }\n\n public addNode(n: Node) {\n const node: DoubleLinkedListNode = {\n value: n as NodeInLinkedList,\n previous: null,\n next: null,\n };\n (n as NodeInLinkedList).__ln = node;\n if (n.previousSibling && isNodeInLinkedList(n.previousSibling)) {\n const current = n.previousSibling.__ln.next;\n node.next = current;\n node.previous = n.previousSibling.__ln;\n n.previousSibling.__ln.next = node;\n if (current) {\n current.previous = node;\n }\n } else if (\n n.nextSibling &&\n isNodeInLinkedList(n.nextSibling) &&\n n.nextSibling.__ln.previous\n ) {\n const current = n.nextSibling.__ln.previous;\n node.previous = current;\n node.next = n.nextSibling.__ln;\n n.nextSibling.__ln.previous = node;\n if (current) {\n current.next = node;\n }\n } else {\n if (this.head) {\n this.head.previous = node;\n }\n node.next = this.head;\n this.head = node;\n }\n this.length++;\n }\n\n public removeNode(n: NodeInLinkedList) {\n const current = n.__ln;\n if (!this.head) {\n return;\n }\n\n if (!current.previous) {\n this.head = current.next;\n if (this.head) {\n this.head.previous = null;\n }\n } else {\n current.previous.next = current.next;\n if (current.next) {\n current.next.previous = current.previous;\n }\n }\n if (n.__ln) {\n delete (n as Optional).__ln;\n }\n this.length--;\n }\n}\n\nconst moveKey = (id: number, parentId: number) => `${id}@${parentId}`;\nfunction isINode(n: Node | INode): n is INode {\n return '__sn' in n;\n}\n\n/**\n * controls behaviour of a MutationObserver\n */\nexport default class MutationBuffer {\n private frozen: boolean = false;\n private locked: boolean = false;\n\n private texts: textCursor[] = [];\n private attributes: attributeCursor[] = [];\n private removes: removedNodeMutation[] = [];\n private mapRemoves: Node[] = [];\n\n private movedMap: Record = {};\n\n /**\n * the browser MutationObserver emits multiple mutations after\n * a delay for performance reasons, making tracing added nodes hard\n * in our `processMutations` callback function.\n * For example, if we append an element el_1 into body, and then append\n * another element el_2 into el_1, these two mutations may be passed to the\n * callback function together when the two operations were done.\n * Generally we need to trace child nodes of newly added nodes, but in this\n * case if we count el_2 as el_1's child node in the first mutation record,\n * then we will count el_2 again in the second mutation record which was\n * duplicated.\n * To avoid of duplicate counting added nodes, we use a Set to store\n * added nodes and its child nodes during iterate mutation records. Then\n * collect added nodes from the Set which have no duplicate copy. But\n * this also causes newly added nodes will not be serialized with id ASAP,\n * which means all the id related calculation should be lazy too.\n */\n private addedSet = new Set();\n private movedSet = new Set();\n private droppedSet = new Set();\n\n private mutationCb: observerParam['mutationCb'];\n private blockClass: observerParam['blockClass'];\n private blockSelector: observerParam['blockSelector'];\n private maskTextClass: observerParam['maskTextClass'];\n private maskTextSelector: observerParam['maskTextSelector'];\n private inlineStylesheet: observerParam['inlineStylesheet'];\n private maskInputOptions: observerParam['maskInputOptions'];\n private maskTextFn: observerParam['maskTextFn'];\n private maskInputFn: observerParam['maskInputFn'];\n private recordCanvas: observerParam['recordCanvas'];\n private inlineImages: observerParam['inlineImages'];\n private slimDOMOptions: observerParam['slimDOMOptions'];\n private doc: observerParam['doc'];\n private mirror: observerParam['mirror'];\n private iframeManager: observerParam['iframeManager'];\n private shadowDomManager: observerParam['shadowDomManager'];\n private canvasManager: observerParam['canvasManager'];\n\n public init(options: MutationBufferParam) {\n ([\n 'mutationCb',\n 'blockClass',\n 'blockSelector',\n 'maskTextClass',\n 'maskTextSelector',\n 'inlineStylesheet',\n 'maskInputOptions',\n 'maskTextFn',\n 'maskInputFn',\n 'recordCanvas',\n 'inlineImages',\n 'slimDOMOptions',\n 'doc',\n 'mirror',\n 'iframeManager',\n 'shadowDomManager',\n 'canvasManager',\n ] as const).forEach((key) => {\n // just a type trick, the runtime result is correct\n this[key] = options[key] as never;\n });\n }\n\n public freeze() {\n this.frozen = true;\n this.canvasManager.freeze();\n }\n\n public unfreeze() {\n this.frozen = false;\n this.canvasManager.unfreeze();\n this.emit();\n }\n\n public isFrozen() {\n return this.frozen;\n }\n\n public lock() {\n this.locked = true;\n this.canvasManager.lock();\n }\n\n public unlock() {\n this.locked = false;\n this.canvasManager.unlock();\n this.emit();\n }\n\n public reset() {\n this.shadowDomManager.reset();\n this.canvasManager.reset();\n }\n\n public processMutations = (mutations: mutationRecord[]) => {\n mutations.forEach(this.processMutation); // adds mutations to the buffer\n this.emit(); // clears buffer if not locked/frozen\n };\n\n public emit = () => {\n if (this.frozen || this.locked) {\n return;\n }\n\n // delay any modification of the mirror until this function\n // so that the mirror for takeFullSnapshot doesn't get mutated while it's event is being processed\n\n const adds: addedNodeMutation[] = [];\n\n /**\n * Sometimes child node may be pushed before its newly added\n * parent, so we init a queue to store these nodes.\n */\n const addList = new DoubleLinkedList();\n const getNextId = (n: Node): number | null => {\n let ns: Node | null = n;\n let nextId: number | null = IGNORED_NODE; // slimDOM: ignored\n while (nextId === IGNORED_NODE) {\n ns = ns && ns.nextSibling;\n nextId = ns && this.mirror.getId((ns as unknown) as INode);\n }\n return nextId;\n };\n const pushAdd = (n: Node) => {\n const shadowHost: Element | null = n.getRootNode\n ? (n.getRootNode() as ShadowRoot)?.host\n : null;\n // If n is in a nested shadow dom.\n let rootShadowHost = shadowHost;\n while ((rootShadowHost?.getRootNode?.() as ShadowRoot | undefined)?.host)\n rootShadowHost =\n (rootShadowHost?.getRootNode?.() as ShadowRoot | undefined)?.host ||\n null;\n // ensure shadowHost is a Node, or doc.contains will throw an error\n const notInDoc =\n !this.doc.contains(n) &&\n (rootShadowHost === null || !this.doc.contains(rootShadowHost));\n if (!n.parentNode || notInDoc) {\n return;\n }\n const parentId = isShadowRoot(n.parentNode)\n ? this.mirror.getId((shadowHost as unknown) as INode)\n : this.mirror.getId((n.parentNode as Node) as INode);\n const nextId = getNextId(n);\n if (parentId === -1 || nextId === -1) {\n return addList.addNode(n);\n }\n let sn = serializeNodeWithId(n, {\n doc: this.doc,\n map: this.mirror.map,\n blockClass: this.blockClass,\n blockSelector: this.blockSelector,\n maskTextClass: this.maskTextClass,\n maskTextSelector: this.maskTextSelector,\n skipChild: true,\n inlineStylesheet: this.inlineStylesheet,\n maskInputOptions: this.maskInputOptions,\n maskTextFn: this.maskTextFn,\n maskInputFn: this.maskInputFn,\n slimDOMOptions: this.slimDOMOptions,\n recordCanvas: this.recordCanvas,\n inlineImages: this.inlineImages,\n onSerialize: (currentN) => {\n if (isIframeINode(currentN)) {\n this.iframeManager.addIframe(currentN);\n }\n if (hasShadowRoot(n)) {\n this.shadowDomManager.addShadowRoot(n.shadowRoot, document);\n }\n },\n onIframeLoad: (iframe, childSn) => {\n this.iframeManager.attachIframe(iframe, childSn);\n this.shadowDomManager.observeAttachShadow(\n (iframe as Node) as HTMLIFrameElement,\n );\n },\n });\n if (sn) {\n adds.push({\n parentId,\n nextId,\n node: sn,\n });\n }\n };\n\n while (this.mapRemoves.length) {\n this.mirror.removeNodeFromMap(this.mapRemoves.shift() as INode);\n }\n\n for (const n of this.movedSet) {\n if (\n isParentRemoved(this.removes, n, this.mirror) &&\n !this.movedSet.has(n.parentNode!)\n ) {\n continue;\n }\n pushAdd(n);\n }\n\n for (const n of this.addedSet) {\n if (\n !isAncestorInSet(this.droppedSet, n) &&\n !isParentRemoved(this.removes, n, this.mirror)\n ) {\n pushAdd(n);\n } else if (isAncestorInSet(this.movedSet, n)) {\n pushAdd(n);\n } else {\n this.droppedSet.add(n);\n }\n }\n\n let candidate: DoubleLinkedListNode | null = null;\n while (addList.length) {\n let node: DoubleLinkedListNode | null = null;\n if (candidate) {\n const parentId = this.mirror.getId(\n (candidate.value.parentNode as Node) as INode,\n );\n const nextId = getNextId(candidate.value);\n if (parentId !== -1 && nextId !== -1) {\n node = candidate;\n }\n }\n if (!node) {\n for (let index = addList.length - 1; index >= 0; index--) {\n const _node = addList.get(index)!;\n // ensure _node is defined before attempting to find value\n if (_node) {\n const parentId = this.mirror.getId(\n (_node.value.parentNode as Node) as INode,\n );\n const nextId = getNextId(_node.value);\n if (parentId !== -1 && nextId !== -1) {\n node = _node;\n break;\n }\n }\n }\n }\n if (!node) {\n /**\n * If all nodes in queue could not find a serialized parent,\n * it may be a bug or corner case. We need to escape the\n * dead while loop at once.\n */\n while (addList.head) {\n addList.removeNode(addList.head.value);\n }\n break;\n }\n candidate = node.previous;\n addList.removeNode(node.value);\n pushAdd(node.value);\n }\n\n const payload = {\n texts: this.texts\n .map((text) => ({\n id: this.mirror.getId(text.node as INode),\n value: text.value,\n }))\n // text mutation's id was not in the mirror map means the target node has been removed\n .filter((text) => this.mirror.has(text.id)),\n attributes: this.attributes\n .map((attribute) => ({\n id: this.mirror.getId(attribute.node as INode),\n attributes: attribute.attributes,\n }))\n // attribute mutation's id was not in the mirror map means the target node has been removed\n .filter((attribute) => this.mirror.has(attribute.id)),\n removes: this.removes,\n adds,\n };\n // payload may be empty if the mutations happened in some blocked elements\n if (\n !payload.texts.length &&\n !payload.attributes.length &&\n !payload.removes.length &&\n !payload.adds.length\n ) {\n return;\n }\n\n // reset\n this.texts = [];\n this.attributes = [];\n this.removes = [];\n this.addedSet = new Set();\n this.movedSet = new Set();\n this.droppedSet = new Set();\n this.movedMap = {};\n\n this.mutationCb(payload);\n };\n\n private processMutation = (m: mutationRecord) => {\n if (isIgnored(m.target)) {\n return;\n }\n switch (m.type) {\n case 'characterData': {\n const value = m.target.textContent;\n if (!isBlocked(m.target, this.blockClass) && value !== m.oldValue) {\n this.texts.push({\n value:\n needMaskingText(\n m.target,\n this.maskTextClass,\n this.maskTextSelector,\n ) && value\n ? this.maskTextFn\n ? this.maskTextFn(value)\n : value.replace(/[\\S]/g, '*')\n : value,\n node: m.target,\n });\n }\n break;\n }\n case 'attributes': {\n const target = m.target as HTMLElement;\n let value = (m.target as HTMLElement).getAttribute(m.attributeName!);\n if (m.attributeName === 'value') {\n value = maskInputValue({\n maskInputOptions: this.maskInputOptions,\n tagName: (m.target as HTMLElement).tagName,\n type: (m.target as HTMLElement).getAttribute('type'),\n value,\n maskInputFn: this.maskInputFn,\n });\n }\n if (isBlocked(m.target, this.blockClass) || value === m.oldValue) {\n return;\n }\n let item: attributeCursor | undefined = this.attributes.find(\n (a) => a.node === m.target,\n );\n if (!item) {\n item = {\n node: m.target,\n attributes: {},\n };\n this.attributes.push(item);\n }\n if (m.attributeName === 'style') {\n const old = this.doc.createElement('span');\n if (m.oldValue) {\n old.setAttribute('style', m.oldValue);\n }\n if (\n item.attributes.style === undefined ||\n item.attributes.style === null\n ) {\n item.attributes.style = {};\n }\n const styleObj = item.attributes.style as styleAttributeValue;\n for (const pname of Array.from(target.style)) {\n const newValue = target.style.getPropertyValue(pname);\n const newPriority = target.style.getPropertyPriority(pname);\n if (\n newValue !== old.style.getPropertyValue(pname) ||\n newPriority !== old.style.getPropertyPriority(pname)\n ) {\n if (newPriority === '') {\n styleObj[pname] = newValue;\n } else {\n styleObj[pname] = [newValue, newPriority];\n }\n }\n }\n for (const pname of Array.from(old.style)) {\n if (target.style.getPropertyValue(pname) === '') {\n // \"if not set, returns the empty string\"\n styleObj[pname] = false; // delete\n }\n }\n } else {\n // overwrite attribute if the mutations was triggered in same time\n item.attributes[m.attributeName!] = transformAttribute(\n this.doc,\n (m.target as HTMLElement).tagName,\n m.attributeName!,\n value!,\n );\n }\n break;\n }\n case 'childList': {\n m.addedNodes.forEach((n) => this.genAdds(n, m.target));\n m.removedNodes.forEach((n) => {\n const nodeId = this.mirror.getId(n as INode);\n const parentId = isShadowRoot(m.target)\n ? this.mirror.getId((m.target.host as unknown) as INode)\n : this.mirror.getId(m.target as INode);\n if (isBlocked(m.target, this.blockClass) || isIgnored(n)) {\n return;\n }\n // removed node has not been serialized yet, just remove it from the Set\n if (this.addedSet.has(n)) {\n deepDelete(this.addedSet, n);\n this.droppedSet.add(n);\n } else if (this.addedSet.has(m.target) && nodeId === -1) {\n /**\n * If target was newly added and removed child node was\n * not serialized, it means the child node has been removed\n * before callback fired, so we can ignore it because\n * newly added node will be serialized without child nodes.\n * TODO: verify this\n */\n } else if (isAncestorRemoved(m.target as INode, this.mirror)) {\n /**\n * If parent id was not in the mirror map any more, it\n * means the parent node has already been removed. So\n * the node is also removed which we do not need to track\n * and replay.\n */\n } else if (\n this.movedSet.has(n) &&\n this.movedMap[moveKey(nodeId, parentId)]\n ) {\n deepDelete(this.movedSet, n);\n } else {\n this.removes.push({\n parentId,\n id: nodeId,\n isShadow: isShadowRoot(m.target) ? true : undefined,\n });\n }\n this.mapRemoves.push(n);\n });\n break;\n }\n default:\n break;\n }\n };\n\n private genAdds = (n: Node | INode, target?: Node | INode) => {\n // parent was blocked, so we can ignore this node\n if (target && isBlocked(target, this.blockClass)) {\n return;\n }\n if (isINode(n)) {\n if (isIgnored(n)) {\n return;\n }\n this.movedSet.add(n);\n let targetId: number | null = null;\n if (target && isINode(target)) {\n targetId = target.__sn.id;\n }\n if (targetId) {\n this.movedMap[moveKey(n.__sn.id, targetId)] = true;\n }\n } else {\n this.addedSet.add(n);\n this.droppedSet.delete(n);\n }\n\n // if this node is blocked `serializeNode` will turn it into a placeholder element\n // but we have to remove it's children otherwise they will be added as placeholders too\n if (!isBlocked(n, this.blockClass))\n n.childNodes.forEach((childN) => this.genAdds(childN));\n };\n}\n\n/**\n * Some utils to handle the mutation observer DOM records.\n * It should be more clear to extend the native data structure\n * like Set and Map, but currently Typescript does not support\n * that.\n */\nfunction deepDelete(addsSet: Set, n: Node) {\n addsSet.delete(n);\n n.childNodes.forEach((childN) => deepDelete(addsSet, childN));\n}\n\nfunction isParentRemoved(\n removes: removedNodeMutation[],\n n: Node,\n mirror: Mirror,\n): boolean {\n const { parentNode } = n;\n if (!parentNode) {\n return false;\n }\n const parentId = mirror.getId((parentNode as Node) as INode);\n if (removes.some((r) => r.id === parentId)) {\n return true;\n }\n return isParentRemoved(removes, parentNode, mirror);\n}\n\nfunction isAncestorInSet(set: Set, n: Node): boolean {\n const { parentNode } = n;\n if (!parentNode) {\n return false;\n }\n if (set.has(parentNode)) {\n return true;\n }\n return isAncestorInSet(set, parentNode);\n}\n","import { INode, MaskInputOptions, maskInputValue } from 'rrweb-snapshot';\nimport { FontFaceSet } from 'css-font-loading-module';\nimport {\n throttle,\n on,\n hookSetter,\n getWindowHeight,\n getWindowWidth,\n isBlocked,\n isTouchEvent,\n patch,\n} from '../utils';\nimport {\n mutationCallBack,\n observerParam,\n mousemoveCallBack,\n mousePosition,\n mouseInteractionCallBack,\n MouseInteractions,\n listenerHandler,\n scrollCallback,\n styleSheetRuleCallback,\n viewportResizeCallback,\n inputValue,\n inputCallback,\n hookResetter,\n IncrementalSource,\n hooksParam,\n Arguments,\n mediaInteractionCallback,\n MediaInteractions,\n canvasMutationCallback,\n fontCallback,\n fontParam,\n styleDeclarationCallback,\n IWindow,\n MutationBufferParam,\n} from '../types';\nimport MutationBuffer from './mutation';\n\ntype WindowWithStoredMutationObserver = IWindow & {\n __rrMutationObserver?: MutationObserver;\n};\ntype WindowWithAngularZone = IWindow & {\n Zone?: {\n __symbol__?: (key: string) => string;\n };\n};\n\nexport const mutationBuffers: MutationBuffer[] = [];\n\nconst isCSSGroupingRuleSupported = typeof CSSGroupingRule !== 'undefined';\nconst isCSSMediaRuleSupported = typeof CSSMediaRule !== 'undefined';\nconst isCSSSupportsRuleSupported = typeof CSSSupportsRule !== 'undefined';\nconst isCSSConditionRuleSupported = typeof CSSConditionRule !== 'undefined';\n\n// Event.path is non-standard and used in some older browsers\ntype NonStandardEvent = Omit & {\n path: EventTarget[];\n};\n\nfunction getEventTarget(event: Event | NonStandardEvent): EventTarget | null {\n try {\n if ('composedPath' in event) {\n const path = event.composedPath();\n if (path.length) {\n return path[0];\n }\n } else if ('path' in event && event.path.length) {\n return event.path[0];\n }\n return event.target;\n } catch {\n return event.target;\n }\n}\n\nexport function initMutationObserver(\n options: MutationBufferParam,\n rootEl: Node,\n): MutationObserver {\n const mutationBuffer = new MutationBuffer();\n mutationBuffers.push(mutationBuffer);\n // see mutation.ts for details\n mutationBuffer.init(options);\n let mutationObserverCtor =\n window.MutationObserver ||\n /**\n * Some websites may disable MutationObserver by removing it from the window object.\n * If someone is using rrweb to build a browser extention or things like it, they\n * could not change the website's code but can have an opportunity to inject some\n * code before the website executing its JS logic.\n * Then they can do this to store the native MutationObserver:\n * window.__rrMutationObserver = MutationObserver\n */\n (window as WindowWithStoredMutationObserver).__rrMutationObserver;\n const angularZoneSymbol = (window as WindowWithAngularZone)?.Zone?.__symbol__?.(\n 'MutationObserver',\n );\n if (\n angularZoneSymbol &&\n ((window as unknown) as Record)[\n angularZoneSymbol\n ]\n ) {\n mutationObserverCtor = ((window as unknown) as Record<\n string,\n typeof MutationObserver\n >)[angularZoneSymbol];\n }\n const observer = new mutationObserverCtor(\n mutationBuffer.processMutations.bind(mutationBuffer),\n );\n observer.observe(rootEl, {\n attributes: true,\n attributeOldValue: true,\n characterData: true,\n characterDataOldValue: true,\n childList: true,\n subtree: true,\n });\n return observer;\n}\n\nfunction initMoveObserver({\n mousemoveCb,\n sampling,\n doc,\n mirror,\n}: observerParam): listenerHandler {\n if (sampling.mousemove === false) {\n return () => {};\n }\n\n const threshold =\n typeof sampling.mousemove === 'number' ? sampling.mousemove : 50;\n const callbackThreshold =\n typeof sampling.mousemoveCallback === 'number'\n ? sampling.mousemoveCallback\n : 500;\n\n let positions: mousePosition[] = [];\n let timeBaseline: number | null;\n const wrappedCb = throttle(\n (\n source:\n | IncrementalSource.MouseMove\n | IncrementalSource.TouchMove\n | IncrementalSource.Drag,\n ) => {\n const totalOffset = Date.now() - timeBaseline!;\n mousemoveCb(\n positions.map((p) => {\n p.timeOffset -= totalOffset;\n return p;\n }),\n source,\n );\n positions = [];\n timeBaseline = null;\n },\n callbackThreshold,\n );\n const updatePosition = throttle(\n (evt) => {\n const target = getEventTarget(evt);\n const { clientX, clientY } = isTouchEvent(evt)\n ? evt.changedTouches[0]\n : evt;\n if (!timeBaseline) {\n timeBaseline = Date.now();\n }\n positions.push({\n x: clientX,\n y: clientY,\n id: mirror.getId(target as INode),\n timeOffset: Date.now() - timeBaseline,\n });\n // it is possible DragEvent is undefined even on devices\n // that support event 'drag'\n wrappedCb(\n typeof DragEvent !== 'undefined' && evt instanceof DragEvent\n ? IncrementalSource.Drag\n : evt instanceof MouseEvent\n ? IncrementalSource.MouseMove\n : IncrementalSource.TouchMove,\n );\n },\n threshold,\n {\n trailing: false,\n },\n );\n const handlers = [\n on('mousemove', updatePosition, doc),\n on('touchmove', updatePosition, doc),\n on('drag', updatePosition, doc),\n ];\n return () => {\n handlers.forEach((h) => h());\n };\n}\n\nfunction initMouseInteractionObserver({\n mouseInteractionCb,\n doc,\n mirror,\n blockClass,\n sampling,\n}: observerParam): listenerHandler {\n if (sampling.mouseInteraction === false) {\n return () => {};\n }\n const disableMap: Record =\n sampling.mouseInteraction === true ||\n sampling.mouseInteraction === undefined\n ? {}\n : sampling.mouseInteraction;\n\n const handlers: listenerHandler[] = [];\n const getHandler = (eventKey: keyof typeof MouseInteractions) => {\n return (event: MouseEvent | TouchEvent) => {\n const target = getEventTarget(event) as Node;\n if (isBlocked(target as Node, blockClass)) {\n return;\n }\n const e = isTouchEvent(event) ? event.changedTouches[0] : event;\n if (!e) {\n return;\n }\n const id = mirror.getId(target as INode);\n const { clientX, clientY } = e;\n mouseInteractionCb({\n type: MouseInteractions[eventKey],\n id,\n x: clientX,\n y: clientY,\n });\n };\n };\n Object.keys(MouseInteractions)\n .filter(\n (key) =>\n Number.isNaN(Number(key)) &&\n !key.endsWith('_Departed') &&\n disableMap[key] !== false,\n )\n .forEach((eventKey: keyof typeof MouseInteractions) => {\n const eventName = eventKey.toLowerCase();\n const handler = getHandler(eventKey);\n handlers.push(on(eventName, handler, doc));\n });\n return () => {\n handlers.forEach((h) => h());\n };\n}\n\nexport function initScrollObserver({\n scrollCb,\n doc,\n mirror,\n blockClass,\n sampling,\n}: Pick<\n observerParam,\n 'scrollCb' | 'doc' | 'mirror' | 'blockClass' | 'sampling'\n>): listenerHandler {\n const updatePosition = throttle((evt) => {\n const target = getEventTarget(evt);\n if (!target || isBlocked(target as Node, blockClass)) {\n return;\n }\n const id = mirror.getId(target as INode);\n if (target === doc) {\n const scrollEl = (doc.scrollingElement || doc.documentElement)!;\n scrollCb({\n id,\n x: scrollEl.scrollLeft,\n y: scrollEl.scrollTop,\n });\n } else {\n scrollCb({\n id,\n x: (target as HTMLElement).scrollLeft,\n y: (target as HTMLElement).scrollTop,\n });\n }\n }, sampling.scroll || 100);\n return on('scroll', updatePosition, doc);\n}\n\nfunction initViewportResizeObserver({\n viewportResizeCb,\n}: observerParam): listenerHandler {\n let lastH = -1;\n let lastW = -1;\n const updateDimension = throttle(() => {\n const height = getWindowHeight();\n const width = getWindowWidth();\n if (lastH !== height || lastW !== width) {\n viewportResizeCb({\n width: Number(width),\n height: Number(height),\n });\n lastH = height;\n lastW = width;\n }\n }, 200);\n return on('resize', updateDimension, window);\n}\n\nfunction wrapEventWithUserTriggeredFlag(\n v: inputValue,\n enable: boolean,\n): inputValue {\n const value = { ...v };\n if (!enable) delete value.userTriggered;\n return value;\n}\n\nexport const INPUT_TAGS = ['INPUT', 'TEXTAREA', 'SELECT'];\nconst lastInputValueMap: WeakMap = new WeakMap();\nfunction initInputObserver({\n inputCb,\n doc,\n mirror,\n blockClass,\n ignoreClass,\n maskInputOptions,\n maskInputFn,\n sampling,\n userTriggeredOnInput,\n}: observerParam): listenerHandler {\n function eventHandler(event: Event) {\n let target = getEventTarget(event);\n const userTriggered = event.isTrusted;\n /**\n * If a site changes the value 'selected' of an option element, the value of its parent element, usually a select element, will be changed as well.\n * We can treat this change as a value change of the select element the current target belongs to.\n */\n if (target && (target as Element).tagName === 'OPTION')\n target = (target as Element).parentElement;\n if (\n !target ||\n !(target as Element).tagName ||\n INPUT_TAGS.indexOf((target as Element).tagName) < 0 ||\n isBlocked(target as Node, blockClass)\n ) {\n return;\n }\n const type: string | undefined = (target as HTMLInputElement).type;\n if ((target as HTMLElement).classList.contains(ignoreClass)) {\n return;\n }\n let text = (target as HTMLInputElement).value;\n let isChecked = false;\n if (type === 'radio' || type === 'checkbox') {\n isChecked = (target as HTMLInputElement).checked;\n } else if (\n maskInputOptions[\n (target as Element).tagName.toLowerCase() as keyof MaskInputOptions\n ] ||\n maskInputOptions[type as keyof MaskInputOptions]\n ) {\n text = maskInputValue({\n maskInputOptions,\n tagName: (target as HTMLElement).tagName,\n type,\n value: text,\n maskInputFn,\n });\n }\n cbWithDedup(\n target,\n wrapEventWithUserTriggeredFlag(\n { text, isChecked, userTriggered },\n userTriggeredOnInput,\n ),\n );\n // if a radio was checked\n // the other radios with the same name attribute will be unchecked.\n const name: string | undefined = (target as HTMLInputElement).name;\n if (type === 'radio' && name && isChecked) {\n doc\n .querySelectorAll(`input[type=\"radio\"][name=\"${name}\"]`)\n .forEach((el) => {\n if (el !== target) {\n cbWithDedup(\n el,\n wrapEventWithUserTriggeredFlag(\n {\n text: (el as HTMLInputElement).value,\n isChecked: !isChecked,\n userTriggered: false,\n },\n userTriggeredOnInput,\n ),\n );\n }\n });\n }\n }\n function cbWithDedup(target: EventTarget, v: inputValue) {\n const lastInputValue = lastInputValueMap.get(target);\n if (\n !lastInputValue ||\n lastInputValue.text !== v.text ||\n lastInputValue.isChecked !== v.isChecked\n ) {\n lastInputValueMap.set(target, v);\n const id = mirror.getId(target as INode);\n inputCb({\n ...v,\n id,\n });\n }\n }\n const events = sampling.input === 'last' ? ['change'] : ['input', 'change'];\n const handlers: Array<\n listenerHandler | hookResetter\n > = events.map((eventName) => on(eventName, eventHandler, doc));\n const propertyDescriptor = Object.getOwnPropertyDescriptor(\n HTMLInputElement.prototype,\n 'value',\n );\n const hookProperties: Array<[HTMLElement, string]> = [\n [HTMLInputElement.prototype, 'value'],\n [HTMLInputElement.prototype, 'checked'],\n [HTMLSelectElement.prototype, 'value'],\n [HTMLTextAreaElement.prototype, 'value'],\n // Some UI library use selectedIndex to set select value\n [HTMLSelectElement.prototype, 'selectedIndex'],\n [HTMLOptionElement.prototype, 'selected'],\n ];\n if (propertyDescriptor && propertyDescriptor.set) {\n handlers.push(\n ...hookProperties.map((p) =>\n hookSetter(p[0], p[1], {\n set() {\n // mock to a normal event\n eventHandler({ target: this } as Event);\n },\n }),\n ),\n );\n }\n return () => {\n handlers.forEach((h) => h());\n };\n}\n\ntype GroupingCSSRule =\n | CSSGroupingRule\n | CSSMediaRule\n | CSSSupportsRule\n | CSSConditionRule;\ntype GroupingCSSRuleTypes =\n | typeof CSSGroupingRule\n | typeof CSSMediaRule\n | typeof CSSSupportsRule\n | typeof CSSConditionRule;\n\nfunction getNestedCSSRulePositions(rule: CSSRule): number[] {\n const positions: number[] = [];\n function recurse(childRule: CSSRule, pos: number[]) {\n if (\n (isCSSGroupingRuleSupported &&\n childRule.parentRule instanceof CSSGroupingRule) ||\n (isCSSMediaRuleSupported &&\n childRule.parentRule instanceof CSSMediaRule) ||\n (isCSSSupportsRuleSupported &&\n childRule.parentRule instanceof CSSSupportsRule) ||\n (isCSSConditionRuleSupported &&\n childRule.parentRule instanceof CSSConditionRule)\n ) {\n const rules = Array.from(\n (childRule.parentRule as GroupingCSSRule).cssRules,\n );\n const index = rules.indexOf(childRule);\n pos.unshift(index);\n } else {\n const rules = Array.from(childRule.parentStyleSheet!.cssRules);\n const index = rules.indexOf(childRule);\n pos.unshift(index);\n }\n return pos;\n }\n return recurse(rule, positions);\n}\n\nfunction initStyleSheetObserver(\n { styleSheetRuleCb, mirror }: observerParam,\n { win }: { win: IWindow },\n): listenerHandler {\n const insertRule = win.CSSStyleSheet.prototype.insertRule;\n win.CSSStyleSheet.prototype.insertRule = function (\n rule: string,\n index?: number,\n ) {\n const id = mirror.getId(this.ownerNode as INode);\n if (id !== -1) {\n styleSheetRuleCb({\n id,\n adds: [{ rule, index }],\n });\n }\n return insertRule.apply(this, arguments);\n };\n\n const deleteRule = win.CSSStyleSheet.prototype.deleteRule;\n win.CSSStyleSheet.prototype.deleteRule = function (index: number) {\n const id = mirror.getId(this.ownerNode as INode);\n if (id !== -1) {\n styleSheetRuleCb({\n id,\n removes: [{ index }],\n });\n }\n return deleteRule.apply(this, arguments);\n };\n\n const supportedNestedCSSRuleTypes: {\n [key: string]: GroupingCSSRuleTypes;\n } = {};\n if (isCSSGroupingRuleSupported) {\n supportedNestedCSSRuleTypes.CSSGroupingRule = win.CSSGroupingRule;\n } else {\n // Some browsers (Safari) don't support CSSGroupingRule\n // https://caniuse.com/?search=cssgroupingrule\n // fall back to monkey patching classes that would have inherited from CSSGroupingRule\n\n if (isCSSMediaRuleSupported) {\n supportedNestedCSSRuleTypes.CSSMediaRule = win.CSSMediaRule;\n }\n if (isCSSConditionRuleSupported) {\n supportedNestedCSSRuleTypes.CSSConditionRule = win.CSSConditionRule;\n }\n if (isCSSSupportsRuleSupported) {\n supportedNestedCSSRuleTypes.CSSSupportsRule = win.CSSSupportsRule;\n }\n }\n\n const unmodifiedFunctions: {\n [key: string]: {\n insertRule: (rule: string, index?: number) => number;\n deleteRule: (index: number) => void;\n };\n } = {};\n\n Object.entries(supportedNestedCSSRuleTypes).forEach(([typeKey, type]) => {\n unmodifiedFunctions[typeKey] = {\n insertRule: (type as GroupingCSSRuleTypes).prototype.insertRule,\n deleteRule: (type as GroupingCSSRuleTypes).prototype.deleteRule,\n };\n\n type.prototype.insertRule = function (rule: string, index?: number) {\n const id = mirror.getId(this.parentStyleSheet.ownerNode as INode);\n if (id !== -1) {\n styleSheetRuleCb({\n id,\n adds: [\n {\n rule,\n index: [\n ...getNestedCSSRulePositions(this),\n index || 0, // defaults to 0\n ],\n },\n ],\n });\n }\n return unmodifiedFunctions[typeKey].insertRule.apply(this, arguments);\n };\n\n type.prototype.deleteRule = function (index: number) {\n const id = mirror.getId(this.parentStyleSheet.ownerNode as INode);\n if (id !== -1) {\n styleSheetRuleCb({\n id,\n removes: [{ index: [...getNestedCSSRulePositions(this), index] }],\n });\n }\n return unmodifiedFunctions[typeKey].deleteRule.apply(this, arguments);\n };\n });\n\n return () => {\n win.CSSStyleSheet.prototype.insertRule = insertRule;\n win.CSSStyleSheet.prototype.deleteRule = deleteRule;\n Object.entries(supportedNestedCSSRuleTypes).forEach(([typeKey, type]) => {\n type.prototype.insertRule = unmodifiedFunctions[typeKey].insertRule;\n type.prototype.deleteRule = unmodifiedFunctions[typeKey].deleteRule;\n });\n };\n}\n\nfunction initStyleDeclarationObserver(\n { styleDeclarationCb, mirror }: observerParam,\n { win }: { win: IWindow },\n): listenerHandler {\n const setProperty = win.CSSStyleDeclaration.prototype.setProperty;\n win.CSSStyleDeclaration.prototype.setProperty = function (\n this: CSSStyleDeclaration,\n property: string,\n value: string,\n priority: string,\n ) {\n const id = mirror.getId(\n (this.parentRule?.parentStyleSheet?.ownerNode as unknown) as INode,\n );\n if (id !== -1) {\n styleDeclarationCb({\n id,\n set: {\n property,\n value,\n priority,\n },\n index: getNestedCSSRulePositions(this.parentRule!),\n });\n }\n return setProperty.apply(this, arguments);\n };\n\n const removeProperty = win.CSSStyleDeclaration.prototype.removeProperty;\n win.CSSStyleDeclaration.prototype.removeProperty = function (\n this: CSSStyleDeclaration,\n property: string,\n ) {\n const id = mirror.getId(\n (this.parentRule?.parentStyleSheet?.ownerNode as unknown) as INode,\n );\n if (id !== -1) {\n styleDeclarationCb({\n id,\n remove: {\n property,\n },\n index: getNestedCSSRulePositions(this.parentRule!),\n });\n }\n return removeProperty.apply(this, arguments);\n };\n\n return () => {\n win.CSSStyleDeclaration.prototype.setProperty = setProperty;\n win.CSSStyleDeclaration.prototype.removeProperty = removeProperty;\n };\n}\n\nfunction initMediaInteractionObserver({\n mediaInteractionCb,\n blockClass,\n mirror,\n sampling,\n}: observerParam): listenerHandler {\n const handler = (type: MediaInteractions) =>\n throttle((event: Event) => {\n const target = getEventTarget(event);\n if (!target || isBlocked(target as Node, blockClass)) {\n return;\n }\n const { currentTime, volume, muted } = target as HTMLMediaElement;\n mediaInteractionCb({\n type,\n id: mirror.getId(target as INode),\n currentTime,\n volume,\n muted,\n });\n }, sampling.media || 500);\n const handlers = [\n on('play', handler(MediaInteractions.Play)),\n on('pause', handler(MediaInteractions.Pause)),\n on('seeked', handler(MediaInteractions.Seeked)),\n on('volumechange', handler(MediaInteractions.VolumeChange)),\n ];\n return () => {\n handlers.forEach((h) => h());\n };\n}\n\nfunction initFontObserver({ fontCb, doc }: observerParam): listenerHandler {\n const win = doc.defaultView as IWindow;\n if (!win) {\n return () => {};\n }\n\n const handlers: listenerHandler[] = [];\n\n const fontMap = new WeakMap();\n\n const originalFontFace = win.FontFace;\n win.FontFace = (function FontFace(\n family: string,\n source: string | ArrayBufferView,\n descriptors?: FontFaceDescriptors,\n ) {\n const fontFace = new originalFontFace(family, source, descriptors);\n fontMap.set(fontFace, {\n family,\n buffer: typeof source !== 'string',\n descriptors,\n fontSource:\n typeof source === 'string'\n ? source\n : // tslint:disable-next-line: no-any\n JSON.stringify(Array.from(new Uint8Array(source as any))),\n });\n return fontFace;\n } as unknown) as typeof FontFace;\n\n const restoreHandler = patch(doc.fonts, 'add', function (original) {\n return function (this: FontFaceSet, fontFace: FontFace) {\n setTimeout(() => {\n const p = fontMap.get(fontFace);\n if (p) {\n fontCb(p);\n fontMap.delete(fontFace);\n }\n }, 0);\n return original.apply(this, [fontFace]);\n };\n });\n\n handlers.push(() => {\n win.FontFace = originalFontFace;\n });\n handlers.push(restoreHandler);\n\n return () => {\n handlers.forEach((h) => h());\n };\n}\n\nfunction mergeHooks(o: observerParam, hooks: hooksParam) {\n const {\n mutationCb,\n mousemoveCb,\n mouseInteractionCb,\n scrollCb,\n viewportResizeCb,\n inputCb,\n mediaInteractionCb,\n styleSheetRuleCb,\n styleDeclarationCb,\n canvasMutationCb,\n fontCb,\n } = o;\n o.mutationCb = (...p: Arguments) => {\n if (hooks.mutation) {\n hooks.mutation(...p);\n }\n mutationCb(...p);\n };\n o.mousemoveCb = (...p: Arguments) => {\n if (hooks.mousemove) {\n hooks.mousemove(...p);\n }\n mousemoveCb(...p);\n };\n o.mouseInteractionCb = (...p: Arguments) => {\n if (hooks.mouseInteraction) {\n hooks.mouseInteraction(...p);\n }\n mouseInteractionCb(...p);\n };\n o.scrollCb = (...p: Arguments) => {\n if (hooks.scroll) {\n hooks.scroll(...p);\n }\n scrollCb(...p);\n };\n o.viewportResizeCb = (...p: Arguments) => {\n if (hooks.viewportResize) {\n hooks.viewportResize(...p);\n }\n viewportResizeCb(...p);\n };\n o.inputCb = (...p: Arguments) => {\n if (hooks.input) {\n hooks.input(...p);\n }\n inputCb(...p);\n };\n o.mediaInteractionCb = (...p: Arguments) => {\n if (hooks.mediaInteaction) {\n hooks.mediaInteaction(...p);\n }\n mediaInteractionCb(...p);\n };\n o.styleSheetRuleCb = (...p: Arguments) => {\n if (hooks.styleSheetRule) {\n hooks.styleSheetRule(...p);\n }\n styleSheetRuleCb(...p);\n };\n o.styleDeclarationCb = (...p: Arguments) => {\n if (hooks.styleDeclaration) {\n hooks.styleDeclaration(...p);\n }\n styleDeclarationCb(...p);\n };\n o.canvasMutationCb = (...p: Arguments) => {\n if (hooks.canvasMutation) {\n hooks.canvasMutation(...p);\n }\n canvasMutationCb(...p);\n };\n o.fontCb = (...p: Arguments) => {\n if (hooks.font) {\n hooks.font(...p);\n }\n fontCb(...p);\n };\n}\n\nexport function initObservers(\n o: observerParam,\n hooks: hooksParam = {},\n): listenerHandler {\n const currentWindow = o.doc.defaultView; // basically document.window\n if (!currentWindow) {\n return () => {};\n }\n\n mergeHooks(o, hooks);\n const mutationObserver = initMutationObserver(o, o.doc);\n const mousemoveHandler = initMoveObserver(o);\n const mouseInteractionHandler = initMouseInteractionObserver(o);\n const scrollHandler = initScrollObserver(o);\n const viewportResizeHandler = initViewportResizeObserver(o);\n const inputHandler = initInputObserver(o);\n const mediaInteractionHandler = initMediaInteractionObserver(o);\n\n const styleSheetObserver = initStyleSheetObserver(o, { win: currentWindow });\n const styleDeclarationObserver = initStyleDeclarationObserver(o, {\n win: currentWindow,\n });\n const fontObserver = o.collectFonts ? initFontObserver(o) : () => {};\n // plugins\n const pluginHandlers: listenerHandler[] = [];\n for (const plugin of o.plugins) {\n pluginHandlers.push(\n plugin.observer(plugin.callback, currentWindow, plugin.options),\n );\n }\n\n return () => {\n mutationBuffers.forEach((b) => b.reset());\n mutationObserver.disconnect();\n mousemoveHandler();\n mouseInteractionHandler();\n scrollHandler();\n viewportResizeHandler();\n inputHandler();\n mediaInteractionHandler();\n styleSheetObserver();\n styleDeclarationObserver();\n fontObserver();\n pluginHandlers.forEach((h) => h());\n };\n}\n","import { serializedNodeWithId, INode } from 'rrweb-snapshot';\nimport { mutationCallBack } from '../types';\n\nexport class IframeManager {\n private iframes: WeakMap = new WeakMap();\n private mutationCb: mutationCallBack;\n private loadListener?: (iframeEl: HTMLIFrameElement) => unknown;\n\n constructor(options: { mutationCb: mutationCallBack }) {\n this.mutationCb = options.mutationCb;\n }\n\n public addIframe(iframeEl: HTMLIFrameElement) {\n this.iframes.set(iframeEl, true);\n }\n\n public addLoadListener(cb: (iframeEl: HTMLIFrameElement) => unknown) {\n this.loadListener = cb;\n }\n\n public attachIframe(iframeEl: INode, childSn: serializedNodeWithId) {\n this.mutationCb({\n adds: [\n {\n parentId: iframeEl.__sn.id,\n nextId: null,\n node: childSn,\n },\n ],\n removes: [],\n texts: [],\n attributes: [],\n isAttachIframe: true,\n });\n this.loadListener?.((iframeEl as unknown) as HTMLIFrameElement);\n }\n}\n","import {\n mutationCallBack,\n Mirror,\n scrollCallback,\n MutationBufferParam,\n SamplingStrategy,\n} from '../types';\nimport { initMutationObserver, initScrollObserver } from './observer';\nimport { patch } from '../utils';\n\ntype BypassOptions = Omit<\n MutationBufferParam,\n 'doc' | 'mutationCb' | 'mirror' | 'shadowDomManager'\n> & {\n sampling: SamplingStrategy;\n};\n\nexport class ShadowDomManager {\n private mutationCb: mutationCallBack;\n private scrollCb: scrollCallback;\n private bypassOptions: BypassOptions;\n private mirror: Mirror;\n private restorePatches: (() => void)[] = [];\n\n constructor(options: {\n mutationCb: mutationCallBack;\n scrollCb: scrollCallback;\n bypassOptions: BypassOptions;\n mirror: Mirror;\n }) {\n this.mutationCb = options.mutationCb;\n this.scrollCb = options.scrollCb;\n this.bypassOptions = options.bypassOptions;\n this.mirror = options.mirror;\n\n // Patch 'attachShadow' to observe newly added shadow doms.\n const manager = this;\n this.restorePatches.push(\n patch(HTMLElement.prototype, 'attachShadow', function (original) {\n return function () {\n const shadowRoot = original.apply(this, arguments);\n if (this.shadowRoot)\n manager.addShadowRoot(this.shadowRoot, this.ownerDocument);\n return shadowRoot;\n };\n }),\n );\n }\n\n public addShadowRoot(shadowRoot: ShadowRoot, doc: Document) {\n initMutationObserver(\n {\n ...this.bypassOptions,\n doc,\n mutationCb: this.mutationCb,\n mirror: this.mirror,\n shadowDomManager: this,\n },\n shadowRoot,\n );\n initScrollObserver({\n ...this.bypassOptions,\n scrollCb: this.scrollCb,\n // https://gist.github.com/praveenpuglia/0832da687ed5a5d7a0907046c9ef1813\n // scroll is not allowed to pass the boundary, so we need to listen the shadow document\n doc: (shadowRoot as unknown) as Document,\n mirror: this.mirror,\n });\n }\n\n /**\n * Monkey patch 'attachShadow' of an IFrameElement to observe newly added shadow doms.\n */\n public observeAttachShadow(iframeElement: HTMLIFrameElement) {\n if (iframeElement.contentWindow) {\n const manager = this;\n this.restorePatches.push(\n patch(\n (iframeElement.contentWindow as Window & {\n HTMLElement: { prototype: HTMLElement };\n }).HTMLElement.prototype,\n 'attachShadow',\n function (original) {\n return function () {\n const shadowRoot = original.apply(this, arguments);\n if (this.shadowRoot)\n manager.addShadowRoot(\n this.shadowRoot,\n iframeElement.contentDocument as Document,\n );\n return shadowRoot;\n };\n },\n ),\n );\n }\n }\n\n public reset() {\n this.restorePatches.forEach((restorePatch) => restorePatch());\n }\n}\n","/*\n * base64-arraybuffer 1.0.1 \n * Copyright (c) 2021 Niklas von Hertzen \n * Released under MIT License\n */\nvar chars = 'ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/';\n// Use a lookup table to find the index.\nvar lookup = typeof Uint8Array === 'undefined' ? [] : new Uint8Array(256);\nfor (var i = 0; i < chars.length; i++) {\n lookup[chars.charCodeAt(i)] = i;\n}\nvar encode = function (arraybuffer) {\n var bytes = new Uint8Array(arraybuffer), i, len = bytes.length, base64 = '';\n for (i = 0; i < len; i += 3) {\n base64 += chars[bytes[i] >> 2];\n base64 += chars[((bytes[i] & 3) << 4) | (bytes[i + 1] >> 4)];\n base64 += chars[((bytes[i + 1] & 15) << 2) | (bytes[i + 2] >> 6)];\n base64 += chars[bytes[i + 2] & 63];\n }\n if (len % 3 === 2) {\n base64 = base64.substring(0, base64.length - 1) + '=';\n }\n else if (len % 3 === 1) {\n base64 = base64.substring(0, base64.length - 2) + '==';\n }\n return base64;\n};\nvar decode = function (base64) {\n var bufferLength = base64.length * 0.75, len = base64.length, i, p = 0, encoded1, encoded2, encoded3, encoded4;\n if (base64[base64.length - 1] === '=') {\n bufferLength--;\n if (base64[base64.length - 2] === '=') {\n bufferLength--;\n }\n }\n var arraybuffer = new ArrayBuffer(bufferLength), bytes = new Uint8Array(arraybuffer);\n for (i = 0; i < len; i += 4) {\n encoded1 = lookup[base64.charCodeAt(i)];\n encoded2 = lookup[base64.charCodeAt(i + 1)];\n encoded3 = lookup[base64.charCodeAt(i + 2)];\n encoded4 = lookup[base64.charCodeAt(i + 3)];\n bytes[p++] = (encoded1 << 2) | (encoded2 >> 4);\n bytes[p++] = ((encoded2 & 15) << 4) | (encoded3 >> 2);\n bytes[p++] = ((encoded3 & 3) << 6) | (encoded4 & 63);\n }\n return arraybuffer;\n};\n\nexport { decode, encode };\n//# sourceMappingURL=base64-arraybuffer.es5.js.map\n","import { encode } from 'base64-arraybuffer';\nimport { IWindow, SerializedWebGlArg } from '../../../types';\n\n// TODO: unify with `replay/webgl.ts`\ntype GLVarMap = Map;\nconst webGLVarMap: Map<\n WebGLRenderingContext | WebGL2RenderingContext,\n GLVarMap\n> = new Map();\nexport function variableListFor(\n ctx: WebGLRenderingContext | WebGL2RenderingContext,\n ctor: string,\n) {\n let contextMap = webGLVarMap.get(ctx);\n if (!contextMap) {\n contextMap = new Map();\n webGLVarMap.set(ctx, contextMap);\n }\n if (!contextMap.has(ctor)) {\n contextMap.set(ctor, []);\n }\n return contextMap.get(ctor) as any[];\n}\n\nexport const saveWebGLVar = (\n value: any,\n win: IWindow,\n ctx: WebGL2RenderingContext | WebGLRenderingContext,\n): number | void => {\n if (\n !value ||\n !(isInstanceOfWebGLObject(value, win) || typeof value === 'object')\n )\n return;\n\n const name = value.constructor.name;\n const list = variableListFor(ctx, name);\n let index = list.indexOf(value);\n\n if (index === -1) {\n index = list.length;\n list.push(value);\n }\n return index;\n};\n\n// from webgl-recorder: https://github.com/evanw/webgl-recorder/blob/bef0e65596e981ee382126587e2dcbe0fc7748e2/webgl-recorder.js#L50-L77\nexport function serializeArg(\n value: any,\n win: IWindow,\n ctx: WebGL2RenderingContext | WebGLRenderingContext,\n): SerializedWebGlArg {\n if (value instanceof Array) {\n return value.map((arg) => serializeArg(arg, win, ctx));\n } else if (value === null) {\n return value;\n } else if (\n value instanceof Float32Array ||\n value instanceof Float64Array ||\n value instanceof Int32Array ||\n value instanceof Uint32Array ||\n value instanceof Uint8Array ||\n value instanceof Uint16Array ||\n value instanceof Int16Array ||\n value instanceof Int8Array ||\n value instanceof Uint8ClampedArray\n ) {\n const name = value.constructor.name;\n return {\n rr_type: name,\n args: [Object.values(value)],\n };\n } else if (\n // SharedArrayBuffer disabled on most browsers due to spectre.\n // More info: https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/SharedArrayBuffer/SharedArrayBuffer\n // value instanceof SharedArrayBuffer ||\n value instanceof ArrayBuffer\n ) {\n const name = value.constructor.name as 'ArrayBuffer';\n const base64 = encode(value);\n\n return {\n rr_type: name,\n base64,\n };\n } else if (value instanceof DataView) {\n const name = value.constructor.name;\n return {\n rr_type: name,\n args: [\n serializeArg(value.buffer, win, ctx),\n value.byteOffset,\n value.byteLength,\n ],\n };\n } else if (value instanceof HTMLImageElement) {\n const name = value.constructor.name;\n const { src } = value;\n return {\n rr_type: name,\n src,\n };\n } else if (value instanceof ImageData) {\n const name = value.constructor.name;\n return {\n rr_type: name,\n args: [serializeArg(value.data, win, ctx), value.width, value.height],\n };\n } else if (isInstanceOfWebGLObject(value, win) || typeof value === 'object') {\n const name = value.constructor.name;\n const index = saveWebGLVar(value, win, ctx) as number;\n\n return {\n rr_type: name,\n index: index,\n };\n }\n\n return value;\n}\n\nexport const serializeArgs = (\n args: Array,\n win: IWindow,\n ctx: WebGLRenderingContext | WebGL2RenderingContext,\n) => {\n return [...args].map((arg) => serializeArg(arg, win, ctx));\n};\n\nexport const isInstanceOfWebGLObject = (\n value: any,\n win: IWindow,\n): value is\n | WebGLActiveInfo\n | WebGLBuffer\n | WebGLFramebuffer\n | WebGLProgram\n | WebGLRenderbuffer\n | WebGLShader\n | WebGLShaderPrecisionFormat\n | WebGLTexture\n | WebGLUniformLocation\n | WebGLVertexArrayObject => {\n const webGLConstructorNames: string[] = [\n 'WebGLActiveInfo',\n 'WebGLBuffer',\n 'WebGLFramebuffer',\n 'WebGLProgram',\n 'WebGLRenderbuffer',\n 'WebGLShader',\n 'WebGLShaderPrecisionFormat',\n 'WebGLTexture',\n 'WebGLUniformLocation',\n 'WebGLVertexArrayObject',\n // In old Chrome versions, value won't be an instanceof WebGLVertexArrayObject.\n 'WebGLVertexArrayObjectOES',\n ];\n const supportedWebGLConstructorNames = webGLConstructorNames.filter(\n (name: string) => typeof win[name as keyof Window] === 'function',\n );\n return Boolean(\n supportedWebGLConstructorNames.find(\n (name: string) => value instanceof win[name as keyof Window],\n ),\n );\n};\n","import { INode } from 'rrweb-snapshot';\nimport {\n blockClass,\n CanvasContext,\n canvasManagerMutationCallback,\n canvasMutationWithType,\n IWindow,\n listenerHandler,\n Mirror,\n} from '../../../types';\nimport { hookSetter, isBlocked, patch } from '../../../utils';\nimport { saveWebGLVar, serializeArgs } from './serialize-args';\n\nfunction patchGLPrototype(\n prototype: WebGLRenderingContext | WebGL2RenderingContext,\n type: CanvasContext,\n cb: canvasManagerMutationCallback,\n blockClass: blockClass,\n mirror: Mirror,\n win: IWindow,\n): listenerHandler[] {\n const handlers: listenerHandler[] = [];\n\n const props = Object.getOwnPropertyNames(prototype);\n\n for (const prop of props) {\n try {\n if (typeof prototype[prop as keyof typeof prototype] !== 'function') {\n continue;\n }\n const restoreHandler = patch(prototype, prop, function (original) {\n return function (this: typeof prototype, ...args: Array) {\n const result = original.apply(this, args);\n saveWebGLVar(result, win, prototype);\n if (!isBlocked((this.canvas as unknown) as INode, blockClass)) {\n const id = mirror.getId((this.canvas as unknown) as INode);\n\n const recordArgs = serializeArgs([...args], win, prototype);\n const mutation: canvasMutationWithType = {\n type,\n property: prop,\n args: recordArgs,\n };\n // TODO: this could potentially also be an OffscreenCanvas as well as HTMLCanvasElement\n cb(this.canvas as HTMLCanvasElement, mutation);\n }\n\n return result;\n };\n });\n handlers.push(restoreHandler);\n } catch {\n const hookHandler = hookSetter(prototype, prop, {\n set(v) {\n // TODO: this could potentially also be an OffscreenCanvas as well as HTMLCanvasElement\n cb(this.canvas as HTMLCanvasElement, {\n type,\n property: prop,\n args: [v],\n setter: true,\n });\n },\n });\n handlers.push(hookHandler);\n }\n }\n\n return handlers;\n}\n\nexport default function initCanvasWebGLMutationObserver(\n cb: canvasManagerMutationCallback,\n win: IWindow,\n blockClass: blockClass,\n mirror: Mirror,\n): listenerHandler {\n const handlers: listenerHandler[] = [];\n\n handlers.push(\n ...patchGLPrototype(\n win.WebGLRenderingContext.prototype,\n CanvasContext.WebGL,\n cb,\n blockClass,\n mirror,\n win,\n ),\n );\n\n if (typeof win.WebGL2RenderingContext !== 'undefined') {\n handlers.push(\n ...patchGLPrototype(\n win.WebGL2RenderingContext.prototype,\n CanvasContext.WebGL2,\n cb,\n blockClass,\n mirror,\n win,\n ),\n );\n }\n\n return () => {\n handlers.forEach((h) => h());\n };\n}\n","import { INode } from 'rrweb-snapshot';\nimport {\n blockClass,\n canvasManagerMutationCallback,\n canvasMutationCallback,\n canvasMutationCommand,\n canvasMutationWithType,\n IWindow,\n listenerHandler,\n Mirror,\n} from '../../../types';\nimport initCanvas2DMutationObserver from './2d';\nimport initCanvasContextObserver from './canvas';\nimport initCanvasWebGLMutationObserver from './webgl';\n\nexport type RafStamps = { latestId: number; invokeId: number | null };\n\ntype pendingCanvasMutationsMap = Map<\n HTMLCanvasElement,\n canvasMutationWithType[]\n>;\n\nexport class CanvasManager {\n private pendingCanvasMutations: pendingCanvasMutationsMap = new Map();\n private rafStamps: RafStamps = { latestId: 0, invokeId: null };\n private mirror: Mirror;\n\n private mutationCb: canvasMutationCallback;\n private resetObservers?: listenerHandler;\n private frozen: boolean = false;\n private locked: boolean = false;\n\n public reset() {\n this.pendingCanvasMutations.clear();\n this.resetObservers && this.resetObservers();\n }\n\n public freeze() {\n this.frozen = true;\n }\n\n public unfreeze() {\n this.frozen = false;\n }\n\n public lock() {\n this.locked = true;\n }\n\n public unlock() {\n this.locked = false;\n }\n\n constructor(options: {\n recordCanvas: boolean | number;\n mutationCb: canvasMutationCallback;\n win: IWindow;\n blockClass: blockClass;\n mirror: Mirror;\n }) {\n this.mutationCb = options.mutationCb;\n this.mirror = options.mirror;\n\n if (options.recordCanvas === true)\n this.initCanvasMutationObserver(options.win, options.blockClass);\n }\n\n private processMutation: canvasManagerMutationCallback = function (\n target,\n mutation,\n ) {\n const newFrame =\n this.rafStamps.invokeId &&\n this.rafStamps.latestId !== this.rafStamps.invokeId;\n if (newFrame || !this.rafStamps.invokeId)\n this.rafStamps.invokeId = this.rafStamps.latestId;\n\n if (!this.pendingCanvasMutations.has(target)) {\n this.pendingCanvasMutations.set(target, []);\n }\n\n this.pendingCanvasMutations.get(target)!.push(mutation);\n };\n\n private initCanvasMutationObserver(\n win: IWindow,\n blockClass: blockClass,\n ): void {\n this.startRAFTimestamping();\n this.startPendingCanvasMutationFlusher();\n\n const canvasContextReset = initCanvasContextObserver(win, blockClass);\n const canvas2DReset = initCanvas2DMutationObserver(\n this.processMutation.bind(this),\n win,\n blockClass,\n this.mirror,\n );\n\n const canvasWebGL1and2Reset = initCanvasWebGLMutationObserver(\n this.processMutation.bind(this),\n win,\n blockClass,\n this.mirror,\n );\n\n this.resetObservers = () => {\n canvasContextReset();\n canvas2DReset();\n canvasWebGL1and2Reset();\n };\n }\n\n private startPendingCanvasMutationFlusher() {\n requestAnimationFrame(() => this.flushPendingCanvasMutations());\n }\n\n private startRAFTimestamping() {\n const setLatestRAFTimestamp = (timestamp: DOMHighResTimeStamp) => {\n this.rafStamps.latestId = timestamp;\n requestAnimationFrame(setLatestRAFTimestamp);\n };\n requestAnimationFrame(setLatestRAFTimestamp);\n }\n\n flushPendingCanvasMutations() {\n this.pendingCanvasMutations.forEach(\n (values: canvasMutationCommand[], canvas: HTMLCanvasElement) => {\n const id = this.mirror.getId((canvas as unknown) as INode);\n this.flushPendingCanvasMutationFor(canvas, id);\n },\n );\n requestAnimationFrame(() => this.flushPendingCanvasMutations());\n }\n\n flushPendingCanvasMutationFor(canvas: HTMLCanvasElement, id: number) {\n if (this.frozen || this.locked) {\n return;\n }\n\n const valuesWithType = this.pendingCanvasMutations.get(canvas);\n if (!valuesWithType || id === -1) return;\n\n const values = valuesWithType.map((value) => {\n const { type, ...rest } = value;\n return rest;\n });\n const { type } = valuesWithType[0];\n\n this.mutationCb({ id, type, commands: values });\n\n this.pendingCanvasMutations.delete(canvas);\n }\n}\n","import { snapshot, MaskInputOptions, SlimDOMOptions } from 'rrweb-snapshot';\nimport { initObservers, mutationBuffers } from './observer';\nimport {\n on,\n getWindowWidth,\n getWindowHeight,\n polyfill,\n isIframeINode,\n hasShadowRoot,\n createMirror,\n} from '../utils';\nimport {\n EventType,\n event,\n eventWithTime,\n recordOptions,\n IncrementalSource,\n listenerHandler,\n mutationCallbackParam,\n scrollCallback,\n canvasMutationParam,\n} from '../types';\nimport { IframeManager } from './iframe-manager';\nimport { ShadowDomManager } from './shadow-dom-manager';\nimport { CanvasManager } from './observers/canvas/canvas-manager';\n\nfunction wrapEvent(e: event): eventWithTime {\n return {\n ...e,\n timestamp: Date.now(),\n };\n}\n\nlet wrappedEmit!: (e: eventWithTime, isCheckout?: boolean) => void;\n\nlet takeFullSnapshot!: (isCheckout?: boolean) => void;\n\nconst mirror = createMirror();\nfunction record(\n options: recordOptions = {},\n): listenerHandler | undefined {\n const {\n emit,\n checkoutEveryNms,\n checkoutEveryNth,\n blockClass = 'rr-block',\n blockSelector = null,\n ignoreClass = 'rr-ignore',\n maskTextClass = 'rr-mask',\n maskTextSelector = null,\n inlineStylesheet = true,\n maskAllInputs,\n maskInputOptions: _maskInputOptions,\n slimDOMOptions: _slimDOMOptions,\n maskInputFn,\n maskTextFn,\n hooks,\n packFn,\n sampling = {},\n mousemoveWait,\n recordCanvas = false,\n userTriggeredOnInput = false,\n collectFonts = false,\n inlineImages = false,\n plugins,\n keepIframeSrcFn = () => false,\n } = options;\n // runtime checks for user options\n if (!emit) {\n throw new Error('emit function is required');\n }\n // move departed options to new options\n if (mousemoveWait !== undefined && sampling.mousemove === undefined) {\n sampling.mousemove = mousemoveWait;\n }\n\n const maskInputOptions: MaskInputOptions =\n maskAllInputs === true\n ? {\n color: true,\n date: true,\n 'datetime-local': true,\n email: true,\n month: true,\n number: true,\n range: true,\n search: true,\n tel: true,\n text: true,\n time: true,\n url: true,\n week: true,\n textarea: true,\n select: true,\n password: true,\n }\n : _maskInputOptions !== undefined\n ? _maskInputOptions\n : { password: true };\n\n const slimDOMOptions: SlimDOMOptions =\n _slimDOMOptions === true || _slimDOMOptions === 'all'\n ? {\n script: true,\n comment: true,\n headFavicon: true,\n headWhitespace: true,\n headMetaSocial: true,\n headMetaRobots: true,\n headMetaHttpEquiv: true,\n headMetaVerification: true,\n // the following are off for slimDOMOptions === true,\n // as they destroy some (hidden) info:\n headMetaAuthorship: _slimDOMOptions === 'all',\n headMetaDescKeywords: _slimDOMOptions === 'all',\n }\n : _slimDOMOptions\n ? _slimDOMOptions\n : {};\n\n polyfill();\n\n let lastFullSnapshotEvent: eventWithTime;\n let incrementalSnapshotCount = 0;\n const eventProcessor = (e: eventWithTime): T => {\n for (const plugin of plugins || []) {\n if (plugin.eventProcessor) {\n e = plugin.eventProcessor(e);\n }\n }\n if (packFn) {\n e = (packFn(e) as unknown) as eventWithTime;\n }\n return (e as unknown) as T;\n };\n wrappedEmit = (e: eventWithTime, isCheckout?: boolean) => {\n if (\n mutationBuffers[0]?.isFrozen() &&\n e.type !== EventType.FullSnapshot &&\n !(\n e.type === EventType.IncrementalSnapshot &&\n e.data.source === IncrementalSource.Mutation\n )\n ) {\n // we've got a user initiated event so first we need to apply\n // all DOM changes that have been buffering during paused state\n mutationBuffers.forEach((buf) => buf.unfreeze());\n }\n\n emit(eventProcessor(e), isCheckout);\n if (e.type === EventType.FullSnapshot) {\n lastFullSnapshotEvent = e;\n incrementalSnapshotCount = 0;\n } else if (e.type === EventType.IncrementalSnapshot) {\n // attach iframe should be considered as full snapshot\n if (\n e.data.source === IncrementalSource.Mutation &&\n e.data.isAttachIframe\n ) {\n return;\n }\n\n incrementalSnapshotCount++;\n const exceedCount =\n checkoutEveryNth && incrementalSnapshotCount >= checkoutEveryNth;\n const exceedTime =\n checkoutEveryNms &&\n e.timestamp - lastFullSnapshotEvent.timestamp > checkoutEveryNms;\n if (exceedCount || exceedTime) {\n takeFullSnapshot(true);\n }\n }\n };\n\n const wrappedMutationEmit = (m: mutationCallbackParam) => {\n wrappedEmit(\n wrapEvent({\n type: EventType.IncrementalSnapshot,\n data: {\n source: IncrementalSource.Mutation,\n ...m,\n },\n }),\n );\n };\n const wrappedScrollEmit: scrollCallback = (p) =>\n wrappedEmit(\n wrapEvent({\n type: EventType.IncrementalSnapshot,\n data: {\n source: IncrementalSource.Scroll,\n ...p,\n },\n }),\n );\n const wrappedCanvasMutationEmit = (p: canvasMutationParam) =>\n wrappedEmit(\n wrapEvent({\n type: EventType.IncrementalSnapshot,\n data: {\n source: IncrementalSource.CanvasMutation,\n ...p,\n },\n }),\n );\n\n const iframeManager = new IframeManager({\n mutationCb: wrappedMutationEmit,\n });\n\n const canvasManager = new CanvasManager({\n recordCanvas,\n mutationCb: wrappedCanvasMutationEmit,\n win: window,\n blockClass,\n mirror,\n });\n\n const shadowDomManager = new ShadowDomManager({\n mutationCb: wrappedMutationEmit,\n scrollCb: wrappedScrollEmit,\n bypassOptions: {\n blockClass,\n blockSelector,\n maskTextClass,\n maskTextSelector,\n inlineStylesheet,\n maskInputOptions,\n maskTextFn,\n maskInputFn,\n recordCanvas,\n inlineImages,\n sampling,\n slimDOMOptions,\n iframeManager,\n canvasManager,\n },\n mirror,\n });\n\n takeFullSnapshot = (isCheckout = false) => {\n wrappedEmit(\n wrapEvent({\n type: EventType.Meta,\n data: {\n href: window.location.href,\n width: getWindowWidth(),\n height: getWindowHeight(),\n },\n }),\n isCheckout,\n );\n\n mutationBuffers.forEach((buf) => buf.lock()); // don't allow any mirror modifications during snapshotting\n const [node, idNodeMap] = snapshot(document, {\n blockClass,\n blockSelector,\n maskTextClass,\n maskTextSelector,\n inlineStylesheet,\n maskAllInputs: maskInputOptions,\n maskTextFn,\n slimDOM: slimDOMOptions,\n recordCanvas,\n inlineImages,\n onSerialize: (n) => {\n if (isIframeINode(n)) {\n iframeManager.addIframe(n);\n }\n if (hasShadowRoot(n)) {\n shadowDomManager.addShadowRoot(n.shadowRoot, document);\n }\n },\n onIframeLoad: (iframe, childSn) => {\n iframeManager.attachIframe(iframe, childSn);\n shadowDomManager.observeAttachShadow(\n (iframe as Node) as HTMLIFrameElement,\n );\n },\n keepIframeSrcFn,\n });\n\n if (!node) {\n return console.warn('Failed to snapshot the document');\n }\n\n mirror.map = idNodeMap;\n wrappedEmit(\n wrapEvent({\n type: EventType.FullSnapshot,\n data: {\n node,\n initialOffset: {\n left:\n window.pageXOffset !== undefined\n ? window.pageXOffset\n : document?.documentElement.scrollLeft ||\n document?.body?.parentElement?.scrollLeft ||\n document?.body.scrollLeft ||\n 0,\n top:\n window.pageYOffset !== undefined\n ? window.pageYOffset\n : document?.documentElement.scrollTop ||\n document?.body?.parentElement?.scrollTop ||\n document?.body.scrollTop ||\n 0,\n },\n },\n }),\n );\n mutationBuffers.forEach((buf) => buf.unlock()); // generate & emit any mutations that happened during snapshotting, as can now apply against the newly built mirror\n };\n\n try {\n const handlers: listenerHandler[] = [];\n handlers.push(\n on('DOMContentLoaded', () => {\n wrappedEmit(\n wrapEvent({\n type: EventType.DomContentLoaded,\n data: {},\n }),\n );\n }),\n );\n\n const observe = (doc: Document) => {\n return initObservers(\n {\n mutationCb: wrappedMutationEmit,\n mousemoveCb: (positions, source) =>\n wrappedEmit(\n wrapEvent({\n type: EventType.IncrementalSnapshot,\n data: {\n source,\n positions,\n },\n }),\n ),\n mouseInteractionCb: (d) =>\n wrappedEmit(\n wrapEvent({\n type: EventType.IncrementalSnapshot,\n data: {\n source: IncrementalSource.MouseInteraction,\n ...d,\n },\n }),\n ),\n scrollCb: wrappedScrollEmit,\n viewportResizeCb: (d) =>\n wrappedEmit(\n wrapEvent({\n type: EventType.IncrementalSnapshot,\n data: {\n source: IncrementalSource.ViewportResize,\n ...d,\n },\n }),\n ),\n inputCb: (v) =>\n wrappedEmit(\n wrapEvent({\n type: EventType.IncrementalSnapshot,\n data: {\n source: IncrementalSource.Input,\n ...v,\n },\n }),\n ),\n mediaInteractionCb: (p) =>\n wrappedEmit(\n wrapEvent({\n type: EventType.IncrementalSnapshot,\n data: {\n source: IncrementalSource.MediaInteraction,\n ...p,\n },\n }),\n ),\n styleSheetRuleCb: (r) =>\n wrappedEmit(\n wrapEvent({\n type: EventType.IncrementalSnapshot,\n data: {\n source: IncrementalSource.StyleSheetRule,\n ...r,\n },\n }),\n ),\n styleDeclarationCb: (r) =>\n wrappedEmit(\n wrapEvent({\n type: EventType.IncrementalSnapshot,\n data: {\n source: IncrementalSource.StyleDeclaration,\n ...r,\n },\n }),\n ),\n canvasMutationCb: wrappedCanvasMutationEmit,\n fontCb: (p) =>\n wrappedEmit(\n wrapEvent({\n type: EventType.IncrementalSnapshot,\n data: {\n source: IncrementalSource.Font,\n ...p,\n },\n }),\n ),\n blockClass,\n ignoreClass,\n maskTextClass,\n maskTextSelector,\n maskInputOptions,\n inlineStylesheet,\n sampling,\n recordCanvas,\n inlineImages,\n userTriggeredOnInput,\n collectFonts,\n doc,\n maskInputFn,\n maskTextFn,\n blockSelector,\n slimDOMOptions,\n mirror,\n iframeManager,\n shadowDomManager,\n canvasManager,\n plugins:\n plugins\n ?.filter((p) => p.observer)\n ?.map((p) => ({\n observer: p.observer!,\n options: p.options,\n callback: (payload: object) =>\n wrappedEmit(\n wrapEvent({\n type: EventType.Plugin,\n data: {\n plugin: p.name,\n payload,\n },\n }),\n ),\n })) || [],\n },\n hooks,\n );\n };\n\n iframeManager.addLoadListener((iframeEl) => {\n handlers.push(observe(iframeEl.contentDocument!));\n });\n\n const init = () => {\n takeFullSnapshot();\n handlers.push(observe(document));\n };\n if (\n document.readyState === 'interactive' ||\n document.readyState === 'complete'\n ) {\n init();\n } else {\n handlers.push(\n on(\n 'load',\n () => {\n wrappedEmit(\n wrapEvent({\n type: EventType.Load,\n data: {},\n }),\n );\n init();\n },\n window,\n ),\n );\n }\n return () => {\n handlers.forEach((h) => h());\n };\n } catch (error) {\n // TODO: handle internal error\n console.warn(error);\n }\n}\n\nrecord.addCustomEvent = (tag: string, payload: T) => {\n if (!wrappedEmit) {\n throw new Error('please add custom event after start recording');\n }\n wrappedEmit(\n wrapEvent({\n type: EventType.Custom,\n data: {\n tag,\n payload,\n },\n }),\n );\n};\n\nrecord.freezePage = () => {\n mutationBuffers.forEach((buf) => buf.freeze());\n};\n\nrecord.takeFullSnapshot = (isCheckout?: boolean) => {\n if (!takeFullSnapshot) {\n throw new Error('please take full snapshot after start recording');\n }\n takeFullSnapshot(isCheckout);\n};\n\nrecord.mirror = mirror;\n\nexport default record;\n","import { INode, ICanvas } from 'rrweb-snapshot';\nimport { blockClass, IWindow, listenerHandler } from '../../../types';\nimport { isBlocked, patch } from '../../../utils';\n\nexport default function initCanvasContextObserver(\n win: IWindow,\n blockClass: blockClass,\n): listenerHandler {\n const handlers: listenerHandler[] = [];\n try {\n const restoreHandler = patch(\n win.HTMLCanvasElement.prototype,\n 'getContext',\n function (original) {\n return function (\n this: ICanvas,\n contextType: string,\n ...args: Array\n ) {\n if (!isBlocked((this as unknown) as INode, blockClass)) {\n if (!('__context' in this))\n (this as ICanvas).__context = contextType;\n }\n return original.apply(this, [contextType, ...args]);\n };\n },\n );\n handlers.push(restoreHandler);\n } catch {\n console.error('failed to patch HTMLCanvasElement.prototype.getContext');\n }\n return () => {\n handlers.forEach((h) => h());\n };\n}\n","import { INode } from 'rrweb-snapshot';\nimport {\n blockClass,\n CanvasContext,\n canvasManagerMutationCallback,\n IWindow,\n listenerHandler,\n Mirror,\n} from '../../../types';\nimport { hookSetter, isBlocked, patch } from '../../../utils';\n\nexport default function initCanvas2DMutationObserver(\n cb: canvasManagerMutationCallback,\n win: IWindow,\n blockClass: blockClass,\n mirror: Mirror,\n): listenerHandler {\n const handlers: listenerHandler[] = [];\n const props2D = Object.getOwnPropertyNames(\n win.CanvasRenderingContext2D.prototype,\n );\n for (const prop of props2D) {\n try {\n if (\n typeof win.CanvasRenderingContext2D.prototype[\n prop as keyof CanvasRenderingContext2D\n ] !== 'function'\n ) {\n continue;\n }\n const restoreHandler = patch(\n win.CanvasRenderingContext2D.prototype,\n prop,\n function (original) {\n return function (\n this: CanvasRenderingContext2D,\n ...args: Array\n ) {\n if (!isBlocked((this.canvas as unknown) as INode, blockClass)) {\n // Using setTimeout as getImageData + JSON.stringify can be heavy\n // and we'd rather not block the main thread\n setTimeout(() => {\n const recordArgs = [...args];\n if (prop === 'drawImage') {\n if (\n recordArgs[0] &&\n recordArgs[0] instanceof HTMLCanvasElement\n ) {\n const canvas = recordArgs[0];\n const ctx = canvas.getContext('2d');\n let imgd = ctx?.getImageData(\n 0,\n 0,\n canvas.width,\n canvas.height,\n );\n let pix = imgd?.data;\n recordArgs[0] = JSON.stringify(pix);\n }\n }\n cb(this.canvas, {\n type: CanvasContext['2D'],\n property: prop,\n args: recordArgs,\n });\n }, 0);\n }\n return original.apply(this, args);\n };\n },\n );\n handlers.push(restoreHandler);\n } catch {\n const hookHandler = hookSetter(\n win.CanvasRenderingContext2D.prototype,\n prop,\n {\n set(v) {\n cb(this.canvas, {\n type: CanvasContext['2D'],\n property: prop,\n args: [v],\n setter: true,\n });\n },\n },\n );\n handlers.push(hookHandler);\n }\n }\n return () => {\n handlers.forEach((h) => h());\n };\n}\n","// \n// An event handler can take an optional event argument\n// and should not return a value\n \n \n\n// An array of all currently registered event handlers for a type\n \n \n// A map of event types and their corresponding event handlers.\n \n \n \n \n\n/** Mitt: Tiny (~200b) functional event emitter / pubsub.\n * @name mitt\n * @returns {Mitt}\n */\nfunction mitt(all ) {\n\tall = all || Object.create(null);\n\n\treturn {\n\t\t/**\n\t\t * Register an event handler for the given type.\n\t\t *\n\t\t * @param {String} type\tType of event to listen for, or `\"*\"` for all events\n\t\t * @param {Function} handler Function to call in response to given event\n\t\t * @memberOf mitt\n\t\t */\n\t\ton: function on(type , handler ) {\n\t\t\t(all[type] || (all[type] = [])).push(handler);\n\t\t},\n\n\t\t/**\n\t\t * Remove an event handler for the given type.\n\t\t *\n\t\t * @param {String} type\tType of event to unregister `handler` from, or `\"*\"`\n\t\t * @param {Function} handler Handler function to remove\n\t\t * @memberOf mitt\n\t\t */\n\t\toff: function off(type , handler ) {\n\t\t\tif (all[type]) {\n\t\t\t\tall[type].splice(all[type].indexOf(handler) >>> 0, 1);\n\t\t\t}\n\t\t},\n\n\t\t/**\n\t\t * Invoke all handlers for the given type.\n\t\t * If present, `\"*\"` handlers are invoked after type-matched handlers.\n\t\t *\n\t\t * @param {String} type The event type to invoke\n\t\t * @param {Any} [evt] Any value (object is recommended and powerful), passed to each handler\n\t\t * @memberOf mitt\n\t\t */\n\t\temit: function emit(type , evt ) {\n\t\t\t(all[type] || []).slice().map(function (handler) { handler(evt); });\n\t\t\t(all['*'] || []).slice().map(function (handler) { handler(type, evt); });\n\t\t}\n\t};\n}\n\nexport default mitt;\n//# sourceMappingURL=mitt.es.js.map\n","/**\n * A fork version of https://github.com/iamdustan/smoothscroll\n * Add support of customize target window and document\n */\n\n// @ts-nocheck\n// tslint:disable\nexport function polyfill(w: Window = window, d = document) {\n // return if scroll behavior is supported and polyfill is not forced\n if (\n 'scrollBehavior' in d.documentElement.style &&\n w.__forceSmoothScrollPolyfill__ !== true\n ) {\n return;\n }\n\n // globals\n var Element = w.HTMLElement || w.Element;\n var SCROLL_TIME = 468;\n\n // object gathering original scroll methods\n var original = {\n scroll: w.scroll || w.scrollTo,\n scrollBy: w.scrollBy,\n elementScroll: Element.prototype.scroll || scrollElement,\n scrollIntoView: Element.prototype.scrollIntoView,\n };\n\n // define timing method\n var now =\n w.performance && w.performance.now\n ? w.performance.now.bind(w.performance)\n : Date.now;\n\n /**\n * indicates if a the current browser is made by Microsoft\n * @method isMicrosoftBrowser\n * @param {String} userAgent\n * @returns {Boolean}\n */\n function isMicrosoftBrowser(userAgent) {\n var userAgentPatterns = ['MSIE ', 'Trident/', 'Edge/'];\n\n return new RegExp(userAgentPatterns.join('|')).test(userAgent);\n }\n\n /*\n * IE has rounding bug rounding down clientHeight and clientWidth and\n * rounding up scrollHeight and scrollWidth causing false positives\n * on hasScrollableSpace\n */\n var ROUNDING_TOLERANCE = isMicrosoftBrowser(w.navigator.userAgent) ? 1 : 0;\n\n /**\n * changes scroll position inside an element\n * @method scrollElement\n * @param {Number} x\n * @param {Number} y\n * @returns {undefined}\n */\n function scrollElement(x, y) {\n this.scrollLeft = x;\n this.scrollTop = y;\n }\n\n /**\n * returns result of applying ease math function to a number\n * @method ease\n * @param {Number} k\n * @returns {Number}\n */\n function ease(k) {\n return 0.5 * (1 - Math.cos(Math.PI * k));\n }\n\n /**\n * indicates if a smooth behavior should be applied\n * @method shouldBailOut\n * @param {Number|Object} firstArg\n * @returns {Boolean}\n */\n function shouldBailOut(firstArg) {\n if (\n firstArg === null ||\n typeof firstArg !== 'object' ||\n firstArg.behavior === undefined ||\n firstArg.behavior === 'auto' ||\n firstArg.behavior === 'instant'\n ) {\n // first argument is not an object/null\n // or behavior is auto, instant or undefined\n return true;\n }\n\n if (typeof firstArg === 'object' && firstArg.behavior === 'smooth') {\n // first argument is an object and behavior is smooth\n return false;\n }\n\n // throw error when behavior is not supported\n throw new TypeError(\n 'behavior member of ScrollOptions ' +\n firstArg.behavior +\n ' is not a valid value for enumeration ScrollBehavior.',\n );\n }\n\n /**\n * indicates if an element has scrollable space in the provided axis\n * @method hasScrollableSpace\n * @param {Node} el\n * @param {String} axis\n * @returns {Boolean}\n */\n function hasScrollableSpace(el, axis) {\n if (axis === 'Y') {\n return el.clientHeight + ROUNDING_TOLERANCE < el.scrollHeight;\n }\n\n if (axis === 'X') {\n return el.clientWidth + ROUNDING_TOLERANCE < el.scrollWidth;\n }\n }\n\n /**\n * indicates if an element has a scrollable overflow property in the axis\n * @method canOverflow\n * @param {Node} el\n * @param {String} axis\n * @returns {Boolean}\n */\n function canOverflow(el, axis) {\n var overflowValue = w.getComputedStyle(el, null)['overflow' + axis];\n\n return overflowValue === 'auto' || overflowValue === 'scroll';\n }\n\n /**\n * indicates if an element can be scrolled in either axis\n * @method isScrollable\n * @param {Node} el\n * @param {String} axis\n * @returns {Boolean}\n */\n function isScrollable(el) {\n var isScrollableY = hasScrollableSpace(el, 'Y') && canOverflow(el, 'Y');\n var isScrollableX = hasScrollableSpace(el, 'X') && canOverflow(el, 'X');\n\n return isScrollableY || isScrollableX;\n }\n\n /**\n * finds scrollable parent of an element\n * @method findScrollableParent\n * @param {Node} el\n * @returns {Node} el\n */\n function findScrollableParent(el) {\n while (el !== d.body && isScrollable(el) === false) {\n el = el.parentNode || el.host;\n }\n\n return el;\n }\n\n /**\n * self invoked function that, given a context, steps through scrolling\n * @method step\n * @param {Object} context\n * @returns {undefined}\n */\n function step(context) {\n var time = now();\n var value;\n var currentX;\n var currentY;\n var elapsed = (time - context.startTime) / SCROLL_TIME;\n\n // avoid elapsed times higher than one\n elapsed = elapsed > 1 ? 1 : elapsed;\n\n // apply easing to elapsed time\n value = ease(elapsed);\n\n currentX = context.startX + (context.x - context.startX) * value;\n currentY = context.startY + (context.y - context.startY) * value;\n\n context.method.call(context.scrollable, currentX, currentY);\n\n // scroll more if we have not reached our destination\n if (currentX !== context.x || currentY !== context.y) {\n w.requestAnimationFrame(step.bind(w, context));\n }\n }\n\n /**\n * scrolls window or element with a smooth behavior\n * @method smoothScroll\n * @param {Object|Node} el\n * @param {Number} x\n * @param {Number} y\n * @returns {undefined}\n */\n function smoothScroll(el, x, y) {\n var scrollable;\n var startX;\n var startY;\n var method;\n var startTime = now();\n\n // define scroll context\n if (el === d.body) {\n scrollable = w;\n startX = w.scrollX || w.pageXOffset;\n startY = w.scrollY || w.pageYOffset;\n method = original.scroll;\n } else {\n scrollable = el;\n startX = el.scrollLeft;\n startY = el.scrollTop;\n method = scrollElement;\n }\n\n // scroll looping over a frame\n step({\n scrollable: scrollable,\n method: method,\n startTime: startTime,\n startX: startX,\n startY: startY,\n x: x,\n y: y,\n });\n }\n\n // ORIGINAL METHODS OVERRIDES\n // w.scroll and w.scrollTo\n w.scroll = w.scrollTo = function () {\n // avoid action when no arguments are passed\n if (arguments[0] === undefined) {\n return;\n }\n\n // avoid smooth behavior if not required\n if (shouldBailOut(arguments[0]) === true) {\n original.scroll.call(\n w,\n arguments[0].left !== undefined\n ? arguments[0].left\n : typeof arguments[0] !== 'object'\n ? arguments[0]\n : w.scrollX || w.pageXOffset,\n // use top prop, second argument if present or fallback to scrollY\n arguments[0].top !== undefined\n ? arguments[0].top\n : arguments[1] !== undefined\n ? arguments[1]\n : w.scrollY || w.pageYOffset,\n );\n\n return;\n }\n\n // LET THE SMOOTHNESS BEGIN!\n smoothScroll.call(\n w,\n d.body,\n arguments[0].left !== undefined\n ? ~~arguments[0].left\n : w.scrollX || w.pageXOffset,\n arguments[0].top !== undefined\n ? ~~arguments[0].top\n : w.scrollY || w.pageYOffset,\n );\n };\n\n // w.scrollBy\n w.scrollBy = function () {\n // avoid action when no arguments are passed\n if (arguments[0] === undefined) {\n return;\n }\n\n // avoid smooth behavior if not required\n if (shouldBailOut(arguments[0])) {\n original.scrollBy.call(\n w,\n arguments[0].left !== undefined\n ? arguments[0].left\n : typeof arguments[0] !== 'object'\n ? arguments[0]\n : 0,\n arguments[0].top !== undefined\n ? arguments[0].top\n : arguments[1] !== undefined\n ? arguments[1]\n : 0,\n );\n\n return;\n }\n\n // LET THE SMOOTHNESS BEGIN!\n smoothScroll.call(\n w,\n d.body,\n ~~arguments[0].left + (w.scrollX || w.pageXOffset),\n ~~arguments[0].top + (w.scrollY || w.pageYOffset),\n );\n };\n\n // Element.prototype.scroll and Element.prototype.scrollTo\n Element.prototype.scroll = Element.prototype.scrollTo = function () {\n // avoid action when no arguments are passed\n if (arguments[0] === undefined) {\n return;\n }\n\n // avoid smooth behavior if not required\n if (shouldBailOut(arguments[0]) === true) {\n // if one number is passed, throw error to match Firefox implementation\n if (typeof arguments[0] === 'number' && arguments[1] === undefined) {\n throw new SyntaxError('Value could not be converted');\n }\n\n original.elementScroll.call(\n this,\n // use left prop, first number argument or fallback to scrollLeft\n arguments[0].left !== undefined\n ? ~~arguments[0].left\n : typeof arguments[0] !== 'object'\n ? ~~arguments[0]\n : this.scrollLeft,\n // use top prop, second argument or fallback to scrollTop\n arguments[0].top !== undefined\n ? ~~arguments[0].top\n : arguments[1] !== undefined\n ? ~~arguments[1]\n : this.scrollTop,\n );\n\n return;\n }\n\n var left = arguments[0].left;\n var top = arguments[0].top;\n\n // LET THE SMOOTHNESS BEGIN!\n smoothScroll.call(\n this,\n this,\n typeof left === 'undefined' ? this.scrollLeft : ~~left,\n typeof top === 'undefined' ? this.scrollTop : ~~top,\n );\n };\n\n // Element.prototype.scrollBy\n Element.prototype.scrollBy = function () {\n // avoid action when no arguments are passed\n if (arguments[0] === undefined) {\n return;\n }\n\n // avoid smooth behavior if not required\n if (shouldBailOut(arguments[0]) === true) {\n original.elementScroll.call(\n this,\n arguments[0].left !== undefined\n ? ~~arguments[0].left + this.scrollLeft\n : ~~arguments[0] + this.scrollLeft,\n arguments[0].top !== undefined\n ? ~~arguments[0].top + this.scrollTop\n : ~~arguments[1] + this.scrollTop,\n );\n\n return;\n }\n\n this.scroll({\n left: ~~arguments[0].left + this.scrollLeft,\n top: ~~arguments[0].top + this.scrollTop,\n behavior: arguments[0].behavior,\n });\n };\n\n // Element.prototype.scrollIntoView\n Element.prototype.scrollIntoView = function () {\n // avoid smooth behavior if not required\n if (shouldBailOut(arguments[0]) === true) {\n original.scrollIntoView.call(\n this,\n arguments[0] === undefined ? true : arguments[0],\n );\n\n return;\n }\n\n // LET THE SMOOTHNESS BEGIN!\n var scrollableParent = findScrollableParent(this);\n var parentRects = scrollableParent.getBoundingClientRect();\n var clientRects = this.getBoundingClientRect();\n\n if (scrollableParent !== d.body) {\n // reveal element inside parent\n smoothScroll.call(\n this,\n scrollableParent,\n scrollableParent.scrollLeft + clientRects.left - parentRects.left,\n scrollableParent.scrollTop + clientRects.top - parentRects.top,\n );\n\n // reveal parent in viewport unless is fixed\n if (w.getComputedStyle(scrollableParent).position !== 'fixed') {\n w.scrollBy({\n left: parentRects.left,\n top: parentRects.top,\n behavior: 'smooth',\n });\n }\n } else {\n // reveal element in viewport\n w.scrollBy({\n left: clientRects.left,\n top: clientRects.top,\n behavior: 'smooth',\n });\n }\n };\n}\n","import {\n actionWithDelay,\n eventWithTime,\n EventType,\n IncrementalSource,\n} from '../types';\n\nexport class Timer {\n public timeOffset: number = 0;\n public speed: number;\n\n private actions: actionWithDelay[];\n private raf: number | null = null;\n private liveMode: boolean;\n\n constructor(actions: actionWithDelay[] = [], speed: number) {\n this.actions = actions;\n this.speed = speed;\n }\n /**\n * Add an action after the timer starts.\n * @param action\n */\n public addAction(action: actionWithDelay) {\n const index = this.findActionIndex(action);\n this.actions.splice(index, 0, action);\n }\n /**\n * Add all actions before the timer starts\n * @param actions\n */\n public addActions(actions: actionWithDelay[]) {\n this.actions = this.actions.concat(actions);\n }\n\n public start() {\n this.timeOffset = 0;\n let lastTimestamp = performance.now();\n const { actions } = this;\n const self = this;\n function check() {\n const time = performance.now();\n self.timeOffset += (time - lastTimestamp) * self.speed;\n lastTimestamp = time;\n while (actions.length) {\n const action = actions[0];\n\n if (self.timeOffset >= action.delay) {\n actions.shift();\n action.doAction();\n } else {\n break;\n }\n }\n if (actions.length > 0 || self.liveMode) {\n self.raf = requestAnimationFrame(check);\n }\n }\n this.raf = requestAnimationFrame(check);\n }\n\n public clear() {\n if (this.raf) {\n cancelAnimationFrame(this.raf);\n this.raf = null;\n }\n this.actions.length = 0;\n }\n\n public setSpeed(speed: number) {\n this.speed = speed;\n }\n\n public toggleLiveMode(mode: boolean) {\n this.liveMode = mode;\n }\n\n public isActive() {\n return this.raf !== null;\n }\n\n private findActionIndex(action: actionWithDelay): number {\n let start = 0;\n let end = this.actions.length - 1;\n while (start <= end) {\n let mid = Math.floor((start + end) / 2);\n if (this.actions[mid].delay < action.delay) {\n start = mid + 1;\n } else if (this.actions[mid].delay > action.delay) {\n end = mid - 1;\n } else {\n // already an action with same delay (timestamp)\n // the plus one will splice the new one after the existing one\n return mid + 1;\n }\n }\n return start;\n }\n}\n\n// TODO: add speed to mouse move timestamp calculation\nexport function addDelay(event: eventWithTime, baselineTime: number): number {\n // Mouse move events was recorded in a throttle function,\n // so we need to find the real timestamp by traverse the time offsets.\n if (\n event.type === EventType.IncrementalSnapshot &&\n event.data.source === IncrementalSource.MouseMove\n ) {\n const firstOffset = event.data.positions[0].timeOffset;\n // timeOffset is a negative offset to event.timestamp\n const firstTimestamp = event.timestamp + firstOffset;\n event.delay = firstTimestamp - baselineTime;\n return firstTimestamp - baselineTime;\n }\n\n event.delay = event.timestamp - baselineTime;\n return event.delay;\n}\n","/*! *****************************************************************************\nCopyright (c) Microsoft Corporation.\n\nPermission to use, copy, modify, and/or distribute this software for any\npurpose with or without fee is hereby granted.\n\nTHE SOFTWARE IS PROVIDED \"AS IS\" AND THE AUTHOR DISCLAIMS ALL WARRANTIES WITH\nREGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF MERCHANTABILITY\nAND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR ANY SPECIAL, DIRECT,\nINDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES WHATSOEVER RESULTING FROM\nLOSS OF USE, DATA OR PROFITS, WHETHER IN AN ACTION OF CONTRACT, NEGLIGENCE OR\nOTHER TORTIOUS ACTION, ARISING OUT OF OR IN CONNECTION WITH THE USE OR\nPERFORMANCE OF THIS SOFTWARE.\n***************************************************************************** */\nfunction t(t,n){var e=\"function\"==typeof Symbol&&t[Symbol.iterator];if(!e)return t;var r,o,i=e.call(t),a=[];try{for(;(void 0===n||n-- >0)&&!(r=i.next()).done;)a.push(r.value)}catch(t){o={error:t}}finally{try{r&&!r.done&&(e=i.return)&&e.call(i)}finally{if(o)throw o.error}}return a}var n;!function(t){t[t.NotStarted=0]=\"NotStarted\",t[t.Running=1]=\"Running\",t[t.Stopped=2]=\"Stopped\"}(n||(n={}));var e={type:\"xstate.init\"};function r(t){return void 0===t?[]:[].concat(t)}function o(t){return{type:\"xstate.assign\",assignment:t}}function i(t,n){return\"string\"==typeof(t=\"string\"==typeof t&&n&&n[t]?n[t]:t)?{type:t}:\"function\"==typeof t?{type:t.name,exec:t}:t}function a(t){return function(n){return t===n}}function u(t){return\"string\"==typeof t?{type:t}:t}function c(t,n){return{value:t,context:n,actions:[],changed:!1,matches:a(t)}}function f(t,n,e){var r=n,o=!1;return[t.filter((function(t){if(\"xstate.assign\"===t.type){o=!0;var n=Object.assign({},r);return\"function\"==typeof t.assignment?n=t.assignment(r,e):Object.keys(t.assignment).forEach((function(o){n[o]=\"function\"==typeof t.assignment[o]?t.assignment[o](r,e):t.assignment[o]})),r=n,!1}return!0})),r,o]}function s(n,o){void 0===o&&(o={});var s=t(f(r(n.states[n.initial].entry).map((function(t){return i(t,o.actions)})),n.context,e),2),l=s[0],v=s[1],y={config:n,_options:o,initialState:{value:n.initial,actions:l,context:v,matches:a(n.initial)},transition:function(e,o){var s,l,v=\"string\"==typeof e?{value:e,context:n.context}:e,p=v.value,g=v.context,d=u(o),x=n.states[p];if(x.on){var m=r(x.on[d.type]);try{for(var h=function(t){var n=\"function\"==typeof Symbol&&Symbol.iterator,e=n&&t[n],r=0;if(e)return e.call(t);if(t&&\"number\"==typeof t.length)return{next:function(){return t&&r>=t.length&&(t=void 0),{value:t&&t[r++],done:!t}}};throw new TypeError(n?\"Object is not iterable.\":\"Symbol.iterator is not defined.\")}(m),b=h.next();!b.done;b=h.next()){var S=b.value;if(void 0===S)return c(p,g);var w=\"string\"==typeof S?{target:S}:S,j=w.target,E=w.actions,R=void 0===E?[]:E,N=w.cond,O=void 0===N?function(){return!0}:N,_=void 0===j,k=null!=j?j:p,T=n.states[k];if(O(g,d)){var q=t(f((_?r(R):[].concat(x.exit,R,T.entry).filter((function(t){return t}))).map((function(t){return i(t,y._options.actions)})),g,d),3),z=q[0],A=q[1],B=q[2],C=null!=j?j:p;return{value:C,context:A,actions:z,changed:j!==p||z.length>0||B,matches:a(C)}}}}catch(t){s={error:t}}finally{try{b&&!b.done&&(l=h.return)&&l.call(h)}finally{if(s)throw s.error}}}return c(p,g)}};return y}var l=function(t,n){return t.actions.forEach((function(e){var r=e.exec;return r&&r(t.context,n)}))};function v(t){var r=t.initialState,o=n.NotStarted,i=new Set,c={_machine:t,send:function(e){o===n.Running&&(r=t.transition(r,e),l(r,u(e)),i.forEach((function(t){return t(r)})))},subscribe:function(t){return i.add(t),t(r),{unsubscribe:function(){return i.delete(t)}}},start:function(i){if(i){var u=\"object\"==typeof i?i:{context:t.config.context,value:i};r={value:u.value,actions:[],context:u.context,matches:a(u.value)}}return o=n.Running,l(r,e),c},stop:function(){return o=n.Stopped,i.clear(),c},get state(){return r},get status(){return o}};return c}export{n as InterpreterStatus,o as assign,s as createMachine,v as interpret};\n","import { createMachine, interpret, assign, StateMachine } from '@xstate/fsm';\nimport {\n playerConfig,\n eventWithTime,\n actionWithDelay,\n ReplayerEvents,\n EventType,\n Emitter,\n IncrementalSource,\n} from '../types';\nimport { Timer, addDelay } from './timer';\n\nexport type PlayerContext = {\n events: eventWithTime[];\n timer: Timer;\n timeOffset: number;\n baselineTime: number;\n lastPlayedEvent: eventWithTime | null;\n};\nexport type PlayerEvent =\n | {\n type: 'PLAY';\n payload: {\n timeOffset: number;\n };\n }\n | {\n type: 'CAST_EVENT';\n payload: {\n event: eventWithTime;\n };\n }\n | { type: 'PAUSE' }\n | { type: 'TO_LIVE'; payload: { baselineTime?: number } }\n | {\n type: 'ADD_EVENT';\n payload: {\n event: eventWithTime;\n };\n }\n | {\n type: 'END';\n };\nexport type PlayerState =\n | {\n value: 'playing';\n context: PlayerContext;\n }\n | {\n value: 'paused';\n context: PlayerContext;\n }\n | {\n value: 'live';\n context: PlayerContext;\n };\n\n/**\n * If the array have multiple meta and fullsnapshot events,\n * return the events from last meta to the end.\n */\nexport function discardPriorSnapshots(\n events: eventWithTime[],\n baselineTime: number,\n): eventWithTime[] {\n for (let idx = events.length - 1; idx >= 0; idx--) {\n const event = events[idx];\n if (event.type === EventType.Meta) {\n if (event.timestamp <= baselineTime) {\n return events.slice(idx);\n }\n }\n }\n return events;\n}\n\ntype PlayerAssets = {\n emitter: Emitter;\n applyEventsSynchronously(events: Array): void;\n getCastFn(event: eventWithTime, isSync: boolean): () => void;\n};\nexport function createPlayerService(\n context: PlayerContext,\n { getCastFn, applyEventsSynchronously, emitter }: PlayerAssets,\n) {\n const playerMachine = createMachine(\n {\n id: 'player',\n context,\n initial: 'paused',\n states: {\n playing: {\n on: {\n PAUSE: {\n target: 'paused',\n actions: ['pause'],\n },\n CAST_EVENT: {\n target: 'playing',\n actions: 'castEvent',\n },\n END: {\n target: 'paused',\n actions: ['resetLastPlayedEvent', 'pause'],\n },\n ADD_EVENT: {\n target: 'playing',\n actions: ['addEvent'],\n },\n },\n },\n paused: {\n on: {\n PLAY: {\n target: 'playing',\n actions: ['recordTimeOffset', 'play'],\n },\n CAST_EVENT: {\n target: 'paused',\n actions: 'castEvent',\n },\n TO_LIVE: {\n target: 'live',\n actions: ['startLive'],\n },\n ADD_EVENT: {\n target: 'paused',\n actions: ['addEvent'],\n },\n },\n },\n live: {\n on: {\n ADD_EVENT: {\n target: 'live',\n actions: ['addEvent'],\n },\n CAST_EVENT: {\n target: 'live',\n actions: ['castEvent'],\n },\n },\n },\n },\n },\n {\n actions: {\n castEvent: assign({\n lastPlayedEvent: (ctx, event) => {\n if (event.type === 'CAST_EVENT') {\n return event.payload.event;\n }\n return ctx.lastPlayedEvent;\n },\n }),\n recordTimeOffset: assign((ctx, event) => {\n let timeOffset = ctx.timeOffset;\n if ('payload' in event && 'timeOffset' in event.payload) {\n timeOffset = event.payload.timeOffset;\n }\n return {\n ...ctx,\n timeOffset,\n baselineTime: ctx.events[0].timestamp + timeOffset,\n };\n }),\n play(ctx) {\n const { timer, events, baselineTime, lastPlayedEvent } = ctx;\n timer.clear();\n\n for (const event of events) {\n // TODO: improve this API\n addDelay(event, baselineTime);\n }\n const neededEvents = discardPriorSnapshots(events, baselineTime);\n\n let lastPlayedTimestamp = lastPlayedEvent?.timestamp;\n if (\n lastPlayedEvent?.type === EventType.IncrementalSnapshot &&\n lastPlayedEvent.data.source === IncrementalSource.MouseMove\n ) {\n lastPlayedTimestamp =\n lastPlayedEvent.timestamp +\n lastPlayedEvent.data.positions[0]?.timeOffset;\n }\n if (baselineTime < (lastPlayedTimestamp || 0)) {\n emitter.emit(ReplayerEvents.PlayBack);\n }\n\n const syncEvents = new Array();\n const actions = new Array();\n for (const event of neededEvents) {\n if (\n lastPlayedTimestamp &&\n lastPlayedTimestamp < baselineTime &&\n (event.timestamp <= lastPlayedTimestamp ||\n event === lastPlayedEvent)\n ) {\n continue;\n }\n if (event.timestamp < baselineTime) {\n syncEvents.push(event);\n } else {\n const castFn = getCastFn(event, false);\n actions.push({\n doAction: () => {\n castFn();\n },\n delay: event.delay!,\n });\n }\n }\n applyEventsSynchronously(syncEvents);\n emitter.emit(ReplayerEvents.Flush);\n timer.addActions(actions);\n timer.start();\n },\n pause(ctx) {\n ctx.timer.clear();\n },\n resetLastPlayedEvent: assign((ctx) => {\n return {\n ...ctx,\n lastPlayedEvent: null,\n };\n }),\n startLive: assign({\n baselineTime: (ctx, event) => {\n ctx.timer.toggleLiveMode(true);\n ctx.timer.start();\n if (event.type === 'TO_LIVE' && event.payload.baselineTime) {\n return event.payload.baselineTime;\n }\n return Date.now();\n },\n }),\n addEvent: assign((ctx, machineEvent) => {\n const { baselineTime, timer, events } = ctx;\n if (machineEvent.type === 'ADD_EVENT') {\n const { event } = machineEvent.payload;\n addDelay(event, baselineTime);\n\n let end = events.length - 1;\n if (!events[end] || events[end].timestamp <= event.timestamp) {\n // fast track\n events.push(event);\n } else {\n let insertionIndex = -1;\n let start = 0;\n while (start <= end) {\n let mid = Math.floor((start + end) / 2);\n if (events[mid].timestamp <= event.timestamp) {\n start = mid + 1;\n } else {\n end = mid - 1;\n }\n }\n if (insertionIndex === -1) {\n insertionIndex = start;\n }\n events.splice(insertionIndex, 0, event);\n }\n\n const isSync = event.timestamp < baselineTime;\n const castFn = getCastFn(event, isSync);\n if (isSync) {\n castFn();\n } else if (timer.isActive()) {\n timer.addAction({\n doAction: () => {\n castFn();\n },\n delay: event.delay!,\n });\n }\n }\n return { ...ctx, events };\n }),\n },\n },\n );\n return interpret(playerMachine);\n}\n\nexport type SpeedContext = {\n normalSpeed: playerConfig['speed'];\n timer: Timer;\n};\n\nexport type SpeedEvent =\n | {\n type: 'FAST_FORWARD';\n payload: { speed: playerConfig['speed'] };\n }\n | {\n type: 'BACK_TO_NORMAL';\n }\n | {\n type: 'SET_SPEED';\n payload: { speed: playerConfig['speed'] };\n };\n\nexport type SpeedState =\n | {\n value: 'normal';\n context: SpeedContext;\n }\n | {\n value: 'skipping';\n context: SpeedContext;\n };\n\nexport function createSpeedService(context: SpeedContext) {\n const speedMachine = createMachine(\n {\n id: 'speed',\n context,\n initial: 'normal',\n states: {\n normal: {\n on: {\n FAST_FORWARD: {\n target: 'skipping',\n actions: ['recordSpeed', 'setSpeed'],\n },\n SET_SPEED: {\n target: 'normal',\n actions: ['setSpeed'],\n },\n },\n },\n skipping: {\n on: {\n BACK_TO_NORMAL: {\n target: 'normal',\n actions: ['restoreSpeed'],\n },\n SET_SPEED: {\n target: 'normal',\n actions: ['setSpeed'],\n },\n },\n },\n },\n },\n {\n actions: {\n setSpeed: (ctx, event) => {\n if ('payload' in event) {\n ctx.timer.setSpeed(event.payload.speed);\n }\n },\n recordSpeed: assign({\n normalSpeed: (ctx) => ctx.timer.speed,\n }),\n restoreSpeed: (ctx) => {\n ctx.timer.setSpeed(ctx.normalSpeed);\n },\n },\n },\n );\n\n return interpret(speedMachine);\n}\n\nexport type PlayerMachineState = StateMachine.State<\n PlayerContext,\n PlayerEvent,\n PlayerState\n>;\n\nexport type SpeedMachineState = StateMachine.State<\n SpeedContext,\n SpeedEvent,\n SpeedState\n>;\n","const rules: (blockClass: string) => string[] = (blockClass: string) => [\n `.${blockClass} { background: currentColor }`,\n 'noscript { display: none !important; }',\n];\n\nexport default rules;\n","import { INode } from 'rrweb-snapshot';\n\nexport enum StyleRuleType {\n Insert,\n Remove,\n Snapshot,\n SetProperty,\n RemoveProperty,\n}\n\ntype InsertRule = {\n cssText: string;\n type: StyleRuleType.Insert;\n index?: number | number[];\n};\ntype RemoveRule = {\n type: StyleRuleType.Remove;\n index: number | number[];\n};\ntype SnapshotRule = {\n type: StyleRuleType.Snapshot;\n cssTexts: string[];\n};\ntype SetPropertyRule = {\n type: StyleRuleType.SetProperty;\n index: number[];\n property: string;\n value: string | null;\n priority: string | undefined;\n};\ntype RemovePropertyRule = {\n type: StyleRuleType.RemoveProperty;\n index: number[];\n property: string;\n};\n\nexport type VirtualStyleRules = Array<\n InsertRule | RemoveRule | SnapshotRule | SetPropertyRule | RemovePropertyRule\n>;\nexport type VirtualStyleRulesMap = Map;\n\nexport function getNestedRule(\n rules: CSSRuleList,\n position: number[],\n): CSSGroupingRule {\n const rule = rules[position[0]] as CSSGroupingRule;\n if (position.length === 1) {\n return rule;\n } else {\n return getNestedRule(\n ((rule as CSSGroupingRule).cssRules[position[1]] as CSSGroupingRule)\n .cssRules,\n position.slice(2),\n );\n }\n}\n\nexport function getPositionsAndIndex(nestedIndex: number[]) {\n const positions = [...nestedIndex];\n const index = positions.pop();\n return { positions, index };\n}\n\nexport function applyVirtualStyleRulesToNode(\n storedRules: VirtualStyleRules,\n styleNode: HTMLStyleElement,\n) {\n const { sheet } = styleNode;\n if (!sheet) {\n // styleNode without sheet means the DOM has been removed\n // so the rules no longer need to be applied\n return;\n }\n\n storedRules.forEach((rule) => {\n if (rule.type === StyleRuleType.Insert) {\n try {\n if (Array.isArray(rule.index)) {\n const { positions, index } = getPositionsAndIndex(rule.index);\n const nestedRule = getNestedRule(sheet.cssRules, positions);\n nestedRule.insertRule(rule.cssText, index);\n } else {\n sheet.insertRule(rule.cssText, rule.index);\n }\n } catch (e) {\n /**\n * sometimes we may capture rules with browser prefix\n * insert rule with prefixs in other browsers may cause Error\n */\n }\n } else if (rule.type === StyleRuleType.Remove) {\n try {\n if (Array.isArray(rule.index)) {\n const { positions, index } = getPositionsAndIndex(rule.index);\n const nestedRule = getNestedRule(sheet.cssRules, positions);\n nestedRule.deleteRule(index || 0);\n } else {\n sheet.deleteRule(rule.index);\n }\n } catch (e) {\n /**\n * accessing styleSheet rules may cause SecurityError\n * for specific access control settings\n */\n }\n } else if (rule.type === StyleRuleType.Snapshot) {\n restoreSnapshotOfStyleRulesToNode(rule.cssTexts, styleNode);\n } else if (rule.type === StyleRuleType.SetProperty) {\n const nativeRule = (getNestedRule(\n sheet.cssRules,\n rule.index,\n ) as unknown) as CSSStyleRule;\n nativeRule.style.setProperty(rule.property, rule.value, rule.priority);\n } else if (rule.type === StyleRuleType.RemoveProperty) {\n const nativeRule = (getNestedRule(\n sheet.cssRules,\n rule.index,\n ) as unknown) as CSSStyleRule;\n nativeRule.style.removeProperty(rule.property);\n }\n });\n}\n\nfunction restoreSnapshotOfStyleRulesToNode(\n cssTexts: string[],\n styleNode: HTMLStyleElement,\n) {\n try {\n const existingRules = Array.from(styleNode.sheet?.cssRules || []).map(\n (rule) => rule.cssText,\n );\n const existingRulesReversed = Object.entries(existingRules).reverse();\n let lastMatch = existingRules.length;\n existingRulesReversed.forEach(([index, rule]) => {\n const indexOf = cssTexts.indexOf(rule);\n if (indexOf === -1 || indexOf > lastMatch) {\n try {\n styleNode.sheet?.deleteRule(Number(index));\n } catch (e) {\n /**\n * accessing styleSheet rules may cause SecurityError\n * for specific access control settings\n */\n }\n }\n lastMatch = indexOf;\n });\n cssTexts.forEach((cssText, index) => {\n try {\n if (styleNode.sheet?.cssRules[index]?.cssText !== cssText) {\n styleNode.sheet?.insertRule(cssText, index);\n }\n } catch (e) {\n /**\n * sometimes we may capture rules with browser prefix\n * insert rule with prefixs in other browsers may cause Error\n */\n }\n });\n } catch (e) {\n /**\n * accessing styleSheet rules may cause SecurityError\n * for specific access control settings\n */\n }\n}\n\nexport function storeCSSRules(\n parentElement: HTMLStyleElement,\n virtualStyleRulesMap: VirtualStyleRulesMap,\n) {\n try {\n const cssTexts = Array.from(\n (parentElement as HTMLStyleElement).sheet?.cssRules || [],\n ).map((rule) => rule.cssText);\n virtualStyleRulesMap.set((parentElement as unknown) as INode, [\n {\n type: StyleRuleType.Snapshot,\n cssTexts,\n },\n ]);\n } catch (e) {\n /**\n * accessing styleSheet rules may cause SecurityError\n * for specific access control settings\n */\n }\n}\n","import { decode } from 'base64-arraybuffer';\nimport { Replayer } from '../';\nimport {\n CanvasContext,\n canvasMutationCommand,\n SerializedWebGlArg,\n} from '../../types';\n\n// TODO: add ability to wipe this list\ntype GLVarMap = Map;\nconst webGLVarMap: Map<\n WebGLRenderingContext | WebGL2RenderingContext,\n GLVarMap\n> = new Map();\nexport function variableListFor(\n ctx: WebGLRenderingContext | WebGL2RenderingContext,\n ctor: string,\n) {\n let contextMap = webGLVarMap.get(ctx);\n if (!contextMap) {\n contextMap = new Map();\n webGLVarMap.set(ctx, contextMap);\n }\n if (!contextMap.has(ctor)) {\n contextMap.set(ctor, []);\n }\n return contextMap.get(ctor) as any[];\n}\n\nfunction getContext(\n target: HTMLCanvasElement,\n type: CanvasContext,\n): WebGLRenderingContext | WebGL2RenderingContext | null {\n // Note to whomever is going to implement support for `contextAttributes`:\n // if `preserveDrawingBuffer` is set to true,\n // you might have to do `ctx.flush()` before every webgl canvas event\n try {\n if (type === CanvasContext.WebGL) {\n return (\n target.getContext('webgl')! || target.getContext('experimental-webgl')\n );\n }\n return target.getContext('webgl2')!;\n } catch (e) {\n return null;\n }\n}\n\nconst WebGLVariableConstructorsNames = [\n 'WebGLActiveInfo',\n 'WebGLBuffer',\n 'WebGLFramebuffer',\n 'WebGLProgram',\n 'WebGLRenderbuffer',\n 'WebGLShader',\n 'WebGLShaderPrecisionFormat',\n 'WebGLTexture',\n 'WebGLUniformLocation',\n 'WebGLVertexArrayObject',\n];\n\nfunction saveToWebGLVarMap(\n ctx: WebGLRenderingContext | WebGL2RenderingContext,\n result: any,\n) {\n if (!result?.constructor) return; // probably null or undefined\n\n const { name } = result.constructor;\n if (!WebGLVariableConstructorsNames.includes(name)) return; // not a WebGL variable\n\n const variables = variableListFor(ctx, name);\n if (!variables.includes(result)) variables.push(result);\n}\n\nexport function deserializeArg(\n imageMap: Replayer['imageMap'],\n ctx: WebGLRenderingContext | WebGL2RenderingContext,\n): (arg: SerializedWebGlArg) => any {\n return (arg: SerializedWebGlArg): any => {\n if (arg && typeof arg === 'object' && 'rr_type' in arg) {\n if ('index' in arg) {\n const { rr_type: name, index } = arg;\n return variableListFor(ctx, name)[index];\n } else if ('args' in arg) {\n const { rr_type: name, args } = arg;\n const ctor = window[name as keyof Window];\n\n return new ctor(...args.map(deserializeArg(imageMap, ctx)));\n } else if ('base64' in arg) {\n return decode(arg.base64);\n } else if ('src' in arg) {\n const image = imageMap.get(arg.src);\n if (image) {\n return image;\n } else {\n const image = new Image();\n image.src = arg.src;\n imageMap.set(arg.src, image);\n return image;\n }\n }\n } else if (Array.isArray(arg)) {\n return arg.map(deserializeArg(imageMap, ctx));\n }\n return arg;\n };\n}\n\nexport default function webglMutation({\n mutation,\n target,\n type,\n imageMap,\n errorHandler,\n}: {\n mutation: canvasMutationCommand;\n target: HTMLCanvasElement;\n type: CanvasContext;\n imageMap: Replayer['imageMap'];\n errorHandler: Replayer['warnCanvasMutationFailed'];\n}): void {\n try {\n const ctx = getContext(target, type);\n if (!ctx) return;\n\n // NOTE: if `preserveDrawingBuffer` is set to true,\n // we must flush the buffers on every new canvas event\n // if (mutation.newFrame) ctx.flush();\n\n if (mutation.setter) {\n // skip some read-only type checks\n // tslint:disable-next-line:no-any\n (ctx as any)[mutation.property] = mutation.args[0];\n return;\n }\n const original = ctx[\n mutation.property as Exclude\n ] as Function;\n\n const args = mutation.args.map(deserializeArg(imageMap, ctx));\n const result = original.apply(ctx, args);\n saveToWebGLVarMap(ctx, result);\n\n // Slows down replay considerably, only use for debugging\n const debugMode = false;\n if (debugMode) {\n if (mutation.property === 'compileShader') {\n if (!ctx.getShaderParameter(args[0], ctx.COMPILE_STATUS))\n console.warn(\n 'something went wrong in replay',\n ctx.getShaderInfoLog(args[0]),\n );\n } else if (mutation.property === 'linkProgram') {\n ctx.validateProgram(args[0]);\n if (!ctx.getProgramParameter(args[0], ctx.LINK_STATUS))\n console.warn(\n 'something went wrong in replay',\n ctx.getProgramInfoLog(args[0]),\n );\n }\n const webglError = ctx.getError();\n if (webglError !== ctx.NO_ERROR) {\n console.warn(\n 'WEBGL ERROR',\n webglError,\n 'on command:',\n mutation.property,\n ...args,\n );\n }\n }\n } catch (error) {\n errorHandler(mutation, error);\n }\n}\n","import {\n rebuild,\n buildNodeWithSN,\n INode,\n NodeType,\n BuildCache,\n createCache,\n} from 'rrweb-snapshot';\nimport * as mittProxy from 'mitt';\nimport { polyfill as smoothscrollPolyfill } from './smoothscroll';\nimport { Timer } from './timer';\nimport { createPlayerService, createSpeedService } from './machine';\nimport {\n EventType,\n IncrementalSource,\n fullSnapshotEvent,\n eventWithTime,\n MouseInteractions,\n playerConfig,\n playerMetaData,\n viewportResizeDimension,\n missingNodeMap,\n addedNodeMutation,\n missingNode,\n incrementalSnapshotEvent,\n incrementalData,\n ReplayerEvents,\n Handler,\n Emitter,\n MediaInteractions,\n metaEvent,\n mutationData,\n scrollData,\n inputData,\n canvasMutationData,\n Mirror,\n ElementState,\n styleAttributeValue,\n styleValueWithPriority,\n mouseMovePos,\n IWindow,\n canvasMutationCommand,\n textMutation,\n} from '../types';\nimport {\n createMirror,\n polyfill,\n TreeIndex,\n queueToResolveTrees,\n iterateResolveTree,\n AppendedIframe,\n isIframeINode,\n getBaseDimension,\n hasShadowRoot,\n} from '../utils';\nimport getInjectStyleRules from './styles/inject-style';\nimport './styles/style.css';\nimport {\n applyVirtualStyleRulesToNode,\n storeCSSRules,\n StyleRuleType,\n VirtualStyleRules,\n VirtualStyleRulesMap,\n getNestedRule,\n getPositionsAndIndex,\n} from './virtual-styles';\nimport canvasMutation from './canvas';\n\nconst SKIP_TIME_THRESHOLD = 10 * 1000;\nconst SKIP_TIME_INTERVAL = 5 * 1000;\n\n// https://github.com/rollup/rollup/issues/1267#issuecomment-296395734\n// tslint:disable-next-line\nconst mitt = (mittProxy as any).default || mittProxy;\n\nconst REPLAY_CONSOLE_PREFIX = '[replayer]';\n\nconst defaultMouseTailConfig = {\n duration: 500,\n lineCap: 'round',\n lineWidth: 3,\n strokeStyle: 'red',\n} as const;\n\nfunction indicatesTouchDevice(e: eventWithTime) {\n return (\n e.type == EventType.IncrementalSnapshot &&\n (e.data.source == IncrementalSource.TouchMove ||\n (e.data.source == IncrementalSource.MouseInteraction &&\n e.data.type == MouseInteractions.TouchStart))\n );\n}\n\nexport class Replayer {\n public wrapper: HTMLDivElement;\n public iframe: HTMLIFrameElement;\n\n public service: ReturnType;\n public speedService: ReturnType;\n public get timer() {\n return this.service.state.context.timer;\n }\n\n public config: playerConfig;\n\n private mouse: HTMLDivElement;\n private mouseTail: HTMLCanvasElement | null = null;\n private tailPositions: Array<{ x: number; y: number }> = [];\n\n private emitter: Emitter = mitt();\n\n private nextUserInteractionEvent: eventWithTime | null;\n\n // tslint:disable-next-line: variable-name\n private legacy_missingNodeRetryMap: missingNodeMap = {};\n\n private treeIndex!: TreeIndex;\n private fragmentParentMap!: Map;\n private elementStateMap!: Map;\n // Hold the list of CSSRules for in-memory state restoration\n private virtualStyleRulesMap!: VirtualStyleRulesMap;\n\n // The replayer uses the cache to speed up replay and scrubbing.\n private cache: BuildCache = createCache();\n\n private imageMap: Map = new Map();\n\n private mirror: Mirror = createMirror();\n\n private firstFullSnapshot: eventWithTime | true | null = null;\n\n private newDocumentQueue: addedNodeMutation[] = [];\n\n private mousePos: mouseMovePos | null = null;\n private touchActive: boolean | null = null;\n\n constructor(\n events: Array,\n config?: Partial,\n ) {\n if (!config?.liveMode && events.length < 2) {\n throw new Error('Replayer need at least 2 events.');\n }\n const defaultConfig: playerConfig = {\n speed: 1,\n maxSpeed: 360,\n root: document.body,\n loadTimeout: 0,\n skipInactive: false,\n showWarning: true,\n showDebug: false,\n blockClass: 'rr-block',\n liveMode: false,\n insertStyleRules: [],\n triggerFocus: true,\n UNSAFE_replayCanvas: false,\n pauseAnimation: true,\n mouseTail: defaultMouseTailConfig,\n };\n this.config = Object.assign({}, defaultConfig, config);\n\n this.handleResize = this.handleResize.bind(this);\n this.getCastFn = this.getCastFn.bind(this);\n this.applyEventsSynchronously = this.applyEventsSynchronously.bind(this);\n this.emitter.on(ReplayerEvents.Resize, this.handleResize as Handler);\n\n this.setupDom();\n\n this.treeIndex = new TreeIndex();\n this.fragmentParentMap = new Map();\n this.elementStateMap = new Map();\n this.virtualStyleRulesMap = new Map();\n\n this.emitter.on(ReplayerEvents.Flush, () => {\n const { scrollMap, inputMap, mutationData } = this.treeIndex.flush();\n\n this.fragmentParentMap.forEach((parent, frag) =>\n this.restoreRealParent(frag, parent),\n );\n // apply text needs to happen before virtual style rules gets applied\n // as it can overwrite the contents of a stylesheet\n for (const d of mutationData.texts) {\n this.applyText(d, mutationData);\n }\n\n for (const node of this.virtualStyleRulesMap.keys()) {\n // restore css rules of style elements after they are mounted\n this.restoreNodeSheet(node);\n }\n this.fragmentParentMap.clear();\n this.elementStateMap.clear();\n this.virtualStyleRulesMap.clear();\n\n for (const d of scrollMap.values()) {\n this.applyScroll(d, true);\n }\n for (const d of inputMap.values()) {\n this.applyInput(d);\n }\n });\n this.emitter.on(ReplayerEvents.PlayBack, () => {\n this.firstFullSnapshot = null;\n this.mirror.reset();\n });\n\n const timer = new Timer([], config?.speed || defaultConfig.speed);\n this.service = createPlayerService(\n {\n events: events\n .map((e) => {\n if (config && config.unpackFn) {\n return config.unpackFn(e as string);\n }\n return e as eventWithTime;\n })\n .sort((a1, a2) => a1.timestamp - a2.timestamp),\n timer,\n timeOffset: 0,\n baselineTime: 0,\n lastPlayedEvent: null,\n },\n {\n getCastFn: this.getCastFn,\n applyEventsSynchronously: this.applyEventsSynchronously,\n emitter: this.emitter,\n },\n );\n this.service.start();\n this.service.subscribe((state) => {\n this.emitter.emit(ReplayerEvents.StateChange, {\n player: state,\n });\n });\n this.speedService = createSpeedService({\n normalSpeed: -1,\n timer,\n });\n this.speedService.start();\n this.speedService.subscribe((state) => {\n this.emitter.emit(ReplayerEvents.StateChange, {\n speed: state,\n });\n });\n\n // rebuild first full snapshot as the poster of the player\n // maybe we can cache it for performance optimization\n const firstMeta = this.service.state.context.events.find(\n (e) => e.type === EventType.Meta,\n );\n const firstFullsnapshot = this.service.state.context.events.find(\n (e) => e.type === EventType.FullSnapshot,\n );\n if (firstMeta) {\n const { width, height } = firstMeta.data as metaEvent['data'];\n setTimeout(() => {\n this.emitter.emit(ReplayerEvents.Resize, {\n width,\n height,\n });\n }, 0);\n }\n if (firstFullsnapshot) {\n setTimeout(() => {\n // when something has been played, there is no need to rebuild poster\n if (this.firstFullSnapshot) {\n // true if any other fullSnapshot has been executed by Timer already\n return;\n }\n this.firstFullSnapshot = firstFullsnapshot;\n this.rebuildFullSnapshot(\n firstFullsnapshot as fullSnapshotEvent & { timestamp: number },\n );\n this.iframe.contentWindow!.scrollTo(\n (firstFullsnapshot as fullSnapshotEvent).data.initialOffset,\n );\n }, 1);\n }\n if (this.service.state.context.events.find(indicatesTouchDevice)) {\n this.mouse.classList.add('touch-device');\n }\n }\n\n public on(event: string, handler: Handler) {\n this.emitter.on(event, handler);\n return this;\n }\n\n public off(event: string, handler: Handler) {\n this.emitter.off(event, handler);\n return this;\n }\n\n public setConfig(config: Partial) {\n Object.keys(config).forEach((key) => {\n // @ts-ignore\n this.config[key] = config[key];\n });\n if (!this.config.skipInactive) {\n this.backToNormal();\n }\n if (typeof config.speed !== 'undefined') {\n this.speedService.send({\n type: 'SET_SPEED',\n payload: {\n speed: config.speed!,\n },\n });\n }\n if (typeof config.mouseTail !== 'undefined') {\n if (config.mouseTail === false) {\n if (this.mouseTail) {\n this.mouseTail.style.display = 'none';\n }\n } else {\n if (!this.mouseTail) {\n this.mouseTail = document.createElement('canvas');\n this.mouseTail.width = Number.parseFloat(this.iframe.width);\n this.mouseTail.height = Number.parseFloat(this.iframe.height);\n this.mouseTail.classList.add('replayer-mouse-tail');\n this.wrapper.insertBefore(this.mouseTail, this.iframe);\n }\n this.mouseTail.style.display = 'inherit';\n }\n }\n }\n\n public getMetaData(): playerMetaData {\n const firstEvent = this.service.state.context.events[0];\n const lastEvent = this.service.state.context.events[\n this.service.state.context.events.length - 1\n ];\n return {\n startTime: firstEvent.timestamp,\n endTime: lastEvent.timestamp,\n totalTime: lastEvent.timestamp - firstEvent.timestamp,\n };\n }\n\n public getCurrentTime(): number {\n return this.timer.timeOffset + this.getTimeOffset();\n }\n\n public getTimeOffset(): number {\n const { baselineTime, events } = this.service.state.context;\n return baselineTime - events[0].timestamp;\n }\n\n public getMirror(): Mirror {\n return this.mirror;\n }\n\n /**\n * This API was designed to be used as play at any time offset.\n * Since we minimized the data collected from recorder, we do not\n * have the ability of undo an event.\n * So the implementation of play at any time offset will always iterate\n * all of the events, cast event before the offset synchronously\n * and cast event after the offset asynchronously with timer.\n * @param timeOffset number\n */\n public play(timeOffset = 0) {\n if (this.service.state.matches('paused')) {\n this.service.send({ type: 'PLAY', payload: { timeOffset } });\n } else {\n this.service.send({ type: 'PAUSE' });\n this.service.send({ type: 'PLAY', payload: { timeOffset } });\n }\n this.iframe.contentDocument\n ?.getElementsByTagName('html')[0]\n .classList.remove('rrweb-paused');\n this.emitter.emit(ReplayerEvents.Start);\n }\n\n public pause(timeOffset?: number) {\n if (timeOffset === undefined && this.service.state.matches('playing')) {\n this.service.send({ type: 'PAUSE' });\n }\n if (typeof timeOffset === 'number') {\n this.play(timeOffset);\n this.service.send({ type: 'PAUSE' });\n }\n this.iframe.contentDocument\n ?.getElementsByTagName('html')[0]\n .classList.add('rrweb-paused');\n this.emitter.emit(ReplayerEvents.Pause);\n }\n\n public resume(timeOffset = 0) {\n console.warn(\n `The 'resume' will be departed in 1.0. Please use 'play' method which has the same interface.`,\n );\n this.play(timeOffset);\n this.emitter.emit(ReplayerEvents.Resume);\n }\n\n public startLive(baselineTime?: number) {\n this.service.send({ type: 'TO_LIVE', payload: { baselineTime } });\n }\n\n public addEvent(rawEvent: eventWithTime | string) {\n const event = this.config.unpackFn\n ? this.config.unpackFn(rawEvent as string)\n : (rawEvent as eventWithTime);\n if (indicatesTouchDevice(event)) {\n this.mouse.classList.add('touch-device');\n }\n Promise.resolve().then(() =>\n this.service.send({ type: 'ADD_EVENT', payload: { event } }),\n );\n }\n\n public enableInteract() {\n this.iframe.setAttribute('scrolling', 'auto');\n this.iframe.style.pointerEvents = 'auto';\n }\n\n public disableInteract() {\n this.iframe.setAttribute('scrolling', 'no');\n this.iframe.style.pointerEvents = 'none';\n }\n\n /**\n * Empties the replayer's cache and reclaims memory.\n * The replayer will use this cache to speed up the playback.\n */\n public resetCache() {\n this.cache = createCache();\n }\n\n private setupDom() {\n this.wrapper = document.createElement('div');\n this.wrapper.classList.add('replayer-wrapper');\n this.config.root!.appendChild(this.wrapper);\n\n this.mouse = document.createElement('div');\n this.mouse.classList.add('replayer-mouse');\n this.wrapper.appendChild(this.mouse);\n\n if (this.config.mouseTail !== false) {\n this.mouseTail = document.createElement('canvas');\n this.mouseTail.classList.add('replayer-mouse-tail');\n this.mouseTail.style.display = 'inherit';\n this.wrapper.appendChild(this.mouseTail);\n }\n\n this.iframe = document.createElement('iframe');\n const attributes = ['allow-same-origin'];\n if (this.config.UNSAFE_replayCanvas) {\n attributes.push('allow-scripts');\n }\n // hide iframe before first meta event\n this.iframe.style.display = 'none';\n this.iframe.setAttribute('sandbox', attributes.join(' '));\n this.disableInteract();\n this.wrapper.appendChild(this.iframe);\n if (this.iframe.contentWindow && this.iframe.contentDocument) {\n smoothscrollPolyfill(\n this.iframe.contentWindow,\n this.iframe.contentDocument,\n );\n\n polyfill(this.iframe.contentWindow as IWindow);\n }\n }\n\n private handleResize(dimension: viewportResizeDimension) {\n this.iframe.style.display = 'inherit';\n for (const el of [this.mouseTail, this.iframe]) {\n if (!el) {\n continue;\n }\n el.setAttribute('width', String(dimension.width));\n el.setAttribute('height', String(dimension.height));\n }\n }\n\n private applyEventsSynchronously(events: Array) {\n for (const event of events) {\n switch (event.type) {\n case EventType.DomContentLoaded:\n case EventType.Load:\n case EventType.Custom:\n continue;\n case EventType.FullSnapshot:\n case EventType.Meta:\n case EventType.Plugin:\n break;\n case EventType.IncrementalSnapshot:\n switch (event.data.source) {\n case IncrementalSource.MediaInteraction:\n continue;\n default:\n break;\n }\n break;\n default:\n break;\n }\n const castFn = this.getCastFn(event, true);\n castFn();\n }\n if (this.mousePos) {\n this.moveAndHover(\n this.mousePos.x,\n this.mousePos.y,\n this.mousePos.id,\n true,\n this.mousePos.debugData,\n );\n }\n this.mousePos = null;\n if (this.touchActive === true) {\n this.mouse.classList.add('touch-active');\n } else if (this.touchActive === false) {\n this.mouse.classList.remove('touch-active');\n }\n this.touchActive = null;\n }\n\n private getCastFn(event: eventWithTime, isSync = false) {\n let castFn: undefined | (() => void);\n switch (event.type) {\n case EventType.DomContentLoaded:\n case EventType.Load:\n break;\n case EventType.Custom:\n castFn = () => {\n /**\n * emit custom-event and pass the event object.\n *\n * This will add more value to the custom event and allows the client to react for custom-event.\n */\n this.emitter.emit(ReplayerEvents.CustomEvent, event);\n };\n break;\n case EventType.Meta:\n castFn = () =>\n this.emitter.emit(ReplayerEvents.Resize, {\n width: event.data.width,\n height: event.data.height,\n });\n break;\n case EventType.FullSnapshot:\n castFn = () => {\n if (this.firstFullSnapshot) {\n if (this.firstFullSnapshot === event) {\n // we've already built this exact FullSnapshot when the player was mounted, and haven't built any other FullSnapshot since\n this.firstFullSnapshot = true; // forget as we might need to re-execute this FullSnapshot later e.g. to rebuild after scrubbing\n return;\n }\n } else {\n // Timer (requestAnimationFrame) can be faster than setTimeout(..., 1)\n this.firstFullSnapshot = true;\n }\n this.rebuildFullSnapshot(event, isSync);\n this.iframe.contentWindow!.scrollTo(event.data.initialOffset);\n };\n break;\n case EventType.IncrementalSnapshot:\n castFn = () => {\n this.applyIncremental(event, isSync);\n if (isSync) {\n // do not check skip in sync\n return;\n }\n if (event === this.nextUserInteractionEvent) {\n this.nextUserInteractionEvent = null;\n this.backToNormal();\n }\n if (this.config.skipInactive && !this.nextUserInteractionEvent) {\n for (const _event of this.service.state.context.events) {\n if (_event.timestamp! <= event.timestamp!) {\n continue;\n }\n if (this.isUserInteraction(_event)) {\n if (\n _event.delay! - event.delay! >\n SKIP_TIME_THRESHOLD *\n this.speedService.state.context.timer.speed\n ) {\n this.nextUserInteractionEvent = _event;\n }\n break;\n }\n }\n if (this.nextUserInteractionEvent) {\n const skipTime =\n this.nextUserInteractionEvent.delay! - event.delay!;\n const payload = {\n speed: Math.min(\n Math.round(skipTime / SKIP_TIME_INTERVAL),\n this.config.maxSpeed,\n ),\n };\n this.speedService.send({ type: 'FAST_FORWARD', payload });\n this.emitter.emit(ReplayerEvents.SkipStart, payload);\n }\n }\n };\n break;\n default:\n }\n const wrappedCastFn = () => {\n if (castFn) {\n castFn();\n }\n\n for (const plugin of this.config.plugins || []) {\n plugin.handler(event, isSync, { replayer: this });\n }\n\n this.service.send({ type: 'CAST_EVENT', payload: { event } });\n\n // events are kept sorted by timestamp, check if this is the last event\n let last_index = this.service.state.context.events.length - 1;\n if (event === this.service.state.context.events[last_index]) {\n const finish = () => {\n if (last_index < this.service.state.context.events.length - 1) {\n // more events have been added since the setTimeout\n return;\n }\n this.backToNormal();\n this.service.send('END');\n this.emitter.emit(ReplayerEvents.Finish);\n };\n if (\n event.type === EventType.IncrementalSnapshot &&\n event.data.source === IncrementalSource.MouseMove &&\n event.data.positions.length\n ) {\n // defer finish event if the last event is a mouse move\n setTimeout(() => {\n finish();\n }, Math.max(0, -event.data.positions[0].timeOffset + 50)); // Add 50 to make sure the timer would check the last mousemove event. Otherwise, the timer may be stopped by the service before checking the last event.\n } else {\n finish();\n }\n }\n\n this.emitter.emit(ReplayerEvents.EventCast, event);\n };\n return wrappedCastFn;\n }\n\n private rebuildFullSnapshot(\n event: fullSnapshotEvent & { timestamp: number },\n isSync: boolean = false,\n ) {\n if (!this.iframe.contentDocument) {\n return console.warn('Looks like your replayer has been destroyed.');\n }\n if (Object.keys(this.legacy_missingNodeRetryMap).length) {\n console.warn(\n 'Found unresolved missing node map',\n this.legacy_missingNodeRetryMap,\n );\n }\n this.legacy_missingNodeRetryMap = {};\n const collected: AppendedIframe[] = [];\n this.mirror.map = rebuild(event.data.node, {\n doc: this.iframe.contentDocument,\n afterAppend: (builtNode) => {\n this.collectIframeAndAttachDocument(collected, builtNode);\n },\n cache: this.cache,\n })[1];\n for (const { mutationInQueue, builtNode } of collected) {\n this.attachDocumentToIframe(mutationInQueue, builtNode);\n this.newDocumentQueue = this.newDocumentQueue.filter(\n (m) => m !== mutationInQueue,\n );\n }\n const { documentElement, head } = this.iframe.contentDocument;\n this.insertStyleRules(documentElement, head);\n if (!this.service.state.matches('playing')) {\n this.iframe.contentDocument\n .getElementsByTagName('html')[0]\n .classList.add('rrweb-paused');\n }\n this.emitter.emit(ReplayerEvents.FullsnapshotRebuilded, event);\n if (!isSync) {\n this.waitForStylesheetLoad();\n }\n if (this.config.UNSAFE_replayCanvas) {\n this.preloadAllImages();\n }\n }\n\n private insertStyleRules(\n documentElement: HTMLElement,\n head: HTMLHeadElement,\n ) {\n const styleEl = document.createElement('style');\n documentElement!.insertBefore(styleEl, head);\n const injectStylesRules = getInjectStyleRules(\n this.config.blockClass,\n ).concat(this.config.insertStyleRules);\n if (this.config.pauseAnimation) {\n injectStylesRules.push(\n 'html.rrweb-paused *, html.rrweb-paused *:before, html.rrweb-paused *:after { animation-play-state: paused !important; }',\n );\n }\n for (let idx = 0; idx < injectStylesRules.length; idx++) {\n (styleEl.sheet! as CSSStyleSheet).insertRule(injectStylesRules[idx], idx);\n }\n }\n\n private attachDocumentToIframe(\n mutation: addedNodeMutation,\n iframeEl: HTMLIFrameElement,\n ) {\n const collected: AppendedIframe[] = [];\n // If iframeEl is detached from dom, iframeEl.contentDocument is null.\n if (!iframeEl.contentDocument) {\n let parent = iframeEl.parentNode;\n while (parent) {\n // The parent of iframeEl is virtual parent and we need to mount it on the dom.\n if (this.fragmentParentMap.has((parent as unknown) as INode)) {\n const frag = (parent as unknown) as INode;\n const realParent = this.fragmentParentMap.get(frag)!;\n this.restoreRealParent(frag, realParent);\n break;\n }\n parent = parent.parentNode;\n }\n }\n buildNodeWithSN(mutation.node, {\n doc: iframeEl.contentDocument!,\n map: this.mirror.map,\n hackCss: true,\n skipChild: false,\n afterAppend: (builtNode) => {\n this.collectIframeAndAttachDocument(collected, builtNode);\n if (\n builtNode.__sn.type === NodeType.Element &&\n builtNode.__sn.tagName.toUpperCase() === 'HTML'\n ) {\n const { documentElement, head } = iframeEl.contentDocument!;\n this.insertStyleRules(documentElement, head);\n }\n },\n cache: this.cache,\n });\n for (const { mutationInQueue, builtNode } of collected) {\n this.attachDocumentToIframe(mutationInQueue, builtNode);\n this.newDocumentQueue = this.newDocumentQueue.filter(\n (m) => m !== mutationInQueue,\n );\n }\n }\n\n private collectIframeAndAttachDocument(\n collected: AppendedIframe[],\n builtNode: INode,\n ) {\n if (isIframeINode(builtNode)) {\n const mutationInQueue = this.newDocumentQueue.find(\n (m) => m.parentId === builtNode.__sn.id,\n );\n if (mutationInQueue) {\n collected.push({ mutationInQueue, builtNode });\n }\n }\n }\n\n /**\n * pause when loading style sheet, resume when loaded all timeout exceed\n */\n private waitForStylesheetLoad() {\n const head = this.iframe.contentDocument?.head;\n if (head) {\n const unloadSheets: Set = new Set();\n let timer: ReturnType | -1;\n let beforeLoadState = this.service.state;\n const stateHandler = () => {\n beforeLoadState = this.service.state;\n };\n this.emitter.on(ReplayerEvents.Start, stateHandler);\n this.emitter.on(ReplayerEvents.Pause, stateHandler);\n const unsubscribe = () => {\n this.emitter.off(ReplayerEvents.Start, stateHandler);\n this.emitter.off(ReplayerEvents.Pause, stateHandler);\n };\n head\n .querySelectorAll('link[rel=\"stylesheet\"]')\n .forEach((css: HTMLLinkElement) => {\n if (!css.sheet) {\n unloadSheets.add(css);\n css.addEventListener('load', () => {\n unloadSheets.delete(css);\n // all loaded and timer not released yet\n if (unloadSheets.size === 0 && timer !== -1) {\n if (beforeLoadState.matches('playing')) {\n this.play(this.getCurrentTime());\n }\n this.emitter.emit(ReplayerEvents.LoadStylesheetEnd);\n if (timer) {\n clearTimeout(timer);\n }\n unsubscribe();\n }\n });\n }\n });\n\n if (unloadSheets.size > 0) {\n // find some unload sheets after iterate\n this.service.send({ type: 'PAUSE' });\n this.emitter.emit(ReplayerEvents.LoadStylesheetStart);\n timer = setTimeout(() => {\n if (beforeLoadState.matches('playing')) {\n this.play(this.getCurrentTime());\n }\n // mark timer was called\n timer = -1;\n unsubscribe();\n }, this.config.loadTimeout);\n }\n }\n }\n\n private hasImageArg(args: any[]): boolean {\n for (const arg of args) {\n if (!arg || typeof arg !== 'object') {\n // do nothing\n } else if ('rr_type' in arg && 'args' in arg) {\n if (this.hasImageArg(arg.args)) return true;\n } else if ('rr_type' in arg && arg.rr_type === 'HTMLImageElement') {\n return true; // has image!\n } else if (arg instanceof Array) {\n if (this.hasImageArg(arg)) return true;\n }\n }\n return false;\n }\n\n private getImageArgs(args: any[]): string[] {\n const images: string[] = [];\n for (const arg of args) {\n if (!arg || typeof arg !== 'object') {\n // do nothing\n } else if ('rr_type' in arg && 'args' in arg) {\n images.push(...this.getImageArgs(arg.args));\n } else if ('rr_type' in arg && arg.rr_type === 'HTMLImageElement') {\n images.push(arg.src);\n } else if (arg instanceof Array) {\n images.push(...this.getImageArgs(arg));\n }\n }\n return images;\n }\n\n /**\n * pause when there are some canvas drawImage args need to be loaded\n */\n private preloadAllImages() {\n let beforeLoadState = this.service.state;\n const stateHandler = () => {\n beforeLoadState = this.service.state;\n };\n this.emitter.on(ReplayerEvents.Start, stateHandler);\n this.emitter.on(ReplayerEvents.Pause, stateHandler);\n for (const event of this.service.state.context.events) {\n if (\n event.type === EventType.IncrementalSnapshot &&\n event.data.source === IncrementalSource.CanvasMutation\n )\n if ('commands' in event.data) {\n event.data.commands.forEach((c) => this.preloadImages(c, event));\n } else {\n this.preloadImages(event.data, event);\n }\n }\n }\n\n private preloadImages(data: canvasMutationCommand, event: eventWithTime) {\n if (\n data.property === 'drawImage' &&\n typeof data.args[0] === 'string' &&\n !this.imageMap.has(event)\n ) {\n const canvas = document.createElement('canvas');\n const ctx = canvas.getContext('2d');\n const imgd = ctx?.createImageData(canvas.width, canvas.height);\n let d = imgd?.data;\n d = JSON.parse(data.args[0]);\n ctx?.putImageData(imgd!, 0, 0);\n } else if (this.hasImageArg(data.args)) {\n this.getImageArgs(data.args).forEach((url) => {\n const image = new Image();\n image.src = url; // this preloads the image\n this.imageMap.set(url, image);\n });\n }\n }\n\n private applyIncremental(\n e: incrementalSnapshotEvent & { timestamp: number; delay?: number },\n isSync: boolean,\n ) {\n const { data: d } = e;\n switch (d.source) {\n case IncrementalSource.Mutation: {\n if (isSync) {\n d.adds.forEach((m) => this.treeIndex.add(m));\n d.texts.forEach((m) => {\n const target = this.mirror.getNode(m.id);\n const parent = (target?.parentNode as unknown) as INode | null;\n // remove any style rules that pending\n // for stylesheets where the contents get replaced\n if (parent && this.virtualStyleRulesMap.has(parent))\n this.virtualStyleRulesMap.delete(parent);\n\n this.treeIndex.text(m);\n });\n d.attributes.forEach((m) => this.treeIndex.attribute(m));\n d.removes.forEach((m) => this.treeIndex.remove(m, this.mirror));\n }\n try {\n this.applyMutation(d, isSync);\n } catch (error) {\n this.warn(`Exception in mutation ${error.message || error}`, d);\n }\n break;\n }\n case IncrementalSource.Drag:\n case IncrementalSource.TouchMove:\n case IncrementalSource.MouseMove:\n if (isSync) {\n const lastPosition = d.positions[d.positions.length - 1];\n this.mousePos = {\n x: lastPosition.x,\n y: lastPosition.y,\n id: lastPosition.id,\n debugData: d,\n };\n } else {\n d.positions.forEach((p) => {\n const action = {\n doAction: () => {\n this.moveAndHover(p.x, p.y, p.id, isSync, d);\n },\n delay:\n p.timeOffset +\n e.timestamp -\n this.service.state.context.baselineTime,\n };\n this.timer.addAction(action);\n });\n // add a dummy action to keep timer alive\n this.timer.addAction({\n doAction() {},\n delay: e.delay! - d.positions[0]?.timeOffset,\n });\n }\n break;\n case IncrementalSource.MouseInteraction: {\n /**\n * Same as the situation of missing input target.\n */\n if (d.id === -1) {\n break;\n }\n const event = new Event(MouseInteractions[d.type].toLowerCase());\n const target = this.mirror.getNode(d.id);\n if (!target) {\n return this.debugNodeNotFound(d, d.id);\n }\n this.emitter.emit(ReplayerEvents.MouseInteraction, {\n type: d.type,\n target,\n });\n const { triggerFocus } = this.config;\n switch (d.type) {\n case MouseInteractions.Blur:\n if ('blur' in ((target as Node) as HTMLElement)) {\n ((target as Node) as HTMLElement).blur();\n }\n break;\n case MouseInteractions.Focus:\n if (triggerFocus && ((target as Node) as HTMLElement).focus) {\n ((target as Node) as HTMLElement).focus({\n preventScroll: true,\n });\n }\n break;\n case MouseInteractions.Click:\n case MouseInteractions.TouchStart:\n case MouseInteractions.TouchEnd:\n if (isSync) {\n if (d.type === MouseInteractions.TouchStart) {\n this.touchActive = true;\n } else if (d.type === MouseInteractions.TouchEnd) {\n this.touchActive = false;\n }\n this.mousePos = {\n x: d.x,\n y: d.y,\n id: d.id,\n debugData: d,\n };\n } else {\n if (d.type === MouseInteractions.TouchStart) {\n // don't draw a trail as user has lifted finger and is placing at a new point\n this.tailPositions.length = 0;\n }\n this.moveAndHover(d.x, d.y, d.id, isSync, d);\n if (d.type === MouseInteractions.Click) {\n /*\n * don't want target.click() here as could trigger an iframe navigation\n * instead any effects of the click should already be covered by mutations\n */\n /*\n * removal and addition of .active class (along with void line to trigger repaint)\n * triggers the 'click' css animation in styles/style.css\n */\n this.mouse.classList.remove('active');\n // tslint:disable-next-line\n void this.mouse.offsetWidth;\n this.mouse.classList.add('active');\n } else if (d.type === MouseInteractions.TouchStart) {\n void this.mouse.offsetWidth; // needed for the position update of moveAndHover to apply without the .touch-active transition\n this.mouse.classList.add('touch-active');\n } else if (d.type === MouseInteractions.TouchEnd) {\n this.mouse.classList.remove('touch-active');\n }\n }\n break;\n case MouseInteractions.TouchCancel:\n if (isSync) {\n this.touchActive = false;\n } else {\n this.mouse.classList.remove('touch-active');\n }\n break;\n default:\n target.dispatchEvent(event);\n }\n break;\n }\n case IncrementalSource.Scroll: {\n /**\n * Same as the situation of missing input target.\n */\n if (d.id === -1) {\n break;\n }\n if (isSync) {\n this.treeIndex.scroll(d);\n break;\n }\n this.applyScroll(d, false);\n break;\n }\n case IncrementalSource.ViewportResize:\n this.emitter.emit(ReplayerEvents.Resize, {\n width: d.width,\n height: d.height,\n });\n break;\n case IncrementalSource.Input: {\n /**\n * Input event on an unserialized node usually means the event\n * was synchrony triggered programmatically after the node was\n * created. This means there was not an user observable interaction\n * and we do not need to replay it.\n */\n if (d.id === -1) {\n break;\n }\n if (isSync) {\n this.treeIndex.input(d);\n break;\n }\n this.applyInput(d);\n break;\n }\n case IncrementalSource.MediaInteraction: {\n const target = this.mirror.getNode(d.id);\n if (!target) {\n return this.debugNodeNotFound(d, d.id);\n }\n const mediaEl = (target as Node) as HTMLMediaElement;\n try {\n if (d.currentTime) {\n mediaEl.currentTime = d.currentTime;\n }\n if (d.volume) {\n mediaEl.volume = d.volume;\n }\n if (d.muted) {\n mediaEl.muted = d.muted;\n }\n if (d.type === MediaInteractions.Pause) {\n mediaEl.pause();\n }\n if (d.type === MediaInteractions.Play) {\n // remove listener for 'canplay' event because play() is async and returns a promise\n // i.e. media will evntualy start to play when data is loaded\n // 'canplay' event fires even when currentTime attribute changes which may lead to\n // unexpeted behavior\n mediaEl.play();\n }\n } catch (error) {\n if (this.config.showWarning) {\n console.warn(\n `Failed to replay media interactions: ${error.message || error}`,\n );\n }\n }\n break;\n }\n case IncrementalSource.StyleSheetRule: {\n const target = this.mirror.getNode(d.id);\n if (!target) {\n return this.debugNodeNotFound(d, d.id);\n }\n\n const styleEl = (target as Node) as HTMLStyleElement;\n const parent = (target.parentNode as unknown) as INode;\n const usingVirtualParent = this.fragmentParentMap.has(parent);\n\n /**\n * Always use existing DOM node, when it's there.\n * In in-memory replay, there is virtual node, but it's `sheet` is inaccessible.\n * Hence, we buffer all style changes in virtualStyleRulesMap.\n */\n const styleSheet = usingVirtualParent ? null : styleEl.sheet;\n let rules: VirtualStyleRules;\n\n if (!styleSheet) {\n /**\n * styleEl.sheet is only accessible if the styleEl is part of the\n * dom. This doesn't work on DocumentFragments so we have to add the\n * style mutations to the virtualStyleRulesMap.\n */\n\n if (this.virtualStyleRulesMap.has(target)) {\n rules = this.virtualStyleRulesMap.get(target) as VirtualStyleRules;\n } else {\n rules = [];\n this.virtualStyleRulesMap.set(target, rules);\n }\n }\n\n if (d.adds) {\n d.adds.forEach(({ rule, index: nestedIndex }) => {\n if (styleSheet) {\n try {\n if (Array.isArray(nestedIndex)) {\n const { positions, index } = getPositionsAndIndex(\n nestedIndex,\n );\n const nestedRule = getNestedRule(\n styleSheet.cssRules,\n positions,\n );\n nestedRule.insertRule(rule, index);\n } else {\n const index =\n nestedIndex === undefined\n ? undefined\n : Math.min(nestedIndex, styleSheet.cssRules.length);\n styleSheet.insertRule(rule, index);\n }\n } catch (e) {\n /**\n * sometimes we may capture rules with browser prefix\n * insert rule with prefixs in other browsers may cause Error\n */\n /**\n * accessing styleSheet rules may cause SecurityError\n * for specific access control settings\n */\n }\n } else {\n rules?.push({\n cssText: rule,\n index: nestedIndex,\n type: StyleRuleType.Insert,\n });\n }\n });\n }\n\n if (d.removes) {\n d.removes.forEach(({ index: nestedIndex }) => {\n if (usingVirtualParent) {\n rules?.push({ index: nestedIndex, type: StyleRuleType.Remove });\n } else {\n try {\n if (Array.isArray(nestedIndex)) {\n const { positions, index } = getPositionsAndIndex(\n nestedIndex,\n );\n const nestedRule = getNestedRule(\n styleSheet!.cssRules,\n positions,\n );\n nestedRule.deleteRule(index || 0);\n } else {\n styleSheet?.deleteRule(nestedIndex);\n }\n } catch (e) {\n /**\n * same as insertRule\n */\n }\n }\n });\n }\n break;\n }\n case IncrementalSource.StyleDeclaration: {\n // same with StyleSheetRule\n const target = this.mirror.getNode(d.id);\n if (!target) {\n return this.debugNodeNotFound(d, d.id);\n }\n\n const styleEl = (target as Node) as HTMLStyleElement;\n const parent = (target.parentNode as unknown) as INode;\n const usingVirtualParent = this.fragmentParentMap.has(parent);\n\n const styleSheet = usingVirtualParent ? null : styleEl.sheet;\n let rules: VirtualStyleRules = [];\n\n if (!styleSheet) {\n if (this.virtualStyleRulesMap.has(target)) {\n rules = this.virtualStyleRulesMap.get(target) as VirtualStyleRules;\n } else {\n rules = [];\n this.virtualStyleRulesMap.set(target, rules);\n }\n }\n\n if (d.set) {\n if (styleSheet) {\n const rule = (getNestedRule(\n styleSheet.rules,\n d.index,\n ) as unknown) as CSSStyleRule;\n rule.style.setProperty(d.set.property, d.set.value, d.set.priority);\n } else {\n rules.push({\n type: StyleRuleType.SetProperty,\n index: d.index,\n ...d.set,\n });\n }\n }\n\n if (d.remove) {\n if (styleSheet) {\n const rule = (getNestedRule(\n styleSheet.rules,\n d.index,\n ) as unknown) as CSSStyleRule;\n rule.style.removeProperty(d.remove.property);\n } else {\n rules.push({\n type: StyleRuleType.RemoveProperty,\n index: d.index,\n ...d.remove,\n });\n }\n }\n break;\n }\n case IncrementalSource.CanvasMutation: {\n if (!this.config.UNSAFE_replayCanvas) {\n return;\n }\n const target = this.mirror.getNode(d.id);\n if (!target) {\n return this.debugNodeNotFound(d, d.id);\n }\n\n canvasMutation({\n event: e,\n mutation: d,\n target: (target as unknown) as HTMLCanvasElement,\n imageMap: this.imageMap,\n errorHandler: this.warnCanvasMutationFailed.bind(this),\n });\n\n break;\n }\n case IncrementalSource.Font: {\n try {\n const fontFace = new FontFace(\n d.family,\n d.buffer ? new Uint8Array(JSON.parse(d.fontSource)) : d.fontSource,\n d.descriptors,\n );\n this.iframe.contentDocument?.fonts.add(fontFace);\n } catch (error) {\n if (this.config.showWarning) {\n console.warn(error);\n }\n }\n break;\n }\n default:\n }\n }\n\n private applyMutation(d: mutationData, useVirtualParent: boolean) {\n d.removes.forEach((mutation) => {\n let target = this.mirror.getNode(mutation.id);\n if (!target) {\n if (d.removes.find((r) => r.id === mutation.parentId)) {\n // no need to warn, parent was already removed\n return;\n }\n return this.warnNodeNotFound(d, mutation.id);\n }\n if (this.virtualStyleRulesMap.has(target)) {\n this.virtualStyleRulesMap.delete(target);\n }\n let parent: INode | null | ShadowRoot = this.mirror.getNode(\n mutation.parentId,\n );\n if (!parent) {\n return this.warnNodeNotFound(d, mutation.parentId);\n }\n if (mutation.isShadow && hasShadowRoot(parent)) {\n parent = parent.shadowRoot;\n }\n // target may be removed with its parents before\n this.mirror.removeNodeFromMap(target);\n if (parent) {\n let realTarget = null;\n const realParent =\n '__sn' in parent ? this.fragmentParentMap.get(parent) : undefined;\n if (realParent && realParent.contains(target)) {\n parent = realParent;\n } else if (this.fragmentParentMap.has(target)) {\n /**\n * the target itself is a fragment document and it's not in the dom\n * so we should remove the real target from its parent\n */\n realTarget = this.fragmentParentMap.get(target)!;\n this.fragmentParentMap.delete(target);\n target = realTarget;\n }\n try {\n parent.removeChild(target);\n } catch (error) {\n if (error instanceof DOMException) {\n this.warn(\n 'parent could not remove child in mutation',\n parent,\n realParent,\n target,\n realTarget,\n d,\n );\n } else {\n throw error;\n }\n }\n }\n });\n\n // tslint:disable-next-line: variable-name\n const legacy_missingNodeMap: missingNodeMap = {\n ...this.legacy_missingNodeRetryMap,\n };\n const queue: addedNodeMutation[] = [];\n\n // next not present at this moment\n const nextNotInDOM = (mutation: addedNodeMutation) => {\n let next: Node | null = null;\n if (mutation.nextId) {\n next = this.mirror.getNode(mutation.nextId) as Node;\n }\n // next not present at this moment\n if (\n mutation.nextId !== null &&\n mutation.nextId !== undefined &&\n mutation.nextId !== -1 &&\n !next\n ) {\n return true;\n }\n return false;\n };\n\n const appendNode = (mutation: addedNodeMutation) => {\n if (!this.iframe.contentDocument) {\n return console.warn('Looks like your replayer has been destroyed.');\n }\n let parent: INode | null | ShadowRoot = this.mirror.getNode(\n mutation.parentId,\n );\n if (!parent) {\n if (mutation.node.type === NodeType.Document) {\n // is newly added document, maybe the document node of an iframe\n return this.newDocumentQueue.push(mutation);\n }\n return queue.push(mutation);\n }\n\n let parentInDocument = null;\n if (this.iframe.contentDocument.contains) {\n parentInDocument = this.iframe.contentDocument.contains(parent);\n } else if (this.iframe.contentDocument.body.contains) {\n // fix for IE\n // refer 'Internet Explorer notes' at https://developer.mozilla.org/zh-CN/docs/Web/API/Document\n parentInDocument = this.iframe.contentDocument.body.contains(parent);\n }\n\n const hasIframeChild =\n ((parent as unknown) as HTMLElement).getElementsByTagName?.('iframe')\n .length > 0;\n /**\n * Why !isIframeINode(parent)? If parent element is an iframe, iframe document can't be appended to virtual parent.\n * Why !hasIframeChild? If we move iframe elements from dom to fragment document, we will lose the contentDocument of iframe. So we need to disable the virtual dom optimization if a parent node contains iframe elements.\n */\n if (\n useVirtualParent &&\n parentInDocument &&\n !isIframeINode(parent) &&\n !hasIframeChild\n ) {\n const virtualParent = (document.createDocumentFragment() as unknown) as INode;\n this.mirror.map[mutation.parentId] = virtualParent;\n this.fragmentParentMap.set(virtualParent, parent);\n\n // store the state, like scroll position, of child nodes before they are unmounted from dom\n this.storeState(parent);\n\n while (parent.firstChild) {\n virtualParent.appendChild(parent.firstChild);\n }\n parent = virtualParent;\n }\n\n if (mutation.node.isShadow) {\n // If the parent is attached a shadow dom after it's created, it won't have a shadow root.\n if (!hasShadowRoot(parent)) {\n ((parent as Node) as HTMLElement).attachShadow({ mode: 'open' });\n parent = ((parent as Node) as HTMLElement).shadowRoot!;\n } else parent = parent.shadowRoot;\n }\n\n let previous: Node | null = null;\n let next: Node | null = null;\n if (mutation.previousId) {\n previous = this.mirror.getNode(mutation.previousId) as Node;\n }\n if (mutation.nextId) {\n next = this.mirror.getNode(mutation.nextId) as Node;\n }\n if (nextNotInDOM(mutation)) {\n return queue.push(mutation);\n }\n\n if (mutation.node.rootId && !this.mirror.getNode(mutation.node.rootId)) {\n return;\n }\n\n const targetDoc = mutation.node.rootId\n ? this.mirror.getNode(mutation.node.rootId)\n : this.iframe.contentDocument;\n if (isIframeINode(parent)) {\n this.attachDocumentToIframe(mutation, parent);\n return;\n }\n const target = buildNodeWithSN(mutation.node, {\n doc: targetDoc as Document,\n map: this.mirror.map,\n skipChild: true,\n hackCss: true,\n cache: this.cache,\n }) as INode;\n\n // legacy data, we should not have -1 siblings any more\n if (mutation.previousId === -1 || mutation.nextId === -1) {\n legacy_missingNodeMap[mutation.node.id] = {\n node: target,\n mutation,\n };\n return;\n }\n\n if (\n '__sn' in parent &&\n parent.__sn.type === NodeType.Element &&\n parent.__sn.tagName === 'textarea' &&\n mutation.node.type === NodeType.Text\n ) {\n // https://github.com/rrweb-io/rrweb/issues/745\n // parent is textarea, will only keep one child node as the value\n for (const c of Array.from(parent.childNodes)) {\n if (c.nodeType === parent.TEXT_NODE) {\n parent.removeChild(c);\n }\n }\n }\n\n if (previous && previous.nextSibling && previous.nextSibling.parentNode) {\n parent.insertBefore(target, previous.nextSibling);\n } else if (next && next.parentNode) {\n // making sure the parent contains the reference nodes\n // before we insert target before next.\n parent.contains(next)\n ? parent.insertBefore(target, next)\n : parent.insertBefore(target, null);\n } else {\n /**\n * Sometimes the document changes and the MutationObserver is disconnected, so the removal of child elements can't be detected and recorded. After the change of document, we may get another mutation which adds a new html element, while the old html element still exists in the dom, and we need to remove the old html element first to avoid collision.\n */\n if (parent === targetDoc) {\n while (targetDoc.firstChild) {\n targetDoc.removeChild(targetDoc.firstChild);\n }\n }\n\n parent.appendChild(target);\n }\n\n if (isIframeINode(target)) {\n const mutationInQueue = this.newDocumentQueue.find(\n (m) => m.parentId === target.__sn.id,\n );\n if (mutationInQueue) {\n this.attachDocumentToIframe(mutationInQueue, target);\n this.newDocumentQueue = this.newDocumentQueue.filter(\n (m) => m !== mutationInQueue,\n );\n }\n }\n\n if (mutation.previousId || mutation.nextId) {\n this.legacy_resolveMissingNode(\n legacy_missingNodeMap,\n parent,\n target,\n mutation,\n );\n }\n };\n\n d.adds.forEach((mutation) => {\n appendNode(mutation);\n });\n\n let startTime = Date.now();\n while (queue.length) {\n // transform queue to resolve tree\n const resolveTrees = queueToResolveTrees(queue);\n queue.length = 0;\n if (Date.now() - startTime > 500) {\n this.warn(\n 'Timeout in the loop, please check the resolve tree data:',\n resolveTrees,\n );\n break;\n }\n for (const tree of resolveTrees) {\n let parent = this.mirror.getNode(tree.value.parentId);\n if (!parent) {\n this.debug(\n 'Drop resolve tree since there is no parent for the root node.',\n tree,\n );\n } else {\n iterateResolveTree(tree, (mutation) => {\n appendNode(mutation);\n });\n }\n }\n }\n\n if (Object.keys(legacy_missingNodeMap).length) {\n Object.assign(this.legacy_missingNodeRetryMap, legacy_missingNodeMap);\n }\n\n d.texts.forEach((mutation) => {\n let target = this.mirror.getNode(mutation.id);\n if (!target) {\n if (d.removes.find((r) => r.id === mutation.id)) {\n // no need to warn, element was already removed\n return;\n }\n return this.warnNodeNotFound(d, mutation.id);\n }\n /**\n * apply text content to real parent directly\n */\n if (this.fragmentParentMap.has(target)) {\n target = this.fragmentParentMap.get(target)!;\n }\n target.textContent = mutation.value;\n });\n d.attributes.forEach((mutation) => {\n let target = this.mirror.getNode(mutation.id);\n if (!target) {\n if (d.removes.find((r) => r.id === mutation.id)) {\n // no need to warn, element was already removed\n return;\n }\n return this.warnNodeNotFound(d, mutation.id);\n }\n if (this.fragmentParentMap.has(target)) {\n target = this.fragmentParentMap.get(target)!;\n }\n for (const attributeName in mutation.attributes) {\n if (typeof attributeName === 'string') {\n const value = mutation.attributes[attributeName];\n if (value === null) {\n ((target as Node) as Element).removeAttribute(attributeName);\n } else if (typeof value === 'string') {\n try {\n ((target as Node) as Element).setAttribute(attributeName, value);\n } catch (error) {\n if (this.config.showWarning) {\n console.warn(\n 'An error occurred may due to the checkout feature.',\n error,\n );\n }\n }\n } else if (attributeName === 'style') {\n let styleValues = value as styleAttributeValue;\n const targetEl = (target as Node) as HTMLElement;\n for (var s in styleValues) {\n if (styleValues[s] === false) {\n targetEl.style.removeProperty(s);\n } else if (styleValues[s] instanceof Array) {\n const svp = styleValues[s] as styleValueWithPriority;\n targetEl.style.setProperty(s, svp[0], svp[1]);\n } else {\n const svs = styleValues[s] as string;\n targetEl.style.setProperty(s, svs);\n }\n }\n }\n }\n }\n });\n }\n\n /**\n * Apply the scroll data on real elements.\n * If the replayer is in sync mode, smooth scroll behavior should be disabled.\n * @param d the scroll data\n * @param isSync whether the replayer is in sync mode(fast-forward)\n */\n private applyScroll(d: scrollData, isSync: boolean) {\n const target = this.mirror.getNode(d.id);\n if (!target) {\n return this.debugNodeNotFound(d, d.id);\n }\n if ((target as Node) === this.iframe.contentDocument) {\n this.iframe.contentWindow!.scrollTo({\n top: d.y,\n left: d.x,\n behavior: isSync ? 'auto' : 'smooth',\n });\n } else if (target.__sn.type === NodeType.Document) {\n // nest iframe content document\n ((target as unknown) as Document).defaultView!.scrollTo({\n top: d.y,\n left: d.x,\n behavior: isSync ? 'auto' : 'smooth',\n });\n } else {\n try {\n ((target as Node) as Element).scrollTop = d.y;\n ((target as Node) as Element).scrollLeft = d.x;\n } catch (error) {\n /**\n * Seldomly we may found scroll target was removed before\n * its last scroll event.\n */\n }\n }\n }\n\n private applyInput(d: inputData) {\n const target = this.mirror.getNode(d.id);\n if (!target) {\n return this.debugNodeNotFound(d, d.id);\n }\n try {\n ((target as Node) as HTMLInputElement).checked = d.isChecked;\n ((target as Node) as HTMLInputElement).value = d.text;\n } catch (error) {\n // for safe\n }\n }\n\n private applyText(d: textMutation, mutation: mutationData) {\n const target = this.mirror.getNode(d.id);\n if (!target) {\n return this.debugNodeNotFound(mutation, d.id);\n }\n try {\n ((target as Node) as HTMLElement).textContent = d.value;\n } catch (error) {\n // for safe\n }\n }\n\n private legacy_resolveMissingNode(\n map: missingNodeMap,\n parent: Node,\n target: Node,\n targetMutation: addedNodeMutation,\n ) {\n const { previousId, nextId } = targetMutation;\n const previousInMap = previousId && map[previousId];\n const nextInMap = nextId && map[nextId];\n if (previousInMap) {\n const { node, mutation } = previousInMap as missingNode;\n parent.insertBefore(node, target);\n delete map[mutation.node.id];\n delete this.legacy_missingNodeRetryMap[mutation.node.id];\n if (mutation.previousId || mutation.nextId) {\n this.legacy_resolveMissingNode(map, parent, node as Node, mutation);\n }\n }\n if (nextInMap) {\n const { node, mutation } = nextInMap as missingNode;\n parent.insertBefore(node, target.nextSibling);\n delete map[mutation.node.id];\n delete this.legacy_missingNodeRetryMap[mutation.node.id];\n if (mutation.previousId || mutation.nextId) {\n this.legacy_resolveMissingNode(map, parent, node as Node, mutation);\n }\n }\n }\n\n private moveAndHover(\n x: number,\n y: number,\n id: number,\n isSync: boolean,\n debugData: incrementalData,\n ) {\n const target = this.mirror.getNode(id);\n if (!target) {\n return this.debugNodeNotFound(debugData, id);\n }\n\n const base = getBaseDimension(target, this.iframe);\n const _x = x * base.absoluteScale + base.x;\n const _y = y * base.absoluteScale + base.y;\n\n this.mouse.style.left = `${_x}px`;\n this.mouse.style.top = `${_y}px`;\n if (!isSync) {\n this.drawMouseTail({ x: _x, y: _y });\n }\n this.hoverElements((target as Node) as Element);\n }\n\n private drawMouseTail(position: { x: number; y: number }) {\n if (!this.mouseTail) {\n return;\n }\n\n const { lineCap, lineWidth, strokeStyle, duration } =\n this.config.mouseTail === true\n ? defaultMouseTailConfig\n : Object.assign({}, defaultMouseTailConfig, this.config.mouseTail);\n\n const draw = () => {\n if (!this.mouseTail) {\n return;\n }\n const ctx = this.mouseTail.getContext('2d');\n if (!ctx || !this.tailPositions.length) {\n return;\n }\n ctx.clearRect(0, 0, this.mouseTail.width, this.mouseTail.height);\n ctx.beginPath();\n ctx.lineWidth = lineWidth;\n ctx.lineCap = lineCap;\n ctx.strokeStyle = strokeStyle;\n ctx.moveTo(this.tailPositions[0].x, this.tailPositions[0].y);\n this.tailPositions.forEach((p) => ctx.lineTo(p.x, p.y));\n ctx.stroke();\n };\n\n this.tailPositions.push(position);\n draw();\n setTimeout(() => {\n this.tailPositions = this.tailPositions.filter((p) => p !== position);\n draw();\n }, duration / this.speedService.state.context.timer.speed);\n }\n\n private hoverElements(el: Element) {\n this.iframe.contentDocument\n ?.querySelectorAll('.\\\\:hover')\n .forEach((hoveredEl) => {\n hoveredEl.classList.remove(':hover');\n });\n let currentEl: Element | null = el;\n while (currentEl) {\n if (currentEl.classList) {\n currentEl.classList.add(':hover');\n }\n currentEl = currentEl.parentElement;\n }\n }\n\n private isUserInteraction(event: eventWithTime): boolean {\n if (event.type !== EventType.IncrementalSnapshot) {\n return false;\n }\n return (\n event.data.source > IncrementalSource.Mutation &&\n event.data.source <= IncrementalSource.Input\n );\n }\n\n private backToNormal() {\n this.nextUserInteractionEvent = null;\n if (this.speedService.state.matches('normal')) {\n return;\n }\n this.speedService.send({ type: 'BACK_TO_NORMAL' });\n this.emitter.emit(ReplayerEvents.SkipEnd, {\n speed: this.speedService.state.context.normalSpeed,\n });\n }\n\n /**\n * Replace the virtual parent with the real parent.\n * @param frag fragment document, the virtual parent\n * @param parent real parent element\n */\n private restoreRealParent(frag: INode, parent: INode) {\n this.mirror.map[parent.__sn.id] = parent;\n /**\n * If we have already set value attribute on textarea,\n * then we could not apply text content as default value any more.\n */\n if (\n parent.__sn.type === NodeType.Element &&\n parent.__sn.tagName === 'textarea' &&\n frag.textContent\n ) {\n ((parent as unknown) as HTMLTextAreaElement).value = frag.textContent;\n }\n parent.appendChild(frag);\n // restore state of elements after they are mounted\n this.restoreState(parent);\n }\n\n /**\n * store state of elements before unmounted from dom recursively\n * the state should be restored in the handler of event ReplayerEvents.Flush\n * e.g. browser would lose scroll position after the process that we add children of parent node to Fragment Document as virtual dom\n */\n private storeState(parent: INode) {\n if (parent) {\n if (parent.nodeType === parent.ELEMENT_NODE) {\n const parentElement = (parent as unknown) as HTMLElement;\n if (parentElement.scrollLeft || parentElement.scrollTop) {\n // store scroll position state\n this.elementStateMap.set(parent, {\n scroll: [parentElement.scrollLeft, parentElement.scrollTop],\n });\n }\n if (parentElement.tagName === 'STYLE')\n storeCSSRules(\n parentElement as HTMLStyleElement,\n this.virtualStyleRulesMap,\n );\n const children = parentElement.children;\n for (const child of Array.from(children)) {\n this.storeState((child as unknown) as INode);\n }\n }\n }\n }\n\n /**\n * restore the state of elements recursively, which was stored before elements were unmounted from dom in virtual parent mode\n * this function corresponds to function storeState\n */\n private restoreState(parent: INode) {\n if (parent.nodeType === parent.ELEMENT_NODE) {\n const parentElement = (parent as unknown) as HTMLElement;\n if (this.elementStateMap.has(parent)) {\n const storedState = this.elementStateMap.get(parent)!;\n // restore scroll position\n if (storedState.scroll) {\n parentElement.scrollLeft = storedState.scroll[0];\n parentElement.scrollTop = storedState.scroll[1];\n }\n this.elementStateMap.delete(parent);\n }\n const children = parentElement.children;\n for (const child of Array.from(children)) {\n this.restoreState((child as unknown) as INode);\n }\n }\n }\n\n private restoreNodeSheet(node: INode) {\n const storedRules = this.virtualStyleRulesMap.get(node);\n if (node.nodeName !== 'STYLE') {\n return;\n }\n\n if (!storedRules) {\n return;\n }\n\n const styleNode = (node as unknown) as HTMLStyleElement;\n\n applyVirtualStyleRulesToNode(storedRules, styleNode);\n }\n\n private warnNodeNotFound(d: incrementalData, id: number) {\n if (this.treeIndex.idRemoved(id)) {\n this.warn(`Node with id '${id}' was previously removed. `, d);\n } else {\n this.warn(`Node with id '${id}' not found. `, d);\n }\n }\n\n private warnCanvasMutationFailed(\n d: canvasMutationData | canvasMutationCommand,\n error: unknown,\n ) {\n this.warn(`Has error on canvas update`, error, 'canvas mutation:', d);\n }\n\n private debugNodeNotFound(d: incrementalData, id: number) {\n /**\n * There maybe some valid scenes of node not being found.\n * Because DOM events are macrotask and MutationObserver callback\n * is microtask, so events fired on a removed DOM may emit\n * snapshots in the reverse order.\n */\n if (this.treeIndex.idRemoved(id)) {\n this.debug(\n REPLAY_CONSOLE_PREFIX,\n `Node with id '${id}' was previously removed. `,\n d,\n );\n } else {\n this.debug(REPLAY_CONSOLE_PREFIX, `Node with id '${id}' not found. `, d);\n }\n }\n\n private warn(...args: Parameters) {\n if (!this.config.showWarning) {\n return;\n }\n console.warn(REPLAY_CONSOLE_PREFIX, ...args);\n }\n\n private debug(...args: Parameters) {\n if (!this.config.showDebug) {\n return;\n }\n // tslint:disable-next-line: no-console\n console.log(REPLAY_CONSOLE_PREFIX, ...args);\n }\n}\n","import { Replayer } from '..';\nimport {\n CanvasContext,\n canvasMutationCommand,\n canvasMutationData,\n} from '../../types';\nimport webglMutation from './webgl';\nimport canvas2DMutation from './2d';\n\nexport default function canvasMutation({\n event,\n mutation,\n target,\n imageMap,\n errorHandler,\n}: {\n event: Parameters[0];\n mutation: canvasMutationData;\n target: HTMLCanvasElement;\n imageMap: Replayer['imageMap'];\n errorHandler: Replayer['warnCanvasMutationFailed'];\n}): void {\n try {\n const mutations: canvasMutationCommand[] =\n 'commands' in mutation ? mutation.commands : [mutation];\n\n if ([CanvasContext.WebGL, CanvasContext.WebGL2].includes(mutation.type)) {\n return mutations.forEach((command) => {\n webglMutation({\n mutation: command,\n type: mutation.type,\n target,\n imageMap,\n errorHandler,\n });\n });\n }\n // default is '2d' for backwards compatibility (rrweb below 1.1.x)\n return mutations.forEach((command) => {\n canvas2DMutation({\n event,\n mutation: command,\n target,\n imageMap,\n errorHandler,\n });\n });\n } catch (error) {\n errorHandler(mutation, error);\n }\n}\n","import { Replayer } from '../';\nimport { canvasMutationCommand } from '../../types';\n\nexport default function canvasMutation({\n event,\n mutation,\n target,\n imageMap,\n errorHandler,\n}: {\n event: Parameters[0];\n mutation: canvasMutationCommand;\n target: HTMLCanvasElement;\n imageMap: Replayer['imageMap'];\n errorHandler: Replayer['warnCanvasMutationFailed'];\n}): void {\n try {\n const ctx = ((target as unknown) as HTMLCanvasElement).getContext('2d')!;\n\n if (mutation.setter) {\n // skip some read-only type checks\n // tslint:disable-next-line:no-any\n (ctx as any)[mutation.property] = mutation.args[0];\n return;\n }\n const original = ctx[\n mutation.property as Exclude\n ] as Function;\n\n /**\n * We have serialized the image source into base64 string during recording,\n * which has been preloaded before replay.\n * So we can get call drawImage SYNCHRONOUSLY which avoid some fragile cast.\n */\n if (\n mutation.property === 'drawImage' &&\n typeof mutation.args[0] === 'string'\n ) {\n const image = imageMap.get(event);\n mutation.args[0] = image;\n original.apply(ctx, mutation.args);\n } else {\n original.apply(ctx, mutation.args);\n }\n } catch (error) {\n errorHandler(mutation, error);\n }\n}\n","import record from './record';\nimport { Replayer } from './replay';\nimport { _mirror } from './utils';\nimport * as utils from './utils';\n\nexport {\n EventType,\n IncrementalSource,\n MouseInteractions,\n ReplayerEvents,\n} from './types';\n\nconst { addCustomEvent } = record;\nconst { freezePage } = record;\n\nexport {\n record,\n addCustomEvent,\n freezePage,\n Replayer,\n _mirror as mirror,\n utils,\n};\n"],"names":["NodeType","__assign","Object","assign","t","s","i","n","arguments","length","p","prototype","hasOwnProperty","call","apply","this","__values","o","Symbol","iterator","m","next","value","done","TypeError","__read","r","e","ar","push","error","__spreadArray","to","from","pack","l","Array","slice","concat","isElement","nodeType","ELEMENT_NODE","isShadowRoot","_a","host","Boolean","shadowRoot","maskInputValue","maskInputOptions","tagName","type","maskInputFn","text","toLowerCase","repeat","ORIGINAL_ATTRIBUTE_NAME","canvasService","canvasCtx","_id","tagNameRegex","RegExp","getCssRulesString","rules","cssRules","map","getCssRuleString","join","rule","cssStringified","cssText","isCSSImportRule","styleSheet","URL_IN_CSS_REF","RELATIVE_PATH","DATA_URI","absoluteToStylesheet","href","replace","origin","quote1","path1","quote2","path2","path3","url","filePath","maybeQuote","test","indexOf","split","stack","parts","pop","_i","parts_1","part","SRCSET_NOT_SPACES","SRCSET_COMMAS_OR_SPACES","absoluteToDoc","doc","attributeValue","trim","a","createElement","getHref","document","transformAttribute","name","pos","collectCharacters","regEx","chars","match","exec","substring","output","descriptorsStr","inParens","c","charAt","getAbsoluteSrcsetString","needMaskingText","node","maskTextClass","maskTextSelector","classList","contains","eIndex","className","matches","parentNode","TEXT_NODE","serializeNode","options","rootId","sheet","el","blockClass","blockSelector","inlineStylesheet","_b","maskTextFn","_c","dataURLOptions","inlineImages","recordCanvas","keepIframeSrcFn","__sn","docId","id","undefined","DOCUMENT_NODE","compatMode","Document","childNodes","DOCUMENT_TYPE_NODE","DocumentType","publicId","systemId","needBlock","element","_isBlockedElement","HTMLFormElement","processedTagName","getValidTagName","attributes_1","_d","attributes","_e","name_1","stylesheet","styleSheets","find","rel","_cssText","innerText","textContent","checked","selected","__context","canvas","ctx","getContext","x","width","y","height","getImageData","originalGetImageData","Uint32Array","Math","min","data","buffer","some","pixel","is2DCanvasBlank","rr_dataURL","toDataURL","quality","canvasDataURL","blankCanvas","image_1","oldValue_1","crossOrigin","recordInlineImage","naturalWidth","naturalHeight","drawImage","err","console","warn","currentSrc","complete","onload","rr_mediaState","paused","rr_mediaCurrentTime","currentTime","scrollLeft","rr_scrollLeft","scrollTop","rr_scrollTop","_f","getBoundingClientRect","class","rr_width","rr_height","src","contentDocument","rr_src","Element","isSVG","ownerSVGElement","parentTagName","isStyle","isScript","nextSibling","previousSibling","Text","CDATA_SECTION_NODE","CDATA","COMMENT_NODE","Comment","lowerIfExists","maybeAttr","serializeNodeWithId","skipChild","slimDOMOptions","onSerialize","onIframeLoad","_g","iframeLoadTimeout","_h","_j","preserveWhiteSpace","_serializedNode","sn","comment","script","as","endsWith","headFavicon","headMetaDescKeywords","headMetaSocial","property","headMetaRobots","headMetaHttpEquiv","headMetaAuthorship","headMetaVerification","slimDOMExcluded","serializedNode","recordChild","isShadowHost","headWhitespace","bypassOptions","_k","serializedChildNode","_l","_m","isShadow","iframeEl","listener","win","contentWindow","readyState","fired","blankUrl","location","addEventListener","setTimeout","timer_1","clearTimeout","onceIframeLoaded","iframeDoc","serializedIframeNode","commentre","parse","css","lineno","column","updatePosition","str","lines","lastIndexOf","position","start","line","Position","whitespace","end","source","content","errorsList","msg","Error","reason","filename","silent","open","close","comments","atrule","re","selector","declaration","propMatch","prop","val","ret","declarations","decl","decls","keyframe","vals","values","rulesList","atimport","_compileAtrule","atcharset","atnamespace","vendor","frame","frames","keyframes","atkeyframes","media","style","atmedia","atcustommedia","supports","atsupports","atdocument","sel","selectors","atpage","athost","atfontface","addParent","parsingErrors","obj","parent","isNode","childParent","keys","isArray","forEach","v","defineProperty","configurable","writable","enumerable","tagMap","altglyph","altglyphdef","altglyphitem","animatecolor","animatemotion","animatetransform","clippath","feblend","fecolormatrix","fecomponenttransfer","fecomposite","feconvolvematrix","fediffuselighting","fedisplacementmap","fedistantlight","fedropshadow","feflood","fefunca","fefuncb","fefuncg","fefuncr","fegaussianblur","feimage","femerge","femergenode","femorphology","feoffset","fepointlight","fespecularlighting","fespotlight","fetile","feturbulence","foreignobject","glyphref","lineargradient","radialgradient","EventType","IncrementalSource","MouseInteractions","CanvasContext","MediaInteractions","ReplayerEvents","HOVER_SELECTOR","HOVER_SELECTOR_GLOBAL","addHoverClass","cache","cachedStyle","stylesWithHoverClass","get","ast","selectorMatcher","filter","index","sort","b","result","newSelector","set","createCache","Map","buildNode","hackCss","implementation","createDocument","createDocumentType","node_1","getTagName","createElementNS","_loop_1","startsWith","image","setAttribute","play","pause","isTextarea","isRemoteOrDynamicCss","child","createTextNode","removeChild","appendChild","setAttributeNS","srcset","firstChild","attachShadow","mode","createCDATASection","createComment","buildNodeWithSN","afterAppend","assert","xmlns","write","childN","childNode","rebuild","onVisit","idNodeMap","key","visit","visitedNode","name_2","handleScroll","on","fn","target","capture","passive","removeEventListener","createMirror","getId","getNode","removeNodeFromMap","_this","has","reset","DEPARTED_MIRROR_ACCESS_WARNING","throttle","func","wait","timeout","previous","arg","now","Date","leading","remaining","context","args","trailing","hookSetter","d","isRevoked","original","getOwnPropertyDescriptor","patch","replacement","original_1","wrapped","defineProperties","__rrweb_original__","getWindowHeight","window","innerHeight","documentElement","clientHeight","body","getWindowWidth","innerWidth","clientWidth","isBlocked","needBlock_1","closest","isIgnored","isAncestorRemoved","mirror","isTouchEvent","event","changedTouches","polyfill","NodeList","DOMTokenList","Node","Proxy","Reflect","_mirror","receiver","TreeIndex","mutation","parentTreeNode","indexes","parentId","treeNode","children","texts","tree","deepRemoveFromMirror","removeIdSet","add","deepRemoveFromTreeIndex","_treeNode","_parentTreeNode","delete","removeNodeMutations","textMutations","attributeMutations","scrollMap","inputMap","batchMutationData","Mutation","removes","adds","walk","removed","mutationData","Set","queueToResolveTrees","queue","queueNodeMap","putIntoMap","nodeInTree","queueNodeTrees","queue_1","nextId","nextInTree","idx","splice","parentInTree","iterateResolveTree","cb","isIframeINode","getBaseDimension","rootIframe","frameElement","ownerDocument","defaultView","relativeScale","absoluteScale","frameDimension","frameBaseDimension","hasShadowRoot","isNodeInLinkedList","DoubleLinkedList","current","head","__ln","moveKey","isINode","mutations","processMutation","emit","frozen","locked","addList","getNextId","ns","pushAdd","shadowHost","getRootNode","rootShadowHost","notInDoc","addNode","currentN","iframeManager","addIframe","shadowDomManager","addShadowRoot","iframe","childSn","attachIframe","observeAttachShadow","mapRemoves","shift","movedSet","isParentRemoved","addedSet","isAncestorInSet","droppedSet","candidate","_node","removeNode","payload","attribute","movedMap","mutationCb","oldValue","getAttribute","attributeName","item","old","styleObj","pname","newValue","getPropertyValue","newPriority","getPropertyPriority","addedNodes","genAdds","removedNodes","nodeId","deepDelete","targetId","MutationBuffer","canvasManager","freeze","unfreeze","lock","unlock","addsSet","mutationBuffers","isCSSGroupingRuleSupported","CSSGroupingRule","isCSSMediaRuleSupported","CSSMediaRule","isCSSSupportsRuleSupported","CSSSupportsRule","isCSSConditionRuleSupported","CSSConditionRule","getEventTarget","path","composedPath","initMutationObserver","rootEl","mutationBuffer","init","mutationObserverCtor","MutationObserver","__rrMutationObserver","angularZoneSymbol","Zone","__symbol__","observer","processMutations","bind","observe","attributeOldValue","characterData","characterDataOldValue","childList","subtree","initMouseInteractionObserver","mouseInteractionCb","sampling","mouseInteraction","disableMap","handlers","Number","isNaN","eventKey","eventName","handler","clientX","clientY","getHandler","h","initScrollObserver","scrollCb","evt","scrollEl","scrollingElement","scroll","wrapEventWithUserTriggeredFlag","enable","userTriggered","INPUT_TAGS","lastInputValueMap","WeakMap","getNestedCSSRulePositions","childRule","parentRule","unshift","parentStyleSheet","recurse","initObservers","hooks","currentWindow","mousemoveCb","viewportResizeCb","inputCb","mediaInteractionCb","styleSheetRuleCb","styleDeclarationCb","canvasMutationCb","fontCb","mousemove","viewportResize","input","mediaInteaction","styleSheetRule","styleDeclaration","canvasMutation","font","mergeHooks","mutationObserver","mousemoveHandler","timeBaseline","threshold","callbackThreshold","mousemoveCallback","positions","wrappedCb","totalOffset","timeOffset","DragEvent","Drag","MouseEvent","MouseMove","TouchMove","initMoveObserver","mouseInteractionHandler","scrollHandler","viewportResizeHandler","lastH","lastW","initViewportResizeObserver","inputHandler","ignoreClass","userTriggeredOnInput","eventHandler","isTrusted","parentElement","isChecked","cbWithDedup","querySelectorAll","lastInputValue","propertyDescriptor","HTMLInputElement","hookProperties","HTMLSelectElement","HTMLTextAreaElement","HTMLOptionElement","initInputObserver","mediaInteractionHandler","volume","muted","initMediaInteractionObserver","styleSheetObserver","insertRule","CSSStyleSheet","ownerNode","deleteRule","supportedNestedCSSRuleTypes","unmodifiedFunctions","entries","typeKey","initStyleSheetObserver","styleDeclarationObserver","setProperty","CSSStyleDeclaration","priority","removeProperty","remove","initStyleDeclarationObserver","fontObserver","collectFonts","fontMap","originalFontFace","FontFace","family","descriptors","fontFace","fontSource","JSON","stringify","Uint8Array","restoreHandler","fonts","initFontObserver","pluginHandlers","plugins","plugin","callback","disconnect","IframeManager","iframes","loadListener","isAttachIframe","manager","restorePatches","HTMLElement","ShadowDomManager","iframeElement","manager_1","restorePatch","lookup","charCodeAt","webGLVarMap","saveWebGLVar","isInstanceOfWebGLObject","list","ctor","contextMap","variableListFor","constructor","serializeArg","Float32Array","Float64Array","Int32Array","Uint16Array","Int16Array","Int8Array","Uint8ClampedArray","rr_type","ArrayBuffer","base64","arraybuffer","bytes","len","encode","DataView","byteOffset","byteLength","HTMLImageElement","ImageData","serializeArgs","supportedWebGLConstructorNames","patchGLPrototype","props","getOwnPropertyNames","recordArgs","hookHandler","setter","props_1","wrappedEmit","takeFullSnapshot","latestId","invokeId","rafStamps","pendingCanvasMutations","initCanvasMutationObserver","CanvasManager","clear","resetObservers","startRAFTimestamping","startPendingCanvasMutationFlusher","canvasContextReset","HTMLCanvasElement","contextType","initCanvasContextObserver","canvas2DReset","props2D","CanvasRenderingContext2D","imgd","pix","props2D_1","initCanvas2DMutationObserver","canvasWebGL1and2Reset","WebGLRenderingContext","WebGL","WebGL2RenderingContext","WebGL2","initCanvasWebGLMutationObserver","requestAnimationFrame","flushPendingCanvasMutations","setLatestRAFTimestamp","timestamp","flushPendingCanvasMutationFor","valuesWithType","getOwnPropertySymbols","propertyIsEnumerable","commands","wrapEvent","record","checkoutEveryNms","checkoutEveryNth","maskAllInputs","_maskInputOptions","_slimDOMOptions","packFn","mousemoveWait","lastFullSnapshotEvent","color","date","email","month","number","range","search","tel","time","week","textarea","select","password","incrementalSnapshotCount","isCheckout","isFrozen","FullSnapshot","IncrementalSnapshot","buf","eventProcessor","exceedCount","exceedTime","wrappedMutationEmit","wrappedScrollEmit","Scroll","wrappedCanvasMutationEmit","CanvasMutation","Meta","slimDOM","snapshot","initialOffset","left","pageXOffset","top","pageYOffset","handlers_1","DomContentLoaded","observe_1","MouseInteraction","ViewportResize","Input","MediaInteraction","StyleSheetRule","StyleDeclaration","Font","Plugin","addLoadListener","init_1","Load","mitt","all","create","off","addCustomEvent","tag","Custom","freezePage","w","__forceSmoothScrollPolyfill__","userAgent","scrollTo","scrollBy","elementScroll","scrollElement","scrollIntoView","performance","ROUNDING_TOLERANCE","navigator","shouldBailOut","smoothScroll","scrollX","scrollY","SyntaxError","behavior","scrollableParent","findScrollableParent","parentRects","clientRects","getComputedStyle","firstArg","hasScrollableSpace","axis","scrollHeight","scrollWidth","canOverflow","overflowValue","isScrollable","isScrollableY","isScrollableX","step","currentX","currentY","k","elapsed","startTime","cos","PI","startX","startY","method","scrollable","actions","speed","Timer","action","findActionIndex","lastTimestamp","self","raf","check","delay","doAction","liveMode","cancelAnimationFrame","mid","floor","addDelay","baselineTime","firstOffset","firstTimestamp","return","NotStarted","Running","Stopped","assignment","u","changed","f","states","initial","entry","config","_options","initialState","transition","g","S","j","E","R","N","cond","O","_","T","q","exit","z","A","B","C","_machine","send","subscribe","unsubscribe","stop","state","status","createPlayerService","getCastFn","applyEventsSynchronously","emitter","interpret","createMachine","playing","PAUSE","CAST_EVENT","END","ADD_EVENT","PLAY","TO_LIVE","live","castEvent","lastPlayedEvent","recordTimeOffset","events","timer","events_1","neededEvents","event_1","discardPriorSnapshots","lastPlayedTimestamp","PlayBack","syncEvents","event_3","castFn_1","neededEvents_1","Flush","addActions","resetLastPlayedEvent","startLive","toggleLiveMode","addEvent","machineEvent","event_4","insertionIndex","isSync","castFn_2","isActive","addAction","StyleRuleType","getNestedRule","getPositionsAndIndex","nestedIndex","applyVirtualStyleRulesToNode","storedRules","styleNode","Insert","Remove","Snapshot","cssTexts","existingRules","existingRulesReversed","reverse","lastMatch_1","restoreSnapshotOfStyleRulesToNode","SetProperty","RemoveProperty","WebGLVariableConstructorsNames","deserializeArg","imageMap","encoded1","encoded2","encoded3","encoded4","bufferLength","decode","Image","webglMutation","errorHandler","includes","variables","saveToWebGLVarMap","mittProxy.default","mittProxy","REPLAY_CONSOLE_PREFIX","defaultMouseTailConfig","duration","lineCap","lineWidth","strokeStyle","indicatesTouchDevice","TouchStart","defaultConfig","maxSpeed","root","loadTimeout","skipInactive","showWarning","showDebug","insertStyleRules","triggerFocus","UNSAFE_replayCanvas","pauseAnimation","mouseTail","handleResize","Resize","setupDom","treeIndex","fragmentParentMap","elementStateMap","virtualStyleRulesMap","flush","frag","restoreRealParent","applyText","restoreNodeSheet","applyScroll","applyInput","firstFullSnapshot","service","unpackFn","a1","a2","StateChange","player","speedService","normalSpeed","normal","FAST_FORWARD","SET_SPEED","skipping","BACK_TO_NORMAL","setSpeed","recordSpeed","restoreSpeed","firstMeta","firstFullsnapshot","width_1","height_1","rebuildFullSnapshot","mouse","Replayer","backToNormal","display","parseFloat","wrapper","insertBefore","firstEvent","lastEvent","endTime","totalTime","getTimeOffset","getElementsByTagName","Start","Pause","Resume","rawEvent","Promise","resolve","then","pointerEvents","disableInteract","smoothscrollPolyfill","dimension","String","castFn","mousePos","moveAndHover","debugData","touchActive","CustomEvent","applyIncremental","nextUserInteractionEvent","_event","isUserInteraction","skipTime","round","SkipStart","replayer","last_index","finish_1","Finish","max","EventCast","legacy_missingNodeRetryMap","collected","builtNode","collectIframeAndAttachDocument","mutationInQueue","this_1","attachDocumentToIframe","newDocumentQueue","collected_1","FullsnapshotRebuilded","waitForStylesheetLoad","preloadAllImages","styleEl","injectStylesRules","parent_1","realParent","toUpperCase","this_2","collected_2","unloadSheets_1","beforeLoadState_1","stateHandler_1","unsubscribe_1","size","getCurrentTime","LoadStylesheetEnd","LoadStylesheetStart","args_1","hasImageArg","images","args_2","getImageArgs","stateHandler","event_2","preloadImages","this_3","createImageData","putImageData","applyMutation","message","lastPosition","Event","debugNodeNotFound","Blur","blur","Focus","focus","preventScroll","Click","TouchEnd","tailPositions","offsetWidth","TouchCancel","dispatchEvent","mediaEl","rules_1","parent_2","usingVirtualParent_1","styleSheet_1","parent_3","command","canvas2DMutation","warnCanvasMutationFailed","useVirtualParent","warnNodeNotFound","realTarget","DOMException","legacy_missingNodeMap","appendNode","parentInDocument","hasIframeChild","virtualParent","createDocumentFragment","storeState","previousId","nextNotInDOM","targetDoc","mutationInQueue_1","legacy_resolveMissingNode","resolveTrees","resolveTrees_1","debug","removeAttribute","styleValues","targetEl","svp","svs","targetMutation","previousInMap","nextInMap","base","_x","_y","drawMouseTail","hoverElements","draw","clearRect","beginPath","moveTo","lineTo","stroke","hoveredEl","currentEl","SkipEnd","restoreState","storeCSSRules","storedState","nodeName","idRemoved","log"],"mappings":";;;;;;;;;;;;;;oFA+BO,IC/BHA,ED+BOC,EAAW,WAQlB,OAPAA,EAAWC,OAAOC,QAAU,SAAkBC,GAC1C,IAAK,IAAIC,EAAGC,EAAI,EAAGC,EAAIC,UAAUC,OAAQH,EAAIC,EAAGD,IAE5C,IAAK,IAAII,KADTL,EAAIG,UAAUF,GACOJ,OAAOS,UAAUC,eAAeC,KAAKR,EAAGK,KAAIN,EAAEM,GAAKL,EAAEK,IAE9E,OAAON,IAEKU,MAAMC,KAAMP,YAgFzB,SAASQ,EAASC,GACrB,IAAIZ,EAAsB,mBAAXa,QAAyBA,OAAOC,SAAUC,EAAIf,GAAKY,EAAEZ,GAAIC,EAAI,EAC5E,GAAIc,EAAG,OAAOA,EAAEP,KAAKI,GACrB,GAAIA,GAAyB,iBAAbA,EAAER,OAAqB,MAAO,CAC1CY,KAAM,WAEF,OADIJ,GAAKX,GAAKW,EAAER,SAAQQ,OAAI,GACrB,CAAEK,MAAOL,GAAKA,EAAEX,KAAMiB,MAAON,KAG5C,MAAM,IAAIO,UAAUnB,EAAI,0BAA4B,mCAGjD,SAASoB,EAAOR,EAAGV,GACtB,IAAIa,EAAsB,mBAAXF,QAAyBD,EAAEC,OAAOC,UACjD,IAAKC,EAAG,OAAOH,EACf,IAAmBS,EAAYC,EAA3BrB,EAAIc,EAAEP,KAAKI,GAAOW,EAAK,GAC3B,IACI,WAAc,IAANrB,GAAgBA,KAAM,MAAQmB,EAAIpB,EAAEe,QAAQE,MAAMK,EAAGC,KAAKH,EAAEJ,OAExE,MAAOQ,GAASH,EAAI,CAAEG,MAAOA,WAEzB,IACQJ,IAAMA,EAAEH,OAASH,EAAId,EAAU,SAAIc,EAAEP,KAAKP,WAExC,GAAIqB,EAAG,MAAMA,EAAEG,OAE7B,OAAOF,EAmBJ,SAASG,EAAcC,EAAIC,EAAMC,GACpC,GAAIA,GAA6B,IAArB1B,UAAUC,OAAc,IAAK,IAA4BmB,EAAxBtB,EAAI,EAAG6B,EAAIF,EAAKxB,OAAYH,EAAI6B,EAAG7B,KACxEsB,GAAQtB,KAAK2B,IACRL,IAAIA,EAAKQ,MAAMzB,UAAU0B,MAAMxB,KAAKoB,EAAM,EAAG3B,IAClDsB,EAAGtB,GAAK2B,EAAK3B,IAGrB,OAAO0B,EAAGM,OAAOV,GAAMQ,MAAMzB,UAAU0B,MAAMxB,KAAKoB,ICjKtD,SAASM,EAAUhC,GACf,OAAOA,EAAEiC,WAAajC,EAAEkC,aAE5B,SAASC,EAAanC,GAClB,IAAIoC,EACAC,EAAoB,QAAZD,EAAKpC,SAAsB,IAAPoC,OAAgB,EAASA,EAAGC,KAC5D,OAAOC,QAAQD,GAAQA,EAAKE,YAAcF,EAAKE,aAAevC,GAElE,SAASwC,EAAeJ,GACpB,IAAIK,EAAmBL,EAAGK,iBAAkBC,EAAUN,EAAGM,QAASC,EAAOP,EAAGO,KAAM5B,EAAQqB,EAAGrB,MAAO6B,EAAcR,EAAGQ,YACjHC,EAAO9B,GAAS,GAUpB,OATI0B,EAAiBC,EAAQI,gBACzBL,EAAiBE,MAEbE,EADAD,EACOA,EAAYC,GAGZ,IAAIE,OAAOF,EAAK3C,SAGxB2C,GA7BX,SAAWpD,GACPA,EAASA,EAAmB,SAAI,GAAK,WACrCA,EAASA,EAAuB,aAAI,GAAK,eACzCA,EAASA,EAAkB,QAAI,GAAK,UACpCA,EAASA,EAAe,KAAI,GAAK,OACjCA,EAASA,EAAgB,MAAI,GAAK,QAClCA,EAASA,EAAkB,QAAI,GAAK,UANxC,CAOGA,IAAaA,EAAW,KAwB3B,IAAIuD,EAA0B,qBAoB9B,IAyDIC,EACAC,EA1DAC,EAAM,EACNC,EAAe,IAAIC,OAAO,gBAe9B,SAASC,EAAkBxD,GACvB,IACI,IAAIyD,EAAQzD,EAAEyD,OAASzD,EAAE0D,SACzB,OAAOD,EAAQ1B,MAAMH,KAAK6B,GAAOE,IAAIC,GAAkBC,KAAK,IAAM,KAEtE,MAAOpC,GACH,OAAO,MAGf,SAASmC,EAAiBE,GACtB,IAAIC,EAAiBD,EAAKE,QAC1B,GASJ,SAAyBF,GACrB,MAAO,eAAgBA,EAVnBG,CAAgBH,GAChB,IACIC,EAAiBP,EAAkBM,EAAKI,aAAeH,EAE3D,MAAOzB,IAGX,OAAOyB,EAyBX,IAAII,EAAiB,6CACjBC,EAAgB,sDAChBC,EAAW,wBACf,SAASC,EAAqBN,EAASO,GACnC,OAAQP,GAAW,IAAIQ,QAAQL,GAAgB,SAAUM,EAAQC,EAAQC,EAAOC,EAAQC,EAAOC,GAC3F,IAlBeC,EAkBXC,EAAWL,GAASE,GAASC,EAC7BG,EAAaP,GAAUE,GAAU,GACrC,IAAKI,EACD,OAAOP,EAEX,IAAKL,EAAcc,KAAKF,GACpB,MAAO,OAASC,EAAaD,EAAWC,EAAa,IAEzD,GAAIZ,EAASa,KAAKF,GACd,MAAO,OAASC,EAAaD,EAAWC,EAAa,IAEzD,GAAoB,MAAhBD,EAAS,GACT,MAAO,OAASC,KA9BLF,EA8BiCR,GA5B5CY,QAAQ,OAAS,EACZJ,EAAIK,MAAM,KAAKpD,MAAM,EAAG,GAAG6B,KAAK,KAGhCkB,EAAIK,MAAM,KAAK,IAEZA,MAAM,KAAK,GAsBiCJ,GAAYC,EAAa,IAEjF,IAAII,EAAQd,EAAKa,MAAM,KACnBE,EAAQN,EAASI,MAAM,KAC3BC,EAAME,MACN,IAAK,IAAIC,EAAK,EAAGC,EAAUH,EAAOE,EAAKC,EAAQrF,OAAQoF,IAAM,CACzD,IAAIE,EAAOD,EAAQD,GACN,MAATE,IAGc,OAATA,EACLL,EAAME,MAGNF,EAAM7D,KAAKkE,IAGnB,MAAO,OAAST,EAAaI,EAAMxB,KAAK,KAAOoB,EAAa,OAGpE,IAAIU,EAAoB,qBACpBC,EAA0B,qBA2D9B,SAASC,EAAcC,EAAKC,GACxB,IAAKA,GAA4C,KAA1BA,EAAeC,OAClC,OAAOD,EAEX,IAAIE,EAAIH,EAAII,cAAc,KAE1B,OADAD,EAAE1B,KAAOwB,EACFE,EAAE1B,KAKb,SAAS4B,IACL,IAAIF,EAAIG,SAASF,cAAc,KAE/B,OADAD,EAAE1B,KAAO,GACF0B,EAAE1B,KAEb,SAAS8B,EAAmBP,EAAKlD,EAAS0D,EAAMrF,GAC5C,MAAa,QAATqF,GAA4B,SAATA,GAAmBrF,GAGxB,eAATqF,GAAyBrF,GAAsB,MAAbA,EAAM,GAFtC4E,EAAcC,EAAK7E,GAKZ,eAATqF,IACLrF,GACa,UAAZ2B,GAAmC,OAAZA,GAAgC,OAAZA,EAG9B,WAAT0D,GAAqBrF,EAtFlC,SAAiC6E,EAAKC,GAClC,GAA8B,KAA1BA,EAAeC,OACf,OAAOD,EAEX,IAAIQ,EAAM,EACV,SAASC,EAAkBC,GACvB,IAAIC,EACAC,EAAQF,EAAMG,KAAKb,EAAec,UAAUN,IAChD,OAAII,GACAD,EAAQC,EAAM,GACdJ,GAAOG,EAAMtG,OACNsG,GAEJ,GAGX,IADA,IAAII,EAAS,GAETN,EAAkBZ,KACdW,GAAOR,EAAe3F,SAFjB,CAKT,IAAI2E,EAAMyB,EAAkBb,GAC5B,GAAsB,MAAlBZ,EAAI/C,OAAO,GACX+C,EAAMc,EAAcC,EAAKf,EAAI8B,UAAU,EAAG9B,EAAI3E,OAAS,IACvD0G,EAAOtF,KAAKuD,OAEX,CACD,IAAIgC,EAAiB,GACrBhC,EAAMc,EAAcC,EAAKf,GAEzB,IADA,IAAIiC,GAAW,IACF,CACT,IAAIC,EAAIlB,EAAemB,OAAOX,GAC9B,GAAU,KAANU,EAAU,CACVH,EAAOtF,MAAMuD,EAAMgC,GAAgBf,QACnC,MAEC,GAAKgB,EAWI,MAANC,IACAD,GAAW,OAZC,CAChB,GAAU,MAANC,EAAW,CACXV,GAAO,EACPO,EAAOtF,MAAMuD,EAAMgC,GAAgBf,QACnC,MAEW,MAANiB,IACLD,GAAW,GAQnBD,GAAkBE,EAClBV,GAAO,IAInB,OAAOO,EAAOjD,KAAK,MA+BRsD,CAAwBrB,EAAK7E,GAEtB,UAATqF,GAAoBrF,EAClBqD,EAAqBrD,EAAOkF,KAElB,WAAZvD,GAAiC,SAAT0D,GAAmBrF,EACzC4E,EAAcC,EAAK7E,GAGnBA,EAZA4E,EAAcC,EAAK7E,GAkClC,SAASmG,EAAgBC,EAAMC,EAAeC,GAC1C,IAAKF,EACD,OAAO,EAEX,GAAIA,EAAKlF,WAAakF,EAAKjF,aAAc,CACrC,GAA6B,iBAAlBkF,GACP,GAAID,EAAKG,UAAUC,SAASH,GACxB,OAAO,OAIX,IAAK,IAAII,EAAS,EAAGA,EAASL,EAAKG,UAAUpH,OAAQsH,IAAU,CAC3D,IAAIC,EAAYN,EAAKG,UAAUE,GAC/B,GAAIJ,EAAcpC,KAAKyC,GACnB,OAAO,EAInB,SAAIJ,IACIF,EAAKO,QAAQL,KAIdH,EAAgBC,EAAKQ,WAAYP,EAAeC,GAE3D,OAAIF,EAAKlF,SAAakF,EAAKS,UAChBV,EAAgBC,EAAKQ,WAAYP,EAAeC,GAwC/D,SAASQ,EAAc7H,EAAG8H,GACtB,IAAI1F,EAEA2F,EAtPqBC,EA6HPC,EAwHdrC,EAAMkC,EAAQlC,IAAKsC,EAAaJ,EAAQI,WAAYC,EAAgBL,EAAQK,cAAef,EAAgBU,EAAQV,cAAeC,EAAmBS,EAAQT,iBAAkBe,EAAmBN,EAAQM,iBAAkBC,EAAKP,EAAQrF,iBAAkBA,OAA0B,IAAP4F,EAAgB,GAAKA,EAAIC,EAAaR,EAAQQ,WAAY1F,EAAckF,EAAQlF,YAAa2F,EAAKT,EAAQU,eAAgBA,OAAwB,IAAPD,EAAgB,GAAKA,EAAIE,EAAeX,EAAQW,aAAcC,EAAeZ,EAAQY,aAAcC,EAAkBb,EAAQa,gBAE1hB,GAAI/C,EAAIgD,KAAM,CACV,IAAIC,EAAQjD,EAAIgD,KAAKE,GACrBf,EAAmB,IAAVc,OAAcE,EAAYF,EAEvC,OAAQ7I,EAAEiC,UACN,KAAKjC,EAAEgJ,cACH,MAAqB,eAAjBhJ,EAAEiJ,WACK,CACHtG,KAAMlD,EAASyJ,SACfC,WAAY,GACZF,WAAYjJ,EAAEiJ,WACdlB,OAAQA,GAIL,CACHpF,KAAMlD,EAASyJ,SACfC,WAAY,GACZpB,OAAQA,GAGpB,KAAK/H,EAAEoJ,mBACH,MAAO,CACHzG,KAAMlD,EAAS4J,aACfjD,KAAMpG,EAAEoG,KACRkD,SAAUtJ,EAAEsJ,SACZC,SAAUvJ,EAAEuJ,SACZxB,OAAQA,GAEhB,KAAK/H,EAAEkC,aAIH,IAHA,IAAIsH,EAvHhB,SAA2BC,EAASvB,EAAYC,GAC5C,GAA0B,iBAAfD,GACP,GAAIuB,EAAQnC,UAAUC,SAASW,GAC3B,OAAO,OAIX,IAAK,IAAIV,EAAS,EAAGA,EAASiC,EAAQnC,UAAUpH,OAAQsH,IAAU,CAC9D,IAAIC,EAAYgC,EAAQnC,UAAUE,GAClC,GAAIU,EAAWlD,KAAKyC,GAChB,OAAO,EAInB,QAAIU,GACOsB,EAAQ/B,QAAQS,GAwGHuB,CAAkB1J,EAAGkI,EAAYC,GAC7CzF,EAvThB,SAAyB+G,GACrB,GAAIA,aAAmBE,gBACnB,MAAO,OAEX,IAAIC,EAAmBH,EAAQ/G,QAAQI,cAAcgD,OACrD,OAAI1C,EAAa4B,KAAK4E,GACX,MAEJA,EA+SeC,CAAgB7J,GAC1B8J,EAAe,GACVxE,EAAK,EAAGyE,EAAKlI,MAAMH,KAAK1B,EAAEgK,YAAa1E,EAAKyE,EAAG7J,OAAQoF,IAAM,CAClE,IAAI2E,EAAKF,EAAGzE,GAAK4E,EAASD,EAAG7D,KAAMrF,EAAQkJ,EAAGlJ,MAC9C+I,EAAaI,GAAU/D,EAAmBP,EAAKlD,EAASwH,EAAQnJ,GAEpE,GAAgB,SAAZ2B,GAAsB0F,EAAkB,CACxC,IAAI+B,EAAatI,MAAMH,KAAKkE,EAAIwE,aAAaC,MAAK,SAAUvK,GACxD,OAAOA,EAAEuE,OAASrE,EAAEqE,QAEpBP,EAAU,KACVqG,IACArG,EAAUR,EAAkB6G,IAE5BrG,WACOgG,EAAaQ,WACbR,EAAazF,KACpByF,EAAaS,SAAWnG,EAAqBN,EAASqG,EAAW9F,OAGzE,GAAgB,UAAZ3B,GACA1C,EAAEgI,SACAhI,EAAEwK,WACAxK,EAAEyK,aACF,IAAI3E,OAAO5F,QACX4D,EAAUR,EAAkBtD,EAAEgI,UAE9B8B,EAAaS,SAAWnG,EAAqBN,EAASmC,MAG9D,GAAgB,UAAZvD,GACY,aAAZA,GACY,WAAZA,EAAsB,CAClB3B,EAAQf,EAAEe,MACY,UAAtB+I,EAAanH,MACS,aAAtBmH,EAAanH,MACS,WAAtBmH,EAAanH,MACS,WAAtBmH,EAAanH,MACb5B,EACA+I,EAAa/I,MAAQyB,EAAe,CAChCG,KAAMmH,EAAanH,KACnBD,QAASA,EACT3B,MAAOA,EACP0B,iBAAkBA,EAClBG,YAAaA,IAGZ5C,EAAE0K,UACPZ,EAAaY,QAAU1K,EAAE0K,SAWjC,GARgB,WAAZhI,IACI1C,EAAE2K,WAAalI,EAAyB,OACxCqH,EAAaa,UAAW,SAGjBb,EAAaa,UAGZ,WAAZjI,GAAwBgG,EACxB,GAAoB,OAAhB1I,EAAE4K,WA5YtB,SAAyBC,GACrB,IAAIC,EAAMD,EAAOE,WAAW,MAC5B,IAAKD,EACD,OAAO,EAEX,IADA,IACSE,EAAI,EAAGA,EAAIH,EAAOI,MAAOD,GADlB,GAEZ,IAAK,IAAIE,EAAI,EAAGA,EAAIL,EAAOM,OAAQD,GAFvB,GAEuC,CAC/C,IAAIE,EAAeN,EAAIM,aACnBC,EAAuBrI,KAA2BoI,EAChDA,EAAoC,mBACpCA,EAEN,GADkB,IAAIE,YAAYD,EAAqB/K,KAAKwK,EAAKE,EAAGE,EAAGK,KAAKC,IAPpE,GAOmFX,EAAOI,MAAQD,GAAIO,KAAKC,IAP3G,GAO0HX,EAAOM,OAASD,IAAIO,KAAKC,QAC3IC,MAAK,SAAUC,GAAS,OAAiB,IAAVA,KAC3C,OAAO,EAGnB,OAAO,GA6XcC,CAAgB7L,KACjB8J,EAAagC,WAAa9L,EAAE+L,UAAUvD,EAAe7F,KAAM6F,EAAewD,eAG7E,KAAM,cAAehM,GAAI,CAC1B,IAAIiM,EAAgBjM,EAAE+L,UAAUvD,EAAe7F,KAAM6F,EAAewD,SAChEE,EAAchG,SAASF,cAAc,UACzCkG,EAAYjB,MAAQjL,EAAEiL,MACtBiB,EAAYf,OAASnL,EAAEmL,OAEnBc,IADqBC,EAAYH,UAAUvD,EAAe7F,KAAM6F,EAAewD,WAE/ElC,EAAagC,WAAaG,GAItC,GAAgB,QAAZvJ,GAAqB+F,EAAc,CAC9BxF,IACDA,EAAgB2C,EAAII,cAAc,UAClC9C,EAAYD,EAAc8H,WAAW,OAEzC,IAAIoB,EAAUnM,EACVoM,EAAaD,EAAQE,YACzBF,EAAQE,YAAc,YACtB,IAAIC,EAAoB,WACpB,IACIrJ,EAAcgI,MAAQkB,EAAQI,aAC9BtJ,EAAckI,OAASgB,EAAQK,cAC/BtJ,EAAUuJ,UAAUN,EAAS,EAAG,GAChCrC,EAAagC,WAAa7I,EAAc8I,UAAUvD,EAAe7F,KAAM6F,EAAewD,SAE1F,MAAOU,GACHC,QAAQC,KAAK,yBAA2BT,EAAQU,WAAa,YAAcH,GAE/EN,EACOtC,EAAauC,YAAcD,SACrBtC,EAAauC,aAE1BF,EAAQW,UAAqC,IAAzBX,EAAQI,aAC5BD,IAEAH,EAAQY,OAAST,EAczB,GAZgB,UAAZ5J,GAAmC,UAAZA,IACvBoH,EAAakD,cAAgBhN,EAAEiN,OACzB,SACA,SACNnD,EAAaoD,oBAAsBlN,EAAEmN,aAErCnN,EAAEoN,aACFtD,EAAauD,cAAgBrN,EAAEoN,YAE/BpN,EAAEsN,YACFxD,EAAayD,aAAevN,EAAEsN,WAE9B9D,EAAW,CACX,IAAIgE,EAAKxN,EAAEyN,wBAAyBxC,EAAQuC,EAAGvC,MAAOE,EAASqC,EAAGrC,OAClErB,EAAe,CACX4D,MAAS5D,EAAoB,MAC7B6D,SAAU1C,EAAQ,KAClB2C,UAAWzC,EAAS,MAS5B,MANgB,WAAZzI,GAAyBiG,EAAgBmB,EAAa+D,OACjD7N,EAAE8N,kBACHhE,EAAaiE,OAASjE,EAAa+D,YAEhC/D,EAAa+D,KAEjB,CACHlL,KAAMlD,EAASuO,QACftL,QAASA,EACTsH,WAAYF,EACZX,WAAY,GACZ8E,OA/RMhG,EA+RcjI,EA9RzBsC,QAAuB,QAAf2F,EAAGvF,SAAqBuF,EAAGiG,uBA8RJnF,GAC1BS,UAAWA,EACXzB,OAAQA,GAEhB,KAAK/H,EAAE4H,UACH,IAAIuG,EAAgBnO,EAAE2H,YAAc3H,EAAE2H,WAAWjF,QAC7C+H,EAAczK,EAAEyK,YAChB2D,EAA4B,UAAlBD,QAAmCpF,EAC7CsF,GAA6B,WAAlBF,QAAoCpF,EACnD,GAAIqF,GAAW3D,EAAa,CACxB,IACQzK,EAAEsO,aAAetO,EAAEuO,kBAEgB,QAA7BnM,EAAKpC,EAAE2H,WAAWK,aAA0B,IAAP5F,OAAgB,EAASA,EAAGoB,YACvEiH,GA1aKzC,EA0a6BhI,EAAE2H,WAAWK,OAzatDxE,SACP3B,MAAMH,KAAKsG,EAAMxE,UACdC,KAAI,SAAUG,GAAQ,OAAOA,EAAKE,SAAW,MAC7CH,KAAK,IACR,IAwaM,MAAO+I,GACHC,QAAQC,KAAK,wDAA0DF,EAAK1M,GAEhFyK,EAAcrG,EAAqBqG,EAAaxE,KAapD,OAXIoI,KACA5D,EAAc,uBAEb2D,IACAC,IACDnH,EAAgBlH,EAAGoH,EAAeC,IAClCoD,IACAA,EAAcnC,EACRA,EAAWmC,GACXA,EAAYnG,QAAQ,QAAS,MAEhC,CACH3B,KAAMlD,EAAS+O,KACf/D,YAAaA,GAAe,GAC5B2D,QAASA,EACTrG,OAAQA,GAEhB,KAAK/H,EAAEyO,mBACH,MAAO,CACH9L,KAAMlD,EAASiP,MACfjE,YAAa,GACb1C,OAAQA,GAEhB,KAAK/H,EAAE2O,aACH,MAAO,CACHhM,KAAMlD,EAASmP,QACfnE,YAAazK,EAAEyK,aAAe,GAC9B1C,OAAQA,GAEhB,QACI,OAAO,GAGnB,SAAS8G,EAAcC,GACnB,YAAkB/F,IAAd+F,EACO,GAGAA,EAAUhM,cA0EzB,SAASiM,EAAoB/O,EAAG8H,GAC5B,IAqBIgB,EArBAlD,EAAMkC,EAAQlC,IAAKnC,EAAMqE,EAAQrE,IAAKyE,EAAaJ,EAAQI,WAAYC,EAAgBL,EAAQK,cAAef,EAAgBU,EAAQV,cAAeC,EAAmBS,EAAQT,iBAAkBjF,EAAK0F,EAAQkH,UAAWA,OAAmB,IAAP5M,GAAwBA,EAAIiG,EAAKP,EAAQM,iBAAkBA,OAA0B,IAAPC,GAAuBA,EAAIE,EAAKT,EAAQrF,iBAAkBA,OAA0B,IAAP8F,EAAgB,GAAKA,EAAID,EAAaR,EAAQQ,WAAY1F,EAAckF,EAAQlF,YAAaqM,EAAiBnH,EAAQmH,eAAgBlF,EAAKjC,EAAQU,eAAgBA,OAAwB,IAAPuB,EAAgB,GAAKA,EAAIE,EAAKnC,EAAQW,aAAcA,OAAsB,IAAPwB,GAAwBA,EAAIuD,EAAK1F,EAAQY,aAAcA,OAAsB,IAAP8E,GAAwBA,EAAI0B,EAAcpH,EAAQoH,YAAaC,EAAerH,EAAQqH,aAAcC,EAAKtH,EAAQuH,kBAAmBA,OAA2B,IAAPD,EAAgB,IAAOA,EAAIE,EAAKxH,EAAQa,gBAAiBA,OAAyB,IAAP2G,EAAgB,WAAc,OAAO,GAAWA,EACj9BC,EAAKzH,EAAQ0H,mBAAoBA,OAA4B,IAAPD,GAAuBA,EAC7EE,EAAkB5H,EAAc7H,EAAG,CACnC4F,IAAKA,EACLsC,WAAYA,EACZC,cAAeA,EACff,cAAeA,EACfC,iBAAkBA,EAClBe,iBAAkBA,EAClB3F,iBAAkBA,EAClB6F,WAAYA,EACZ1F,YAAaA,EACb4F,eAAgBA,EAChBC,aAAcA,EACdC,aAAcA,EACdC,gBAAiBA,IAErB,IAAK8G,EAED,OADA9C,QAAQC,KAAK5M,EAAG,kBACT,KAIP8I,EADA,SAAU9I,EACLA,EAAE4I,KAAKE,IA/FpB,SAAyB4G,EAAIT,GACzB,GAAIA,EAAeU,SAAWD,EAAG/M,OAASlD,EAASmP,QAC/C,OAAO,EAEN,GAAIc,EAAG/M,OAASlD,EAASuO,QAAS,CACnC,GAAIiB,EAAeW,SACC,WAAfF,EAAGhN,SACgB,SAAfgN,EAAGhN,SACsB,YAAtBgN,EAAG1F,WAAWM,KACO,WAArBoF,EAAG1F,WAAW6F,IACF,SAAfH,EAAGhN,SACsB,aAAtBgN,EAAG1F,WAAWM,KACgB,iBAAvBoF,EAAG1F,WAAW3F,MACrBqL,EAAG1F,WAAW3F,KAAKyL,SAAS,QACpC,OAAO,EAEN,GAAIb,EAAec,cACH,SAAfL,EAAGhN,SAA4C,kBAAtBgN,EAAG1F,WAAWM,KACrB,SAAfoF,EAAGhN,UACCmM,EAAca,EAAG1F,WAAW5D,MAAMK,MAAM,sCACC,qBAAtCoI,EAAca,EAAG1F,WAAW5D,OACS,SAArCyI,EAAca,EAAG1F,WAAWM,MACS,qBAArCuE,EAAca,EAAG1F,WAAWM,MACS,kBAArCuE,EAAca,EAAG1F,WAAWM,OACxC,OAAO,EAEN,GAAmB,SAAfoF,EAAGhN,QAAoB,CAC5B,GAAIuM,EAAee,sBACfnB,EAAca,EAAG1F,WAAW5D,MAAMK,MAAM,0BACxC,OAAO,EAEN,GAAIwI,EAAegB,iBACnBpB,EAAca,EAAG1F,WAAWkG,UAAUzJ,MAAM,sBACzCoI,EAAca,EAAG1F,WAAW5D,MAAMK,MAAM,mBACF,cAAtCoI,EAAca,EAAG1F,WAAW5D,OAChC,OAAO,EAEN,GAAI6I,EAAekB,iBACmB,WAAtCtB,EAAca,EAAG1F,WAAW5D,OACa,cAAtCyI,EAAca,EAAG1F,WAAW5D,OACU,YAAtCyI,EAAca,EAAG1F,WAAW5D,OAChC,OAAO,EAEN,GAAI6I,EAAemB,wBACYrH,IAAhC2G,EAAG1F,WAAW,cACd,OAAO,EAEN,GAAIiF,EAAeoB,qBACmB,WAAtCxB,EAAca,EAAG1F,WAAW5D,OACa,cAAtCyI,EAAca,EAAG1F,WAAW5D,OACU,cAAtCyI,EAAca,EAAG1F,WAAW5D,OACU,cAAtCyI,EAAca,EAAG1F,WAAW5D,OACU,WAAtCyI,EAAca,EAAG1F,WAAW5D,OAC5ByI,EAAca,EAAG1F,WAAWkG,UAAUzJ,MAAM,cAC5CoI,EAAca,EAAG1F,WAAWkG,UAAUzJ,MAAM,cAChD,OAAO,EAEN,GAAIwI,EAAeqB,uBACmB,6BAAtCzB,EAAca,EAAG1F,WAAW5D,OACa,wBAAtCyI,EAAca,EAAG1F,WAAW5D,OACU,eAAtCyI,EAAca,EAAG1F,WAAW5D,OACU,oBAAtCyI,EAAca,EAAG1F,WAAW5D,OACU,cAAtCyI,EAAca,EAAG1F,WAAW5D,OACU,iBAAtCyI,EAAca,EAAG1F,WAAW5D,OACU,+BAAtCyI,EAAca,EAAG1F,WAAW5D,OAChC,OAAO,GAInB,OAAO,EA4BEmK,CAAgBd,EAAiBR,KACpCO,GACEC,EAAgB9M,OAASlD,EAAS+O,MACjCiB,EAAgBrB,SAChBqB,EAAgBhF,YAAYnG,QAAQ,cAAe,IAAIpE,QAnmBzDiD,KAFQ,EA2mBf,IAAIqN,EAAiB7Q,OAAOC,OAAO6P,EAAiB,CAAE3G,GAAIA,IAE1D,GADA9I,EAAE4I,KAAO4H,GA5mBM,IA6mBX1H,EACA,OAAO,KAEXrF,EAAIqF,GAAM9I,EACNkP,GACAA,EAAYlP,GAEhB,IAAIyQ,GAAezB,EAOnB,GANIwB,EAAe7N,OAASlD,EAASuO,UACjCyC,EAAcA,IAAgBD,EAAehH,iBACtCgH,EAAehH,UAClBxJ,EAAEuC,aACFiO,EAAeE,cAAe,KAEjCF,EAAe7N,OAASlD,EAASyJ,UAClCsH,EAAe7N,OAASlD,EAASuO,UACjCyC,EAAa,CACTxB,EAAe0B,gBACflB,EAAgB9M,OAASlD,EAASuO,SACN,SAA5ByB,EAAgB/M,UAChB8M,GAAqB,GAwBzB,IAtBA,IAAIoB,EAAgB,CAChBhL,IAAKA,EACLnC,IAAKA,EACLyE,WAAYA,EACZC,cAAeA,EACff,cAAeA,EACfC,iBAAkBA,EAClB2H,UAAWA,EACX5G,iBAAkBA,EAClB3F,iBAAkBA,EAClB6F,WAAYA,EACZ1F,YAAaA,EACbqM,eAAgBA,EAChBzG,eAAgBA,EAChBC,aAAcA,EACdC,aAAcA,EACd8G,mBAAoBA,EACpBN,YAAaA,EACbC,aAAcA,EACdE,kBAAmBA,EACnB1G,gBAAiBA,GAEZrD,EAAK,EAAGuL,EAAKhP,MAAMH,KAAK1B,EAAEmJ,YAAa7D,EAAKuL,EAAG3Q,OAAQoF,IAAM,EAE9DwL,EAAsB/B,EADb8B,EAAGvL,GACsCsL,KAElDJ,EAAerH,WAAW7H,KAAKwP,GAGvC,GAAI9O,EAAUhC,IAAMA,EAAEuC,WAClB,IAAK,IAAIwO,EAAK,EAAGC,EAAKnP,MAAMH,KAAK1B,EAAEuC,WAAW4G,YAAa4H,EAAKC,EAAG9Q,OAAQ6Q,IAAM,CAC7E,IACID,GAAAA,EAAsB/B,EADbiC,EAAGD,GACsCH,MAElDE,EAAoBG,UAAW,EAC/BT,EAAerH,WAAW7H,KAAKwP,KAyC/C,OApCI9Q,EAAE2H,YAAcxF,EAAanC,EAAE2H,cAC/B6I,EAAeS,UAAW,GAE1BT,EAAe7N,OAASlD,EAASuO,SACN,WAA3BwC,EAAe9N,SA3bvB,SAA0BwO,EAAUC,EAAU9B,GAC1C,IAAI+B,EAAMF,EAASG,cACnB,GAAKD,EAAL,CAGA,IACIE,EADAC,GAAQ,EAEZ,IACID,EAAaF,EAAIlL,SAASoL,WAE9B,MAAO/P,GACH,OAEJ,GAAmB,aAAf+P,EAAJ,CAcA,IAAIE,EAAW,cACXJ,EAAIK,SAASpN,OAASmN,GACtBN,EAASrD,MAAQ2D,GACA,KAAjBN,EAASrD,IAIbqD,EAASQ,iBAAiB,OAAQP,GAH9BQ,WAAWR,EAAU,OAlBzB,CACI,IAAIS,EAAUD,YAAW,WAChBJ,IACDJ,IACAI,GAAQ,KAEblC,GACH6B,EAASQ,iBAAiB,QAAQ,WAC9BG,aAAaD,GACbL,GAAQ,EACRJ,SAqaJW,CAAiB9R,GAAG,WAChB,IAAI+R,EAAY/R,EAAE8N,gBAClB,GAAIiE,GAAa5C,EAAc,CAC3B,IAAI6C,EAAuBjD,EAAoBgD,EAAW,CACtDnM,IAAKmM,EACLtO,IAAKA,EACLyE,WAAYA,EACZC,cAAeA,EACff,cAAeA,EACfC,iBAAkBA,EAClB2H,WAAW,EACX5G,iBAAkBA,EAClB3F,iBAAkBA,EAClB6F,WAAYA,EACZ1F,YAAaA,EACbqM,eAAgBA,EAChBzG,eAAgBA,EAChBC,aAAcA,EACdC,aAAcA,EACd8G,mBAAoBA,EACpBN,YAAaA,EACbC,aAAcA,EACdE,kBAAmBA,EACnB1G,gBAAiBA,IAEjBqJ,GACA7C,EAAanP,EAAGgS,MAGzB3C,GAEAmB,EAsFX,IAAIyB,EAAY,kCAChB,SAASC,EAAMC,EAAKrK,QACA,IAAZA,IAAsBA,EAAU,IACpC,IAAIsK,EAAS,EACTC,EAAS,EACb,SAASC,EAAeC,GACpB,IAAIC,EAAQD,EAAI9L,MAAM,OAClB+L,IACAJ,GAAUI,EAAMtS,QAEpB,IAAIH,EAAIwS,EAAIE,YAAY,MACxBJ,GAAgB,IAAPtS,EAAWsS,EAASE,EAAIrS,OAASqS,EAAIrS,OAASH,EAE3D,SAAS2S,IACL,IAAIC,EAAQ,CAAEC,KAAMR,EAAQC,OAAQA,GACpC,OAAO,SAAUlL,GAGb,OAFAA,EAAKuL,SAAW,IAAIG,EAASF,GAC7BG,IACO3L,GAGf,IAAI0L,EACA,SAAkBF,GACdnS,KAAKmS,MAAQA,EACbnS,KAAKuS,IAAM,CAAEH,KAAMR,EAAQC,OAAQA,GACnC7R,KAAKwS,OAASlL,EAAQkL,QAI9BH,EAASzS,UAAU6S,QAAUd,EAC7B,IAAIe,EAAa,GACjB,SAAS3R,EAAM4R,GACX,IAAIzG,EAAM,IAAI0G,MAAMtL,EAAQkL,OAAS,IAAMZ,EAAS,IAAMC,EAAS,KAAOc,GAM1E,GALAzG,EAAI2G,OAASF,EACbzG,EAAI4G,SAAWxL,EAAQkL,OACvBtG,EAAIkG,KAAOR,EACX1F,EAAI2F,OAASA,EACb3F,EAAIsG,OAASb,GACTrK,EAAQyL,OAIR,MAAM7G,EAHNwG,EAAW5R,KAAKoL,GAiBxB,SAAS8G,IACL,OAAO/M,EAAM,SAEjB,SAASgN,IACL,OAAOhN,EAAM,MAEjB,SAASlD,IACL,IAAI4D,EACA5D,EAAQ,GAGZ,IAFAuP,IACAY,EAASnQ,GACF4O,EAAIjS,QAA4B,MAAlBiS,EAAInL,OAAO,KAAeG,EAAOwM,KAAY/P,OACjD,IAATuD,IACA5D,EAAMjC,KAAK6F,GACXuM,EAASnQ,IAGjB,OAAOA,EAEX,SAASkD,EAAMmN,GACX,IAAI/S,EAAI+S,EAAGlN,KAAKyL,GAChB,GAAKtR,EAAL,CAGA,IAAI0R,EAAM1R,EAAE,GAGZ,OAFAyR,EAAeC,GACfJ,EAAMA,EAAIrQ,MAAMyQ,EAAIrS,QACbW,GAEX,SAASiS,IACLrM,EAAM,QAEV,SAASiN,EAASnQ,GAEd,IAAIwD,EACJ,SAFc,IAAVxD,IAAoBA,EAAQ,IAExBwD,EAAI4I,MACE,IAAN5I,GACAxD,EAAMjC,KAAKyF,GAEfA,EAAI4I,IAER,OAAOpM,EAEX,SAASoM,IACL,IAAItJ,EAAMqM,IACV,GAAI,MAAQP,EAAInL,OAAO,IAAM,MAAQmL,EAAInL,OAAO,GAAhD,CAIA,IADA,IAAIjH,EAAI,EACD,KAAOoS,EAAInL,OAAOjH,KACpB,MAAQoS,EAAInL,OAAOjH,IAAM,MAAQoS,EAAInL,OAAOjH,EAAI,OAC/CA,EAGN,GADAA,GAAK,EACD,KAAOoS,EAAInL,OAAOjH,EAAI,GACtB,OAAOwB,EAAM,0BAEjB,IAAIgR,EAAMJ,EAAIrQ,MAAM,EAAG/B,EAAI,GAK3B,OAJAsS,GAAU,EACVC,EAAeC,GACfJ,EAAMA,EAAIrQ,MAAM/B,GAChBsS,GAAU,EACHhM,EAAI,CACP1D,KAAM,UACNgN,QAAS4C,KAGjB,SAASsB,IACL,IAAIhT,EAAI4F,EAAM,YACd,GAAK5F,EAGL,OAAOiF,EAAKjF,EAAE,IACTyD,QAAQ,+CAAgD,IACxDA,QAAQ,oCAAoC,SAAUzD,GACvD,OAAOA,EAAEyD,QAAQ,KAAM,QAEtBY,MAAM,sBACNzB,KAAI,SAAU3D,GACf,OAAOA,EAAEwE,QAAQ,UAAW,QAGpC,SAASwP,IACL,IAAIzN,EAAMqM,IACNqB,EAAYtN,EAAM,4CACtB,GAAKsN,EAAL,CAGA,IAAIC,EAAOlO,EAAKiO,EAAU,IAC1B,IAAKtN,EAAM,SACP,OAAOlF,EAAM,wBAEjB,IAAI0S,EAAMxN,EAAM,yDACZyN,EAAM7N,EAAI,CACV1D,KAAM,cACNuN,SAAU8D,EAAK1P,QAAQ2N,EAAW,IAClClR,MAAOkT,EAAMnO,EAAKmO,EAAI,IAAI3P,QAAQ2N,EAAW,IAAM,KAGvD,OADAxL,EAAM,WACCyN,GAEX,SAASC,IACL,IAKIC,EALAC,EAAQ,GACZ,IAAKb,IACD,OAAOjS,EAAM,eAIjB,IAFAmS,EAASW,GAEDD,EAAON,MACE,IAATM,IACAC,EAAM/S,KAAK8S,GACXV,EAASW,IAEbD,EAAON,IAEX,OAAKL,IAGEY,EAFI9S,EAAM,eAIrB,SAAS+S,IAIL,IAHA,IAAIzT,EACA0T,EAAO,GACPlO,EAAMqM,IACF7R,EAAI4F,EAAM,wCACd8N,EAAKjT,KAAKT,EAAE,IACZ4F,EAAM,SAEV,GAAK8N,EAAKrU,OAGV,OAAOmG,EAAI,CACP1D,KAAM,WACN6R,OAAQD,EACRJ,aAAcA,MA8KtB,IA9TQM,EA8TJC,EAAWC,EAAe,UAC1BC,EAAYD,EAAe,WAC3BE,EAAcF,EAAe,aACjC,SAASA,EAAevO,GACpB,IAAIwN,EAAK,IAAIvQ,OAAO,KAAO+C,EAAO,gBAClC,OAAO,WACH,IAAIC,EAAMqM,IACN7R,EAAI4F,EAAMmN,GACd,GAAK/S,EAAL,CAGA,IAAIqT,EAAM,CAAEvR,KAAMyD,GAElB,OADA8N,EAAI9N,GAAQvF,EAAE,GAAGiF,OACVO,EAAI6N,KAGnB,SAASP,IACL,GAAe,MAAXxB,EAAI,GAGR,OA/LJ,WACI,IAAI9L,EAAMqM,IACN7R,EAAI4F,EAAM,2BACd,GAAK5F,EAAL,CAGA,IAAIiU,EAASjU,EAAE,GAEf,KADAA,EAAI4F,EAAM,iBAEN,OAAOlF,EAAM,2BAEjB,IAIIwT,EAJA3O,EAAOvF,EAAE,GACb,IAAK2S,IACD,OAAOjS,EAAM,0BAIjB,IADA,IAAIyT,EAAStB,IACLqB,EAAQT,KACZU,EAAO1T,KAAKyT,GACZC,EAASA,EAAOjT,OAAO2R,KAE3B,OAAKD,IAGEpN,EAAI,CACP1D,KAAM,YACNyD,KAAMA,EACN0O,OAAQA,EACRG,UAAWD,IANJzT,EAAM,2BAyKT2T,IA1HZ,WACI,IAAI7O,EAAMqM,IACN7R,EAAI4F,EAAM,oBACd,GAAK5F,EAAL,CAGA,IAAIsU,EAAQrP,EAAKjF,EAAE,IACnB,IAAK2S,IACD,OAAOjS,EAAM,sBAEjB,IAAI6T,EAAQ1B,IAAW3R,OAAOwB,KAC9B,OAAKkQ,IAGEpN,EAAI,CACP1D,KAAM,QACNwS,MAAOA,EACP5R,MAAO6R,IALA7T,EAAM,uBA+Gb8T,IAvGR,WACI,IAAIhP,EAAMqM,IACN7R,EAAI4F,EAAM,2CACd,GAAK5F,EAGL,OAAOwF,EAAI,CACP1D,KAAM,eACNyD,KAAMN,EAAKjF,EAAE,IACbsU,MAAOrP,EAAKjF,EAAE,MA+FdyU,IAlKR,WACI,IAAIjP,EAAMqM,IACN7R,EAAI4F,EAAM,uBACd,GAAK5F,EAAL,CAGA,IAAI0U,EAAWzP,EAAKjF,EAAE,IACtB,IAAK2S,IACD,OAAOjS,EAAM,yBAEjB,IAAI6T,EAAQ1B,IAAW3R,OAAOwB,KAC9B,OAAKkQ,IAGEpN,EAAI,CACP1D,KAAM,WACN4S,SAAUA,EACVhS,MAAO6R,IALA7T,EAAM,0BAuJbiU,IACAd,KACAE,KACAC,KAvER,WACI,IAAIxO,EAAMqM,IACN7R,EAAI4F,EAAM,gCACd,GAAK5F,EAAL,CAGA,IAAIiU,EAAShP,EAAKjF,EAAE,IAChB+E,EAAME,EAAKjF,EAAE,IACjB,IAAK2S,IACD,OAAOjS,EAAM,yBAEjB,IAAI6T,EAAQ1B,IAAW3R,OAAOwB,KAC9B,OAAKkQ,IAGEpN,EAAI,CACP1D,KAAM,WACNuD,SAAUN,EACVkP,OAAQA,EACRvR,MAAO6R,IANA7T,EAAM,0BA2DbkU,IAjGR,WACI,IAAIpP,EAAMqM,IAEV,GADQjM,EAAM,YACd,CAGA,IAAIiP,EAAM7B,KAAc,GACxB,IAAKL,IACD,OAAOjS,EAAM,qBAIjB,IAFA,IACI6S,EADAC,EAAQX,IAEJU,EAAON,KACXO,EAAM/S,KAAK8S,GACXC,EAAQA,EAAMtS,OAAO2R,KAEzB,OAAKD,IAGEpN,EAAI,CACP1D,KAAM,OACNgT,UAAWD,EACXvB,aAAcE,IALP9S,EAAM,sBAiFbqU,IApJR,WACI,IAAIvP,EAAMqM,IAEV,GADQjM,EAAM,aACd,CAGA,IAAK+M,IACD,OAAOjS,EAAM,qBAEjB,IAAI6T,EAAQ1B,IAAW3R,OAAOwB,KAC9B,OAAKkQ,IAGEpN,EAAI,CACP1D,KAAM,OACNY,MAAO6R,IAJA7T,EAAM,sBA0IbsU,IApDR,WACI,IAAIxP,EAAMqM,IAEV,GADQjM,EAAM,kBACd,CAGA,IAAK+M,IACD,OAAOjS,EAAM,0BAIjB,IAFA,IACI6S,EADAC,EAAQX,IAEJU,EAAON,KACXO,EAAM/S,KAAK8S,GACXC,EAAQA,EAAMtS,OAAO2R,KAEzB,OAAKD,IAGEpN,EAAI,CACP1D,KAAM,YACNwR,aAAcE,IAJP9S,EAAM,2BAqCbuU,GAER,SAASlS,IACL,IAAIyC,EAAMqM,IACNgD,EAAM7B,IACV,OAAK6B,GAGLhC,IACOrN,EAAI,CACP1D,KAAM,OACNgT,UAAWD,EACXvB,aAAcA,OANP5S,EAAM,oBASrB,OAAOwU,GA3WCtB,EAAYlR,IACT,CACHZ,KAAM,aACNwH,WAAY,CACR6I,OAAQlL,EAAQkL,OAChBzP,MAAOkR,EACPuB,cAAe9C,MAuW/B,SAASpN,EAAKyM,GACV,OAAOA,EAAMA,EAAIjO,QAAQ,aAAc,IAAM,GAEjD,SAASyR,EAAUE,EAAKC,GAGpB,IAFA,IAAIC,EAASF,GAA2B,iBAAbA,EAAItT,KAC3ByT,EAAcD,EAASF,EAAMC,EACxB5Q,EAAK,EAAGlD,EAAKzC,OAAO0W,KAAKJ,GAAM3Q,EAAKlD,EAAGlC,OAAQoF,IAAM,CAC1D,IACIvE,EAAQkV,EADJ7T,EAAGkD,IAEPzD,MAAMyU,QAAQvV,GACdA,EAAMwV,SAAQ,SAAUC,GACpBT,EAAUS,EAAGJ,MAGZrV,GAA0B,iBAAVA,GACrBgV,EAAUhV,EAAOqV,GAWzB,OARID,GACAxW,OAAO8W,eAAeR,EAAK,SAAU,CACjCS,cAAc,EACdC,UAAU,EACVC,YAAY,EACZ7V,MAAOmV,GAAU,OAGlBD,EAGX,IAAIY,EAAS,CACTjH,OAAQ,WACRkH,SAAU,WACVC,YAAa,cACbC,aAAc,eACdC,aAAc,eACdC,cAAe,gBACfC,iBAAkB,mBAClBC,SAAU,WACVC,QAAS,UACTC,cAAe,gBACfC,oBAAqB,sBACrBC,YAAa,cACbC,iBAAkB,mBAClBC,kBAAmB,oBACnBC,kBAAmB,oBACnBC,eAAgB,iBAChBC,aAAc,eACdC,QAAS,UACTC,QAAS,UACTC,QAAS,UACTC,QAAS,UACTC,QAAS,UACTC,eAAgB,iBAChBC,QAAS,UACTC,QAAS,UACTC,YAAa,cACbC,aAAc,eACdC,SAAU,WACVC,aAAc,eACdC,mBAAoB,qBACpBC,YAAa,cACbC,OAAQ,SACRC,aAAc,eACdC,cAAe,gBACfC,SAAU,WACVC,eAAgB,iBAChBC,eAAgB,kBAYpB,ICrzCYC,EA+DAC,EAgUAC,EAcAC,EAuIMC,EA2GNC,EDsrBRC,EAAiB,gBACjBC,EAAwB,IAAIpW,OAAOmW,EAAexG,OAAQ,KAC9D,SAAS0G,EAAc5V,EAAS6V,GAC5B,IAAIC,EAAcD,MAAAA,OAAqC,EAASA,EAAME,qBAAqBC,IAAIhW,GAC/F,GAAI8V,EACA,OAAOA,EACX,IAAIG,EAAM7H,EAAMpO,EAAS,CACrByP,QAAQ,IAEZ,IAAKwG,EAAI5P,WACL,OAAOrG,EAEX,IAAI6R,EAAY,GAUhB,GATAoE,EAAI5P,WAAW5G,MAAMgT,SAAQ,SAAU3S,GAC/B,cAAeA,IACdA,EAAK+R,WAAa,IAAIY,SAAQ,SAAU1C,GACjC2F,EAAexU,KAAK6O,IACpB8B,EAAUrU,KAAKuS,SAKN,IAArB8B,EAAUzV,OACV,OAAO4D,EAEX,IAAIkW,EAAkB,IAAI3W,OAAOsS,EAC5BsE,QAAO,SAAUpG,EAAUqG,GAAS,OAAOvE,EAAU1Q,QAAQ4O,KAAcqG,KAC3EC,MAAK,SAAUpU,EAAGqU,GAAK,OAAOA,EAAEla,OAAS6F,EAAE7F,UAC3CuD,KAAI,SAAUoQ,GACf,OAAoBA,EA/BbvP,QAAQ,sBAAuB,WAiCrCX,KAAK,KAAM,KACZ0W,EAASvW,EAAQQ,QAAQ0V,GAAiB,SAAUnG,GACpD,IAAIyG,EAAczG,EAASvP,QAAQmV,EAAuB,eAC1D,OAAO5F,EAAW,KAAOyG,KAG7B,OADAX,MAAAA,GAA8CA,EAAME,qBAAqBU,IAAIzW,EAASuW,GAC/EA,EAEX,SAASG,IAEL,MAAO,CACHX,qBAFuB,IAAIY,KAKnC,SAASC,EAAU1a,EAAG8H,GAClB,IAAIlC,EAAMkC,EAAQlC,IAAK+U,EAAU7S,EAAQ6S,QAAShB,EAAQ7R,EAAQ6R,MAClE,OAAQ3Z,EAAE2C,MACN,KAAKlD,EAASyJ,SACV,OAAOtD,EAAIgV,eAAeC,eAAe,KAAM,GAAI,MACvD,KAAKpb,EAAS4J,aACV,OAAOzD,EAAIgV,eAAeE,mBAAmB9a,EAAEoG,MAAQ,OAAQpG,EAAEsJ,SAAUtJ,EAAEuJ,UACjF,KAAK9J,EAASuO,QACV,IACI+M,EADArY,EA/DhB,SAAoB1C,GAChB,IAAI0C,EAAUmU,EAAO7W,EAAE0C,SAAWmU,EAAO7W,EAAE0C,SAAW1C,EAAE0C,QAIxD,MAHgB,SAAZA,GAAsB1C,EAAEgK,WAAWO,WACnC7H,EAAU,SAEPA,EA0DesY,CAAWhb,GAGrB+a,EADA/a,EAAEiO,MACOrI,EAAIqV,gBAAgB,6BAA8BvY,GAGlDkD,EAAII,cAActD,GAE/B,IAAIwY,EAAU,SAAUhR,GACpB,IAAKlK,EAAEgK,WAAW3J,eAAe6J,GAC7B,MAAO,WAEX,IAAInJ,EAAQf,EAAEgK,WAAWE,GACzB,GAAgB,WAAZxH,GAAmC,aAAXwH,IAAmC,IAAVnJ,EACjD,MAAO,WAIX,GAFAA,EACqB,kBAAVA,GAAwC,iBAAVA,EAAqB,GAAKA,EAC9DmJ,EAAOiR,WAAW,OAqDlB,CACD,GAAgB,WAAZzY,GAAmC,eAAXwH,EAAyB,CACjD,IAAIiC,EAAUjG,SAASF,cAAc,OACrCmG,EAAQ0B,IAAM9M,EACdoL,EAAQY,OAAS,WACb,IAAIjC,EAAMiQ,EAAOhQ,WAAW,MACxBD,GACAA,EAAI2B,UAAUN,EAAS,EAAG,EAAGA,EAAQlB,MAAOkB,EAAQhB,cAI3D,GAAgB,QAAZzI,GAAgC,eAAXwH,EAAyB,CACnD,IAAIkR,EAAQL,EACPK,EAAMvO,WAAWsO,WAAW,WAC7BC,EAAMC,aAAa,qBAAsBrb,EAAEgK,WAAW6D,KACtDuN,EAAMvN,IAAM9M,GAGpB,GAAe,aAAXmJ,EACA6Q,EAAO3F,MAAMnK,MAAQlK,OAEpB,GAAe,cAAXmJ,EACL6Q,EAAO3F,MAAMjK,OAASpK,OAErB,GAAe,wBAAXmJ,EACL6Q,EAAO5N,YAAcnN,EAAEgK,WAClBkD,yBAEJ,GAAe,kBAAXhD,EACL,OAAQnJ,GACJ,IAAK,SACDga,EACKO,OAAc,OAAE,SAAUla,GAAK,OAAOuL,QAAQC,KAAK,uBAAwBxL,MAChF,MACJ,IAAK,SACD2Z,EAAOQ,aAxFQ,CAC3B,IAAIC,EAAyB,aAAZ9Y,GAAqC,UAAXwH,EACvCuR,EAAmC,UAAZ/Y,GAAkC,aAAXwH,EAIlD,GAHIuR,GAAwBd,IACxB5Z,EAAQ2Y,EAAc3Y,EAAO4Y,IAE7B6B,GAAcC,EAAsB,CAEpC,IADA,IAAIC,EAAQ9V,EAAI+V,eAAe5a,GACtBuE,EAAK,EAAGlD,EAAKP,MAAMH,KAAKqZ,EAAO5R,YAAa7D,EAAKlD,EAAGlC,OAAQoF,IAAM,CACvE,IAAIyB,EAAI3E,EAAGkD,GACPyB,EAAE9E,WAAa8Y,EAAOnT,WACtBmT,EAAOa,YAAY7U,GAI3B,OADAgU,EAAOc,YAAYH,GACZ,WAEX,IACI,GAAI1b,EAAEiO,OAAoB,eAAX/D,EACX6Q,EAAOe,eAAe,+BAAgC5R,EAAQnJ,QAE7D,GAAe,WAAXmJ,GACM,YAAXA,GAC2B,YAA3BA,EAAOvD,UAAU,EAAG,GACpBoU,EAAOM,aAAa,IAAMnR,EAAQnJ,OAEjC,CAAA,GAAgB,SAAZ2B,GAC0B,4BAA/B1C,EAAEgK,WAAW,eACF,YAAXE,EAEA,OADA6Q,EAAOM,aAAa,cAAeta,GAC5B,WAEU,SAAZ2B,GACgB,YAArB1C,EAAEgK,WAAWM,KACO,WAApBtK,EAAEgK,WAAW6F,IAEI,SAAZnN,GACgB,aAArB1C,EAAEgK,WAAWM,KACgB,iBAAtBtK,EAAEgK,WAAW3F,MACpBrE,EAAEgK,WAAW3F,KAAKyL,SAAS,SAEV,QAAZpN,GACL1C,EAAEgK,WAAW+R,QACb/b,EAAEgK,WAAW8B,WACbiP,EAAOM,aAAa,wBAAyBrb,EAAEgK,WAAW+R,QAG1DhB,EAAOM,aAAanR,EAAQnJ,KAGpC,MAAOQ,OA4Cf,IAAK,IAAI2I,KAAUlK,EAAEgK,WACjBkR,EAAQhR,GAEZ,GAAIlK,EAAE0Q,aACF,GAAKqK,EAAOxY,WAIR,KAAOwY,EAAOxY,WAAWyZ,YACrBjB,EAAOxY,WAAWqZ,YAAYb,EAAOxY,WAAWyZ,iBAJpDjB,EAAOkB,aAAa,CAAEC,KAAM,SAQpC,OAAOnB,EACX,KAAKtb,EAAS+O,KACV,OAAO5I,EAAI+V,eAAe3b,EAAEoO,SAAWuM,EACjCjB,EAAc1Z,EAAEyK,YAAakP,GAC7B3Z,EAAEyK,aACZ,KAAKhL,EAASiP,MACV,OAAO9I,EAAIuW,mBAAmBnc,EAAEyK,aACpC,KAAKhL,EAASmP,QACV,OAAOhJ,EAAIwW,cAAcpc,EAAEyK,aAC/B,QACI,OAAO,MAGnB,SAAS4R,EAAgBrc,EAAG8H,GACxB,IAAIlC,EAAMkC,EAAQlC,IAAKnC,EAAMqE,EAAQrE,IAAKrB,EAAK0F,EAAQkH,UAAWA,OAAmB,IAAP5M,GAAwBA,EAAIiG,EAAKP,EAAQ6S,QAASA,OAAiB,IAAPtS,GAAuBA,EAAIiU,EAAcxU,EAAQwU,YAAa3C,EAAQ7R,EAAQ6R,MACpNxS,EAAOuT,EAAU1a,EAAG,CAAE4F,IAAKA,EAAK+U,QAASA,EAAShB,MAAOA,IAC7D,IAAKxS,EACD,OAAO,KAwBX,GAtBInH,EAAE+H,QACF4E,QAAQ4P,OAAO9Y,EAAIzD,EAAE+H,UAAYnC,EAAK,gDAEtC5F,EAAE2C,OAASlD,EAASyJ,WACpBtD,EAAI6N,QACJ7N,EAAI4N,OACiB,eAAjBxT,EAAEiJ,YACFjJ,EAAEmJ,YACFnJ,EAAEmJ,WAAW,GAAGxG,OAASlD,EAAS4J,eAC9BrJ,EAAEmJ,WAAW,GAAGxG,OAASlD,EAASuO,SAClC,UAAWhO,EAAEmJ,WAAW,GAAGa,YACU,iCAArChK,EAAEmJ,WAAW,GAAGa,WAAWwS,MAC3B5W,EAAI6W,MAAM,sEAGV7W,EAAI6W,MAAM,sEAGlBtV,EAAOvB,GAEXuB,EAAKyB,KAAO5I,EACZyD,EAAIzD,EAAE8I,IAAM3B,GACPnH,EAAE2C,OAASlD,EAASyJ,UAAYlJ,EAAE2C,OAASlD,EAASuO,WACpDgB,EACD,IAAK,IAAI1J,EAAK,EAAGiD,EAAKvI,EAAEmJ,WAAY7D,EAAKiD,EAAGrI,OAAQoF,IAAM,CACtD,IAAIoX,EAASnU,EAAGjD,GACZqX,EAAYN,EAAgBK,EAAQ,CACpC9W,IAAKA,EACLnC,IAAKA,EACLuL,WAAW,EACX2L,QAASA,EACT2B,YAAaA,EACb3C,MAAOA,IAENgD,GAIDD,EAAOzL,UAAYjP,EAAUmF,IAASA,EAAK5E,WAC3C4E,EAAK5E,WAAWsZ,YAAYc,GAG5BxV,EAAK0U,YAAYc,GAEjBL,GACAA,EAAYK,IAVZhQ,QAAQC,KAAK,oBAAqB8P,GAc9C,OAAOvV,EA+BX,SAASyV,EAAQ5c,EAAG8H,GAChB,IAAIlC,EAAMkC,EAAQlC,IAAKiX,EAAU/U,EAAQ+U,QAASza,EAAK0F,EAAQ6S,QAC3DmC,EAAY,GACZ3V,EAAOkV,EAAgBrc,EAAG,CAC1B4F,IAAKA,EACLnC,IAAKqZ,EACL9N,WAAW,EACX2L,aANqF,IAAPvY,GAAuBA,EAOrGka,YAPuHxU,EAAQwU,YAQ/H3C,MARoJ7R,EAAQ6R,QAgBhK,OA9CJ,SAAemD,EAAWD,GAItB,IAAK,IAAIE,KAAOD,EACRA,EAAUC,KAJJ5V,EAKD2V,EAAUC,GAJnBF,EAAQ1V,IADZ,IAAcA,EAuCd6V,CAAMF,GAAW,SAAUG,GACnBJ,GACAA,EAAQI,GAhCpB,SAAsB9V,GAClB,IAAInH,EAAImH,EAAKyB,KACb,GAAI5I,EAAE2C,OAASlD,EAASuO,QAAxB,CAGA,IAAI/F,EAAKd,EACT,IAAK,IAAI+V,KAAUld,EAAEgK,WACjB,GAAMhK,EAAEgK,WAAW3J,eAAe6c,IAAWA,EAAO/B,WAAW,OAA/D,CAGA,IAAIpa,EAAQf,EAAEgK,WAAWkT,GACV,kBAAXA,IACAjV,EAAGmF,WAAarM,GAEL,iBAAXmc,IACAjV,EAAGqF,UAAYvM,KAmBnBoc,CAAaF,MAEV,CAAC9V,EAAM2V,YEjlDFM,EACdza,EACA0a,EACAC,gBAAAA,YAEA,IAAMxV,EAAU,CAAEyV,SAAS,EAAMC,SAAS,GAE1C,OADAF,EAAO5L,iBAAiB/O,EAAM0a,EAAIvV,GAC3B,WAAM,OAAAwV,EAAOG,oBAAoB9a,EAAM0a,EAAIvV,aAGpC4V,IACd,MAAO,CACLja,IAAK,GACLka,eAAM3d,GAEJ,OAAKA,GAAMA,EAAE4I,KAGN5I,EAAE4I,KAAKE,IAFJ,GAIZ8U,iBAAQ9U,GACN,OAAOtI,KAAKiD,IAAIqF,IAAO,MAGzB+U,kBAAA,SAAkB7d,GAAlB,WACQ8I,EAAK9I,EAAE4I,MAAQ5I,EAAE4I,KAAKE,UACrBtI,KAAKiD,IAAIqF,GACZ9I,EAAEmJ,YACJnJ,EAAEmJ,WAAWoN,SAAQ,SAACmF,GACpB,OAAAoC,EAAKD,kBAAmBnC,OAI9BqC,aAAIjV,GACF,OAAOtI,KAAKiD,IAAIpD,eAAeyI,IAEjCkV,iBACExd,KAAKiD,IAAM,yBD/CLyV,EAAAA,cAAAA,0DAEVA,mBACAA,mCACAA,iDACAA,mBACAA,uBACAA,mDAwDUC,EAAAA,sBAAAA,kDAEVA,6BACAA,2CACAA,uBACAA,uCACAA,qBACAA,6BACAA,2CACAA,uCACAA,uCACAA,oBACAA,kBACAA,oBACAA,wEAkTUC,EAAAA,sBAAAA,gDAEVA,6BACAA,qBACAA,iCACAA,2BACAA,qBACAA,mBACAA,+BACAA,+CACAA,2BACAA,kCAGF,SAAYC,GACVA,kBACAA,qBACAA,uBAHF,CAAYA,IAAAA,OAuIZ,SAAkBC,GAChBA,mBACAA,qBACAA,uBACAA,mCAJF,CAAkBA,IAAAA,gCA2GNC,EAAAA,mBAAAA,oCAEVA,gBACAA,kBACAA,kBACAA,kBACAA,iDACAA,8CACAA,0CACAA,yBACAA,qBACAA,uCACAA,yBACAA,6BACAA,gBACAA,6BACAA,uBC1lBF,IAAM0E,EACJ,qOAsCcC,EACdC,EACAC,EACAtW,gBAAAA,MAEA,IAAIuW,EAAgD,KAChDC,EAAW,EAEf,OAAO,SAAUC,GACf,IAAIC,EAAMC,KAAKD,MACVF,IAAgC,IAApBxW,EAAQ4W,UACvBJ,EAAWE,GAEb,IAAIG,EAAYP,GAAQI,EAAMF,GAC1BM,EAAUpe,KACVqe,EAAO5e,UACP0e,GAAa,GAAKA,EAAYP,GAC5BC,IACFxM,aAAawM,GACbA,EAAU,MAEZC,EAAWE,EACXL,EAAK5d,MAAMqe,EAASC,IACVR,IAAgC,IAArBvW,EAAQgX,WAC7BT,EAAU1M,YAAW,WACnB2M,GAA+B,IAApBxW,EAAQ4W,QAAoB,EAAID,KAAKD,MAChDH,EAAU,KACVF,EAAK5d,MAAMqe,EAASC,KACnBF,cAKOI,EACdzB,EACAP,EACAiC,EACAC,EACA7N,gBAAAA,UAEA,IAAM8N,EAAW9N,EAAIzR,OAAOwf,yBAAyB7B,EAAQP,GAkB7D,OAjBA3L,EAAIzR,OAAO8W,eACT6G,EACAP,EACAkC,EACID,EACA,CACEzE,IAAA,SAAIxZ,GAAJ,WAEE4Q,YAAW,WACTqN,EAAEzE,IAAKja,KAAKwd,EAAM/c,KACjB,GACCme,GAAYA,EAAS3E,KACvB2E,EAAS3E,IAAIja,KAAKE,KAAMO,MAK7B,WAAM,OAAAge,EAAWzB,EAAQP,EAAKmC,GAAY,IAAI,aAIvCE,EAEdpM,EACA5M,EAEAiZ,GAEA,IACE,KAAMjZ,KAAQ4M,GACZ,OAAO,aAGT,IAAMsM,EAAWtM,EAAO5M,GAClBmZ,EAAUF,EAAYC,GAiB5B,MAZuB,mBAAZC,IACTA,EAAQnf,UAAYmf,EAAQnf,WAAa,GACzCT,OAAO6f,iBAAiBD,EAAS,CAC/BE,mBAAoB,CAClB7I,YAAY,EACZ7V,MAAOue,MAKbtM,EAAO5M,GAAQmZ,EAER,WACLvM,EAAO5M,GAAQkZ,GAEjB,SACA,OAAO,uBAMKI,IACd,OACEC,OAAOC,aACN1Z,SAAS2Z,iBAAmB3Z,SAAS2Z,gBAAgBC,cACrD5Z,SAAS6Z,MAAQ7Z,SAAS6Z,KAAKD,sBAIpBE,KACd,OACEL,OAAOM,YACN/Z,SAAS2Z,iBAAmB3Z,SAAS2Z,gBAAgBK,aACrDha,SAAS6Z,MAAQ7Z,SAAS6Z,KAAKG,qBAIpBC,GAAUhZ,EAAmBe,GAC3C,IAAKf,EACH,OAAO,EAET,GAAIA,EAAKlF,WAAakF,EAAKjF,aAAc,CACvC,IAAIke,GAAY,EAChB,GAA0B,iBAAflY,EAAyB,CAClC,QAAsCa,IAAjC5B,EAAqBkZ,QACxB,OAA2D,OAAnDlZ,EAAqBkZ,QAAQ,IAAMnY,GAE3CkY,EAAajZ,EAAqBG,UAAUC,SAASW,QAGtDf,EAAqBG,UAAUiP,SAAQ,SAAC9O,GACnCS,EAAWlD,KAAKyC,KAClB2Y,GAAY,MAIlB,OAAOA,GAAaD,GAAUhZ,EAAKQ,WAAYO,GAEjD,OAAIf,EAAKlF,SAAakF,EAAKS,UAElBuY,GAAUhZ,EAAKQ,WAAYO,YAKtBoY,GAAUtgB,GACxB,MAAI,SAAUA,IFxMG,IEyMPA,EAAY4I,KAAKE,YAObyX,GAAkBjD,EAAekD,GAC/C,GAAIre,EAAamb,GACf,OAAO,EAET,IAAMxU,EAAK0X,EAAO7C,MAAML,GACxB,OAAKkD,EAAOzC,IAAIjV,MAIdwU,EAAO3V,YACP2V,EAAO3V,WAAW1F,WAAaqb,EAAOtU,kBAKnCsU,EAAO3V,YAGL4Y,GAAmBjD,EAAO3V,WAAiC6Y,aAGpDC,GACdC,GAEA,OAAOpe,QAASoe,EAAqBC,yBAGvBC,GAASxP,gBAAAA,UACnB,aAAcA,IAAQA,EAAIyP,SAASzgB,UAAUmW,UAC/CnF,EAAIyP,SAASzgB,UAAUmW,QAAW1U,MAAMzB,UACrCmW,SAGD,iBAAkBnF,IAAQA,EAAI0P,aAAa1gB,UAAUmW,UACvDnF,EAAI0P,aAAa1gB,UAAUmW,QAAW1U,MAAMzB,UACzCmW,SAIAwK,KAAK3gB,UAAUmH,WAClBwZ,KAAK3gB,UAAUmH,SAAW,SAAkBJ,GAC1C,KAAM,KAAKlH,WACT,MAAM,IAAIgB,UAAU,0BAGtB,GACE,GAAIT,OAAS2G,EACX,OAAO,QAGDA,EAAOA,GAAQA,EAAKQ,YAE9B,OAAO,aAhPgB,CAC3BlE,IAAK,GACLka,iBAEE,OADAhR,QAAQpL,MAAM0c,IACN,GAEVL,mBAEE,OADAjR,QAAQpL,MAAM0c,GACP,MAETJ,6BACElR,QAAQpL,MAAM0c,IAEhBF,eAEE,OADApR,QAAQpL,MAAM0c,IACP,GAETD,iBACErR,QAAQpL,MAAM0c,KAGI,oBAAX0B,QAA0BA,OAAOqB,OAASrB,OAAOsB,UAC1DC,SAAU,IAAIF,MAAME,SAAS,CAC3BpH,aAAIwD,EAAQtJ,EAAMmN,GAIhB,MAHa,QAATnN,GACFrH,QAAQpL,MAAM0c,GAETgD,QAAQnH,IAAIwD,EAAQtJ,EAAMmN,OAkOvC,kBAWE,aACE3gB,KAAKwd,QA4KT,OAzKSoD,gBAAP,SAAWC,GACT,IAAMC,EAAiB9gB,KAAK+gB,QAAQzH,IAAIuH,EAASG,UAC3CC,EAAqB,CACzB3Y,GAAIuY,EAASla,KAAK2B,GAClBuY,WACAK,SAAU,GACVC,MAAO,GACP3X,WAAY,IAETsX,GAGHG,EAASvL,OAASoL,EAClBA,EAAeI,SAASD,EAAS3Y,IAAM2Y,GAHvCjhB,KAAKohB,KAAKH,EAAS3Y,IAAM2Y,EAK3BjhB,KAAK+gB,QAAQhH,IAAIkH,EAAS3Y,GAAI2Y,IAGzBL,mBAAP,SAAcC,EAA+Bb,GAA7C,WACQc,EAAiB9gB,KAAK+gB,QAAQzH,IAAIuH,EAASG,UAC3CC,EAAWjhB,KAAK+gB,QAAQzH,IAAIuH,EAASvY,IAErC+Y,EAAuB,SAAC/Y,GAC5BgV,EAAKgE,YAAYC,IAAIjZ,GACrB,IAAM3B,EAAOqZ,EAAO5C,QAAQ9U,GAC5B3B,MAAAA,GAAAA,EAAMgC,WAAWoN,SAAQ,SAACoG,GACpB,SAAUA,GACZkF,EAAuBlF,EAAgC/T,KAAKE,QAI5DkZ,EAA0B,SAAC7a,GAC/B2W,EAAKgE,YAAYC,IAAI5a,EAAK2B,IAC1BnJ,OAAO6U,OAAOrN,EAAKua,UAAUnL,SAAQ,SAACvW,GAAM,OAAAgiB,EAAwBhiB,MACpE,IAAMiiB,EAAYnE,EAAKyD,QAAQzH,IAAI3S,EAAK2B,IACxC,GAAImZ,EAAW,CACb,IAAMC,EAAkBD,EAAU/L,OAC9BgM,WACKD,EAAU/L,cACVgM,EAAgBR,SAASO,EAAUnZ,IAC1CgV,EAAKyD,QAAQY,OAAOd,EAASvY,OAK9B2Y,EAGOH,UAKHG,EAASvL,cACToL,EAAeI,SAASD,EAAS3Y,IACxCtI,KAAK+gB,QAAQY,OAAOd,EAASvY,IAC7BkZ,EAAwBP,YAPjBjhB,KAAKohB,KAAKH,EAAS3Y,IAC1BtI,KAAK+gB,QAAQY,OAAOV,EAAS3Y,IAC7BkZ,EAAwBP,KALxBjhB,KAAK4hB,oBAAoB9gB,KAAK+f,GAC9BQ,EAAqBR,EAASvY,MAa3BsY,iBAAP,SAAYC,GACV,IAAMI,EAAWjhB,KAAK+gB,QAAQzH,IAAIuH,EAASvY,IACvC2Y,EACFA,EAASE,MAAMrgB,KAAK+f,GAEpB7gB,KAAK6hB,cAAc/gB,KAAK+f,IAIrBD,sBAAP,SAAiBC,GACf,IAAMI,EAAWjhB,KAAK+gB,QAAQzH,IAAIuH,EAASvY,IACvC2Y,EACFA,EAASzX,WAAW1I,KAAK+f,GAEzB7gB,KAAK8hB,mBAAmBhhB,KAAK+f,IAI1BD,mBAAP,SAAcpC,GACZxe,KAAK+hB,UAAUhI,IAAIyE,EAAElW,GAAIkW,IAGpBoC,kBAAP,SAAapC,GACXxe,KAAKgiB,SAASjI,IAAIyE,EAAElW,GAAIkW,IAGnBoC,kBAAP,8BAKQ7Y,EAKF/H,KAJFohB,SACAQ,wBACAC,kBACAC,uBAGIG,EAAkC,CACtCzP,OAAQmG,oBAAkBuJ,SAC1BC,QAASP,EACTT,MAAOU,EACPrY,WAAYsY,EACZM,KAAM,IAGFC,EAAO,SAACpB,EAAoBqB,GAC5BA,GACFhF,EAAKgE,YAAYC,IAAIN,EAAS3Y,IAEhC2Z,EAAkBd,MAAQc,EAAkBd,MACzC5f,OAAO+gB,EAAU,GAAKrB,EAASE,OAC/B1H,QAAO,SAACpZ,GAAM,OAACid,EAAKgE,YAAY/D,IAAIld,EAAEiI,OACzC2Z,EAAkBzY,WAAayY,EAAkBzY,WAC9CjI,OAAO+gB,EAAU,GAAKrB,EAASzX,YAC/BiQ,QAAO,SAACpZ,GAAM,OAACid,EAAKgE,YAAY/D,IAAIld,EAAEiI,OAEtCgV,EAAKgE,YAAY/D,IAAI0D,EAAS3Y,KAC9BgV,EAAKgE,YAAY/D,IAAI0D,EAASJ,SAASG,WACvCsB,EAODnjB,OAAO6U,OAAOiN,EAASC,UAAUnL,SAAQ,SAACvW,GAAM,OAAA6iB,EAAK7iB,GAAG,OALxDyiB,EAAkBG,KAAKthB,KAAKmgB,EAASJ,UACjCI,EAASC,UACX/hB,OAAO6U,OAAOiN,EAASC,UAAUnL,SAAQ,SAACvW,GAAM,OAAA6iB,EAAK7iB,GAAG,QAO9DL,OAAO6U,OAAOoN,GAAMrL,SAAQ,SAACvW,GAAM,OAAA6iB,EAAK7iB,GAAG,UAE3C,IAAiB,IAAA+J,EAAAtJ,EAAAD,KAAK+hB,UAAUlM,sCAAQ,CAAnC,IAAMvN,UACLtI,KAAKshB,YAAY/D,IAAIjV,IACvBtI,KAAK+hB,UAAUJ,OAAOrZ,yGAG1B,IAAiB,IAAA0E,EAAA/M,EAAAD,KAAKgiB,SAASnM,sCAAQ,CAA5BvN,UACLtI,KAAKshB,YAAY/D,IAAIjV,IACvBtI,KAAKgiB,SAASL,OAAOrZ,qGAIzB,IAAMyZ,EAAY,IAAI9H,IAAIja,KAAK+hB,WACzBC,EAAW,IAAI/H,IAAIja,KAAKgiB,UAI9B,OAFAhiB,KAAKwd,QAEE,CACL+E,aAAcN,EACdF,YACAC,aAIIpB,kBAAR,WACE5gB,KAAKohB,KAAO,GACZphB,KAAK+gB,QAAU,IAAI9G,IACnBja,KAAK4hB,oBAAsB,GAC3B5hB,KAAK6hB,cAAgB,GACrB7hB,KAAK8hB,mBAAqB,GAC1B9hB,KAAKshB,YAAc,IAAIkB,IACvBxiB,KAAK+hB,UAAY,IAAI9H,IACrBja,KAAKgiB,SAAW,IAAI/H,KAGf2G,sBAAP,SAAiBtY,GACf,OAAOtI,KAAKshB,YAAY/D,IAAIjV,kBAUhBma,GAAoBC,WAC5BC,EAA4C,GAC5CC,EAAa,SACjBviB,EACAqV,GAEA,IAAMmN,EAA0B,CAC9BtiB,MAAOF,EACPqV,SACAwL,SAAU,IAGZ,OADAyB,EAAatiB,EAAEsG,KAAK2B,IAAMua,EACnBA,GAGHC,EAAgC,OACtC,IAAuB,IAAAC,EAAA9iB,EAAAyiB,iCAAO,CAAzB,IAAM7B,UACDmC,EAAqBnC,SAAbG,EAAaH,WAC7B,GAAImC,GAAUA,KAAUL,EAAxB,CACE,IAAMM,EAAaN,EAAaK,GAChC,GAAIC,EAAWvN,OAAQ,CACrB,IAAMwN,EAAMD,EAAWvN,OAAOwL,SAASzc,QAAQwe,GAC/CA,EAAWvN,OAAOwL,SAASiC,OACzBD,EACA,EACAN,EAAW/B,EAAUoC,EAAWvN,aAE7B,CACCwN,EAAMJ,EAAere,QAAQwe,GACnCH,EAAeK,OAAOD,EAAK,EAAGN,EAAW/B,EAAU,aAIvD,GAAIG,KAAY2B,EAAhB,CACE,IAAMS,EAAeT,EAAa3B,GAClCoC,EAAalC,SAASpgB,KAAK8hB,EAAW/B,EAAUuC,SAGlDN,EAAehiB,KAAK8hB,EAAW/B,EAAU,yGAG3C,OAAOiC,WAGOO,GACdjC,EACAkC,GAEAA,EAAGlC,EAAK7gB,OAMR,IAAK,IAAIhB,EAAI6hB,EAAKF,SAASxhB,OAAS,EAAGH,GAAK,EAAGA,IAC7C8jB,GAAmBjC,EAAKF,SAAS3hB,GAAI+jB,YAYzBC,GACd5c,GAEA,MAAI,SAAUA,IAEVA,EAAKyB,KAAKjG,OAASlD,EAASuO,SAAiC,WAAtB7G,EAAKyB,KAAKlG,kBAOvCshB,GACd7c,EACA8c,WAEMC,sBAAe/c,EAAKgd,oCAAeC,kCAAaF,aACtD,IAAKA,GAAgBA,IAAiBD,EACpC,MAAO,CACLjZ,EAAG,EACHE,EAAG,EACHmZ,cAAe,EACfC,cAAe,GAInB,IAAMC,EAAiBL,EAAazW,wBAC9B+W,EAAqBR,GAAiBE,EAAcD,GAEpDI,EAAgBE,EAAepZ,OAAS+Y,EAAapE,aAC3D,MAAO,CACL9U,EACEuZ,EAAevZ,EAAIwZ,EAAmBH,cACtCG,EAAmBxZ,EACrBE,EACEqZ,EAAerZ,EAAIsZ,EAAmBH,cACtCG,EAAmBtZ,EACrBmZ,gBACAC,cAAeE,EAAmBF,cAAgBD,YAItCI,GACdzkB,GAEA,OAAOsC,QAAUtC,MAAAA,SAAAA,EAA2BuC,qWCjlB9C,SAASmiB,GAAmB1kB,GAC1B,MAAO,SAAUA,EAEnB,kBAAA,aACSQ,YAAS,EACTA,UAAoC,KAyE7C,OAvESmkB,gBAAP,SAAWjS,GACT,GAAIA,GAAYlS,KAAKN,OACnB,MAAM,IAAIkT,MAAM,kCAIlB,IADA,IAAIwR,EAAUpkB,KAAKqkB,KACV3K,EAAQ,EAAGA,EAAQxH,EAAUwH,IACpC0K,GAAUA,MAAAA,SAAAA,EAAS9jB,OAAQ,KAE7B,OAAO8jB,GAGFD,oBAAP,SAAe3kB,GACb,IAAMmH,EAA6B,CACjCpG,MAAOf,EACPse,SAAU,KACVxd,KAAM,MAGR,GADCd,EAAuB8kB,KAAO3d,EAC3BnH,EAAEuO,iBAAmBmW,GAAmB1kB,EAAEuO,iBAAkB,CAC9D,IAAMqW,EAAU5kB,EAAEuO,gBAAgBuW,KAAKhkB,KACvCqG,EAAKrG,KAAO8jB,EACZzd,EAAKmX,SAAWte,EAAEuO,gBAAgBuW,KAClC9kB,EAAEuO,gBAAgBuW,KAAKhkB,KAAOqG,EAC1Byd,IACFA,EAAQtG,SAAWnX,QAEhB,GACLnH,EAAEsO,aACFoW,GAAmB1kB,EAAEsO,cACrBtO,EAAEsO,YAAYwW,KAAKxG,SACnB,CACMsG,EAAU5kB,EAAEsO,YAAYwW,KAAKxG,SACnCnX,EAAKmX,SAAWsG,EAChBzd,EAAKrG,KAAOd,EAAEsO,YAAYwW,KAC1B9kB,EAAEsO,YAAYwW,KAAKxG,SAAWnX,EAC1Byd,IACFA,EAAQ9jB,KAAOqG,QAGb3G,KAAKqkB,OACPrkB,KAAKqkB,KAAKvG,SAAWnX,GAEvBA,EAAKrG,KAAON,KAAKqkB,KACjBrkB,KAAKqkB,KAAO1d,EAEd3G,KAAKN,UAGAykB,uBAAP,SAAkB3kB,GAChB,IAAM4kB,EAAU5kB,EAAE8kB,KACbtkB,KAAKqkB,OAILD,EAAQtG,UAMXsG,EAAQtG,SAASxd,KAAO8jB,EAAQ9jB,KAC5B8jB,EAAQ9jB,OACV8jB,EAAQ9jB,KAAKwd,SAAWsG,EAAQtG,YAPlC9d,KAAKqkB,KAAOD,EAAQ9jB,KAChBN,KAAKqkB,OACPrkB,KAAKqkB,KAAKvG,SAAW,OAQrBte,EAAE8kB,aACI9kB,EAAyC8kB,KAEnDtkB,KAAKN,gBAIH6kB,GAAU,SAACjc,EAAY0Y,GAAqB,MAAA,UAAG1Y,cAAM0Y,IAC3D,SAASwD,GAAQhlB,GACf,MAAO,SAAUA,EAMnB,kBAAA,aAAA,WACUQ,aAAkB,EAClBA,aAAkB,EAElBA,WAAsB,GACtBA,gBAAgC,GAChCA,aAAiC,GACjCA,gBAAqB,GAErBA,cAAiC,GAmBjCA,cAAW,IAAIwiB,IACfxiB,cAAW,IAAIwiB,IACfxiB,gBAAa,IAAIwiB,IA4ElBxiB,sBAAmB,SAACykB,GACzBA,EAAU1O,QAAQuH,EAAKoH,iBACvBpH,EAAKqH,QAGA3kB,UAAO,uBACZ,IAAIsd,EAAKsH,SAAUtH,EAAKuH,OAAxB,CAsFA,IA/EA,IAAMzC,EAA4B,GAM5B0C,EAAU,IAAIX,GACdY,EAAY,SAACvlB,GAGjB,IAFA,IAAIwlB,EAAkBxlB,EAClBwjB,GHxMS,GAAA,IGyMNA,GAELA,GADAgC,EAAKA,GAAMA,EAAGlX,cACCwP,EAAK0C,OAAO7C,MAAO6H,GAEpC,OAAOhC,GAEHiC,EAAU,SAACzlB,GAMf,kBALM0lB,EAA6B1lB,EAAE2lB,sBAChC3lB,EAAE2lB,oCAA8BtjB,KACjC,KAEAujB,EAAiBF,sBACbE,MAAAA,SAAAA,EAAgBD,gEAA4CtjB,MAClEujB,uBACGA,MAAAA,SAAAA,EAAgBD,gEAA4CtjB,OAC7D,KAEJ,IAAMwjB,IACH/H,EAAKlY,IAAI2B,SAASvH,IACC,OAAnB4lB,GAA4B9H,EAAKlY,IAAI2B,SAASqe,IACjD,GAAK5lB,EAAE2H,aAAcke,EAArB,CAGA,IAAMrE,EAAWrf,EAAanC,EAAE2H,YAC5BmW,EAAK0C,OAAO7C,MAAO+H,GACnB5H,EAAK0C,OAAO7C,MAAO3d,EAAE2H,YACnB6b,EAAS+B,EAAUvlB,GACzB,IAAkB,IAAdwhB,IAA+B,IAAZgC,EACrB,OAAO8B,EAAQQ,QAAQ9lB,GAEzB,IAAI0P,EAAKX,EAAoB/O,EAAG,CAC9B4F,IAAKkY,EAAKlY,IACVnC,IAAKqa,EAAK0C,OAAO/c,IACjByE,WAAY4V,EAAK5V,WACjBC,cAAe2V,EAAK3V,cACpBf,cAAe0W,EAAK1W,cACpBC,iBAAkByW,EAAKzW,iBACvB2H,WAAW,EACX5G,iBAAkB0V,EAAK1V,iBACvB3F,iBAAkBqb,EAAKrb,iBACvB6F,WAAYwV,EAAKxV,WACjB1F,YAAakb,EAAKlb,YAClBqM,eAAgB6O,EAAK7O,eACrBvG,aAAcoV,EAAKpV,aACnBD,aAAcqV,EAAKrV,aACnByG,YAAa,SAAC6W,GACRhC,GAAcgC,IAChBjI,EAAKkI,cAAcC,UAAUF,GAE3BtB,GAAczkB,IAChB8d,EAAKoI,iBAAiBC,cAAcnmB,EAAEuC,WAAY2D,WAGtDiJ,aAAc,SAACiX,EAAQC,GACrBvI,EAAKkI,cAAcM,aAAaF,EAAQC,GACxCvI,EAAKoI,iBAAiBK,oBACnBH,MAIH1W,GACFkT,EAAKthB,KAAK,CACRkgB,WACAgC,SACArc,KAAMuI,MAKLoO,EAAK0I,WAAWtmB,QACrB4d,EAAK0C,OAAO3C,kBAAkBC,EAAK0I,WAAWC,aAGhD,IAAgB,IAAAle,EAAA9H,EAAAqd,EAAK4I,wCAAU,CAA1B,IAAM1mB,UAEP2mB,GAAgB7I,EAAK6E,QAAS3iB,EAAG8d,EAAK0C,UACrC1C,EAAK4I,SAAS3I,IAAI/d,EAAE2H,aAIvB8d,EAAQzlB,yGAGV,IAAgB,IAAAiK,EAAAxJ,EAAAqd,EAAK8I,wCAAU,CAApB5mB,UAEN6mB,GAAgB/I,EAAKgJ,WAAY9mB,IACjC2mB,GAAgB7I,EAAK6E,QAAS3iB,EAAG8d,EAAK0C,QAG9BqG,GAAgB/I,EAAK4I,SAAU1mB,GACxCylB,EAAQzlB,GAER8d,EAAKgJ,WAAW/E,IAAI/hB,GAJpBylB,EAAQzlB,qGASZ,IADA,IAAI+mB,EAAyC,KACtCzB,EAAQplB,QAAQ,CACrB,IAAIiH,EAAoC,KACxC,GAAI4f,EAAW,CACb,IAAMvF,EAAW1D,EAAK0C,OAAO7C,MAC1BoJ,EAAUhmB,MAAM4G,YAEb6b,EAAS+B,EAAUwB,EAAUhmB,QACjB,IAAdygB,IAA+B,IAAZgC,IACrBrc,EAAO4f,GAGX,IAAK5f,EACH,IAAK,IAAI+S,EAAQoL,EAAQplB,OAAS,EAAGga,GAAS,EAAGA,IAAS,CACxD,IAAM8M,EAAQ1B,EAAQxL,IAAII,GAE1B,GAAI8M,EAAO,CACHxF,EAAW1D,EAAK0C,OAAO7C,MAC1BqJ,EAAMjmB,MAAM4G,YAET6b,EAAS+B,EAAUyB,EAAMjmB,OAC/B,IAAkB,IAAdygB,IAA+B,IAAZgC,EAAe,CACpCrc,EAAO6f,EACP,QAKR,IAAK7f,EAAM,CAMT,KAAOme,EAAQT,MACbS,EAAQ2B,WAAW3B,EAAQT,KAAK9jB,OAElC,MAEFgmB,EAAY5f,EAAKmX,SACjBgH,EAAQ2B,WAAW9f,EAAKpG,OACxB0kB,EAAQte,EAAKpG,OAGf,IAAMmmB,EAAU,CACdvF,MAAO7D,EAAK6D,MACTle,KAAI,SAACZ,GAAS,OACbiG,GAAIgV,EAAK0C,OAAO7C,MAAM9a,EAAKsE,MAC3BpG,MAAO8B,EAAK9B,UAGbkZ,QAAO,SAACpX,GAAS,OAAAib,EAAK0C,OAAOzC,IAAIlb,EAAKiG,OACzCkB,WAAY8T,EAAK9T,WACdvG,KAAI,SAAC0jB,GAAc,OAClBre,GAAIgV,EAAK0C,OAAO7C,MAAMwJ,EAAUhgB,MAChC6C,WAAYmd,EAAUnd,eAGvBiQ,QAAO,SAACkN,GAAc,OAAArJ,EAAK0C,OAAOzC,IAAIoJ,EAAUre,OACnD6Z,QAAS7E,EAAK6E,QACdC,SAICsE,EAAQvF,MAAMzhB,QACdgnB,EAAQld,WAAW9J,QACnBgnB,EAAQvE,QAAQziB,QAChBgnB,EAAQtE,KAAK1iB,UAMhB4d,EAAK6D,MAAQ,GACb7D,EAAK9T,WAAa,GAClB8T,EAAK6E,QAAU,GACf7E,EAAK8I,SAAW,IAAI5D,IACpBlF,EAAK4I,SAAW,IAAI1D,IACpBlF,EAAKgJ,WAAa,IAAI9D,IACtBlF,EAAKsJ,SAAW,GAEhBtJ,EAAKuJ,WAAWH,MAGV1mB,qBAAkB,SAACK,eACzB,IAAIyf,GAAUzf,EAAEyc,QAGhB,OAAQzc,EAAE8B,MACR,IAAK,gBACH,IAAM5B,EAAQF,EAAEyc,OAAO7S,YAClB0V,GAAUtf,EAAEyc,OAAQQ,EAAK5V,aAAenH,IAAUF,EAAEymB,UACvDxJ,EAAK6D,MAAMrgB,KAAK,CACdP,MACEmG,EACErG,EAAEyc,OACFQ,EAAK1W,cACL0W,EAAKzW,mBACFtG,EACD+c,EAAKxV,WACHwV,EAAKxV,WAAWvH,GAChBA,EAAMuD,QAAQ,QAAS,KACzBvD,EACNoG,KAAMtG,EAAEyc,SAGZ,MAEF,IAAK,aACH,IAAMA,EAASzc,EAAEyc,OACbvc,EAASF,EAAEyc,OAAuBiK,aAAa1mB,EAAE2mB,eAUrD,GATwB,UAApB3mB,EAAE2mB,gBACJzmB,EAAQyB,EAAe,CACrBC,iBAAkBqb,EAAKrb,iBACvBC,QAAU7B,EAAEyc,OAAuB5a,QACnCC,KAAO9B,EAAEyc,OAAuBiK,aAAa,QAC7CxmB,QACA6B,YAAakb,EAAKlb,eAGlBud,GAAUtf,EAAEyc,OAAQQ,EAAK5V,aAAenH,IAAUF,EAAEymB,SACtD,OAEF,IAAIG,EAAoC3J,EAAK9T,WAAWK,MACtD,SAACtE,GAAM,OAAAA,EAAEoB,OAAStG,EAAEyc,UAStB,GAPKmK,IACHA,EAAO,CACLtgB,KAAMtG,EAAEyc,OACRtT,WAAY,IAEd8T,EAAK9T,WAAW1I,KAAKmmB,IAEC,UAApB5mB,EAAE2mB,cAA2B,CAC/B,IAAME,EAAM5J,EAAKlY,IAAII,cAAc,QAC/BnF,EAAEymB,UACJI,EAAIrM,aAAa,QAASxa,EAAEymB,eAGFve,IAA1B0e,EAAKzd,WAAWoL,OACU,OAA1BqS,EAAKzd,WAAWoL,QAEhBqS,EAAKzd,WAAWoL,MAAQ,IAE1B,IAAMuS,EAAWF,EAAKzd,WAAWoL,UACjC,IAAoB,IAAA7M,EAAA9H,EAAAoB,MAAMH,KAAK4b,EAAOlI,sCAAQ,CAAzC,IAAMwS,UACHC,EAAWvK,EAAOlI,MAAM0S,iBAAiBF,GACzCG,EAAczK,EAAOlI,MAAM4S,oBAAoBJ,GAEnDC,IAAaH,EAAItS,MAAM0S,iBAAiBF,IACxCG,IAAgBL,EAAItS,MAAM4S,oBAAoBJ,KAG5CD,EAASC,GADS,KAAhBG,EACgBF,EAEA,CAACA,EAAUE,0GAInC,IAAoB,IAAA9d,EAAAxJ,EAAAoB,MAAMH,KAAKgmB,EAAItS,sCAAQ,CAAhCwS,UACoC,KAAzCtK,EAAOlI,MAAM0S,iBAAiBF,KAEhCD,EAASC,IAAS,2GAKtBH,EAAKzd,WAAWnJ,EAAE2mB,eAAkBrhB,EAClC2X,EAAKlY,IACJ/E,EAAEyc,OAAuB5a,QAC1B7B,EAAE2mB,cACFzmB,GAGJ,MAEF,IAAK,YACHF,EAAEonB,WAAW1R,SAAQ,SAACvW,GAAM,OAAA8d,EAAKoK,QAAQloB,EAAGa,EAAEyc,WAC9Czc,EAAEsnB,aAAa5R,SAAQ,SAACvW,GACtB,IAAMooB,EAAStK,EAAK0C,OAAO7C,MAAM3d,GAC3BwhB,EAAWrf,EAAatB,EAAEyc,QAC5BQ,EAAK0C,OAAO7C,MAAO9c,EAAEyc,OAAOjb,MAC5Byb,EAAK0C,OAAO7C,MAAM9c,EAAEyc,QACpB6C,GAAUtf,EAAEyc,OAAQQ,EAAK5V,aAAeoY,GAAUtgB,KAIlD8d,EAAK8I,SAAS7I,IAAI/d,IACpBqoB,GAAWvK,EAAK8I,SAAU5mB,GAC1B8d,EAAKgJ,WAAW/E,IAAI/hB,IACX8d,EAAK8I,SAAS7I,IAAIld,EAAEyc,UAAuB,IAAZ8K,GAQ/B7H,GAAkB1f,EAAEyc,OAAiBQ,EAAK0C,UAQnD1C,EAAK4I,SAAS3I,IAAI/d,IAClB8d,EAAKsJ,SAASrC,GAAQqD,EAAQ5G,IAE9B6G,GAAWvK,EAAK4I,SAAU1mB,GAE1B8d,EAAK6E,QAAQrhB,KAAK,CAChBkgB,WACA1Y,GAAIsf,EACJnX,WAAU9O,EAAatB,EAAEyc,cAAiBvU,KAG9C+U,EAAK0I,WAAWllB,KAAKtB,SASrBQ,aAAU,SAACR,EAAiBsd,GAElC,IAAIA,IAAU6C,GAAU7C,EAAQQ,EAAK5V,YAArC,CAGA,GAAI8c,GAAQhlB,GAAI,CACd,GAAIsgB,GAAUtgB,GACZ,OAEF8d,EAAK4I,SAAS3E,IAAI/hB,GAClB,IAAIsoB,EAA0B,KAC1BhL,GAAU0H,GAAQ1H,KACpBgL,EAAWhL,EAAO1U,KAAKE,IAErBwf,IACFxK,EAAKsJ,SAASrC,GAAQ/kB,EAAE4I,KAAKE,GAAIwf,KAAa,QAGhDxK,EAAK8I,SAAS7E,IAAI/hB,GAClB8d,EAAKgJ,WAAW3E,OAAOniB,GAKpBmgB,GAAUngB,EAAG8d,EAAK5V,aACrBlI,EAAEmJ,WAAWoN,SAAQ,SAACmG,GAAW,OAAAoB,EAAKoK,QAAQxL,QAEpD,OA5aS6L,iBAAP,SAAYzgB,GAAZ,WACG,CACC,aACA,aACA,gBACA,gBACA,mBACA,mBACA,mBACA,aACA,cACA,eACA,eACA,iBACA,MACA,SACA,gBACA,mBACA,iBACUyO,SAAQ,SAACwG,GAEnBe,EAAKf,GAAOjV,EAAQiV,OAIjBwL,mBAAP,WACE/nB,KAAK4kB,QAAS,EACd5kB,KAAKgoB,cAAcC,UAGdF,qBAAP,WACE/nB,KAAK4kB,QAAS,EACd5kB,KAAKgoB,cAAcE,WACnBloB,KAAK2kB,QAGAoD,qBAAP,WACE,OAAO/nB,KAAK4kB,QAGPmD,iBAAP,WACE/nB,KAAK6kB,QAAS,EACd7kB,KAAKgoB,cAAcG,QAGdJ,mBAAP,WACE/nB,KAAK6kB,QAAS,EACd7kB,KAAKgoB,cAAcI,SACnBpoB,KAAK2kB,QAGAoD,kBAAP,WACE/nB,KAAK0lB,iBAAiBlI,QACtBxd,KAAKgoB,cAAcxK,cA+XvB,SAASqK,GAAWQ,EAAoB7oB,GACtC6oB,EAAQ1G,OAAOniB,GACfA,EAAEmJ,WAAWoN,SAAQ,SAACmG,GAAW,OAAA2L,GAAWQ,EAASnM,MAGvD,SAASiK,GACPhE,EACA3iB,EACAwgB,GAEQ,IAAA7Y,EAAe3H,aACvB,IAAK2H,EACH,OAAO,EAET,IAAM6Z,EAAWhB,EAAO7C,MAAOhW,GAC/B,QAAIgb,EAAQhX,MAAK,SAACxK,GAAM,OAAAA,EAAE2H,KAAO0Y,MAG1BmF,GAAgBhE,EAAShb,EAAY6Y,GAG9C,SAASqG,GAAgBtM,EAAgBva,GAC/B,IAAA2H,EAAe3H,aACvB,QAAK2H,MAGD4S,EAAIwD,IAAIpW,IAGLkf,GAAgBtM,EAAK5S,IChlBvB,IAAMmhB,GAAoC,GAE3CC,GAAwD,oBAApBC,gBACpCC,GAAkD,oBAAjBC,aACjCC,GAAwD,oBAApBC,gBACpCC,GAA0D,oBAArBC,iBAO3C,SAASC,GAAe7I,GACtB,IACE,GAAI,iBAAkBA,EAAO,CAC3B,IAAM8I,EAAO9I,EAAM+I,eACnB,GAAID,EAAKtpB,OACP,OAAOspB,EAAK,QAET,GAAI,SAAU9I,GAASA,EAAM8I,KAAKtpB,OACvC,OAAOwgB,EAAM8I,KAAK,GAEpB,OAAO9I,EAAMpD,OACb,SACA,OAAOoD,EAAMpD,iBAIDoM,GACd5hB,EACA6hB,WAEMC,EAAiB,IAAIrB,GAC3BO,GAAgBxnB,KAAKsoB,GAErBA,EAAeC,KAAK/hB,GACpB,IAAIgiB,EACFnK,OAAOoK,kBASNpK,OAA4CqK,qBACzCC,6BAAqBtK,iBAAAA,cAAAA,OAAkCuK,2BAAMC,wCACjE,oBAGAF,GACEtK,OACAsK,KAGFH,EAAyBnK,OAGtBsK,IAEL,IAAMG,EAAW,IAAIN,EACnBF,EAAeS,iBAAiBC,KAAKV,IAUvC,OARAQ,EAASG,QAAQZ,EAAQ,CACvB3f,YAAY,EACZwgB,mBAAmB,EACnBC,eAAe,EACfC,uBAAuB,EACvBC,WAAW,EACXC,SAAS,IAEJR,EAkFT,SAASS,GAA6BzoB,OACpC0oB,uBACAllB,QACA4a,WACAtY,eACA6iB,aAEA,IAAkC,IAA9BA,EAASC,iBACX,OAAO,aAET,IAAMC,GAC0B,IAA9BF,EAASC,uBACqBjiB,IAA9BgiB,EAASC,iBACL,GACAD,EAASC,iBAETE,EAA8B,GAiCpC,OAZAvrB,OAAO0W,KAAK+C,qBACTa,QACC,SAAC8C,GACC,OAAAoO,OAAOC,MAAMD,OAAOpO,MACnBA,EAAIjN,SAAS,eACM,IAApBmb,EAAWlO,MAEdxG,SAAQ,SAAC8U,GACR,IAAMC,EAAYD,EAASvoB,cACrByoB,EA7BS,SAACF,GAClB,OAAO,SAAC3K,GACN,IAAMpD,EAASiM,GAAe7I,GAC9B,IAAIP,GAAU7C,EAAgBpV,GAA9B,CAGA,IAAM9G,EAAIqf,GAAaC,GAASA,EAAMC,eAAe,GAAKD,EAC1D,GAAKtf,EAAL,CAGA,IAAM0H,EAAK0X,EAAO7C,MAAML,GAChBkO,EAAqBpqB,UAAZqqB,EAAYrqB,UAC7B0pB,EAAmB,CACjBnoB,KAAMyW,oBAAkBiS,GACxBviB,KACAkC,EAAGwgB,EACHtgB,EAAGugB,OAaWC,CAAWL,GAC3BH,EAAS5pB,KAAK8b,EAAGkO,EAAWC,EAAS3lB,OAElC,WACLslB,EAAS3U,SAAQ,SAACoV,GAAM,OAAAA,iBAIZC,GAAmBxpB,OACjCypB,aACAjmB,QACA4a,WACAtY,eA2BA,OAAOkV,EAAG,SArBac,GAAkB,SAAC4N,GACxC,IAAMxO,EAASiM,GAAeuC,GAC9B,GAAKxO,IAAU6C,GAAU7C,EAAgBpV,GAAzC,CAGA,IAAMY,EAAK0X,EAAO7C,MAAML,GACxB,GAAIA,IAAW1X,EAAK,CAClB,IAAMmmB,EAAYnmB,EAAIomB,kBAAoBpmB,EAAIia,gBAC9CgM,EAAS,CACP/iB,KACAkC,EAAG+gB,EAAS3e,WACZlC,EAAG6gB,EAASze,iBAGdue,EAAS,CACP/iB,KACAkC,EAAIsS,EAAuBlQ,WAC3BlC,EAAIoS,EAAuBhQ,0BAGrB2e,QAAU,KACcrmB,GAuBtC,SAASsmB,GACP1V,EACA2V,GAEA,IAAMprB,OAAayV,GAEnB,OADK2V,UAAeprB,EAAMqrB,cACnBrrB,EAGF,IAAMsrB,GAAa,CAAC,QAAS,WAAY,UAC1CC,GAAsD,IAAIC,QA6IhE,SAASC,GAA0B5oB,GAyBjC,OAvBA,SAAiB6oB,EAAoBpmB,GACnC,GACG0iB,IACC0D,EAAUC,sBAAsB1D,iBACjCC,IACCwD,EAAUC,sBAAsBxD,cACjCC,IACCsD,EAAUC,sBAAsBtD,iBACjCC,IACCoD,EAAUC,sBAAsBpD,iBAClC,CACA,IAGMpP,EAHQrY,MAAMH,KACjB+qB,EAAUC,WAA+BlpB,UAExByB,QAAQwnB,GAC5BpmB,EAAIsmB,QAAQzS,OACP,CAECA,EADQrY,MAAMH,KAAK+qB,EAAUG,iBAAkBppB,UACjCyB,QAAQwnB,GAC5BpmB,EAAIsmB,QAAQzS,GAEd,OAAO7T,EAEFwmB,CAAQjpB,EAxBa,aAkWdkpB,GACdpsB,EACAqsB,wBAAAA,MAEA,IAAMC,EAAgBtsB,EAAEkF,IAAIwe,YAC5B,IAAK4I,EACH,OAAO,cAxFX,SAAoBtsB,EAAkBqsB,GAElC,IAAA1F,EAWE3mB,aAVFusB,EAUEvsB,cATFoqB,EASEpqB,qBARFmrB,EAQEnrB,WAPFwsB,EAOExsB,mBANFysB,EAMEzsB,UALF0sB,EAKE1sB,qBAJF2sB,EAIE3sB,mBAHF4sB,EAGE5sB,qBAFF6sB,EAEE7sB,mBADF8sB,EACE9sB,SACJA,EAAE2mB,WAAa,eAAC,aAAA/hB,mBAAAA,IAAAnF,kBACV4sB,EAAM1L,UACR0L,EAAM1L,eAAN0L,SAAkB5sB,QAEpBknB,sBAAclnB,SAEhBO,EAAEusB,YAAc,eAAC,aAAA3nB,mBAAAA,IAAAnF,kBACX4sB,EAAMU,WACRV,EAAMU,gBAANV,SAAmB5sB,QAErB8sB,sBAAe9sB,SAEjBO,EAAEoqB,mBAAqB,eAAC,aAAAxlB,mBAAAA,IAAAnF,kBAClB4sB,EAAM/B,kBACR+B,EAAM/B,uBAAN+B,SAA0B5sB,QAE5B2qB,sBAAsB3qB,SAExBO,EAAEmrB,SAAW,eAAC,aAAAvmB,mBAAAA,IAAAnF,kBACR4sB,EAAMd,QACRc,EAAMd,aAANc,SAAgB5sB,QAElB0rB,sBAAY1rB,SAEdO,EAAEwsB,iBAAmB,eAAC,aAAA5nB,mBAAAA,IAAAnF,kBAChB4sB,EAAMW,gBACRX,EAAMW,qBAANX,SAAwB5sB,QAE1B+sB,sBAAoB/sB,SAEtBO,EAAEysB,QAAU,eAAC,aAAA7nB,mBAAAA,IAAAnF,kBACP4sB,EAAMY,OACRZ,EAAMY,YAANZ,SAAe5sB,QAEjBgtB,sBAAWhtB,SAEbO,EAAE0sB,mBAAqB,eAAC,aAAA9nB,mBAAAA,IAAAnF,kBAClB4sB,EAAMa,iBACRb,EAAMa,sBAANb,SAAyB5sB,QAE3BitB,sBAAsBjtB,SAExBO,EAAE2sB,iBAAmB,eAAC,aAAA/nB,mBAAAA,IAAAnF,kBAChB4sB,EAAMc,gBACRd,EAAMc,qBAANd,SAAwB5sB,QAE1BktB,sBAAoBltB,SAEtBO,EAAE4sB,mBAAqB,eAAC,aAAAhoB,mBAAAA,IAAAnF,kBAClB4sB,EAAMe,kBACRf,EAAMe,uBAANf,SAA0B5sB,QAE5BmtB,sBAAsBntB,SAExBO,EAAE6sB,iBAAmB,eAAC,aAAAjoB,mBAAAA,IAAAnF,kBAChB4sB,EAAMgB,gBACRhB,EAAMgB,qBAANhB,SAAwB5sB,QAE1BotB,sBAAoBptB,SAEtBO,EAAE8sB,OAAS,eAAC,aAAAloB,mBAAAA,IAAAnF,kBACN4sB,EAAMiB,MACRjB,EAAMiB,WAANjB,SAAc5sB,QAEhBqtB,sBAAUrtB,SAaZ8tB,CAAWvtB,EAAGqsB,GACd,IAAMmB,EAAmBxE,GAAqBhpB,EAAGA,EAAEkF,KAC7CuoB,EAhsBR,SAA0B/rB,OACxB6qB,gBACAlC,aACAnlB,QACA4a,WAEA,IAA2B,IAAvBuK,EAAS0C,UACX,OAAO,aAGT,IAQIW,EAREC,EAC0B,iBAAvBtD,EAAS0C,UAAyB1C,EAAS0C,UAAY,GAC1Da,EACkC,iBAA/BvD,EAASwD,kBACZxD,EAASwD,kBACT,IAEFC,EAA6B,GAE3BC,EAAYvQ,GAChB,SACElL,GAKA,IAAM0b,EAAcjQ,KAAKD,MAAQ4P,EACjCnB,EACEuB,EAAU/qB,KAAI,SAACtD,GAEb,OADAA,EAAEwuB,YAAcD,EACTvuB,KAET6S,GAEFwb,EAAY,GACZJ,EAAe,OAEjBE,GAEIhc,EAAiB4L,GACrB,SAAC4N,GACC,IAAMxO,EAASiM,GAAeuC,GACxB1pB,EAAuBqe,GAAaqL,GACtCA,EAAInL,eAAe,GACnBmL,EAFIN,YAASC,YAGZ2C,IACHA,EAAe3P,KAAKD,OAEtBgQ,EAAUltB,KAAK,CACb0J,EAAGwgB,EACHtgB,EAAGugB,EACH3iB,GAAI0X,EAAO7C,MAAML,GACjBqR,WAAYlQ,KAAKD,MAAQ4P,IAI3BK,EACuB,oBAAdG,WAA6B9C,aAAe8C,UAC/CzV,oBAAkB0V,KAClB/C,aAAegD,WACf3V,oBAAkB4V,UAClB5V,oBAAkB6V,aAG1BX,EACA,CACEvP,UAAU,IAGRoM,EAAW,CACf9N,EAAG,YAAa9K,EAAgB1M,GAChCwX,EAAG,YAAa9K,EAAgB1M,GAChCwX,EAAG,OAAQ9K,EAAgB1M,IAE7B,OAAO,WACLslB,EAAS3U,SAAQ,SAACoV,GAAM,OAAAA,QAqnBDsD,CAAiBvuB,GACpCwuB,EAA0BrE,GAA6BnqB,GACvDyuB,EAAgBvD,GAAmBlrB,GACnC0uB,EA5hBR,SAAoChtB,OAClC8qB,qBAEImC,GAAS,EACTC,GAAS,EAab,OAAOlS,EAAG,SAZcc,GAAS,WAC/B,IAAM/S,EAASuU,IACTzU,EAAQ+U,KACVqP,IAAUlkB,GAAUmkB,IAAUrkB,IAChCiiB,EAAiB,CACfjiB,MAAOkgB,OAAOlgB,GACdE,OAAQggB,OAAOhgB,KAEjBkkB,EAAQlkB,EACRmkB,EAAQrkB,KAET,KACkC0U,QA2gBP4P,CAA2B7uB,GACnD8uB,EA9fR,SAA2BptB,OACzB+qB,YACAvnB,QACA4a,WACAtY,eACAunB,gBACAhtB,qBACAG,gBACAmoB,aACA2E,yBAEA,SAASC,EAAajP,GACpB,IAAIpD,EAASiM,GAAe7I,GACtB0L,EAAgB1L,EAAMkP,UAO5B,GAFItS,GAA0C,WAA/BA,EAAmB5a,UAChC4a,EAAUA,EAAmBuS,eAE5BvS,GACCA,EAAmB5a,WACrB2pB,GAAWpnB,QAASqY,EAAmB5a,SAAW,KAClDyd,GAAU7C,EAAgBpV,GAJ5B,CAQA,IAAMvF,EAA4B2a,EAA4B3a,KAC9D,IAAK2a,EAAuBhW,UAAUC,SAASkoB,GAA/C,CAGA,IAAI5sB,EAAQya,EAA4Bvc,MACpC+uB,GAAY,EACH,UAATntB,GAA6B,aAATA,EACtBmtB,EAAaxS,EAA4B5S,SAEzCjI,EACG6a,EAAmB5a,QAAQI,gBAE9BL,EAAiBE,MAEjBE,EAAOL,EAAe,CACpBC,mBACAC,QAAU4a,EAAuB5a,QACjCC,OACA5B,MAAO8B,EACPD,iBAGJmtB,EACEzS,EACA4O,GACE,CAAErpB,OAAMitB,YAAW1D,iBACnBsD,IAKJ,IAAMtpB,EAA4BkX,EAA4BlX,KACjD,UAATzD,GAAoByD,GAAQ0pB,GAC9BlqB,EACGoqB,iBAAiB,oCAA6B5pB,SAC9CmQ,SAAQ,SAACtO,GACJA,IAAOqV,GACTyS,EACE9nB,EACAikB,GACE,CACErpB,KAAOoF,EAAwBlH,MAC/B+uB,WAAYA,EACZ1D,eAAe,GAEjBsD,SAOd,SAASK,EAAYzS,EAAqB9G,GACxC,IAAMyZ,EAAiB3D,GAAkBxS,IAAIwD,GAC7C,IACG2S,GACDA,EAAeptB,OAAS2T,EAAE3T,MAC1BotB,EAAeH,YAActZ,EAAEsZ,UAC/B,CACAxD,GAAkB/R,IAAI+C,EAAQ9G,GAC9B,IAAM1N,EAAK0X,EAAO7C,MAAML,GACxB6P,SACK3W,IACH1N,SAIN,IACMoiB,GAD4B,SAAnBH,EAAS4C,MAAmB,CAAC,UAAY,CAAC,QAAS,WAGvDlqB,KAAI,SAAC6nB,GAAc,OAAAlO,EAAGkO,EAAWqE,EAAc/pB,MACpDsqB,EAAqBvwB,OAAOwf,yBAChCgR,iBAAiB/vB,UACjB,SAEIgwB,EAA+C,CACnD,CAACD,iBAAiB/vB,UAAW,SAC7B,CAAC+vB,iBAAiB/vB,UAAW,WAC7B,CAACiwB,kBAAkBjwB,UAAW,SAC9B,CAACkwB,oBAAoBlwB,UAAW,SAEhC,CAACiwB,kBAAkBjwB,UAAW,iBAC9B,CAACmwB,kBAAkBnwB,UAAW,aAchC,OAZI8vB,GAAsBA,EAAmB3V,KAC3C2Q,EAAS5pB,WAAT4pB,SACKkF,EAAe3sB,KAAI,SAACtD,GACrB,OAAA4e,EAAwB5e,EAAE,GAAIA,EAAE,GAAI,CAClCoa,IAAA,WAEEoV,EAAa,CAAErS,OAAQ9c,mBAM1B,WACL0qB,EAAS3U,SAAQ,SAACoV,GAAM,OAAAA,QAiYL6E,CAAkB9vB,GACjC+vB,EAvLR,SAAsCruB,OACpCgrB,uBACAllB,eACAsY,WACAuK,aAEMQ,EAAU,SAAC5oB,GACf,OAAAub,GAAS,SAACwC,GACR,IAAMpD,EAASiM,GAAe7I,GAC9B,GAAKpD,IAAU6C,GAAU7C,EAAgBpV,GAAzC,CAGM,IAAA9F,EAAiCkb,EAA/BnQ,gBAAaujB,WAAQC,UAC7BvD,EAAmB,CACjBzqB,OACAmG,GAAI0X,EAAO7C,MAAML,GACjBnQ,cACAujB,SACAC,aAED5F,EAAS5V,OAAS,MACjB+V,EAAW,CACf9N,EAAG,OAAQmO,MACXnO,EAAG,QAASmO,MACZnO,EAAG,SAAUmO,MACbnO,EAAG,eAAgBmO,OAErB,OAAO,WACLL,EAAS3U,SAAQ,SAACoV,GAAM,OAAAA,QA2JMiF,CAA6BlwB,GAEvDmwB,EAzVR,SACEzuB,EACAiG,OADEglB,qBAAkB7M,WAClBpP,QAEI0f,EAAa1f,EAAI2f,cAAc3wB,UAAU0wB,WAC/C1f,EAAI2f,cAAc3wB,UAAU0wB,WAAa,SACvCltB,EACAsW,GAEA,IAAMpR,EAAK0X,EAAO7C,MAAMnd,KAAKwwB,WAO7B,OANY,IAARloB,GACFukB,EAAiB,CACfvkB,KACA8Z,KAAM,CAAC,CAAEhf,OAAMsW,YAGZ4W,EAAWvwB,MAAMC,KAAMP,YAGhC,IAAMgxB,EAAa7f,EAAI2f,cAAc3wB,UAAU6wB,WAC/C7f,EAAI2f,cAAc3wB,UAAU6wB,WAAa,SAAU/W,GACjD,IAAMpR,EAAK0X,EAAO7C,MAAMnd,KAAKwwB,WAO7B,OANY,IAARloB,GACFukB,EAAiB,CACfvkB,KACA6Z,QAAS,CAAC,CAAEzI,YAGT+W,EAAW1wB,MAAMC,KAAMP,YAGhC,IAAMixB,EAEF,GACAnI,GACFmI,EAA4BlI,gBAAkB5X,EAAI4X,iBAM9CC,KACFiI,EAA4BhI,aAAe9X,EAAI8X,cAE7CG,KACF6H,EAA4B5H,iBAAmBlY,EAAIkY,kBAEjDH,KACF+H,EAA4B9H,gBAAkBhY,EAAIgY,kBAItD,IAAM+H,EAKF,GAuCJ,OArCAxxB,OAAOyxB,QAAQF,GAA6B3a,SAAQ,SAACnU,OAAAiG,EAAAnH,OAACmwB,OAAS1uB,OAC7DwuB,EAAoBE,GAAW,CAC7BP,WAAanuB,EAA8BvC,UAAU0wB,WACrDG,WAAatuB,EAA8BvC,UAAU6wB,YAGvDtuB,EAAKvC,UAAU0wB,WAAa,SAAUltB,EAAcsW,GAClD,IAAMpR,EAAK0X,EAAO7C,MAAMnd,KAAKosB,iBAAiBoE,WAe9C,OAdY,IAARloB,GACFukB,EAAiB,CACfvkB,KACA8Z,KAAM,CACJ,CACEhf,OACAsW,eACKsS,GAA0BhsB,YAC7B0Z,GAAS,WAMZiX,EAAoBE,GAASP,WAAWvwB,MAAMC,KAAMP,YAG7D0C,EAAKvC,UAAU6wB,WAAa,SAAU/W,GACpC,IAAMpR,EAAK0X,EAAO7C,MAAMnd,KAAKosB,iBAAiBoE,WAO9C,OANY,IAARloB,GACFukB,EAAiB,CACfvkB,KACA6Z,QAAS,CAAC,CAAEzI,eAAWsS,GAA0BhsB,YAAO0Z,WAGrDiX,EAAoBE,GAASJ,WAAW1wB,MAAMC,KAAMP,eAIxD,WACLmR,EAAI2f,cAAc3wB,UAAU0wB,WAAaA,EACzC1f,EAAI2f,cAAc3wB,UAAU6wB,WAAaA,EACzCtxB,OAAOyxB,QAAQF,GAA6B3a,SAAQ,SAACnU,OAAAiG,EAAAnH,OAACmwB,OAAS1uB,OAC7DA,EAAKvC,UAAU0wB,WAAaK,EAAoBE,GAASP,WACzDnuB,EAAKvC,UAAU6wB,WAAaE,EAAoBE,GAASJ,eAoPlCK,CAAuB5wB,EAAG,CAAE0Q,IAAK4b,IACtDuE,EAhPR,SACEnvB,EACAiG,OADEilB,uBAAoB9M,WACpBpP,QAEIogB,EAAcpgB,EAAIqgB,oBAAoBrxB,UAAUoxB,YACtDpgB,EAAIqgB,oBAAoBrxB,UAAUoxB,YAAc,SAE9CthB,EACAnP,EACA2wB,WAEM5oB,EAAK0X,EAAO7C,0BACfnd,KAAKksB,iCAAYE,uCAAkBoE,WAatC,OAXY,IAARloB,GACFwkB,EAAmB,CACjBxkB,KACAyR,IAAK,CACHrK,WACAnP,QACA2wB,YAEFxX,MAAOsS,GAA0BhsB,KAAKksB,cAGnC8E,EAAYjxB,MAAMC,KAAMP,YAGjC,IAAM0xB,EAAiBvgB,EAAIqgB,oBAAoBrxB,UAAUuxB,eAoBzD,OAnBAvgB,EAAIqgB,oBAAoBrxB,UAAUuxB,eAAiB,SAEjDzhB,WAEMpH,EAAK0X,EAAO7C,0BACfnd,KAAKksB,iCAAYE,uCAAkBoE,WAWtC,OATY,IAARloB,GACFwkB,EAAmB,CACjBxkB,KACA8oB,OAAQ,CACN1hB,YAEFgK,MAAOsS,GAA0BhsB,KAAKksB,cAGnCiF,EAAepxB,MAAMC,KAAMP,YAG7B,WACLmR,EAAIqgB,oBAAoBrxB,UAAUoxB,YAAcA,EAChDpgB,EAAIqgB,oBAAoBrxB,UAAUuxB,eAAiBA,GA8LpBE,CAA6BnxB,EAAG,CAC/D0Q,IAAK4b,IAED8E,EAAepxB,EAAEqxB,aA7JzB,SAA0B3vB,OAAEorB,WAAQ5nB,QAC5BwL,EAAMxL,EAAIwe,YAChB,IAAKhT,EACH,OAAO,aAGT,IAAM8Z,EAA8B,GAE9B8G,EAAU,IAAIzF,QAEd0F,EAAmB7gB,EAAI8gB,SAC7B9gB,EAAI8gB,SAAY,SACdC,EACAnf,EACAof,GAEA,IAAMC,EAAW,IAAIJ,EAAiBE,EAAQnf,EAAQof,GAWtD,OAVAJ,EAAQzX,IAAI8X,EAAU,CACpBF,SACAzmB,OAA0B,iBAAXsH,EACfof,cACAE,WACoB,iBAAXtf,EACHA,EAEAuf,KAAKC,UAAU3wB,MAAMH,KAAK,IAAI+wB,WAAWzf,OAE1Cqf,GAGT,IAAMK,EAAiBtT,EAAMxZ,EAAI+sB,MAAO,OAAO,SAAUzT,GACvD,OAAO,SAA6BmT,GAQlC,OAPA1gB,YAAW,WACT,IAAMxR,EAAI6xB,EAAQlY,IAAIuY,GAClBlyB,IACFqtB,EAAOrtB,GACP6xB,EAAQ7P,OAAOkQ,MAEhB,GACInT,EAAS3e,MAAMC,KAAM,CAAC6xB,QASjC,OALAnH,EAAS5pB,MAAK,WACZ8P,EAAI8gB,SAAWD,KAEjB/G,EAAS5pB,KAAKoxB,GAEP,WACLxH,EAAS3U,SAAQ,SAACoV,GAAM,OAAAA,QA4GYiH,CAAiBlyB,GAAK,aAEtDmyB,EAAoC,OAC1C,IAAqB,IAAAxqB,EAAA5H,EAAAC,EAAEoyB,uCAAS,CAA3B,IAAMC,UACTF,EAAevxB,KACbyxB,EAAO3I,SAAS2I,EAAOC,SAAUhG,EAAe+F,EAAOjrB,4GAI3D,OAAO,WACLghB,GAAgBvS,SAAQ,SAAC6D,GAAM,OAAAA,EAAE4D,WACjCkQ,EAAiB+E,aACjB9E,IACAe,IACAC,IACAC,IACAI,IACAiB,IACAI,IACAU,IACAO,IACAe,EAAetc,SAAQ,SAACoV,GAAM,OAAAA,QCz1BlC,kBAKE,WAAY7jB,GAJJtH,aAA4C,IAAI+rB,QAKtD/rB,KAAK6mB,WAAavf,EAAQuf,WA2B9B,OAxBS6L,sBAAP,SAAiBhiB,GACf1Q,KAAK2yB,QAAQ5Y,IAAIrJ,GAAU,IAGtBgiB,4BAAP,SAAuBpP,GACrBtjB,KAAK4yB,aAAetP,GAGfoP,yBAAP,SAAoBhiB,EAAiBmV,SACnC7lB,KAAK6mB,WAAW,CACdzE,KAAM,CACJ,CACEpB,SAAUtQ,EAAStI,KAAKE,GACxB0a,OAAQ,KACRrc,KAAMkf,IAGV1D,QAAS,GACThB,MAAO,GACP3X,WAAY,GACZqpB,gBAAgB,cAElB7yB,KAAK4yB,uCAAgBliB,uBCVvB,WAAYpJ,GAFJtH,oBAAiC,GAQvCA,KAAK6mB,WAAavf,EAAQuf,WAC1B7mB,KAAKqrB,SAAW/jB,EAAQ+jB,SACxBrrB,KAAKoQ,cAAgB9I,EAAQ8I,cAC7BpQ,KAAKggB,OAAS1Y,EAAQ0Y,OAGtB,IAAM8S,EAAU9yB,KAChBA,KAAK+yB,eAAejyB,KAClB8d,EAAMoU,YAAYpzB,UAAW,gBAAgB,SAAU8e,GACrD,OAAO,WACL,IAAM3c,EAAa2c,EAAS3e,MAAMC,KAAMP,WAGxC,OAFIO,KAAK+B,YACP+wB,EAAQnN,cAAc3lB,KAAK+B,WAAY/B,KAAK2jB,eACvC5hB,OA0DjB,OApDSkxB,0BAAP,SAAqBlxB,EAAwBqD,GAC3C8jB,UAEOlpB,KAAKoQ,gBACRhL,MACAyhB,WAAY7mB,KAAK6mB,WACjB7G,OAAQhgB,KAAKggB,OACb0F,iBAAkB1lB,OAEpB+B,GAEFqpB,UACKprB,KAAKoQ,gBACRib,SAAUrrB,KAAKqrB,SAGfjmB,IAAMrD,EACNie,OAAQhgB,KAAKggB,WAOViT,gCAAP,SAA2BC,GACzB,GAAIA,EAAcriB,cAAe,CAC/B,IAAMsiB,EAAUnzB,KAChBA,KAAK+yB,eAAejyB,KAClB8d,EACGsU,EAAcriB,cAEZmiB,YAAYpzB,UACf,gBACA,SAAU8e,GACR,OAAO,WACL,IAAM3c,EAAa2c,EAAS3e,MAAMC,KAAMP,WAMxC,OALIO,KAAK+B,YACPoxB,EAAQxN,cACN3lB,KAAK+B,WACLmxB,EAAc5lB,iBAEXvL,SAQZkxB,kBAAP,WACEjzB,KAAK+yB,eAAehd,SAAQ,SAACqd,GAAiB,OAAAA,aC3FlD,IAHA,IAAIptB,GAAQ,mEAERqtB,GAA+B,oBAAfpB,WAA6B,GAAK,IAAIA,WAAW,KAC5D1yB,GAAI,EAAGA,GAAIyG,GAAMtG,OAAQH,KAC9B8zB,GAAOrtB,GAAMstB,WAAW/zB,KAAMA,GAElC,ICNMg0B,GAGF,IAAItZ,IAgBD,IAAMuZ,GAAe,SAC1BjzB,EACAqQ,EACAtG,GAEA,GACG/J,IACCkzB,GAAwBlzB,EAAOqQ,IAAyB,iBAAVrQ,GAFlD,CAMA,IACMmzB,WA1BNppB,EACAqpB,GAEA,IAAIC,EAAaL,GAAYja,IAAIhP,GAQjC,OAPKspB,IACHA,EAAa,IAAI3Z,IACjBsZ,GAAYxZ,IAAIzP,EAAKspB,IAElBA,EAAWrW,IAAIoW,IAClBC,EAAW7Z,IAAI4Z,EAAM,IAEhBC,EAAWta,IAAIqa,GAeTE,CAAgBvpB,EADhB/J,EAAMuzB,YAAYluB,MAE3B8T,EAAQga,EAAKjvB,QAAQlE,GAMzB,OAJe,IAAXmZ,IACFA,EAAQga,EAAKh0B,OACbg0B,EAAK5yB,KAAKP,IAELmZ,aAIOqa,GACdxzB,EACAqQ,EACAtG,GAEA,OAAI/J,aAAiBc,MACZd,EAAM0C,KAAI,SAAC8a,GAAQ,OAAAgW,GAAahW,EAAKnN,EAAKtG,MAC9B,OAAV/J,EACFA,EAEPA,aAAiByzB,cACjBzzB,aAAiB0zB,cACjB1zB,aAAiB2zB,YACjB3zB,aAAiBuK,aACjBvK,aAAiB0xB,YACjB1xB,aAAiB4zB,aACjB5zB,aAAiB6zB,YACjB7zB,aAAiB8zB,WACjB9zB,aAAiB+zB,kBAGV,CACLC,QAFWh0B,EAAMuzB,YAAYluB,KAG7ByY,KAAM,CAAClf,OAAO6U,OAAOzT,KAMvBA,aAAiBi0B,YAKV,CACLD,QAJWh0B,EAAMuzB,YAAYluB,KAK7B6uB,ODxEO,SAAUC,GACnB,IAAyCn1B,EAArCo1B,EAAQ,IAAI1C,WAAWyC,GAAiBE,EAAMD,EAAMj1B,OAAQ+0B,EAAS,GACzE,IAAKl1B,EAAI,EAAGA,EAAIq1B,EAAKr1B,GAAK,EACtBk1B,GAAUzuB,GAAM2uB,EAAMp1B,IAAM,GAC5Bk1B,GAAUzuB,IAAmB,EAAX2uB,EAAMp1B,KAAW,EAAMo1B,EAAMp1B,EAAI,IAAM,GACzDk1B,GAAUzuB,IAAuB,GAAf2uB,EAAMp1B,EAAI,KAAY,EAAMo1B,EAAMp1B,EAAI,IAAM,GAC9Dk1B,GAAUzuB,GAAqB,GAAf2uB,EAAMp1B,EAAI,IAQ9B,OANIq1B,EAAM,GAAM,EACZH,EAASA,EAAOtuB,UAAU,EAAGsuB,EAAO/0B,OAAS,GAAK,IAE7Ck1B,EAAM,GAAM,IACjBH,EAASA,EAAOtuB,UAAU,EAAGsuB,EAAO/0B,OAAS,GAAK,MAE/C+0B,ECsDQI,CAAOt0B,IAMbA,aAAiBu0B,SAEnB,CACLP,QAFWh0B,EAAMuzB,YAAYluB,KAG7ByY,KAAM,CACJ0V,GAAaxzB,EAAM2K,OAAQ0F,EAAKtG,GAChC/J,EAAMw0B,WACNx0B,EAAMy0B,aAGDz0B,aAAiB00B,iBAGnB,CACLV,QAHWh0B,EAAMuzB,YAAYluB,KAI7ByH,IAHc9M,OAKPA,aAAiB20B,UAEnB,CACLX,QAFWh0B,EAAMuzB,YAAYluB,KAG7ByY,KAAM,CAAC0V,GAAaxzB,EAAM0K,KAAM2F,EAAKtG,GAAM/J,EAAMkK,MAAOlK,EAAMoK,SAEvD8oB,GAAwBlzB,EAAOqQ,IAAyB,iBAAVrQ,EAIhD,CACLg0B,QAJWh0B,EAAMuzB,YAAYluB,KAK7B8T,MAJY8Z,GAAajzB,EAAOqQ,EAAKtG,IAQlC/J,EAGF,IAAM40B,GAAgB,SAC3B9W,EACAzN,EACAtG,GAEA,OAAOtJ,OAAIqd,OAAMpb,KAAI,SAAC8a,GAAQ,OAAAgW,GAAahW,EAAKnN,EAAKtG,OAG1CmpB,GAA0B,SACrClzB,EACAqQ,GAYA,IAcMwkB,EAdkC,CACtC,kBACA,cACA,mBACA,eACA,oBACA,cACA,6BACA,eACA,uBACA,yBAEA,6BAE2D3b,QAC3D,SAAC7T,GAAiB,MAAqC,mBAA9BgL,EAAIhL,MAE/B,OAAO9D,QACLszB,EAA+BvrB,MAC7B,SAACjE,GAAiB,OAAArF,aAAiBqQ,EAAIhL,QCrJ7C,SAASyvB,GACPz1B,EACAuC,EACAmhB,EACA5b,EACAsY,EACApP,WAEM8Z,EAA8B,GAE9B4K,EAAQn2B,OAAOo2B,oBAAoB31B,cAE9B4T,GACT,IACE,GAAyD,mBAA9C5T,EAAU4T,oBAGrB,IAAM0e,EAAiBtT,EAAMhf,EAAW4T,GAAM,SAAUkL,GACtD,OAAO,eAAkC,aAAA5Z,mBAAAA,IAAAuZ,kBACvC,IAAMxE,EAAS6E,EAAS3e,MAAMC,KAAMqe,GAEpC,GADAmV,GAAa3Z,EAAQjJ,EAAKhR,IACrB+f,GAAW3f,KAAKqK,OAA6B3C,GAAa,CAClDsY,EAAO7C,MAAOnd,KAAKqK,QAA9B,IAEMmrB,EAAaL,UAAkB9W,OAAOzN,EAAKhR,GAC3CihB,EAAmC,CACvC1e,OACAuN,SAAU8D,EACV6K,KAAMmX,GAGRlS,EAAGtjB,KAAKqK,OAA6BwW,GAGvC,OAAOhH,MAGX6Q,EAAS5pB,KAAKoxB,GACd,SACA,IAAMuD,EAAclX,EAA6B3e,EAAW4T,EAAM,CAChEuG,IAAA,SAAI/D,GAEFsN,EAAGtjB,KAAKqK,OAA6B,CACnClI,OACAuN,SAAU8D,EACV6K,KAAM,CAACrI,GACP0f,QAAQ,OAIdhL,EAAS5pB,KAAK20B,SAtClB,IAAmB,IAAAE,EAAA11B,EAAAq1B,+IA0CnB,OAAO5K,EC7CT,ICWIkL,GAEAC,iBDkBF,WAAYvuB,GA9BJtH,4BAAoD,IAAIia,IACxDja,eAAuB,CAAE81B,SAAU,EAAGC,SAAU,MAKhD/1B,aAAkB,EAClBA,aAAkB,EAqClBA,qBAAiD,SACvD8c,EACA+D,KAGE7gB,KAAKg2B,UAAUD,UACf/1B,KAAKg2B,UAAUF,WAAa91B,KAAKg2B,UAAUD,WAC5B/1B,KAAKg2B,UAAUD,WAC9B/1B,KAAKg2B,UAAUD,SAAW/1B,KAAKg2B,UAAUF,UAEtC91B,KAAKi2B,uBAAuB1Y,IAAIT,IACnC9c,KAAKi2B,uBAAuBlc,IAAI+C,EAAQ,IAG1C9c,KAAKi2B,uBAAuB3c,IAAIwD,GAAShc,KAAK+f,IArB9C7gB,KAAK6mB,WAAavf,EAAQuf,WAC1B7mB,KAAKggB,OAAS1Y,EAAQ0Y,QAEO,IAAzB1Y,EAAQY,cACVlI,KAAKk2B,2BAA2B5uB,EAAQsJ,IAAKtJ,EAAQI,YAyF3D,OAzHSyuB,kBAAP,WACEn2B,KAAKi2B,uBAAuBG,QAC5Bp2B,KAAKq2B,gBAAkBr2B,KAAKq2B,kBAGvBF,mBAAP,WACEn2B,KAAK4kB,QAAS,GAGTuR,qBAAP,WACEn2B,KAAK4kB,QAAS,GAGTuR,iBAAP,WACEn2B,KAAK6kB,QAAS,GAGTsR,mBAAP,WACEn2B,KAAK6kB,QAAS,GAkCRsR,uCAAR,SACEvlB,EACAlJ,GAEA1H,KAAKs2B,uBACLt2B,KAAKu2B,oCAEL,IAAMC,WEtFR5lB,EACAlJ,GAEA,IAAMgjB,EAA8B,GACpC,IACE,IAAMwH,EAAiBtT,EACrBhO,EAAI6lB,kBAAkB72B,UACtB,cACA,SAAU8e,GACR,OAAO,SAELgY,OACA,aAAA5xB,mBAAAA,IAAAuZ,oBAMA,OAJKsB,GAAW3f,KAA2B0H,IACnC,cAAe1H,OAClBA,KAAiBoK,UAAYssB,GAE3BhY,EAAS3e,MAAMC,QAAO02B,KAAgBrY,YAInDqM,EAAS5pB,KAAKoxB,GACd,SACA/lB,QAAQpL,MAAM,0DAEhB,OAAO,WACL2pB,EAAS3U,SAAQ,SAACoV,GAAM,OAAAA,QF2DGwL,CAA0B/lB,EAAKlJ,GACpDkvB,WGhFRtT,EACA1S,EACAlJ,EACAsY,WAEM0K,EAA8B,GAC9BmM,EAAU13B,OAAOo2B,oBACrB3kB,EAAIkmB,yBAAyBl3B,sBAEpB4T,GACT,IACE,GAGQ,mBAFC5C,EAAIkmB,yBAAyBl3B,UAClC4T,oBAKJ,IAAM0e,EAAiBtT,EACrBhO,EAAIkmB,yBAAyBl3B,UAC7B4T,GACA,SAAUkL,GACR,OAAO,eAAA,oBAEL5Z,mBAAAA,IAAAuZ,kBA+BA,OA7BKsB,GAAW3f,KAAKqK,OAA6B3C,IAGhDyJ,YAAW,WACT,IAAMqkB,SAAiBnX,OACvB,GAAa,cAAT7K,GAEAgiB,EAAW,IACXA,EAAW,aAAciB,kBACzB,CACA,IAAMpsB,EAASmrB,EAAW,GACpBlrB,EAAMD,EAAOE,WAAW,MAC1BwsB,EAAOzsB,MAAAA,SAAAA,EAAKM,aACd,EACA,EACAP,EAAOI,MACPJ,EAAOM,QAELqsB,EAAMD,MAAAA,SAAAA,EAAM9rB,KAChBuqB,EAAW,GAAKzD,KAAKC,UAAUgF,GAGnC1T,EAAGhG,EAAKjT,OAAQ,CACdlI,KAAM0W,EAAc,MACpBnJ,SAAU8D,EACV6K,KAAMmX,MAEP,GAEE9W,EAAS3e,MAAMC,KAAMqe,OAIlCqM,EAAS5pB,KAAKoxB,GACd,SACA,IAAMuD,EAAclX,EAClB3N,EAAIkmB,yBAAyBl3B,UAC7B4T,EACA,CACEuG,aAAI/D,GACFsN,EAAGtjB,KAAKqK,OAAQ,CACdlI,KAAM0W,EAAc,MACpBnJ,SAAU8D,EACV6K,KAAM,CAACrI,GACP0f,QAAQ,OAKhBhL,EAAS5pB,KAAK20B,SAlElB,IAAmB,IAAAwB,EAAAh3B,EAAA42B,6IAqEnB,OAAO,WACLnM,EAAS3U,SAAQ,SAACoV,GAAM,OAAAA,QHCF+L,CACpBl3B,KAAK0kB,gBAAgBoF,KAAK9pB,MAC1B4Q,EACAlJ,EACA1H,KAAKggB,QAGDmX,WD5BR7T,EACA1S,EACAlJ,EACAsY,GAEA,IAAM0K,EAA8B,GA0BpC,OAxBAA,EAAS5pB,WAAT4pB,SACK2K,GACDzkB,EAAIwmB,sBAAsBx3B,UAC1BiZ,EAAcwe,MACd/T,EACA5b,EACAsY,EACApP,cAIsC,IAA/BA,EAAI0mB,wBACb5M,EAAS5pB,WAAT4pB,SACK2K,GACDzkB,EAAI0mB,uBAAuB13B,UAC3BiZ,EAAc0e,OACdjU,EACA5b,EACAsY,EACApP,SAKC,WACL8Z,EAAS3U,SAAQ,SAACoV,GAAM,OAAAA,QCJMqM,CAC5Bx3B,KAAK0kB,gBAAgBoF,KAAK9pB,MAC1B4Q,EACAlJ,EACA1H,KAAKggB,QAGPhgB,KAAKq2B,eAAiB,WACpBG,IACAI,IACAO,MAIIhB,8CAAR,WAAA,WACEsB,uBAAsB,WAAM,OAAAna,EAAKoa,kCAG3BvB,iCAAR,WAAA,WACQwB,EAAwB,SAACC,GAC7Bta,EAAK0Y,UAAUF,SAAW8B,EAC1BH,sBAAsBE,IAExBF,sBAAsBE,IAGxBxB,wCAAA,WAAA,WACEn2B,KAAKi2B,uBAAuBlgB,SAC1B,SAAC/B,EAAiC3J,GAChC,IAAM/B,EAAKgV,EAAK0C,OAAO7C,MAAO9S,GAC9BiT,EAAKua,8BAA8BxtB,EAAQ/B,MAG/CmvB,uBAAsB,WAAM,OAAAna,EAAKoa,kCAGnCvB,0CAAA,SAA8B9rB,EAA2B/B,GACvD,IAAItI,KAAK4kB,SAAU5kB,KAAK6kB,OAAxB,CAIA,IAAMiT,EAAiB93B,KAAKi2B,uBAAuB3c,IAAIjP,GACvD,GAAKytB,IAA0B,IAARxvB,EAAvB,CAEA,IAAM0L,EAAS8jB,EAAe70B,KAAI,SAAC1C,GAEjC,OAD0BA,OXtGzB,SAAgBjB,EAAGsB,GACtB,IAAIvB,EAAI,GACR,IAAK,IAAIM,KAAKL,EAAOH,OAAOS,UAAUC,eAAeC,KAAKR,EAAGK,IAAMiB,EAAE6D,QAAQ9E,GAAK,IAC9EN,EAAEM,GAAKL,EAAEK,IACb,GAAS,MAALL,GAAqD,mBAAjCH,OAAO44B,sBACtB,CAAA,IAAIx4B,EAAI,EAAb,IAAgBI,EAAIR,OAAO44B,sBAAsBz4B,GAAIC,EAAII,EAAED,OAAQH,IAC3DqB,EAAE6D,QAAQ9E,EAAEJ,IAAM,GAAKJ,OAAOS,UAAUo4B,qBAAqBl4B,KAAKR,EAAGK,EAAEJ,MACvEF,EAAEM,EAAEJ,IAAMD,EAAEK,EAAEJ,KAE1B,OAAOF,GW6FqBkB,EAApB,aAGA4B,EAAS21B,EAAe,QAEhC93B,KAAK6mB,WAAW,CAAEve,KAAInG,OAAM81B,SAAUjkB,IAEtChU,KAAKi2B,uBAAuBtU,OAAOtX,WC7HvC,SAAS6tB,GAAUt3B,GACjB,cACKA,IACHg3B,UAAW3Z,KAAKD,QAQpB,IAAMgC,GTDG,CACL/c,IAAK,GACLka,eAAM3d,GAEJ,OAAKA,GAAMA,EAAE4I,KAGN5I,EAAE4I,KAAKE,IAFJ,GAIZ8U,iBAAQ9U,GACN,OAAOtI,KAAKiD,IAAIqF,IAAO,MAGzB+U,kBAAA,SAAkB7d,GAAlB,WACQ8I,EAAK9I,EAAE4I,MAAQ5I,EAAE4I,KAAKE,UACrBtI,KAAKiD,IAAIqF,GACZ9I,EAAEmJ,YACJnJ,EAAEmJ,WAAWoN,SAAQ,SAACmF,GACpB,OAAAoC,EAAKD,kBAAmBnC,OAI9BqC,aAAIjV,GACF,OAAOtI,KAAKiD,IAAIpD,eAAeyI,IAEjCkV,iBACExd,KAAKiD,IAAM,KSxBjB,SAASk1B,GACP7wB,gBAAAA,MAGE,IAAAqd,EAwBErd,OAvBF8wB,EAuBE9wB,mBAtBF+wB,EAsBE/wB,mBArBF1F,EAqBE0F,aArBFI,aAAa,aACbG,EAoBEP,gBApBFK,aAAgB,OAChBI,EAmBET,cAnBF2nB,aAAc,cACd1lB,EAkBEjC,gBAlBFV,aAAgB,YAChB6C,EAiBEnC,mBAjBFT,aAAmB,OACnBmG,EAgBE1F,mBAhBFM,gBACA0wB,EAeEhxB,gBAdgBixB,EAchBjxB,mBAbckxB,EAadlxB,iBAZFlF,EAYEkF,cAXFQ,EAWER,aAVFilB,EAUEjlB,QATFmxB,EASEnxB,SARFsH,EAQEtH,WARFijB,aAAW,KACXmO,EAOEpxB,gBANFwH,EAMExH,eANFY,gBACA6G,EAKEzH,uBALF4nB,gBACA7e,EAIE/I,eAJFiqB,gBACAhhB,EAGEjJ,eAHFW,gBACAqqB,EAEEhrB,UADFkJ,EACElJ,kBADFa,aAAkB,WAAM,OAAA,KAG1B,IAAKwc,EACH,MAAM,IAAI/R,MAAM,kCAGIrK,IAAlBmwB,QAAsDnwB,IAAvBgiB,EAAS0C,YAC1C1C,EAAS0C,UAAYyL,GAGvB,IA8CIC,EA9CE12B,GACc,IAAlBq2B,EACI,CACEM,OAAO,EACPC,MAAM,EACN,kBAAkB,EAClBC,OAAO,EACPC,OAAO,EACPC,QAAQ,EACRC,OAAO,EACPC,QAAQ,EACRC,KAAK,EACL92B,MAAM,EACN+2B,MAAM,EACN/0B,KAAK,EACLg1B,MAAM,EACNC,UAAU,EACVC,QAAQ,EACRC,UAAU,QAEUjxB,IAAtBgwB,EACAA,EACA,CAAEiB,UAAU,GAEZ/qB,GACgB,IAApB+pB,GAAgD,QAApBA,EACxB,CACEppB,QAAQ,EACRD,SAAS,EACTI,aAAa,EACbY,gBAAgB,EAChBV,gBAAgB,EAChBE,gBAAgB,EAChBC,mBAAmB,EACnBE,sBAAsB,EAGtBD,mBAAwC,QAApB2oB,EACpBhpB,qBAA0C,QAApBgpB,GAExBA,GAEA,GAENpY,KAGA,IAAIqZ,EAA2B,EAY/B7D,GAAc,SAACh1B,EAAkB84B,SAe/B,eAbEpR,GAAgB,yBAAIqR,aACpB/4B,EAAEuB,OAASuW,YAAUkhB,cAEnBh5B,EAAEuB,OAASuW,YAAUmhB,qBACrBj5B,EAAEqK,KAAKuH,SAAWmG,oBAAkBuJ,UAKtCoG,GAAgBvS,SAAQ,SAAC+jB,GAAQ,OAAAA,EAAI5R,cAGvCvD,EAzBqB,SAAC/jB,eACtB,IAAqB,IAAAiH,EAAA5H,EAAAqyB,GAAW,kCAAI,CAA/B,IAAMC,UACLA,EAAOwH,iBACTn5B,EAAI2xB,EAAOwH,eAAen5B,sGAM9B,OAHI63B,IACF73B,EAAK63B,EAAO73B,IAENA,EAgBHm5B,CAAen5B,GAAI84B,GACpB94B,EAAEuB,OAASuW,YAAUkhB,aACvBjB,EAAwB/3B,EACxB64B,EAA2B,OACtB,GAAI74B,EAAEuB,OAASuW,YAAUmhB,oBAAqB,CAEnD,GACEj5B,EAAEqK,KAAKuH,SAAWmG,oBAAkBuJ,UACpCthB,EAAEqK,KAAK4nB,eAEP,OAGF4G,IACA,IAAMO,EACJ3B,GAAoBoB,GAA4BpB,EAC5C4B,EACJ7B,GACAx3B,EAAEg3B,UAAYe,EAAsBf,UAAYQ,GAC9C4B,GAAeC,IACjBpE,IAAiB,KAKvB,IAAMqE,EAAsB,SAAC75B,GAC3Bu1B,GACEsC,GAAU,CACR/1B,KAAMuW,YAAUmhB,oBAChB5uB,QACEuH,OAAQmG,oBAAkBuJ,UACvB7hB,OAKL85B,EAAoC,SAACx6B,GACzC,OAAAi2B,GACEsC,GAAU,CACR/1B,KAAMuW,YAAUmhB,oBAChB5uB,QACEuH,OAAQmG,oBAAkByhB,QACvBz6B,OAIL06B,EAA4B,SAAC16B,GACjC,OAAAi2B,GACEsC,GAAU,CACR/1B,KAAMuW,YAAUmhB,oBAChB5uB,QACEuH,OAAQmG,oBAAkB2hB,gBACvB36B,OAKL6lB,EAAgB,IAAIkN,GAAc,CACtC7L,WAAYqT,IAGRlS,EAAgB,IAAImO,GAAc,CACtCjuB,eACA2e,WAAYwT,EACZzpB,IAAKuO,OACLzX,aACAsY,YAGI0F,EAAmB,IAAIuN,GAAiB,CAC5CpM,WAAYqT,EACZ7O,SAAU8O,EACV/pB,cAAe,CACb1I,aACAC,gBACAf,gBACAC,mBACAe,mBACA3F,mBACA6F,aACA1F,cACA8F,eACAD,eACAsiB,WACA9b,iBACA+W,gBACAwC,iBAEFhI,YAGF6V,GAAmB,SAAC6D,4BAAAA,MAClB9D,GACEsC,GAAU,CACR/1B,KAAMuW,YAAU6hB,KAChBtvB,KAAM,CACJpH,KAAMsb,OAAOlO,SAASpN,KACtB4G,MAAO+U,KACP7U,OAAQuU,OAGZwa,GAGFpR,GAAgBvS,SAAQ,SAAC+jB,GAAQ,OAAAA,EAAI3R,UAC/B,IAAA1e,EAAA/I,EXygBV,SAAkBlB,EAAG8H,GACjB,IAAI1F,EAAK0F,GAAW,GAAIO,EAAKjG,EAAG8F,WAAYA,OAAoB,IAAPG,EAAgB,WAAaA,EAAIE,EAAKnG,EAAG+F,cAAeA,OAAuB,IAAPI,EAAgB,KAAOA,EAAIwB,EAAK3H,EAAGgF,cAAeA,OAAuB,IAAP2C,EAAgB,UAAYA,EAAIE,EAAK7H,EAAGiF,iBAAkBA,OAA0B,IAAP4C,EAAgB,KAAOA,EAAIuD,EAAKpL,EAAGgG,iBAAkBA,OAA0B,IAAPoF,GAAuBA,EAAI4B,EAAKhN,EAAGqG,aAAcA,OAAsB,IAAP2G,GAAwBA,EAAIE,EAAKlN,EAAGsG,aAAcA,OAAsB,IAAP4G,GAAwBA,EAAIC,EAAKnN,EAAG02B,cAAeA,OAAuB,IAAPvpB,GAAwBA,EAAIjH,EAAalG,EAAGkG,WAAY1F,EAAcR,EAAGQ,YAAaiO,EAAKzO,EAAG44B,QAASA,OAAiB,IAAPnqB,GAAwBA,EAAIrI,EAAiBpG,EAAGoG,eAAgBgH,EAAqBpN,EAAGoN,mBAAoBN,EAAc9M,EAAG8M,YAAaC,EAAe/M,EAAG+M,aAAcE,EAAoBjN,EAAGiN,kBAAmB0B,EAAK3O,EAAGuG,gBACr2BmU,EAAY,GA0ChB,MAAO,CACH/N,EAAoB/O,EAAG,CACnB4F,IAAK5F,EACLyD,IAAKqZ,EACL5U,WAAYA,EACZC,cAAeA,EACff,cAAeA,EACfC,iBAAkBA,EAClB2H,WAAW,EACX5G,iBAAkBA,EAClB3F,kBAnDiC,IAAlBq2B,EACjB,CACEM,OAAO,EACPC,MAAM,EACN,kBAAkB,EAClBC,OAAO,EACPC,OAAO,EACPC,QAAQ,EACRC,OAAO,EACPC,QAAQ,EACRC,KAAK,EACL92B,MAAM,EACN+2B,MAAM,EACN/0B,KAAK,EACLg1B,MAAM,EACNC,UAAU,EACVC,QAAQ,EACRC,UAAU,IAEM,IAAlBlB,EACI,CACEkB,UAAU,GAEZlB,EA6BFxwB,WAAYA,EACZ1F,YAAaA,EACbqM,gBA9ByB,IAAZ+rB,GAAgC,QAAZA,EAEjC,CACIprB,QAAQ,EACRD,SAAS,EACTI,aAAa,EACbY,gBAAgB,EAChBX,qBAAkC,QAAZgrB,EACtB/qB,gBAAgB,EAChBE,gBAAgB,EAChBC,mBAAmB,EACnBC,oBAAoB,EACpBC,sBAAsB,IAEhB,IAAZ0qB,EACI,GACAA,EAeFxyB,eAAgBA,EAChBC,aAAcA,EACdC,aAAcA,EACd8G,mBAAoBA,EACpBN,YAAaA,EACbC,aAAcA,EACdE,kBAAmBA,EACnB1G,qBAhE24B,IAAPoI,EAAgB,WAAc,OAAO,GAAWA,IAkEx7B+L,GW5kBsBme,CAAS/0B,SAAU,CAC3CgC,aACAC,gBACAf,gBACAC,mBACAe,mBACA0wB,cAAer2B,EACf6F,aACA0yB,QAAS/rB,EACTvG,eACAD,eACAyG,YAAa,SAAClP,GACR+jB,GAAc/jB,IAChBgmB,EAAcC,UAAUjmB,GAEtBykB,GAAczkB,IAChBkmB,EAAiBC,cAAcnmB,EAAEuC,WAAY2D,WAGjDiJ,aAAc,SAACiX,EAAQC,GACrBL,EAAcM,aAAaF,EAAQC,GACnCH,EAAiBK,oBACdH,IAGLzd,uBAzBKxB,OAAM2V,OA4Bb,IAAK3V,EACH,OAAOwF,QAAQC,KAAK,mCAGtB4T,GAAO/c,IAAMqZ,EACbsZ,GACEsC,GAAU,CACR/1B,KAAMuW,YAAUkhB,aAChB3uB,KAAM,CACJtE,OACA+zB,cAAe,CACbC,UACyBpyB,IAAvB4W,OAAOyb,YACHzb,OAAOyb,oBACPl1B,mBAAAA,gBAAAA,SAAU2Z,gBAAgBzS,yCAC1BlH,mBAAAA,gBAAAA,SAAU6Z,2BAAM8P,oCAAeziB,qBAC/BlH,mBAAAA,gBAAAA,SAAU6Z,KAAK3S,aACf,EACNiuB,SACyBtyB,IAAvB4W,OAAO2b,YACH3b,OAAO2b,oBACPp1B,mBAAAA,gBAAAA,SAAU2Z,gBAAgBvS,wCAC1BpH,mBAAAA,gBAAAA,SAAU6Z,2BAAM8P,oCAAeviB,oBAC/BpH,mBAAAA,gBAAAA,SAAU6Z,KAAKzS,YACf,OAKdwb,GAAgBvS,SAAQ,SAAC+jB,GAAQ,OAAAA,EAAI1R,aAGvC,IACE,IAAM2S,GAA8B,GACpCA,GAASj6B,KACP8b,EAAG,oBAAoB,WACrBgZ,GACEsC,GAAU,CACR/1B,KAAMuW,YAAUsiB,iBAChB/vB,KAAM,UAMd,IAAMgwB,GAAU,SAAC71B,SACf,OAAOknB,GACL,CACEzF,WAAYqT,EACZzN,YAAa,SAACuB,EAAWxb,GACvB,OAAAojB,GACEsC,GAAU,CACR/1B,KAAMuW,YAAUmhB,oBAChB5uB,KAAM,CACJuH,SACAwb,iBAIR1D,mBAAoB,SAAC9L,GACnB,OAAAoX,GACEsC,GAAU,CACR/1B,KAAMuW,YAAUmhB,oBAChB5uB,QACEuH,OAAQmG,oBAAkBuiB,kBACvB1c,OAIX6M,SAAU8O,EACVzN,iBAAkB,SAAClO,GACjB,OAAAoX,GACEsC,GAAU,CACR/1B,KAAMuW,YAAUmhB,oBAChB5uB,QACEuH,OAAQmG,oBAAkBwiB,gBACvB3c,OAIXmO,QAAS,SAAC3W,GACR,OAAA4f,GACEsC,GAAU,CACR/1B,KAAMuW,YAAUmhB,oBAChB5uB,QACEuH,OAAQmG,oBAAkByiB,OACvBplB,OAIX4W,mBAAoB,SAACjtB,GACnB,OAAAi2B,GACEsC,GAAU,CACR/1B,KAAMuW,YAAUmhB,oBAChB5uB,QACEuH,OAAQmG,oBAAkB0iB,kBACvB17B,OAIXktB,iBAAkB,SAAClsB,GACjB,OAAAi1B,GACEsC,GAAU,CACR/1B,KAAMuW,YAAUmhB,oBAChB5uB,QACEuH,OAAQmG,oBAAkB2iB,gBACvB36B,OAIXmsB,mBAAoB,SAACnsB,GACnB,OAAAi1B,GACEsC,GAAU,CACR/1B,KAAMuW,YAAUmhB,oBAChB5uB,QACEuH,OAAQmG,oBAAkB4iB,kBACvB56B,OAIXosB,iBAAkBsN,EAClBrN,OAAQ,SAACrtB,GACP,OAAAi2B,GACEsC,GAAU,CACR/1B,KAAMuW,YAAUmhB,oBAChB5uB,QACEuH,OAAQmG,oBAAkB6iB,MACvB77B,OAIX+H,aACAunB,cACAroB,gBACAC,mBACA5E,mBACA2F,mBACA2iB,WACAriB,eACAD,eACAinB,uBACAqC,eACAnsB,MACAhD,cACA0F,aACAH,gBACA8G,iBACAuR,UACAwF,gBACAE,mBACAsC,gBACAsK,mBACEA,MAAAA,SAAAA,EACI7Y,QAAO,SAAC9Z,GAAM,OAAAA,EAAEiqB,kCAChB3mB,KAAI,SAACtD,GAAM,OACXiqB,SAAUjqB,EAAEiqB,SACZtiB,QAAS3H,EAAE2H,QACXkrB,SAAU,SAAC9L,GACT,OAAAkP,GACEsC,GAAU,CACR/1B,KAAMuW,YAAU+iB,OAChBxwB,KAAM,CACJsnB,OAAQ5yB,EAAEiG,KACV8gB,qBAIH,IAEb6F,IAIJ/G,EAAckW,iBAAgB,SAAChrB,GAC7BqqB,GAASj6B,KAAKm6B,GAAQvqB,EAASpD,qBAGjC,IAAMquB,GAAO,WACX9F,KACAkF,GAASj6B,KAAKm6B,GAAQv1B,YAwBxB,MArB0B,gBAAxBA,SAASoL,YACe,aAAxBpL,SAASoL,WAET6qB,KAEAZ,GAASj6B,KACP8b,EACE,QACA,WACEgZ,GACEsC,GAAU,CACR/1B,KAAMuW,YAAUkjB,KAChB3wB,KAAM,MAGV0wB,OAEFxc,SAIC,WACL4b,GAAShlB,SAAQ,SAACoV,GAAM,OAAAA,QAE1B,MAAOpqB,GAEPoL,QAAQC,KAAKrL,IGvdjB,SAAS86B,GAAKC,GAGb,OAFAA,EAAMA,GAAO38B,OAAO48B,OAAO,MAEpB,CAQNnf,GAAI,SAAYza,EAAc4oB,IAC5B+Q,EAAI35B,KAAU25B,EAAI35B,GAAQ,KAAKrB,KAAKiqB,IAUtCiR,IAAK,SAAa75B,EAAc4oB,GAC3B+Q,EAAI35B,IACP25B,EAAI35B,GAAMghB,OAAO2Y,EAAI35B,GAAMsC,QAAQsmB,KAAa,EAAG,IAYrDpG,KAAM,SAAcxiB,EAAcmpB,IAChCwQ,EAAI35B,IAAS,IAAIb,QAAQ2B,KAAI,SAAU8nB,GAAWA,EAAQO,OAC1DwQ,EAAI,MAAQ,IAAIx6B,QAAQ2B,KAAI,SAAU8nB,GAAWA,EAAQ5oB,EAAMmpB,QHqbnE6M,GAAO8D,eAAiB,SAAIC,EAAaxV,GACvC,IAAKkP,GACH,MAAM,IAAIhjB,MAAM,iDAElBgjB,GACEsC,GAAU,CACR/1B,KAAMuW,YAAUyjB,OAChBlxB,KAAM,CACJixB,MACAxV,eAMRyR,GAAOiE,WAAa,WAClB9T,GAAgBvS,SAAQ,SAAC+jB,GAAQ,OAAAA,EAAI7R,aAGvCkQ,GAAOtC,iBAAmB,SAAC6D,GACzB,IAAK7D,GACH,MAAM,IAAIjjB,MAAM,mDAElBijB,GAAiB6D,IAGnBvB,GAAOnY,OAASA,8DIjgBAI,GAASic,EAAoB7d,GAE3C,gBAFuB6d,uBAAoB7d,cAGzC,mBAAoBA,EAAEa,gBAAgBzK,SACF,IAApCynB,EAAEC,8BAFJ,CAQA,IAuB4BC,EAvBxB/uB,EAAU6uB,EAAErJ,aAAeqJ,EAAE7uB,QAI7BkR,EAAW,CACb+M,OAAQ4Q,EAAE5Q,QAAU4Q,EAAEG,SACtBC,SAAUJ,EAAEI,SACZC,cAAelvB,EAAQ5N,UAAU6rB,QAAUkR,EAC3CC,eAAgBpvB,EAAQ5N,UAAUg9B,gBAIhC5e,EACFqe,EAAEQ,aAAeR,EAAEQ,YAAY7e,IAC3Bqe,EAAEQ,YAAY7e,IAAI8L,KAAKuS,EAAEQ,aACzB5e,KAAKD,IAmBP8e,GAXwBP,EAWgBF,EAAEU,UAAUR,UAR/C,IAAI15B,OAFa,CAAC,QAAS,WAAY,SAEVM,KAAK,MAAMqB,KAAK+3B,GAQe,EAAI,GA0LzEF,EAAE5Q,OAAS4Q,EAAEG,SAAW,gBAEDj0B,IAAjB9I,UAAU,MAKsB,IAAhCu9B,EAAcv9B,UAAU,IAoB5Bw9B,EAAan9B,KACXu8B,EACA7d,EAAEe,UACoBhX,IAAtB9I,UAAU,GAAGk7B,OACPl7B,UAAU,GAAGk7B,KACf0B,EAAEa,SAAWb,EAAEzB,iBACEryB,IAArB9I,UAAU,GAAGo7B,MACPp7B,UAAU,GAAGo7B,IACfwB,EAAEc,SAAWd,EAAEvB,aA3BnBpc,EAAS+M,OAAO3rB,KACdu8B,OACsB9zB,IAAtB9I,UAAU,GAAGk7B,KACTl7B,UAAU,GAAGk7B,KACW,iBAAjBl7B,UAAU,GACjBA,UAAU,GACV48B,EAAEa,SAAWb,EAAEzB,iBAEEryB,IAArB9I,UAAU,GAAGo7B,IACTp7B,UAAU,GAAGo7B,SACItyB,IAAjB9I,UAAU,GACVA,UAAU,GACV48B,EAAEc,SAAWd,EAAEvB,eAoBzBuB,EAAEI,SAAW,gBAEUl0B,IAAjB9I,UAAU,KAKVu9B,EAAcv9B,UAAU,IAC1Bif,EAAS+d,SAAS38B,KAChBu8B,OACsB9zB,IAAtB9I,UAAU,GAAGk7B,KACTl7B,UAAU,GAAGk7B,KACW,iBAAjBl7B,UAAU,GACjBA,UAAU,GACV,OACiB8I,IAArB9I,UAAU,GAAGo7B,IACTp7B,UAAU,GAAGo7B,SACItyB,IAAjB9I,UAAU,GACVA,UAAU,GACV,GAORw9B,EAAan9B,KACXu8B,EACA7d,EAAEe,OACA9f,UAAU,GAAGk7B,MAAQ0B,EAAEa,SAAWb,EAAEzB,eACpCn7B,UAAU,GAAGo7B,KAAOwB,EAAEc,SAAWd,EAAEvB,gBAKzCttB,EAAQ5N,UAAU6rB,OAASje,EAAQ5N,UAAU48B,SAAW,WAEtD,QAAqBj0B,IAAjB9I,UAAU,GAKd,IAAoC,IAAhCu9B,EAAcv9B,UAAU,IAA5B,CAyBA,IAAIk7B,EAAOl7B,UAAU,GAAGk7B,KACpBE,EAAMp7B,UAAU,GAAGo7B,IAGvBoC,EAAan9B,KACXE,KACAA,UACgB,IAAT26B,EAAuB36B,KAAK4M,aAAe+tB,OACnC,IAARE,EAAsB76B,KAAK8M,YAAc+tB,OAjClD,CAEE,GAA4B,iBAAjBp7B,UAAU,SAAoC8I,IAAjB9I,UAAU,GAChD,MAAM,IAAI29B,YAAY,gCAGxB1e,EAASge,cAAc58B,KACrBE,UAEsBuI,IAAtB9I,UAAU,GAAGk7B,OACPl7B,UAAU,GAAGk7B,KACS,iBAAjBl7B,UAAU,KACfA,UAAU,GACZO,KAAK4M,gBAEYrE,IAArB9I,UAAU,GAAGo7B,MACPp7B,UAAU,GAAGo7B,SACEtyB,IAAjB9I,UAAU,KACRA,UAAU,GACZO,KAAK8M,aAmBfU,EAAQ5N,UAAU68B,SAAW,gBAENl0B,IAAjB9I,UAAU,MAKsB,IAAhCu9B,EAAcv9B,UAAU,IAc5BO,KAAKyrB,OAAO,CACVkP,OAAQl7B,UAAU,GAAGk7B,KAAO36B,KAAK4M,WACjCiuB,MAAOp7B,UAAU,GAAGo7B,IAAM76B,KAAK8M,UAC/BuwB,SAAU59B,UAAU,GAAG49B,WAhBvB3e,EAASge,cAAc58B,KACrBE,UACsBuI,IAAtB9I,UAAU,GAAGk7B,OACPl7B,UAAU,GAAGk7B,KAAO36B,KAAK4M,aACzBnN,UAAU,GAAKO,KAAK4M,gBACLrE,IAArB9I,UAAU,GAAGo7B,MACPp7B,UAAU,GAAGo7B,IAAM76B,KAAK8M,YACxBrN,UAAU,GAAKO,KAAK8M,aAchCU,EAAQ5N,UAAUg9B,eAAiB,WAEjC,IAAoC,IAAhCI,EAAcv9B,UAAU,IAA5B,CAUA,IAAI69B,EAAmBC,EAAqBv9B,MACxCw9B,EAAcF,EAAiBrwB,wBAC/BwwB,EAAcz9B,KAAKiN,wBAEnBqwB,IAAqB9e,EAAEe,MAEzB0d,EAAan9B,KACXE,KACAs9B,EACAA,EAAiB1wB,WAAa6wB,EAAY9C,KAAO6C,EAAY7C,KAC7D2C,EAAiBxwB,UAAY2wB,EAAY5C,IAAM2C,EAAY3C,KAIP,UAAlDwB,EAAEqB,iBAAiBJ,GAAkBprB,UACvCmqB,EAAEI,SAAS,CACT9B,KAAM6C,EAAY7C,KAClBE,IAAK2C,EAAY3C,IACjBwC,SAAU,YAKdhB,EAAEI,SAAS,CACT9B,KAAM8C,EAAY9C,KAClBE,IAAK4C,EAAY5C,IACjBwC,SAAU,gBAnCZ3e,EAASke,eAAe98B,KACtBE,UACiBuI,IAAjB9I,UAAU,IAA0BA,UAAU,KA3UpD,SAASk9B,EAAcnyB,EAAGE,GACxB1K,KAAK4M,WAAapC,EAClBxK,KAAK8M,UAAYpC,EAmBnB,SAASsyB,EAAcW,GACrB,GACe,OAAbA,GACoB,iBAAbA,QACep1B,IAAtBo1B,EAASN,UACa,SAAtBM,EAASN,UACa,YAAtBM,EAASN,SAIT,OAAO,EAGT,GAAwB,iBAAbM,GAA+C,WAAtBA,EAASN,SAE3C,OAAO,EAIT,MAAM,IAAI58B,UACR,oCACEk9B,EAASN,SACT,yDAWN,SAASO,EAAmBn2B,EAAIo2B,GAC9B,MAAa,MAATA,EACKp2B,EAAG6X,aAAewd,EAAqBr1B,EAAGq2B,aAGtC,MAATD,EACKp2B,EAAGiY,YAAcod,EAAqBr1B,EAAGs2B,iBADlD,EAYF,SAASC,EAAYv2B,EAAIo2B,GACvB,IAAII,EAAgB5B,EAAEqB,iBAAiBj2B,EAAI,MAAM,WAAao2B,GAE9D,MAAyB,SAAlBI,GAA8C,WAAlBA,EAUrC,SAASC,EAAaz2B,GACpB,IAAI02B,EAAgBP,EAAmBn2B,EAAI,MAAQu2B,EAAYv2B,EAAI,KAC/D22B,EAAgBR,EAAmBn2B,EAAI,MAAQu2B,EAAYv2B,EAAI,KAEnE,OAAO02B,GAAiBC,EAS1B,SAASb,EAAqB91B,GAC5B,KAAOA,IAAO+W,EAAEe,OAA6B,IAArB2e,EAAaz2B,IACnCA,EAAKA,EAAGN,YAAcM,EAAG5F,KAG3B,OAAO4F,EAST,SAAS42B,EAAKjgB,GACZ,IACI7d,EACA+9B,EACAC,EAxGQC,EAyGRC,GAJOzgB,IAIWI,EAAQsgB,WA9Jd,IAqDJF,EA4GZC,EAAUA,EAAU,EAAI,EAAIA,EAG5Bl+B,EA9GO,IAAO,EAAIwK,KAAK4zB,IAAI5zB,KAAK6zB,GAAKJ,IAgHrCF,EAAWlgB,EAAQygB,QAAUzgB,EAAQ5T,EAAI4T,EAAQygB,QAAUt+B,EAC3Dg+B,EAAWngB,EAAQ0gB,QAAU1gB,EAAQ1T,EAAI0T,EAAQ0gB,QAAUv+B,EAE3D6d,EAAQ2gB,OAAOj/B,KAAKse,EAAQ4gB,WAAYV,EAAUC,GAG9CD,IAAalgB,EAAQ5T,GAAK+zB,IAAangB,EAAQ1T,GACjD2xB,EAAE5E,sBAAsB4G,EAAKvU,KAAKuS,EAAGje,IAYzC,SAAS6e,EAAax1B,EAAI+C,EAAGE,GAC3B,IAAIs0B,EACAH,EACAC,EACAC,EACAL,EAAY1gB,IAGZvW,IAAO+W,EAAEe,MACXyf,EAAa3C,EACbwC,EAASxC,EAAEa,SAAWb,EAAEzB,YACxBkE,EAASzC,EAAEc,SAAWd,EAAEvB,YACxBiE,EAASrgB,EAAS+M,SAElBuT,EAAav3B,EACbo3B,EAASp3B,EAAGmF,WACZkyB,EAASr3B,EAAGqF,UACZiyB,EAASpC,GAIX0B,EAAK,CACHW,WAAYA,EACZD,OAAQA,EACRL,UAAWA,EACXG,OAAQA,EACRC,OAAQA,EACRt0B,EAAGA,EACHE,EAAGA,KChOT,ICO6RlL,iBDC3R,WAAYy/B,EAAiCC,gBAAjCD,MAPLj/B,gBAAqB,EAIpBA,SAAqB,KAI3BA,KAAKi/B,QAAUA,EACfj/B,KAAKk/B,MAAQA,EAiFjB,OA3ESC,sBAAP,SAAiBC,GACf,IAAM1lB,EAAQ1Z,KAAKq/B,gBAAgBD,GACnCp/B,KAAKi/B,QAAQ9b,OAAOzJ,EAAO,EAAG0lB,IAMzBD,uBAAP,SAAkBF,GAChBj/B,KAAKi/B,QAAUj/B,KAAKi/B,QAAQ19B,OAAO09B,IAG9BE,kBAAP,WACEn/B,KAAKmuB,WAAa,EAClB,IAAImR,EAAgBzC,YAAY7e,MACxBihB,EAAYj/B,aACdu/B,EAAOv/B,KAmBbA,KAAKw/B,IAAM/H,uBAlBX,SAASgI,IACP,IAAMrG,EAAOyD,YAAY7e,MAGzB,IAFAuhB,EAAKpR,aAAeiL,EAAOkG,GAAiBC,EAAKL,MACjDI,EAAgBlG,EACT6F,EAAQv/B,QAAQ,CACrB,IAAM0/B,EAASH,EAAQ,GAEvB,KAAIM,EAAKpR,YAAciR,EAAOM,OAI5B,MAHAT,EAAQhZ,QACRmZ,EAAOO,YAKPV,EAAQv/B,OAAS,GAAK6/B,EAAKK,YAC7BL,EAAKC,IAAM/H,sBAAsBgI,QAMhCN,kBAAP,WACMn/B,KAAKw/B,MACPK,qBAAqB7/B,KAAKw/B,KAC1Bx/B,KAAKw/B,IAAM,MAEbx/B,KAAKi/B,QAAQv/B,OAAS,GAGjBy/B,qBAAP,SAAgBD,GACdl/B,KAAKk/B,MAAQA,GAGRC,2BAAP,SAAsBzjB,GACpB1b,KAAK4/B,SAAWlkB,GAGXyjB,qBAAP,WACE,OAAoB,OAAbn/B,KAAKw/B,KAGNL,4BAAR,SAAwBC,GAGtB,IAFA,IAAIjtB,EAAQ,EACRI,EAAMvS,KAAKi/B,QAAQv/B,OAAS,EACzByS,GAASI,GAAK,CACnB,IAAIutB,EAAM/0B,KAAKg1B,OAAO5tB,EAAQI,GAAO,GACrC,GAAIvS,KAAKi/B,QAAQa,GAAKJ,MAAQN,EAAOM,MACnCvtB,EAAQ2tB,EAAM,MACT,CAAA,KAAI9/B,KAAKi/B,QAAQa,GAAKJ,MAAQN,EAAOM,OAK1C,OAAOI,EAAM,EAJbvtB,EAAMutB,EAAM,GAOhB,OAAO3tB,iBAKK6tB,GAAS9f,EAAsB+f,GAG7C,GACE/f,EAAM/d,OAASuW,YAAUmhB,qBACzB3Z,EAAMjV,KAAKuH,SAAWmG,oBAAkB4V,UACxC,CACA,IAAM2R,EAAchgB,EAAMjV,KAAK+iB,UAAU,GAAGG,WAEtCgS,EAAiBjgB,EAAM0X,UAAYsI,EAEzC,OADAhgB,EAAMwf,MAAQS,EAAiBF,EACxBE,EAAiBF,EAI1B,OADA/f,EAAMwf,MAAQxf,EAAM0X,UAAYqI,EACzB/f,EAAMwf;;;;;;;;;;;;;;oFCtGf,SAASrgC,GAAEA,EAAEG,GAAG,IAAIoB,EAAE,mBAAmBT,QAAQd,EAAEc,OAAOC,UAAU,IAAIQ,EAAE,OAAOvB,EAAE,IAAIsB,EAAET,EAAEX,EAAEqB,EAAEd,KAAKT,GAAGkG,EAAE,GAAG,IAAI,WAAM,IAAS/F,GAAGA,KAAK,MAAMmB,EAAEpB,EAAEe,QAAQE,MAAM+E,EAAEzE,KAAKH,EAAEJ,OAAO,MAAMlB,GAAGa,EAAE,CAACa,MAAM1B,GAAG,QAAQ,IAAIsB,IAAIA,EAAEH,OAAOI,EAAErB,EAAE6gC,SAASx/B,EAAEd,KAAKP,GAAG,QAAQ,GAAGW,EAAE,MAAMA,EAAEa,OAAO,OAAOwE,GAAS,SAASlG,GAAGA,EAAEA,EAAEghC,WAAW,GAAG,aAAahhC,EAAEA,EAAEihC,QAAQ,GAAG,UAAUjhC,EAAEA,EAAEkhC,QAAQ,GAAG,UAAnF,CAA8F/gC,KAAIA,GAAE,KAAK,IAAIoB,GAAE,CAACuB,KAAK,eAAe,SAASxB,GAAEtB,GAAG,YAAO,IAASA,EAAE,GAAG,GAAGkC,OAAOlC,GAAG,SAASa,GAAEb,GAAG,MAAM,CAAC8C,KAAK,gBAAgBq+B,WAAWnhC,GAAG,SAASE,GAAEF,EAAEG,GAAG,MAAM,iBAAiBH,EAAE,iBAAiBA,GAAGG,GAAGA,EAAEH,GAAGG,EAAEH,GAAGA,GAAG,CAAC8C,KAAK9C,GAAG,mBAAmBA,EAAE,CAAC8C,KAAK9C,EAAEuG,KAAKM,KAAK7G,GAAGA,EAAE,SAASkG,GAAElG,GAAG,OAAO,SAASG,GAAG,OAAOH,IAAIG,GAAG,SAASihC,GAAEphC,GAAG,MAAM,iBAAiBA,EAAE,CAAC8C,KAAK9C,GAAGA,EAAE,SAASkH,GAAElH,EAAEG,GAAG,MAAM,CAACe,MAAMlB,EAAE+e,QAAQ5e,EAAEy/B,QAAQ,GAAGyB,SAAQ,EAAGx5B,QAAQ3B,GAAElG,IAAI,SAASshC,GAAEthC,EAAEG,EAAEoB,GAAG,IAAID,EAAEnB,EAAEU,GAAE,EAAG,MAAM,CAACb,EAAEoa,iBAAiBpa,GAAG,GAAG,kBAAkBA,EAAE8C,KAAK,CAACjC,GAAE,EAAG,IAAIV,EAAEL,OAAOC,OAAO,GAAGuB,GAAG,MAAM,mBAAmBtB,EAAEmhC,WAAWhhC,EAAEH,EAAEmhC,WAAW7/B,EAAEC,GAAGzB,OAAO0W,KAAKxW,EAAEmhC,YAAYzqB,kBAAkB7V,GAAGV,EAAEU,GAAG,mBAAmBb,EAAEmhC,WAAWtgC,GAAGb,EAAEmhC,WAAWtgC,GAAGS,EAAEC,GAAGvB,EAAEmhC,WAAWtgC,MAAMS,EAAEnB,GAAE,EAAG,OAAM,KAAMmB,EAAET,GAAG,SAASZ,GAAEE,EAAEU,QAAG,IAASA,IAAIA,EAAE,IAAI,IAAIZ,EAAED,GAAEshC,GAAEhgC,GAAEnB,EAAEohC,OAAOphC,EAAEqhC,SAASC,OAAO79B,cAAc5D,GAAG,OAAOE,GAAEF,EAAEa,EAAE++B,YAAYz/B,EAAE4e,QAAQxd,IAAG,GAAGQ,EAAE9B,EAAE,GAAG0W,EAAE1W,EAAE,GAAGoL,EAAE,CAACq2B,OAAOvhC,EAAEwhC,SAAS9gC,EAAE+gC,aAAa,CAAC1gC,MAAMf,EAAEqhC,QAAQ5B,QAAQ79B,EAAEgd,QAAQpI,EAAE9O,QAAQ3B,GAAE/F,EAAEqhC,UAAUK,WAAW,SAAStgC,EAAEV,GAAG,IAAIZ,EAAE8B,EAAE4U,EAAE,iBAAiBpV,EAAE,CAACL,MAAMK,EAAEwd,QAAQ5e,EAAE4e,SAASxd,EAAEjB,EAAEqW,EAAEzV,MAAM4gC,EAAEnrB,EAAEoI,QAAQI,EAAEiiB,GAAEvgC,GAAGsK,EAAEhL,EAAEohC,OAAOjhC,GAAG,GAAG6K,EAAEoS,GAAG,CAAC,IAAIvc,EAAEM,GAAE6J,EAAEoS,GAAG4B,EAAErc,OAAO,IAAI,IAAI,IAAIgpB,EAAE,SAAS9rB,GAAG,IAAIG,EAAE,mBAAmBW,QAAQA,OAAOC,SAASQ,EAAEpB,GAAGH,EAAEG,GAAGmB,EAAE,EAAE,GAAGC,EAAE,OAAOA,EAAEd,KAAKT,GAAG,GAAGA,GAAG,iBAAiBA,EAAEK,OAAO,MAAM,CAACY,KAAK,WAAW,OAAOjB,GAAGsB,GAAGtB,EAAEK,SAASL,OAAE,GAAQ,CAACkB,MAAMlB,GAAGA,EAAEsB,KAAKH,MAAMnB,KAAK,MAAM,IAAIoB,UAAUjB,EAAE,0BAA0B,mCAAtQ,CAA0Sa,GAAGuZ,EAAEuR,EAAE7qB,QAAQsZ,EAAEpZ,KAAKoZ,EAAEuR,EAAE7qB,OAAO,CAAC,IAAI8gC,EAAExnB,EAAErZ,MAAM,QAAG,IAAS6gC,EAAE,OAAO76B,GAAE5G,EAAEwhC,GAAG,IAAI9E,EAAE,iBAAiB+E,EAAE,CAACtkB,OAAOskB,GAAGA,EAAEC,EAAEhF,EAAEvf,OAAOwkB,EAAEjF,EAAE4C,QAAQsC,OAAE,IAASD,EAAE,GAAGA,EAAEE,EAAEnF,EAAEoF,KAAKC,OAAE,IAASF,EAAE,WAAW,OAAM,GAAIA,EAAEG,OAAE,IAASN,EAAE7C,EAAE,MAAM6C,EAAEA,EAAE1hC,EAAEiiC,EAAEpiC,EAAEohC,OAAOpC,GAAG,GAAGkD,EAAEP,EAAE3iB,GAAG,CAAC,IAAIqjB,EAAExiC,GAAEshC,IAAGgB,EAAEhhC,GAAE4gC,GAAG,GAAGhgC,OAAOiJ,EAAEs3B,KAAKP,EAAEK,EAAEd,OAAOrnB,iBAAiBpa,GAAG,OAAOA,MAAM4D,cAAc5D,GAAG,OAAOE,GAAEF,EAAEqL,EAAEs2B,SAAS/B,YAAYkC,EAAE3iB,GAAG,GAAGujB,EAAEF,EAAE,GAAGG,EAAEH,EAAE,GAAGI,EAAEJ,EAAE,GAAGK,EAAE,MAAMb,EAAEA,EAAE1hC,EAAE,MAAM,CAACY,MAAM2hC,EAAE9jB,QAAQ4jB,EAAE/C,QAAQ8C,EAAErB,QAAQW,IAAI1hC,GAAGoiC,EAAEriC,OAAO,GAAGuiC,EAAE/6B,QAAQ3B,GAAE28B,MAAM,MAAM7iC,GAAGC,EAAE,CAACyB,MAAM1B,GAAG,QAAQ,IAAIua,IAAIA,EAAEpZ,OAAOY,EAAE+pB,EAAEiV,SAASh/B,EAAEtB,KAAKqrB,GAAG,QAAQ,GAAG7rB,EAAE,MAAMA,EAAEyB,QAAQ,OAAOwF,GAAE5G,EAAEwhC,KAAK,OAAOz2B,EAAE,IAAItJ,GAAE,SAAS/B,EAAEG,GAAG,OAAOH,EAAE4/B,QAAQlpB,kBAAkBnV,GAAG,IAAID,EAAEC,EAAEsF,KAAK,OAAOvF,GAAGA,EAAEtB,EAAE+e,QAAQ5e,OAAO,SAASwW,GAAE3W,GAAG,IAAIsB,EAAEtB,EAAE4hC,aAAa/gC,EAAEV,GAAE6gC,WAAW9gC,EAAE,IAAIijB,IAAIjc,EAAE,CAAC47B,SAAS9iC,EAAE+iC,KAAK,SAASxhC,GAAGV,IAAIV,GAAE8gC,UAAU3/B,EAAEtB,EAAE6hC,WAAWvgC,EAAEC,GAAGQ,GAAET,EAAE8/B,GAAE7/B,IAAIrB,EAAEwW,kBAAkB1W,GAAG,OAAOA,EAAEsB,QAAQ0hC,UAAU,SAAShjC,GAAG,OAAOE,EAAEgiB,IAAIliB,GAAGA,EAAEsB,GAAG,CAAC2hC,YAAY,WAAW,OAAO/iC,EAAEoiB,OAAOtiB,MAAM8S,MAAM,SAAS5S,GAAG,GAAGA,EAAE,CAAC,IAAIkhC,EAAE,iBAAiBlhC,EAAEA,EAAE,CAAC6e,QAAQ/e,EAAE0hC,OAAO3iB,QAAQ7d,MAAMhB,GAAGoB,EAAE,CAACJ,MAAMkgC,EAAElgC,MAAM0+B,QAAQ,GAAG7gB,QAAQqiB,EAAEriB,QAAQlX,QAAQ3B,GAAEk7B,EAAElgC,QAAQ,OAAOL,EAAEV,GAAE8gC,QAAQl/B,GAAET,EAAEC,IAAG2F,GAAGg8B,KAAK,WAAW,OAAOriC,EAAEV,GAAE+gC,QAAQhhC,EAAE62B,QAAQ7vB,GAAGi8B,YAAY,OAAO7hC,GAAG8hC,aAAa,OAAOviC,IAAI,OAAOqG,WCmExjGm8B,GACdtkB,EACAxc,OAAE+gC,cAAWC,6BAA0BC,YAsMvC,OAAOC,GApMeC,GACpB,CACEz6B,GAAI,SACJ8V,UACAyiB,QAAS,SACTD,OAAQ,CACNoC,QAAS,CACPpmB,GAAI,CACFqmB,MAAO,CACLnmB,OAAQ,SACRmiB,QAAS,CAAC,UAEZiE,WAAY,CACVpmB,OAAQ,UACRmiB,QAAS,aAEXkE,IAAK,CACHrmB,OAAQ,SACRmiB,QAAS,CAAC,uBAAwB,UAEpCmE,UAAW,CACTtmB,OAAQ,UACRmiB,QAAS,CAAC,eAIhBxyB,OAAQ,CACNmQ,GAAI,CACFymB,KAAM,CACJvmB,OAAQ,UACRmiB,QAAS,CAAC,mBAAoB,SAEhCiE,WAAY,CACVpmB,OAAQ,SACRmiB,QAAS,aAEXqE,QAAS,CACPxmB,OAAQ,OACRmiB,QAAS,CAAC,cAEZmE,UAAW,CACTtmB,OAAQ,SACRmiB,QAAS,CAAC,eAIhBsE,KAAM,CACJ3mB,GAAI,CACFwmB,UAAW,CACTtmB,OAAQ,OACRmiB,QAAS,CAAC,aAEZiE,WAAY,CACVpmB,OAAQ,OACRmiB,QAAS,CAAC,kBAMpB,CACEA,QAAS,CACPuE,UAAWpkC,GAAO,CAChBqkC,gBAAiB,SAACn5B,EAAK4V,GACrB,MAAmB,eAAfA,EAAM/d,KACD+d,EAAMwG,QAAQxG,MAEhB5V,EAAIm5B,mBAGfC,iBAAkBtkC,IAAO,SAACkL,EAAK4V,GAC7B,IAAIiO,EAAa7jB,EAAI6jB,WAIrB,MAHI,YAAajO,GAAS,eAAgBA,EAAMwG,UAC9CyH,EAAajO,EAAMwG,QAAQyH,mBAGxB7jB,IACH6jB,aACA8R,aAAc31B,EAAIq5B,OAAO,GAAG/L,UAAYzJ,OAG5CrT,KAAA,SAAKxQ,iBACKs5B,EAAiDt5B,QAA1Cq5B,EAA0Cr5B,SAAlC21B,EAAkC31B,eAApBm5B,EAAoBn5B,kBACzDs5B,EAAMxN,YAEN,IAAoB,IAAAyN,EAAA5jC,EAAA0jC,iCAAQ,CAE1B3D,WAAgBC,qGAElB,IAAM6D,WAhHdH,EACA1D,GAEA,IAAK,IAAI/c,EAAMygB,EAAOjkC,OAAS,EAAGwjB,GAAO,EAAGA,IAAO,CACjD,IAAM6gB,EAAQJ,EAAOzgB,GACrB,GAAI6gB,EAAM5hC,OAASuW,YAAU6hB,MACvBwJ,EAAMnM,WAAaqI,EACrB,OAAO0D,EAAOriC,MAAM4hB,GAI1B,OAAOygB,EAqGsBK,CAAsBL,EAAQ1D,GAE/CgE,EAAsBR,MAAAA,SAAAA,EAAiB7L,WAEzC6L,MAAAA,SAAAA,EAAiBthC,QAASuW,YAAUmhB,qBACpC4J,EAAgBx4B,KAAKuH,SAAWmG,oBAAkB4V,YAElD0V,EACER,EAAgB7L,qBAChB6L,EAAgBx4B,KAAK+iB,UAAU,yBAAIG,aAEnC8R,GAAgBgE,GAAuB,IACzCpB,EAAQle,KAAK5L,iBAAemrB,UAG9B,IAAMC,EAAa,IAAI9iC,MACjB49B,EAAU,IAAI59B,iBACT+iC,GACT,GACEH,GACAA,EAAsBhE,IACrBmE,EAAMxM,WAAaqM,GAClBG,IAAUX,oBAId,GAAIW,EAAMxM,UAAYqI,EACpBkE,EAAWrjC,KAAKsjC,OACX,CACL,IAAMC,EAAS1B,EAAUyB,GAAO,GAChCnF,EAAQn+B,KAAK,CACX6+B,SAAU,WACR0E,KAEF3E,MAAO0E,EAAM1E,cAjBnB,IAAoB,IAAA4E,EAAArkC,EAAA6jC,+IAqBpBlB,EAAyBuB,GACzBtB,EAAQle,KAAK5L,iBAAewrB,OAC5BX,EAAMY,WAAWvF,GACjB2E,EAAMzxB,SAER4I,eAAMzQ,GACJA,EAAIs5B,MAAMxN,SAEZqO,qBAAsBrlC,IAAO,SAACkL,GAC5B,cACKA,IACHm5B,gBAAiB,UAGrBiB,UAAWtlC,GAAO,CAChB6gC,aAAc,SAAC31B,EAAK4V,GAGlB,OAFA5V,EAAIs5B,MAAMe,gBAAe,GACzBr6B,EAAIs5B,MAAMzxB,QACS,YAAf+N,EAAM/d,MAAsB+d,EAAMwG,QAAQuZ,aACrC/f,EAAMwG,QAAQuZ,aAEhBhiB,KAAKD,SAGhB4mB,SAAUxlC,IAAO,SAACkL,EAAKu6B,GACb,IAAA5E,EAAgC31B,eAAlBs5B,EAAkBt5B,QAAXq5B,EAAWr5B,SACxC,GAA0B,cAAtBu6B,EAAa1iC,KAAsB,CAC7B,IAAA2iC,EAAUD,EAAane,cAC/BsZ,GAAS8E,EAAO7E,GAEhB,IAAI1tB,EAAMoxB,EAAOjkC,OAAS,EAC1B,IAAKikC,EAAOpxB,IAAQoxB,EAAOpxB,GAAKqlB,WAAakN,EAAMlN,UAEjD+L,EAAO7iC,KAAKgkC,OACP,CAGL,IAFA,IAAIC,GAAkB,EAClB5yB,EAAQ,EACLA,GAASI,GAAK,CACnB,IAAIutB,EAAM/0B,KAAKg1B,OAAO5tB,EAAQI,GAAO,GACjCoxB,EAAO7D,GAAKlI,WAAakN,EAAMlN,UACjCzlB,EAAQ2tB,EAAM,EAEdvtB,EAAMutB,EAAM,GAGQ,IAApBiF,IACFA,EAAiB5yB,GAEnBwxB,EAAOxgB,OAAO4hB,EAAgB,EAAGD,GAGnC,IAAME,EAASF,EAAMlN,UAAYqI,EAC3BgF,EAAStC,EAAUmC,EAAOE,GAC5BA,EACFC,IACSrB,EAAMsB,YACftB,EAAMuB,UAAU,CACdxF,SAAU,WACRsF,KAEFvF,MAAOoF,EAAMpF,QAInB,cAAYp1B,IAAKq5B,kBCpR3B,ICEYyB,YAuCIC,GACdtiC,EACAmP,GAEA,IAAM9O,EAAOL,EAAMmP,EAAS,IAC5B,OAAwB,IAApBA,EAASxS,OACJ0D,EAEAiiC,GACHjiC,EAAyBJ,SAASkP,EAAS,IAC1ClP,SACHkP,EAAS5Q,MAAM,aAKLgkC,GAAqBC,GACnC,IAAMvX,SAAgBuX,OAChB7rB,EAAQsU,EAAUnpB,MACxB,MAAO,CAAEmpB,YAAWtU,kBAGN8rB,GACdC,EACAC,GAEQ,IAAAl+B,EAAUk+B,QACbl+B,GAMLi+B,EAAY1vB,SAAQ,SAAC3S,GACnB,GAAIA,EAAKjB,OAASijC,GAAcO,OAC9B,IACE,GAAItkC,MAAMyU,QAAQ1S,EAAKsW,OAAQ,CACvB,IAAA9X,EAAuB0jC,GAAqBliC,EAAKsW,OAA/CsU,cAAWtU,UACA2rB,GAAc79B,EAAMxE,SAAUgrB,GACtCsC,WAAWltB,EAAKE,QAASoW,QAEpClS,EAAM8oB,WAAWltB,EAAKE,QAASF,EAAKsW,OAEtC,MAAO9Y,SAMJ,GAAIwC,EAAKjB,OAASijC,GAAcQ,OACrC,IACE,GAAIvkC,MAAMyU,QAAQ1S,EAAKsW,OAAQ,CACvB,IAAA7R,EAAuBy9B,GAAqBliC,EAAKsW,OAA/CsU,cAAWtU,UACA2rB,GAAc79B,EAAMxE,SAAUgrB,GACtCyC,WAAW/W,GAAS,QAE/BlS,EAAMipB,WAAWrtB,EAAKsW,OAExB,MAAO9Y,SAMJ,GAAIwC,EAAKjB,OAASijC,GAAcS,UAkB3C,SACEC,EACAJ,SAEA,IACE,IAAMK,EAAgB1kC,MAAMH,gBAAKwkC,EAAUl+B,4BAAOxE,WAAY,IAAIC,KAChE,SAACG,GAAS,OAAAA,EAAKE,WAEX0iC,EAAwB7mC,OAAOyxB,QAAQmV,GAAeE,UACxDC,EAAYH,EAAcrmC,OAC9BsmC,EAAsBjwB,SAAQ,SAACnU,SAAAmG,EAAArH,OAACgZ,OAAOtW,OAC/BqB,EAAUqhC,EAASrhC,QAAQrB,GACjC,IAAiB,IAAbqB,GAAkBA,EAAUyhC,EAC9B,cACER,EAAUl+B,sBAAOipB,WAAW9F,OAAOjR,IACnC,MAAO9Y,IAOXslC,EAAYzhC,KAEdqhC,EAAS/vB,SAAQ,SAACzS,EAASoW,aACzB,yBACMgsB,EAAUl+B,4BAAOxE,SAAS0W,yBAAQpW,WAAYA,cAChDoiC,EAAUl+B,sBAAO8oB,WAAWhtB,EAASoW,IAEvC,MAAO9Y,QAOX,MAAOA,KArDLulC,CAAkC/iC,EAAK0iC,SAAUJ,QAC5C,GAAItiC,EAAKjB,OAASijC,GAAcgB,YAAa,CAC9Bf,GAClB79B,EAAMxE,SACNI,EAAKsW,OAEI9E,MAAMoc,YAAY5tB,EAAKsM,SAAUtM,EAAK7C,MAAO6C,EAAK8tB,eACxD,GAAI9tB,EAAKjB,OAASijC,GAAciB,eAAgB,CACjChB,GAClB79B,EAAMxE,SACNI,EAAKsW,OAEI9E,MAAMuc,eAAe/tB,EAAKsM,eApH3C,SAAY01B,GACVA,uBACAA,uBACAA,2BACAA,iCACAA,uCALF,CAAYA,KAAAA,QCQZ,IAAM7R,GAGF,IAAItZ,aACQ4Z,GACdvpB,EACAqpB,GAEA,IAAIC,EAAaL,GAAYja,IAAIhP,GAQjC,OAPKspB,IACHA,EAAa,IAAI3Z,IACjBsZ,GAAYxZ,IAAIzP,EAAKspB,IAElBA,EAAWrW,IAAIoW,IAClBC,EAAW7Z,IAAI4Z,EAAM,IAEhBC,EAAWta,IAAIqa,GAsBxB,IAAM2S,GAAiC,CACrC,kBACA,cACA,mBACA,eACA,oBACA,cACA,6BACA,eACA,uBACA,mCAgBcC,GACdC,EACAl8B,GAEA,OAAO,SAACyT,GACN,GAAIA,GAAsB,iBAARA,GAAoB,YAAaA,EAAK,CACtD,GAAI,UAAWA,EAAK,CACV,IAASrU,EAAgBqU,UAAVrE,EAAUqE,QACjC,OAAO8V,GAAgBvpB,EAAKZ,GAAMgQ,GAC7B,GAAI,SAAUqE,EAAK,CAChB,IAASrB,EAAeqB,UAATM,EAASN,OAC1B4V,EAAOxU,OAAOzC,GAEpB,WAAWiX,aAAAA,eAAQtV,EAAKpb,IAAIsjC,GAAeC,EAAUl8B,WAChD,GAAI,WAAYyT,EACrB,Od9DK,SAAU0W,GACnB,IAA8Dl1B,EAAUknC,EAAUC,EAAUC,EAAUC,EAAlGC,EAA+B,IAAhBpS,EAAO/0B,OAAek1B,EAAMH,EAAO/0B,OAAWC,EAAI,EACnC,MAA9B80B,EAAOA,EAAO/0B,OAAS,KACvBmnC,IACkC,MAA9BpS,EAAOA,EAAO/0B,OAAS,IACvBmnC,KAGR,IAAInS,EAAc,IAAIF,YAAYqS,GAAelS,EAAQ,IAAI1C,WAAWyC,GACxE,IAAKn1B,EAAI,EAAGA,EAAIq1B,EAAKr1B,GAAK,EACtBknC,EAAWpT,GAAOoB,EAAOnB,WAAW/zB,IACpCmnC,EAAWrT,GAAOoB,EAAOnB,WAAW/zB,EAAI,IACxConC,EAAWtT,GAAOoB,EAAOnB,WAAW/zB,EAAI,IACxCqnC,EAAWvT,GAAOoB,EAAOnB,WAAW/zB,EAAI,IACxCo1B,EAAMh1B,KAAQ8mC,GAAY,EAAMC,GAAY,EAC5C/R,EAAMh1B,MAAoB,GAAX+mC,IAAkB,EAAMC,GAAY,EACnDhS,EAAMh1B,MAAoB,EAAXgnC,IAAiB,EAAiB,GAAXC,EAE1C,OAAOlS,Ec4CIoS,CAAO/oB,EAAI0W,QACb,GAAI,QAAS1W,EAAK,CACvB,IAAMnD,EAAQ4rB,EAASltB,IAAIyE,EAAI1Q,KAC/B,GAAIuN,EACF,OAAOA,EAEP,IAAMjP,EAAQ,IAAIo7B,MAGlB,OAFAp7B,EAAM0B,IAAM0Q,EAAI1Q,IAChBm5B,EAASzsB,IAAIgE,EAAI1Q,IAAK1B,GACfA,QAGN,GAAItK,MAAMyU,QAAQiI,GACvB,OAAOA,EAAI9a,IAAIsjC,GAAeC,EAAUl8B,IAE1C,OAAOyT,YAIaipB,GAAcplC,OACpCif,aACA/D,WACA3a,SACAqkC,aACAS,iBAQA,IACE,IAAM38B,EA7FV,SACEwS,EACA3a,GAKA,IACE,OAAIA,IAAS0W,EAAcwe,MAEvBva,EAAOvS,WAAW,UAAauS,EAAOvS,WAAW,sBAG9CuS,EAAOvS,WAAW,UACzB,MAAO3J,GACP,OAAO,MA8EK2J,CAAWuS,EAAQ3a,GAC/B,IAAKmI,EAAK,OAMV,GAAIuW,EAAS6U,OAIX,YADCprB,EAAYuW,EAASnR,UAAYmR,EAASxC,KAAK,IAGlD,IAAMK,EAAWpU,EACfuW,EAASnR,UAGL2O,EAAOwC,EAASxC,KAAKpb,IAAIsjC,GAAeC,EAAUl8B,KA9E5D,SACEA,EACAuP,GAEA,GAAKA,MAAAA,SAAAA,EAAQia,YAAb,CAEQ,IAAAluB,EAASiU,EAAOia,iBACxB,GAAKwS,GAA+BY,SAASthC,GAA7C,CAEA,IAAMuhC,EAAYtT,GAAgBvpB,EAAK1E,GAClCuhC,EAAUD,SAASrtB,IAASstB,EAAUrmC,KAAK+Y,KAsE9CutB,CAAkB98B,EADHoU,EAAS3e,MAAMuK,EAAK+T,IA+BnC,MAAOtd,GACPkmC,EAAapmB,EAAU9f,ICxG3B,IAKM86B,GAAQwL,IAA6BC,GAErCC,GAAwB,aAExBC,GAAyB,CAC7BC,SAAU,IACVC,QAAS,QACTC,UAAW,EACXC,YAAa,OAGf,SAASC,GAAqBjnC,GAC5B,OACEA,EAAEuB,MAAQuW,YAAUmhB,sBACnBj5B,EAAEqK,KAAKuH,QAAUmG,oBAAkB6V,WACjC5tB,EAAEqK,KAAKuH,QAAUmG,oBAAkBuiB,kBAClCt6B,EAAEqK,KAAK9I,MAAQyW,oBAAkBkvB,8BA+CvC,WACEnE,EACA5C,GAFF,WAIE,GAlCM/gC,eAAsC,KACtCA,mBAAiD,GAEjDA,aAAmB67B,KAKnB77B,gCAA6C,GAS7CA,WAAoBga,IAEpBha,cAA0D,IAAIia,IAE9Dja,YpB3FD,CACLiD,IAAK,GACLka,eAAM3d,GAEJ,OAAKA,GAAMA,EAAE4I,KAGN5I,EAAE4I,KAAKE,IAFJ,GAIZ8U,iBAAQ9U,GACN,OAAOtI,KAAKiD,IAAIqF,IAAO,MAGzB+U,kBAAA,SAAkB7d,GAAlB,WACQ8I,EAAK9I,EAAE4I,MAAQ5I,EAAE4I,KAAKE,UACrBtI,KAAKiD,IAAIqF,GACZ9I,EAAEmJ,YACJnJ,EAAEmJ,WAAWoN,SAAQ,SAACmF,GACpB,OAAAoC,EAAKD,kBAAmBnC,OAI9BqC,aAAIjV,GACF,OAAOtI,KAAKiD,IAAIpD,eAAeyI,IAEjCkV,iBACExd,KAAKiD,IAAM,KoBmEPjD,uBAAiD,KAEjDA,sBAAwC,GAExCA,cAAgC,KAChCA,iBAA8B,OAM/B+gC,MAAAA,SAAAA,EAAQnB,WAAY+D,EAAOjkC,OAAS,EACvC,MAAM,IAAIkT,MAAM,oCAElB,IAAMm1B,EAA8B,CAClC7I,MAAO,EACP8I,SAAU,IACVC,KAAMviC,SAAS6Z,KACf2oB,YAAa,EACbC,cAAc,EACdC,aAAa,EACbC,WAAW,EACX3gC,WAAY,WACZk4B,UAAU,EACV0I,iBAAkB,GAClBC,cAAc,EACdC,qBAAqB,EACrBC,gBAAgB,EAChBC,UAAWlB,IAEbxnC,KAAK+gC,OAAS5hC,OAAOC,OAAO,GAAI2oC,EAAehH,GAE/C/gC,KAAK2oC,aAAe3oC,KAAK2oC,aAAa7e,KAAK9pB,MAC3CA,KAAK2iC,UAAY3iC,KAAK2iC,UAAU7Y,KAAK9pB,MACrCA,KAAK4iC,yBAA2B5iC,KAAK4iC,yBAAyB9Y,KAAK9pB,MACnEA,KAAK6iC,QAAQjmB,GAAG7D,iBAAe6vB,OAAQ5oC,KAAK2oC,cAE5C3oC,KAAK6oC,WAEL7oC,KAAK8oC,UAAY,IAAIloB,GACrB5gB,KAAK+oC,kBAAoB,IAAI9uB,IAC7Bja,KAAKgpC,gBAAkB,IAAI/uB,IAC3Bja,KAAKipC,qBAAuB,IAAIhvB,IAEhCja,KAAK6iC,QAAQjmB,GAAG7D,iBAAewrB,OAAO,+BAC9B96B,EAAwC6T,EAAKwrB,UAAUI,QAArDnnB,cAAWC,aAAUO,iBAE7BjF,EAAKyrB,kBAAkBhzB,SAAQ,SAACL,EAAQyzB,GACtC,OAAA7rB,EAAK8rB,kBAAkBD,EAAMzzB,UAI/B,IAAgB,IAAA1I,EAAA/M,EAAAsiB,EAAapB,qCAAO,CAA/B,IAAM3C,UACTlB,EAAK+rB,UAAU7qB,EAAG+D,yGAGpB,IAAmB,IAAAzT,EAAA7O,EAAAqd,EAAK2rB,qBAAqBpzB,sCAAQ,CAAhD,IAAMlP,UAET2W,EAAKgsB,iBAAiB3iC,qGAExB2W,EAAKyrB,kBAAkB3S,QACvB9Y,EAAK0rB,gBAAgB5S,QACrB9Y,EAAK2rB,qBAAqB7S,YAE1B,IAAgB,IAAA/lB,EAAApQ,EAAA8hB,EAAU/N,wCAAU,CAAzBwK,UACTlB,EAAKisB,YAAY/qB,GAAG,yGAEtB,IAAgB,IAAAhO,EAAAvQ,EAAA+hB,EAAShO,wCAAU,CAAxBwK,UACTlB,EAAKksB,WAAWhrB,yGAGpBxe,KAAK6iC,QAAQjmB,GAAG7D,iBAAemrB,UAAU,WACvC5mB,EAAKmsB,kBAAoB,KACzBnsB,EAAK0C,OAAOxC,WAGd,IAAMomB,EAAQ,IAAIzE,GAAM,IAAI4B,MAAAA,SAAAA,EAAQ7B,QAAS6I,EAAc7I,OAC3Dl/B,KAAK0pC,QAAUhH,GACb,CACEiB,OAAQA,EACL1gC,KAAI,SAACrC,GACJ,OAAImgC,GAAUA,EAAO4I,SACZ5I,EAAO4I,SAAS/oC,GAElBA,KAER+Y,MAAK,SAACiwB,EAAIC,GAAO,OAAAD,EAAGhS,UAAYiS,EAAGjS,aACtCgM,QACAzV,WAAY,EACZ8R,aAAc,EACdwD,gBAAiB,MAEnB,CACEd,UAAW3iC,KAAK2iC,UAChBC,yBAA0B5iC,KAAK4iC,yBAC/BC,QAAS7iC,KAAK6iC,UAGlB7iC,KAAK0pC,QAAQv3B,QACbnS,KAAK0pC,QAAQrH,WAAU,SAACG,GACtBllB,EAAKulB,QAAQle,KAAK5L,iBAAe+wB,YAAa,CAC5CC,OAAQvH,OAGZxiC,KAAKgqC,aJiIAlH,GAjDcC,GACnB,CACEz6B,GAAI,QACJ8V,QInFqC,CACrC6rB,aAAc,EACdrG,SJkFA/C,QAAS,SACTD,OAAQ,CACNsJ,OAAQ,CACNttB,GAAI,CACFutB,aAAc,CACZrtB,OAAQ,WACRmiB,QAAS,CAAC,cAAe,aAE3BmL,UAAW,CACTttB,OAAQ,SACRmiB,QAAS,CAAC,eAIhBoL,SAAU,CACRztB,GAAI,CACF0tB,eAAgB,CACdxtB,OAAQ,SACRmiB,QAAS,CAAC,iBAEZmL,UAAW,CACTttB,OAAQ,SACRmiB,QAAS,CAAC,iBAMpB,CACEA,QAAS,CACPsL,SAAU,SAACjgC,EAAK4V,GACV,YAAaA,GACf5V,EAAIs5B,MAAM2G,SAASrqB,EAAMwG,QAAQwY,QAGrCsL,YAAaprC,GAAO,CAClB6qC,YAAa,SAAC3/B,GAAQ,OAAAA,EAAIs5B,MAAM1E,SAElCuL,aAAc,SAACngC,GACbA,EAAIs5B,MAAM2G,SAASjgC,EAAI2/B,kBIvH7BjqC,KAAKgqC,aAAa73B,QAClBnS,KAAKgqC,aAAa3H,WAAU,SAACG,GAC3BllB,EAAKulB,QAAQle,KAAK5L,iBAAe+wB,YAAa,CAC5C5K,MAAOsD,OAMX,IAAMkI,EAAY1qC,KAAK0pC,QAAQlH,MAAMpkB,QAAQulB,OAAO95B,MAClD,SAACjJ,GAAM,OAAAA,EAAEuB,OAASuW,YAAU6hB,QAExBoQ,EAAoB3qC,KAAK0pC,QAAQlH,MAAMpkB,QAAQulB,OAAO95B,MAC1D,SAACjJ,GAAM,OAAAA,EAAEuB,OAASuW,YAAUkhB,gBAE9B,GAAI8Q,EAAW,CACP,IAAA9oC,EAAoB8oC,EAAUz/B,KAA5B2/B,UAAOC,WACf15B,YAAW,WACTmM,EAAKulB,QAAQle,KAAK5L,iBAAe6vB,OAAQ,CACvCn+B,QACAE,aAED,GAEDggC,GACFx5B,YAAW,WAELmM,EAAKmsB,oBAITnsB,EAAKmsB,kBAAoBkB,EACzBrtB,EAAKwtB,oBACHH,GAEFrtB,EAAKsI,OAAO/U,cAAe2rB,SACxBmO,EAAwC1/B,KAAKyvB,kBAE/C,GAED16B,KAAK0pC,QAAQlH,MAAMpkB,QAAQulB,OAAO95B,KAAKg+B,KACzC7nC,KAAK+qC,MAAMjkC,UAAUya,IAAI,gBA0pD/B,OA70DEpiB,sBAAW6rC,yBAAX,WACE,OAAOhrC,KAAK0pC,QAAQlH,MAAMpkB,QAAQwlB,uCAsL7BoH,eAAP,SAAU9qB,EAAe6K,GAEvB,OADA/qB,KAAK6iC,QAAQjmB,GAAGsD,EAAO6K,GAChB/qB,MAGFgrC,gBAAP,SAAW9qB,EAAe6K,GAExB,OADA/qB,KAAK6iC,QAAQ7G,IAAI9b,EAAO6K,GACjB/qB,MAGFgrC,sBAAP,SAAiBjK,GAAjB,WACE5hC,OAAO0W,KAAKkrB,GAAQhrB,SAAQ,SAACwG,GAE3Be,EAAKyjB,OAAOxkB,GAAOwkB,EAAOxkB,MAEvBvc,KAAK+gC,OAAOoH,cACfnoC,KAAKirC,oBAEqB,IAAjBlK,EAAO7B,OAChBl/B,KAAKgqC,aAAa5H,KAAK,CACrBjgC,KAAM,YACNukB,QAAS,CACPwY,MAAO6B,EAAO7B,cAIY,IAArB6B,EAAO2H,aACS,IAArB3H,EAAO2H,UACL1oC,KAAK0oC,YACP1oC,KAAK0oC,UAAU9zB,MAAMs2B,QAAU,SAG5BlrC,KAAK0oC,YACR1oC,KAAK0oC,UAAYhjC,SAASF,cAAc,UACxCxF,KAAK0oC,UAAUj+B,MAAQkgB,OAAOwgB,WAAWnrC,KAAK4lB,OAAOnb,OACrDzK,KAAK0oC,UAAU/9B,OAASggB,OAAOwgB,WAAWnrC,KAAK4lB,OAAOjb,QACtD3K,KAAK0oC,UAAU5hC,UAAUya,IAAI,uBAC7BvhB,KAAKorC,QAAQC,aAAarrC,KAAK0oC,UAAW1oC,KAAK4lB,SAEjD5lB,KAAK0oC,UAAU9zB,MAAMs2B,QAAU,aAK9BF,wBAAP,WACE,IAAMM,EAAatrC,KAAK0pC,QAAQlH,MAAMpkB,QAAQulB,OAAO,GAC/C4H,EAAYvrC,KAAK0pC,QAAQlH,MAAMpkB,QAAQulB,OAC3C3jC,KAAK0pC,QAAQlH,MAAMpkB,QAAQulB,OAAOjkC,OAAS,GAE7C,MAAO,CACLg/B,UAAW4M,EAAW1T,UACtB4T,QAASD,EAAU3T,UACnB6T,UAAWF,EAAU3T,UAAY0T,EAAW1T,YAIzCoT,2BAAP,WACE,OAAOhrC,KAAK4jC,MAAMzV,WAAanuB,KAAK0rC,iBAG/BV,0BAAP,WACQ,IAAAppC,EAA2B5B,KAAK0pC,QAAQlH,MAAMpkB,QACpD,+BAA6B,GAAGwZ,WAG3BoT,sBAAP,WACE,OAAOhrC,KAAKggB,QAYPgrB,iBAAP,SAAY7c,sBAAAA,KACNnuB,KAAK0pC,QAAQlH,MAAMt7B,QAAQ,WAG7BlH,KAAK0pC,QAAQtH,KAAK,CAAEjgC,KAAM,UAF1BnC,KAAK0pC,QAAQtH,KAAK,CAAEjgC,KAAM,OAAQukB,QAAS,CAAEyH,0BAK/CnuB,KAAK4lB,OAAOtY,gCACRq+B,qBAAqB,QAAQ,GAC9B7kC,UAAUsqB,OAAO,gBACpBpxB,KAAK6iC,QAAQle,KAAK5L,iBAAe6yB,QAG5BZ,kBAAP,SAAa7c,cACQ5lB,IAAf4lB,GAA4BnuB,KAAK0pC,QAAQlH,MAAMt7B,QAAQ,YACzDlH,KAAK0pC,QAAQtH,KAAK,CAAEjgC,KAAM,UAEF,iBAAfgsB,IACTnuB,KAAK8a,KAAKqT,GACVnuB,KAAK0pC,QAAQtH,KAAK,CAAEjgC,KAAM,qBAE5BnC,KAAK4lB,OAAOtY,gCACRq+B,qBAAqB,QAAQ,GAC9B7kC,UAAUya,IAAI,gBACjBvhB,KAAK6iC,QAAQle,KAAK5L,iBAAe8yB,QAG5Bb,mBAAP,SAAc7c,gBAAAA,KACZhiB,QAAQC,KACN,gGAEFpM,KAAK8a,KAAKqT,GACVnuB,KAAK6iC,QAAQle,KAAK5L,iBAAe+yB,SAG5Bd,sBAAP,SAAiB/K,GACfjgC,KAAK0pC,QAAQtH,KAAK,CAAEjgC,KAAM,UAAWukB,QAAS,CAAEuZ,mBAG3C+K,qBAAP,SAAgBe,GAAhB,WACQ7rB,EAAQlgB,KAAK+gC,OAAO4I,SACtB3pC,KAAK+gC,OAAO4I,SAASoC,GACpBA,EACDlE,GAAqB3nB,IACvBlgB,KAAK+qC,MAAMjkC,UAAUya,IAAI,gBAE3ByqB,QAAQC,UAAUC,MAAK,WACrB,OAAA5uB,EAAKosB,QAAQtH,KAAK,CAAEjgC,KAAM,YAAaukB,QAAS,CAAExG,eAI/C8qB,2BAAP,WACEhrC,KAAK4lB,OAAO/K,aAAa,YAAa,QACtC7a,KAAK4lB,OAAOhR,MAAMu3B,cAAgB,QAG7BnB,4BAAP,WACEhrC,KAAK4lB,OAAO/K,aAAa,YAAa,MACtC7a,KAAK4lB,OAAOhR,MAAMu3B,cAAgB,QAO7BnB,uBAAP,WACEhrC,KAAKmZ,MAAQa,KAGPgxB,qBAAR,WACEhrC,KAAKorC,QAAU1lC,SAASF,cAAc,OACtCxF,KAAKorC,QAAQtkC,UAAUya,IAAI,oBAC3BvhB,KAAK+gC,OAAOkH,KAAM5sB,YAAYrb,KAAKorC,SAEnCprC,KAAK+qC,MAAQrlC,SAASF,cAAc,OACpCxF,KAAK+qC,MAAMjkC,UAAUya,IAAI,kBACzBvhB,KAAKorC,QAAQ/vB,YAAYrb,KAAK+qC,QAEA,IAA1B/qC,KAAK+gC,OAAO2H,YACd1oC,KAAK0oC,UAAYhjC,SAASF,cAAc,UACxCxF,KAAK0oC,UAAU5hC,UAAUya,IAAI,uBAC7BvhB,KAAK0oC,UAAU9zB,MAAMs2B,QAAU,UAC/BlrC,KAAKorC,QAAQ/vB,YAAYrb,KAAK0oC,YAGhC1oC,KAAK4lB,OAASlgB,SAASF,cAAc,UACrC,IAAMgE,EAAa,CAAC,qBAChBxJ,KAAK+gC,OAAOyH,qBACdh/B,EAAW1I,KAAK,iBAGlBd,KAAK4lB,OAAOhR,MAAMs2B,QAAU,OAC5BlrC,KAAK4lB,OAAO/K,aAAa,UAAWrR,EAAWrG,KAAK,MACpDnD,KAAKosC,kBACLpsC,KAAKorC,QAAQ/vB,YAAYrb,KAAK4lB,QAC1B5lB,KAAK4lB,OAAO/U,eAAiB7Q,KAAK4lB,OAAOtY,kBAC3C++B,GACErsC,KAAK4lB,OAAO/U,cACZ7Q,KAAK4lB,OAAOtY,iBAGd8S,GAASpgB,KAAK4lB,OAAO/U,iBAIjBm6B,yBAAR,SAAqBsB,WACnBtsC,KAAK4lB,OAAOhR,MAAMs2B,QAAU,cAC5B,IAAiB,IAAArjC,EAAA5H,EAAA,CAACD,KAAK0oC,UAAW1oC,KAAK4lB,uCAAS,CAA3C,IAAMne,UACJA,IAGLA,EAAGoT,aAAa,QAAS0xB,OAAOD,EAAU7hC,QAC1ChD,EAAGoT,aAAa,SAAU0xB,OAAOD,EAAU3hC,8GAIvCqgC,qCAAR,SAAiCrH,eAC/B,IAAoB,IAAAE,EAAA5jC,EAAA0jC,iCAAQ,CAAvB,IAAMI,UACT,OAAQA,EAAM5hC,MACZ,KAAKuW,YAAUsiB,iBACf,KAAKtiB,YAAUkjB,KACf,KAAKljB,YAAUyjB,OACb,SACF,KAAKzjB,YAAUkhB,aACf,KAAKlhB,YAAU6hB,KACf,KAAK7hB,YAAU+iB,OACb,MACF,KAAK/iB,YAAUmhB,oBACb,OAAQkK,EAAM94B,KAAKuH,QACjB,KAAKmG,oBAAkB0iB,iBACrB,UAQOr7B,KAAK2iC,UAAUoB,GAAO,EACrCyI,qGAEExsC,KAAKysC,UACPzsC,KAAK0sC,aACH1sC,KAAKysC,SAASjiC,EACdxK,KAAKysC,SAAS/hC,EACd1K,KAAKysC,SAASnkC,IACd,EACAtI,KAAKysC,SAASE,WAGlB3sC,KAAKysC,SAAW,MACS,IAArBzsC,KAAK4sC,YACP5sC,KAAK+qC,MAAMjkC,UAAUya,IAAI,iBACK,IAArBvhB,KAAK4sC,aACd5sC,KAAK+qC,MAAMjkC,UAAUsqB,OAAO,gBAE9BpxB,KAAK4sC,YAAc,MAGb5B,sBAAR,SAAkB9qB,EAAsB8kB,GAAxC,IACMwH,SACJ,oBAFsCxH,MAE9B9kB,EAAM/d,MACZ,KAAKuW,YAAUsiB,iBACf,KAAKtiB,YAAUkjB,KACb,MACF,KAAKljB,YAAUyjB,OACbqQ,EAAS,WAMPlvB,EAAKulB,QAAQle,KAAK5L,iBAAe8zB,YAAa3sB,IAEhD,MACF,KAAKxH,YAAU6hB,KACbiS,EAAS,WACP,OAAAlvB,EAAKulB,QAAQle,KAAK5L,iBAAe6vB,OAAQ,CACvCn+B,MAAOyV,EAAMjV,KAAKR,MAClBE,OAAQuV,EAAMjV,KAAKN,UAEvB,MACF,KAAK+N,YAAUkhB,aACb4S,EAAS,WACP,GAAIlvB,EAAKmsB,mBACP,GAAInsB,EAAKmsB,oBAAsBvpB,EAG7B,YADA5C,EAAKmsB,mBAAoB,QAK3BnsB,EAAKmsB,mBAAoB,EAE3BnsB,EAAKwtB,oBAAoB5qB,EAAO8kB,GAChC1nB,EAAKsI,OAAO/U,cAAe2rB,SAAStc,EAAMjV,KAAKyvB,gBAEjD,MACF,KAAKhiB,YAAUmhB,oBACb2S,EAAS,mBAEP,GADAlvB,EAAKwvB,iBAAiB5sB,EAAO8kB,IACzBA,IAIA9kB,IAAU5C,EAAKyvB,2BACjBzvB,EAAKyvB,yBAA2B,KAChCzvB,EAAK2tB,gBAEH3tB,EAAKyjB,OAAOoH,eAAiB7qB,EAAKyvB,0BAA0B,KAC9D,IAAqB,IAAAllC,EAAA5H,EAAAqd,EAAKosB,QAAQlH,MAAMpkB,QAAQulB,sCAAQ,CAAnD,IAAMqJ,UACT,KAAIA,EAAOpV,WAAc1X,EAAM0X,YAG3Bta,EAAK2vB,kBAAkBD,GAAS,CAEhCA,EAAOtN,MAASxf,EAAMwf,MA5fZ,IA8fRpiB,EAAK0sB,aAAaxH,MAAMpkB,QAAQwlB,MAAM1E,QAExC5hB,EAAKyvB,yBAA2BC,GAElC,yGAGJ,GAAI1vB,EAAKyvB,yBAA0B,CACjC,IAAMG,EACJ5vB,EAAKyvB,yBAAyBrN,MAASxf,EAAMwf,MACzChZ,EAAU,CACdwY,MAAOn0B,KAAKC,IACVD,KAAKoiC,MAAMD,EAzgBF,KA0gBT5vB,EAAKyjB,OAAOiH,WAGhB1qB,EAAK0sB,aAAa5H,KAAK,CAAEjgC,KAAM,eAAgBukB,YAC/CpJ,EAAKulB,QAAQle,KAAK5L,iBAAeq0B,UAAW1mB,MA8CtD,OAvCsB,mBAChB8lB,GACFA,QAGF,IAAqB,IAAA3kC,EAAA5H,EAAAqd,EAAKyjB,OAAOzO,SAAW,kCAAI,SACvCvH,QAAQ7K,EAAO8kB,EAAQ,CAAEqI,SAAU/vB,sGAG5CA,EAAKosB,QAAQtH,KAAK,CAAEjgC,KAAM,aAAcukB,QAAS,CAAExG,WAGnD,IAAIotB,EAAahwB,EAAKosB,QAAQlH,MAAMpkB,QAAQulB,OAAOjkC,OAAS,EAC5D,GAAIwgB,IAAU5C,EAAKosB,QAAQlH,MAAMpkB,QAAQulB,OAAO2J,GAAa,CAC3D,IAAMC,EAAS,WACTD,EAAahwB,EAAKosB,QAAQlH,MAAMpkB,QAAQulB,OAAOjkC,OAAS,IAI5D4d,EAAK2tB,eACL3tB,EAAKosB,QAAQtH,KAAK,OAClB9kB,EAAKulB,QAAQle,KAAK5L,iBAAey0B,UAGjCttB,EAAM/d,OAASuW,YAAUmhB,qBACzB3Z,EAAMjV,KAAKuH,SAAWmG,oBAAkB4V,WACxCrO,EAAMjV,KAAK+iB,UAAUtuB,OAGrByR,YAAW,WACTo8B,MACCxiC,KAAK0iC,IAAI,EAAyC,GAArCvtB,EAAMjV,KAAK+iB,UAAU,GAAGG,aAExCof,IAIJjwB,EAAKulB,QAAQle,KAAK5L,iBAAe20B,UAAWxtB,KAKxC8qB,gCAAR,SACE9qB,EACA8kB,kBAEA,gBAFAA,OAEKhlC,KAAK4lB,OAAOtY,gBACf,OAAOnB,QAAQC,KAAK,gDAElBjN,OAAO0W,KAAK7V,KAAK2tC,4BAA4BjuC,QAC/CyM,QAAQC,KACN,oCACApM,KAAK2tC,4BAGT3tC,KAAK2tC,2BAA6B,GAClC,IAAMC,EAA8B,GACpC5tC,KAAKggB,OAAO/c,IAAMmZ,EAAQ8D,EAAMjV,KAAKtE,KAAM,CACzCvB,IAAKpF,KAAK4lB,OAAOtY,gBACjBwO,YAAa,SAAC+xB,GACZvwB,EAAKwwB,+BAA+BF,EAAWC,IAEjD10B,MAAOnZ,KAAKmZ,QACX,kBACU40B,EAAiBF,GAC5BG,EAAKC,uBAAuBF,EAAiBF,GAC7CG,EAAKE,iBAAmBF,EAAKE,iBAAiBz0B,QAC5C,SAACpZ,GAAM,OAAAA,IAAM0tC,iBAHjB,IAA6C,IAAAI,EAAAluC,EAAA2tC,kCAAlC,IAAA/lC,6IAML,IAAAE,EAA4B/H,KAAK4lB,OAAOtY,gBAAtC+R,oBAAiBgF,SACzBrkB,KAAKsoC,iBAAiBjpB,EAAiBgF,GAClCrkB,KAAK0pC,QAAQlH,MAAMt7B,QAAQ,YAC9BlH,KAAK4lB,OAAOtY,gBACTq+B,qBAAqB,QAAQ,GAC7B7kC,UAAUya,IAAI,gBAEnBvhB,KAAK6iC,QAAQle,KAAK5L,iBAAeq1B,sBAAuBluB,GACnD8kB,GACHhlC,KAAKquC,wBAEHruC,KAAK+gC,OAAOyH,qBACdxoC,KAAKsuC,oBAIDtD,6BAAR,SACE3rB,EACAgF,GAEA,IAAMkqB,EAAU7oC,SAASF,cAAc,SACvC6Z,EAAiBgsB,aAAakD,EAASlqB,GACvC,IHtrB6C3c,EGsrBvC8mC,GHtrBuC9mC,EGurB3C1H,KAAK+gC,OAAOr5B,WHvrBsD,CACtE,WAAIA,mCACJ,2CGsrBInG,OAAOvB,KAAK+gC,OAAOuH,kBACjBtoC,KAAK+gC,OAAO0H,gBACd+F,EAAkB1tC,KAChB,2HAGJ,IAAK,IAAIoiB,EAAM,EAAGA,EAAMsrB,EAAkB9uC,OAAQwjB,IAC/CqrB,EAAQ/mC,MAAyB8oB,WAAWke,EAAkBtrB,GAAMA,IAIjE8nB,mCAAR,SACEnqB,EACAnQ,kBAEMk9B,EAA8B,GAEpC,IAAKl9B,EAASpD,gBAEZ,IADA,IAAImhC,EAAS/9B,EAASvJ,WACfsnC,GAAQ,CAEb,GAAIzuC,KAAK+oC,kBAAkBxrB,IAAKkxB,GAA8B,CAC5D,IAAMtF,EAAQsF,EACRC,EAAa1uC,KAAK+oC,kBAAkBzvB,IAAI6vB,GAC9CnpC,KAAKopC,kBAAkBD,EAAMuF,GAC7B,MAEFD,EAASA,EAAOtnC,WAGpB0U,EAAgBgF,EAASla,KAAM,CAC7BvB,IAAKsL,EAASpD,gBACdrK,IAAKjD,KAAKggB,OAAO/c,IACjBkX,SAAS,EACT3L,WAAW,EACXsN,YAAa,SAAC+xB,GAEZ,GADAvwB,EAAKwwB,+BAA+BF,EAAWC,GAE7CA,EAAUzlC,KAAKjG,OAASlD,EAASuO,SACQ,SAAzCqgC,EAAUzlC,KAAKlG,QAAQysC,cACvB,CACM,IAAA/sC,EAA4B8O,EAASpD,gBAAnC+R,oBAAiBgF,SACzB/G,EAAKgrB,iBAAiBjpB,EAAiBgF,KAG3ClL,MAAOnZ,KAAKmZ,uBAED40B,EAAiBF,GAC5Be,EAAKX,uBAAuBF,EAAiBF,GAC7Ce,EAAKV,iBAAmBU,EAAKV,iBAAiBz0B,QAC5C,SAACpZ,GAAM,OAAAA,IAAM0tC,iBAHjB,IAA6C,IAAAc,EAAA5uC,EAAA2tC,kCAAlC,IAAA/lC,+IAQLmjC,2CAAR,SACE4C,EACAC,GAEA,GAAItqB,GAAcsqB,GAAY,CAC5B,IAAME,EAAkB/tC,KAAKkuC,iBAAiBrkC,MAC5C,SAACxJ,GAAM,OAAAA,EAAE2gB,WAAa6sB,EAAUzlC,KAAKE,MAEnCylC,GACFH,EAAU9sC,KAAK,CAAEitC,kBAAiBF,gBAQhC7C,kCAAR,WAAA,aACQ3mB,YAAOrkB,KAAK4lB,OAAOtY,sCAAiB+W,KAC1C,GAAIA,EAAM,CACR,IACIjT,EADE09B,EAAqC,IAAItsB,IAE3CusB,EAAkB/uC,KAAK0pC,QAAQlH,MAC7BwM,EAAe,WACnBD,EAAkBzxB,EAAKosB,QAAQlH,OAEjCxiC,KAAK6iC,QAAQjmB,GAAG7D,iBAAe6yB,MAAOoD,GACtChvC,KAAK6iC,QAAQjmB,GAAG7D,iBAAe8yB,MAAOmD,GACtC,IAAMC,EAAc,WAClB3xB,EAAKulB,QAAQ7G,IAAIjjB,iBAAe6yB,MAAOoD,GACvC1xB,EAAKulB,QAAQ7G,IAAIjjB,iBAAe8yB,MAAOmD,IAEzC3qB,EACGmL,iBAAiB,0BACjBzZ,SAAQ,SAACpE,GACHA,EAAInK,QACPsnC,EAAavtB,IAAI5P,GACjBA,EAAIT,iBAAiB,QAAQ,WAC3B49B,EAAantB,OAAOhQ,GAEM,IAAtBm9B,EAAaI,OAAyB,IAAX99B,IACzB29B,EAAgB7nC,QAAQ,YAC1BoW,EAAKxC,KAAKwC,EAAK6xB,kBAEjB7xB,EAAKulB,QAAQle,KAAK5L,iBAAeq2B,mBAC7Bh+B,GACFC,aAAaD,GAEf69B,YAMNH,EAAaI,KAAO,IAEtBlvC,KAAK0pC,QAAQtH,KAAK,CAAEjgC,KAAM,UAC1BnC,KAAK6iC,QAAQle,KAAK5L,iBAAes2B,qBACjCj+B,EAAQD,YAAW,WACb49B,EAAgB7nC,QAAQ,YAC1BoW,EAAKxC,KAAKwC,EAAK6xB,kBAGjB/9B,GAAS,EACT69B,MACCjvC,KAAK+gC,OAAOmH,gBAKb8C,wBAAR,SAAoB3sB,eAClB,IAAkB,IAAAixB,EAAArvC,EAAAoe,iCAAM,CAAnB,IAAMN,UACT,GAAKA,GAAsB,iBAARA,EAEZ,GAAI,YAAaA,GAAO,SAAUA,GACvC,GAAI/d,KAAKuvC,YAAYxxB,EAAIM,MAAO,OAAO,MAClC,CAAA,GAAI,YAAaN,GAAuB,qBAAhBA,EAAIwW,QACjC,OAAO,EACF,GAAIxW,aAAe1c,OACpBrB,KAAKuvC,YAAYxxB,GAAM,OAAO,0GAGtC,OAAO,GAGDitB,yBAAR,SAAqB3sB,WACbmxB,EAAmB,OACzB,IAAkB,IAAAC,EAAAxvC,EAAAoe,iCAAM,CAAnB,IAAMN,UACJA,GAAsB,iBAARA,IAER,YAAaA,GAAO,SAAUA,EACvCyxB,EAAO1uC,WAAP0uC,SAAexvC,KAAK0vC,aAAa3xB,EAAIM,YAC5B,YAAaN,GAAuB,qBAAhBA,EAAIwW,QACjCib,EAAO1uC,KAAKid,EAAI1Q,KACP0Q,aAAe1c,OACxBmuC,EAAO1uC,WAAP0uC,SAAexvC,KAAK0vC,aAAa3xB,4GAGrC,OAAOyxB,GAMDxE,6BAAR,0BACwBhrC,KAAK0pC,QAAQlH,MACnC,IAAMmN,EAAe,WACDryB,EAAKosB,QAAQlH,OAEjCxiC,KAAK6iC,QAAQjmB,GAAG7D,iBAAe6yB,MAAO+D,GACtC3vC,KAAK6iC,QAAQjmB,GAAG7D,iBAAe8yB,MAAO8D,kBAC3BC,GAEPA,EAAMztC,OAASuW,YAAUmhB,qBACzB+V,EAAM3kC,KAAKuH,SAAWmG,oBAAkB2hB,iBAEpC,aAAcsV,EAAM3kC,KACtB2kC,EAAM3kC,KAAKgtB,SAASliB,SAAQ,SAACxP,GAAM,OAAA+W,EAAKuyB,cAActpC,EAAGqpC,MAEzDE,EAAKD,cAAcD,EAAM3kC,KAAM2kC,gBARrC,IAAoB,IAAA/nC,EAAA5H,EAAAD,KAAK0pC,QAAQlH,MAAMpkB,QAAQulB,sJAazCqH,0BAAR,SAAsB//B,EAA6BiV,GAAnD,WACE,GACoB,cAAlBjV,EAAKyE,UACmB,iBAAjBzE,EAAKoT,KAAK,IAChBre,KAAKwmC,SAASjpB,IAAI2C,GAQVlgB,KAAKuvC,YAAYtkC,EAAKoT,OAC/Bre,KAAK0vC,aAAazkC,EAAKoT,MAAMtI,SAAQ,SAAC1R,GACpC,IAAMuW,EAAQ,IAAImsB,MAClBnsB,EAAMvN,IAAMhJ,EACZiZ,EAAKkpB,SAASzsB,IAAI1V,EAAKuW,UAXzB,CACA,IAAMvQ,EAAS3E,SAASF,cAAc,UAChC8E,EAAMD,EAAOE,WAAW,MACxBwsB,EAAOzsB,MAAAA,SAAAA,EAAKylC,gBAAgB1lC,EAAOI,MAAOJ,EAAOM,QAC/CosB,MAAAA,GAAAA,EAAM9rB,KACV8mB,KAAKrgB,MAAMzG,EAAKoT,KAAK,IACzB/T,MAAAA,GAAAA,EAAK0lC,aAAajZ,EAAO,EAAG,KAUxBiU,6BAAR,SACEpqC,EACAokC,GAFF,eAIgBxmB,EAAM5d,OACpB,OAAQ4d,EAAEhM,QACR,KAAKmG,oBAAkBuJ,SACjB8iB,IACFxmB,EAAE4D,KAAKrM,SAAQ,SAAC1V,GAAM,OAAAid,EAAKwrB,UAAUvnB,IAAIlhB,MACzCme,EAAE2C,MAAMpL,SAAQ,SAAC1V,GACf,IAAMyc,EAASQ,EAAK0C,OAAO5C,QAAQ/c,EAAEiI,IAC/BoN,EAAUoH,MAAAA,SAAAA,EAAQ3V,WAGpBuO,GAAU4H,EAAK2rB,qBAAqB1rB,IAAI7H,IAC1C4H,EAAK2rB,qBAAqBtnB,OAAOjM,GAEnC4H,EAAKwrB,UAAUzmC,KAAKhC,MAEtBme,EAAEhV,WAAWuM,SAAQ,SAAC1V,GAAM,OAAAid,EAAKwrB,UAAUniB,UAAUtmB,MACrDme,EAAE2D,QAAQpM,SAAQ,SAAC1V,GAAM,OAAAid,EAAKwrB,UAAU1X,OAAO/wB,EAAGid,EAAK0C,YAEzD,IACEhgB,KAAKiwC,cAAczxB,EAAGwmB,GACtB,MAAOjkC,GACPf,KAAKoM,KAAK,gCAAyBrL,EAAMmvC,SAAWnvC,GAASyd,GAE/D,MAEF,KAAK7F,oBAAkB0V,KACvB,KAAK1V,oBAAkB6V,UACvB,KAAK7V,oBAAkB4V,UACrB,GAAIyW,EAAQ,CACV,IAAMmL,EAAe3xB,EAAEwP,UAAUxP,EAAEwP,UAAUtuB,OAAS,GACtDM,KAAKysC,SAAW,CACdjiC,EAAG2lC,EAAa3lC,EAChBE,EAAGylC,EAAazlC,EAChBpC,GAAI6nC,EAAa7nC,GACjBqkC,UAAWnuB,QAGbA,EAAEwP,UAAUjY,SAAQ,SAACpW,GACnB,IAAMy/B,EAAS,CACbO,SAAU,WACRriB,EAAKovB,aAAa/sC,EAAE6K,EAAG7K,EAAE+K,EAAG/K,EAAE2I,GAAI08B,EAAQxmB,IAE5CkhB,MACE//B,EAAEwuB,WACFvtB,EAAEg3B,UACFta,EAAKosB,QAAQlH,MAAMpkB,QAAQ6hB,cAE/B3iB,EAAKsmB,MAAMuB,UAAU/F,MAGvBp/B,KAAK4jC,MAAMuB,UAAU,CACnBxF,sBACAD,MAAO9+B,EAAE8+B,iBAASlhB,EAAEwP,UAAU,yBAAIG,cAGtC,MACF,KAAKxV,oBAAkBuiB,iBAIrB,IAAc,IAAV1c,EAAElW,GACJ,MAEF,IAAM87B,EAAQ,IAAIgM,MAAMx3B,oBAAkB4F,EAAErc,MAAMG,eAElD,KADMwa,EAAS9c,KAAKggB,OAAO5C,QAAQoB,EAAElW,KAEnC,OAAOtI,KAAKqwC,kBAAkB7xB,EAAGA,EAAElW,IAErCtI,KAAK6iC,QAAQle,KAAK5L,iBAAemiB,iBAAkB,CACjD/4B,KAAMqc,EAAErc,KACR2a,WAEM,IAAAyrB,EAAiBvoC,KAAK+gC,oBAC9B,OAAQviB,EAAErc,MACR,KAAKyW,oBAAkB03B,KACjB,SAAYxzB,GACZA,EAAgCyzB,OAEpC,MACF,KAAK33B,oBAAkB43B,MACjBjI,GAAkBzrB,EAAgC2zB,OAClD3zB,EAAgC2zB,MAAM,CACtCC,eAAe,IAGnB,MACF,KAAK93B,oBAAkB+3B,MACvB,KAAK/3B,oBAAkBkvB,WACvB,KAAKlvB,oBAAkBg4B,SACjB5L,GACExmB,EAAErc,OAASyW,oBAAkBkvB,WAC/B9nC,KAAK4sC,aAAc,EACVpuB,EAAErc,OAASyW,oBAAkBg4B,WACtC5wC,KAAK4sC,aAAc,GAErB5sC,KAAKysC,SAAW,CACdjiC,EAAGgU,EAAEhU,EACLE,EAAG8T,EAAE9T,EACLpC,GAAIkW,EAAElW,GACNqkC,UAAWnuB,KAGTA,EAAErc,OAASyW,oBAAkBkvB,aAE/B9nC,KAAK6wC,cAAcnxC,OAAS,GAE9BM,KAAK0sC,aAAaluB,EAAEhU,EAAGgU,EAAE9T,EAAG8T,EAAElW,GAAI08B,EAAQxmB,GACtCA,EAAErc,OAASyW,oBAAkB+3B,OAS/B3wC,KAAK+qC,MAAMjkC,UAAUsqB,OAAO,UAEvBpxB,KAAK+qC,MAAM+F,YAChB9wC,KAAK+qC,MAAMjkC,UAAUya,IAAI,WAChB/C,EAAErc,OAASyW,oBAAkBkvB,YACjC9nC,KAAK+qC,MAAM+F,YAChB9wC,KAAK+qC,MAAMjkC,UAAUya,IAAI,iBAChB/C,EAAErc,OAASyW,oBAAkBg4B,UACtC5wC,KAAK+qC,MAAMjkC,UAAUsqB,OAAO,iBAGhC,MACF,KAAKxY,oBAAkBm4B,YACjB/L,EACFhlC,KAAK4sC,aAAc,EAEnB5sC,KAAK+qC,MAAMjkC,UAAUsqB,OAAO,gBAE9B,MACF,QACEtU,EAAOk0B,cAAc5M,GAEzB,MAEF,KAAKzrB,oBAAkByhB,OAIrB,IAAc,IAAV5b,EAAElW,GACJ,MAEF,GAAI08B,EAAQ,CACVhlC,KAAK8oC,UAAUrd,OAAOjN,GACtB,MAEFxe,KAAKupC,YAAY/qB,GAAG,GACpB,MAEF,KAAK7F,oBAAkBwiB,eACrBn7B,KAAK6iC,QAAQle,KAAK5L,iBAAe6vB,OAAQ,CACvCn+B,MAAO+T,EAAE/T,MACTE,OAAQ6T,EAAE7T,SAEZ,MACF,KAAKgO,oBAAkByiB,MAOrB,IAAc,IAAV5c,EAAElW,GACJ,MAEF,GAAI08B,EAAQ,CACVhlC,KAAK8oC,UAAU3b,MAAM3O,GACrB,MAEFxe,KAAKwpC,WAAWhrB,GAChB,MAEF,KAAK7F,oBAAkB0iB,iBAErB,KADMve,EAAS9c,KAAKggB,OAAO5C,QAAQoB,EAAElW,KAEnC,OAAOtI,KAAKqwC,kBAAkB7xB,EAAGA,EAAElW,IAErC,IAAM2oC,EAAWn0B,EACjB,IACM0B,EAAE7R,cACJskC,EAAQtkC,YAAc6R,EAAE7R,aAEtB6R,EAAE0R,SACJ+gB,EAAQ/gB,OAAS1R,EAAE0R,QAEjB1R,EAAE2R,QACJ8gB,EAAQ9gB,MAAQ3R,EAAE2R,WAEhB3R,EAAErc,MACJ8uC,EAAQl2B,YAENyD,EAAErc,MAKJ8uC,EAAQn2B,OAEV,MAAO/Z,GACHf,KAAK+gC,OAAOqH,aACdj8B,QAAQC,KACN,+CAAwCrL,EAAMmvC,SAAWnvC,IAI/D,MAEF,KAAK4X,oBAAkB2iB,eAErB,KADMxe,EAAS9c,KAAKggB,OAAO5C,QAAQoB,EAAElW,KAEnC,OAAOtI,KAAKqwC,kBAAkB7xB,EAAGA,EAAElW,IAGrC,IAUI4oC,EAVE3C,EAAWzxB,EACXq0B,EAAUr0B,EAAO3V,WACjBiqC,EAAqBpxC,KAAK+oC,kBAAkBxrB,IAAI4zB,GAOhDE,EAAaD,EAAqB,KAAO7C,EAAQ/mC,MAGlD6pC,IAOCrxC,KAAKipC,qBAAqB1rB,IAAIT,GAChCo0B,EAAQlxC,KAAKipC,qBAAqB3vB,IAAIwD,IAEtCo0B,EAAQ,GACRlxC,KAAKipC,qBAAqBlvB,IAAI+C,EAAQo0B,KAItC1yB,EAAE4D,MACJ5D,EAAE4D,KAAKrM,SAAQ,SAACnU,OAAEwB,SAAamiC,UAC7B,GAAI8L,EACF,IACE,GAAIhwC,MAAMyU,QAAQyvB,GAAc,CACxB,IAAA19B,EAAuBy9B,GAC3BC,GADMvX,cAAWtU,UAGA2rB,GACjBgM,EAAWruC,SACXgrB,GAESsC,WAAWltB,EAAMsW,OACvB,CACCA,OACYnR,IAAhBg9B,OACIh9B,EACAwC,KAAKC,IAAIu6B,EAAa8L,EAAWruC,SAAStD,QAChD2xC,EAAW/gB,WAAWltB,EAAMsW,IAE9B,MAAO9Y,SAWTswC,MAAAA,GAAAA,EAAOpwC,KAAK,CACVwC,QAASF,EACTsW,MAAO6rB,EACPpjC,KAAMijC,GAAcO,YAMxBnnB,EAAE2D,SACJ3D,EAAE2D,QAAQpM,SAAQ,SAACnU,OAAS2jC,UAC1B,GAAI6L,EACFF,MAAAA,GAAAA,EAAOpwC,KAAK,CAAE4Y,MAAO6rB,EAAapjC,KAAMijC,GAAcQ,cAEtD,IACE,GAAIvkC,MAAMyU,QAAQyvB,GAAc,CACxB,IAAA19B,EAAuBy9B,GAC3BC,GADMvX,cAAWtU,UAGA2rB,GACjBgM,EAAYruC,SACZgrB,GAESyC,WAAW/W,GAAS,QAE/B23B,MAAAA,GAAAA,EAAY5gB,WAAW8U,GAEzB,MAAO3kC,QAQf,MAEF,KAAK+X,oBAAkB4iB,iBAGrB,KADMze,EAAS9c,KAAKggB,OAAO5C,QAAQoB,EAAElW,KAEnC,OAAOtI,KAAKqwC,kBAAkB7xB,EAAGA,EAAElW,IAG/BimC,EAAWzxB,EAAjB,IACMw0B,EAAUx0B,EAAO3V,WAGjB3D,EAFqBxD,KAAK+oC,kBAAkBxrB,IAAI+zB,GAEd,KAAO/C,EAAQ/mC,MACnDzE,EAA2B,GAW/B,GATKS,IACCxD,KAAKipC,qBAAqB1rB,IAAIT,GAChC/Z,EAAQ/C,KAAKipC,qBAAqB3vB,IAAIwD,IAEtC/Z,EAAQ,GACR/C,KAAKipC,qBAAqBlvB,IAAI+C,EAAQ/Z,KAItCyb,EAAEzE,IACJ,GAAIvW,EACY6hC,GACZ7hC,EAAWT,MACXyb,EAAE9E,OAEC9E,MAAMoc,YAAYxS,EAAEzE,IAAIrK,SAAU8O,EAAEzE,IAAIxZ,MAAOie,EAAEzE,IAAImX,eAE1DnuB,EAAMjC,QACJqB,KAAMijC,GAAcgB,YACpB1sB,MAAO8E,EAAE9E,OACN8E,EAAEzE,MAKX,GAAIyE,EAAE4S,OACJ,GAAI5tB,EACY6hC,GACZ7hC,EAAWT,MACXyb,EAAE9E,OAEC9E,MAAMuc,eAAe3S,EAAE4S,OAAO1hB,eAEnC3M,EAAMjC,QACJqB,KAAMijC,GAAciB,eACpB3sB,MAAO8E,EAAE9E,OACN8E,EAAE4S,SAIX,MAEF,KAAKzY,oBAAkB2hB,eACrB,IAAKt6B,KAAK+gC,OAAOyH,oBACf,OAEF,IAAM1rB,EACN,KADMA,EAAS9c,KAAKggB,OAAO5C,QAAQoB,EAAElW,KAEnC,OAAOtI,KAAKqwC,kBAAkB7xB,EAAGA,EAAElW,cClvCN1G,OACrCse,UACAW,aACA/D,WACA0pB,aACAS,iBAQA,IACE,IAAMxiB,EACJ,aAAc5D,EAAWA,EAASoX,SAAW,CAACpX,GAE5C,CAAChI,EAAcwe,MAAOxe,EAAc0e,QAAQ2P,SAASrmB,EAAS1e,MACzDsiB,EAAU1O,SAAQ,SAACw7B,GACxBvK,GAAc,CACZnmB,SAAU0wB,EACVpvC,KAAM0e,EAAS1e,KACf2a,SACA0pB,WACAS,oBAKCxiB,EAAU1O,SAAQ,SAACw7B,aCnCS3vC,OACrCse,UACAW,aACA/D,WACA0pB,aACAS,iBAQA,IACE,IAAM38B,EAAQwS,EAAyCvS,WAAW,MAElE,GAAIsW,EAAS6U,OAIX,YADCprB,EAAYuW,EAASnR,UAAYmR,EAASxC,KAAK,IAGlD,IAAMK,EAAWpU,EACfuW,EAASnR,UAQX,GACwB,cAAtBmR,EAASnR,UACmB,iBAArBmR,EAASxC,KAAK,GACrB,CACA,IAAMzD,EAAQ4rB,EAASltB,IAAI4G,GAC3BW,EAASxC,KAAK,GAAKzD,EACnB8D,EAAS3e,MAAMuK,EAAKuW,EAASxC,WAE7BK,EAAS3e,MAAMuK,EAAKuW,EAASxC,MAE/B,MAAOtd,GACPkmC,EAAapmB,EAAU9f,IDNrBywC,CAAiB,CACftxB,QACAW,SAAU0wB,EACVz0B,SACA0pB,WACAS,oBAGJ,MAAOlmC,GACPkmC,EAAapmB,EAAU9f,ID8sCnBwsB,CAAe,CACbrN,MAAOtf,EACPigB,SAAUrC,EACV1B,OAASA,EACT0pB,SAAUxmC,KAAKwmC,SACfS,aAAcjnC,KAAKyxC,yBAAyB3nB,KAAK9pB,QAGnD,MAEF,KAAK2Y,oBAAkB6iB,KACrB,IACE,IAAM3J,EAAW,IAAIH,SACnBlT,EAAEmT,OACFnT,EAAEtT,OAAS,IAAI+mB,WAAWF,KAAKrgB,MAAM8M,EAAEsT,aAAetT,EAAEsT,WACxDtT,EAAEoT,uBAEJ5xB,KAAK4lB,OAAOtY,gCAAiB6kB,MAAM5Q,IAAIsQ,GACvC,MAAO9wB,GACHf,KAAK+gC,OAAOqH,aACdj8B,QAAQC,KAAKrL,MASfiqC,0BAAR,SAAsBxsB,EAAiBkzB,kBACrClzB,EAAE2D,QAAQpM,SAAQ,SAAC8K,GACjB,IAAI/D,EAASQ,EAAK0C,OAAO5C,QAAQyD,EAASvY,IAC1C,IAAKwU,EAAQ,CACX,GAAI0B,EAAE2D,QAAQtY,MAAK,SAAClJ,GAAM,OAAAA,EAAE2H,KAAOuY,EAASG,YAE1C,OAEF,OAAO1D,EAAKq0B,iBAAiBnzB,EAAGqC,EAASvY,IAEvCgV,EAAK2rB,qBAAqB1rB,IAAIT,IAChCQ,EAAK2rB,qBAAqBtnB,OAAO7E,GAEnC,IAAIpH,EAAoC4H,EAAK0C,OAAO5C,QAClDyD,EAASG,UAEX,IAAKtL,EACH,OAAO4H,EAAKq0B,iBAAiBnzB,EAAGqC,EAASG,UAO3C,GALIH,EAASpQ,UAAYwT,GAAcvO,KACrCA,EAASA,EAAO3T,YAGlBub,EAAK0C,OAAO3C,kBAAkBP,GAC1BpH,EAAQ,CACV,IAAIk8B,EAAa,KACXlD,EACJ,SAAUh5B,EAAS4H,EAAKyrB,kBAAkBzvB,IAAI5D,QAAUnN,EACtDmmC,GAAcA,EAAW3nC,SAAS+V,GACpCpH,EAASg5B,EACApxB,EAAKyrB,kBAAkBxrB,IAAIT,KAKpC80B,EAAat0B,EAAKyrB,kBAAkBzvB,IAAIwD,GACxCQ,EAAKyrB,kBAAkBpnB,OAAO7E,GAC9BA,EAAS80B,GAEX,IACEl8B,EAAO0F,YAAY0B,GACnB,MAAO/b,GACP,KAAIA,aAAiB8wC,cAUnB,MAAM9wC,EATNuc,EAAKlR,KACH,4CACAsJ,EACAg5B,EACA5xB,EACA80B,EACApzB,QAUV,IAAMszB,OACD9xC,KAAK2tC,4BAEJjrB,EAA6B,GAoB7BqvB,EAAa,SAAClxB,eAClB,IAAKvD,EAAKsI,OAAOtY,gBACf,OAAOnB,QAAQC,KAAK,gDAEtB,IAAIsJ,EAAoC4H,EAAK0C,OAAO5C,QAClDyD,EAASG,UAEX,IAAKtL,EACH,OAAImL,EAASla,KAAKxE,OAASlD,EAASyJ,SAE3B4U,EAAK4wB,iBAAiBptC,KAAK+f,GAE7B6B,EAAM5hB,KAAK+f,GAGpB,IAAImxB,EAAmB,KACnB10B,EAAKsI,OAAOtY,gBAAgBvG,SAC9BirC,EAAmB10B,EAAKsI,OAAOtY,gBAAgBvG,SAAS2O,GAC/C4H,EAAKsI,OAAOtY,gBAAgBiS,KAAKxY,WAG1CirC,EAAmB10B,EAAKsI,OAAOtY,gBAAgBiS,KAAKxY,SAAS2O,IAG/D,IAAMu8B,gBACFv8B,GAAmCi2B,kDAAuB,UACzDjsC,QAAS,EAKd,GACEgyC,GACAM,IACCzuB,GAAc7N,KACdu8B,EACD,CACA,IAAMC,EAAiBxsC,SAASysC,yBAOhC,IANA70B,EAAK0C,OAAO/c,IAAI4d,EAASG,UAAYkxB,EACrC50B,EAAKyrB,kBAAkBhvB,IAAIm4B,EAAex8B,GAG1C4H,EAAK80B,WAAW18B,GAETA,EAAO8F,YACZ02B,EAAc72B,YAAY3F,EAAO8F,YAEnC9F,EAASw8B,EAGPrxB,EAASla,KAAK8J,WAEXwT,GAAcvO,IACfA,EAAgC+F,aAAa,CAAEC,KAAM,SAElDhG,EAASA,EAAO3T,YAGzB,IAAI+b,EAAwB,KACxBxd,EAAoB,KAOxB,GANIugB,EAASwxB,aACXv0B,EAAWR,EAAK0C,OAAO5C,QAAQyD,EAASwxB,aAEtCxxB,EAASmC,SACX1iB,EAAOgd,EAAK0C,OAAO5C,QAAQyD,EAASmC,SAjFnB,SAACnC,GACpB,IAAIvgB,EAAoB,KAKxB,OAJIugB,EAASmC,SACX1iB,EAAOgd,EAAK0C,OAAO5C,QAAQyD,EAASmC,SAIhB,OAApBnC,EAASmC,aACWza,IAApBsY,EAASmC,SACY,IAArBnC,EAASmC,SACR1iB,EAyECgyC,CAAazxB,GACf,OAAO6B,EAAM5hB,KAAK+f,GAGpB,IAAIA,EAASla,KAAKY,QAAW+V,EAAK0C,OAAO5C,QAAQyD,EAASla,KAAKY,QAA/D,CAIA,IAAMgrC,EAAY1xB,EAASla,KAAKY,OAC5B+V,EAAK0C,OAAO5C,QAAQyD,EAASla,KAAKY,QAClC+V,EAAKsI,OAAOtY,gBAChB,GAAIiW,GAAc7N,GAChB4H,EAAK2wB,uBAAuBptB,EAAUnL,OADxC,CAIA,IAAMoH,EAASjB,EAAgBgF,EAASla,KAAM,CAC5CvB,IAAKmtC,EACLtvC,IAAKqa,EAAK0C,OAAO/c,IACjBuL,WAAW,EACX2L,SAAS,EACThB,MAAOmE,EAAKnE,QAId,IAA6B,IAAzB0H,EAASwxB,aAA0C,IAArBxxB,EAASmC,OAA3C,CAQA,GACE,SAAUtN,GACVA,EAAOtN,KAAKjG,OAASlD,EAASuO,SACN,aAAxBkI,EAAOtN,KAAKlG,SACZ2e,EAASla,KAAKxE,OAASlD,EAAS+O,SAIhC,IAAgB,IAAAzE,EAAAtJ,EAAAoB,MAAMH,KAAKwU,EAAO/M,2CAAa,CAA1C,IAAMpC,UACLA,EAAE9E,WAAaiU,EAAOtO,WACxBsO,EAAO0F,YAAY7U,qGAKzB,GAAIuX,GAAYA,EAAShQ,aAAegQ,EAAShQ,YAAY3G,WAC3DuO,EAAO21B,aAAavuB,EAAQgB,EAAShQ,kBAChC,GAAIxN,GAAQA,EAAK6G,WAGtBuO,EAAO3O,SAASzG,GACZoV,EAAO21B,aAAavuB,EAAQxc,GAC5BoV,EAAO21B,aAAavuB,EAAQ,UAC3B,CAIL,GAAIpH,IAAW68B,EACb,KAAOA,EAAU/2B,YACf+2B,EAAUn3B,YAAYm3B,EAAU/2B,YAIpC9F,EAAO2F,YAAYyB,GAGrB,GAAIyG,GAAczG,GAAS,CACzB,IAAM01B,EAAkBl1B,EAAK4wB,iBAAiBrkC,MAC5C,SAACxJ,GAAM,OAAAA,EAAE2gB,WAAalE,EAAO1U,KAAKE,MAEhCkqC,IACFl1B,EAAK2wB,uBAAuBuE,EAAiB11B,GAC7CQ,EAAK4wB,iBAAmB5wB,EAAK4wB,iBAAiBz0B,QAC5C,SAACpZ,GAAM,OAAAA,IAAMmyC,OAKf3xB,EAASwxB,YAAcxxB,EAASmC,SAClC1F,EAAKm1B,0BACHX,EACAp8B,EACAoH,EACA+D,QA5DFixB,EAAsBjxB,EAASla,KAAK2B,IAAM,CACxC3B,KAAMmW,EACN+D,eA+DNrC,EAAE4D,KAAKrM,SAAQ,SAAC8K,GACdkxB,EAAWlxB,MAIb,IADA,IAAI6d,EAAYzgB,KAAKD,MACd0E,EAAMhjB,QAAQ,CAEnB,IAAMgzC,EAAejwB,GAAoBC,GAEzC,GADAA,EAAMhjB,OAAS,EACXue,KAAKD,MAAQ0gB,EAAY,IAAK,CAChC1+B,KAAKoM,KACH,2DACAsmC,GAEF,UAEF,IAAmB,IAAAC,YAAA1yC,EAAAyyC,kCAAc,CAA5B,IAAMtxB,UACIphB,KAAKggB,OAAO5C,QAAQgE,EAAK7gB,MAAMygB,UAO1CqC,GAAmBjC,GAAM,SAACP,GACxBkxB,EAAWlxB,MANb7gB,KAAK4yC,MACH,gEACAxxB,sGAUJjiB,OAAO0W,KAAKi8B,GAAuBpyC,QACrCP,OAAOC,OAAOY,KAAK2tC,2BAA4BmE,GAGjDtzB,EAAE2C,MAAMpL,SAAQ,SAAC8K,GACf,IAAI/D,EAASQ,EAAK0C,OAAO5C,QAAQyD,EAASvY,IAC1C,IAAKwU,EAAQ,CACX,GAAI0B,EAAE2D,QAAQtY,MAAK,SAAClJ,GAAM,OAAAA,EAAE2H,KAAOuY,EAASvY,MAE1C,OAEF,OAAOgV,EAAKq0B,iBAAiBnzB,EAAGqC,EAASvY,IAKvCgV,EAAKyrB,kBAAkBxrB,IAAIT,KAC7BA,EAASQ,EAAKyrB,kBAAkBzvB,IAAIwD,IAEtCA,EAAO7S,YAAc4W,EAAStgB,SAEhCie,EAAEhV,WAAWuM,SAAQ,SAAC8K,GACpB,IAAI/D,EAASQ,EAAK0C,OAAO5C,QAAQyD,EAASvY,IAC1C,IAAKwU,EAAQ,CACX,GAAI0B,EAAE2D,QAAQtY,MAAK,SAAClJ,GAAM,OAAAA,EAAE2H,KAAOuY,EAASvY,MAE1C,OAEF,OAAOgV,EAAKq0B,iBAAiBnzB,EAAGqC,EAASvY,IAK3C,IAAK,IAAM0e,KAHP1J,EAAKyrB,kBAAkBxrB,IAAIT,KAC7BA,EAASQ,EAAKyrB,kBAAkBzvB,IAAIwD,IAEV+D,EAASrX,WACnC,GAA6B,iBAAlBwd,EAA4B,CACrC,IAAMzmB,EAAQsgB,EAASrX,WAAWwd,GAClC,GAAc,OAAVzmB,EACAuc,EAA4B+1B,gBAAgB7rB,QACzC,GAAqB,iBAAVzmB,EAChB,IACIuc,EAA4BjC,aAAamM,EAAezmB,GAC1D,MAAOQ,GACHuc,EAAKyjB,OAAOqH,aACdj8B,QAAQC,KACN,qDACArL,QAID,GAAsB,UAAlBimB,EAA2B,CACpC,IAAI8rB,EAAcvyC,EACZwyC,EAAYj2B,EAClB,IAAK,IAAIxd,KAAKwzC,EACZ,IAAuB,IAAnBA,EAAYxzC,GACdyzC,EAASn+B,MAAMuc,eAAe7xB,QACzB,GAAIwzC,EAAYxzC,aAAc+B,MAAO,CAC1C,IAAM2xC,EAAMF,EAAYxzC,GACxByzC,EAASn+B,MAAMoc,YAAY1xB,EAAG0zC,EAAI,GAAIA,EAAI,QACrC,CACL,IAAMC,EAAMH,EAAYxzC,GACxByzC,EAASn+B,MAAMoc,YAAY1xB,EAAG2zC,UAepCjI,wBAAR,SAAoBxsB,EAAewmB,GACjC,IAAMloB,EAAS9c,KAAKggB,OAAO5C,QAAQoB,EAAElW,IACrC,IAAKwU,EACH,OAAO9c,KAAKqwC,kBAAkB7xB,EAAGA,EAAElW,IAErC,GAAKwU,IAAoB9c,KAAK4lB,OAAOtY,gBACnCtN,KAAK4lB,OAAO/U,cAAe2rB,SAAS,CAClC3B,IAAKrc,EAAE9T,EACPiwB,KAAMnc,EAAEhU,EACR6yB,SAAU2H,EAAS,OAAS,gBAEzB,GAAIloB,EAAO1U,KAAKjG,OAASlD,EAASyJ,SAErCoU,EAAgC8G,YAAa4Y,SAAS,CACtD3B,IAAKrc,EAAE9T,EACPiwB,KAAMnc,EAAEhU,EACR6yB,SAAU2H,EAAS,OAAS,gBAG9B,IACIloB,EAA4BhQ,UAAY0R,EAAE9T,EAC1CoS,EAA4BlQ,WAAa4R,EAAEhU,EAC7C,MAAOzJ,MASLiqC,uBAAR,SAAmBxsB,GACjB,IAAM1B,EAAS9c,KAAKggB,OAAO5C,QAAQoB,EAAElW,IACrC,IAAKwU,EACH,OAAO9c,KAAKqwC,kBAAkB7xB,EAAGA,EAAElW,IAErC,IACIwU,EAAqC5S,QAAUsU,EAAE8Q,UACjDxS,EAAqCvc,MAAQie,EAAEnc,KACjD,MAAOtB,MAKHiqC,sBAAR,SAAkBxsB,EAAiBqC,GACjC,IAAM/D,EAAS9c,KAAKggB,OAAO5C,QAAQoB,EAAElW,IACrC,IAAKwU,EACH,OAAO9c,KAAKqwC,kBAAkBxvB,EAAUrC,EAAElW,IAE5C,IACIwU,EAAgC7S,YAAcuU,EAAEje,MAClD,MAAOQ,MAKHiqC,sCAAR,SACE/nC,EACAyS,EACAoH,EACAo2B,GAEQ,IAAAb,EAAuBa,aAAXlwB,EAAWkwB,SACzBC,EAAgBd,GAAcpvC,EAAIovC,GAClCe,EAAYpwB,GAAU/f,EAAI+f,GAChC,GAAImwB,EAAe,CACX,IAAAvxC,EAAqBuxC,EAAnBxsC,SAAMka,aACdnL,EAAO21B,aAAa1kC,EAAMmW,UACnB7Z,EAAI4d,EAASla,KAAK2B,WAClBtI,KAAK2tC,2BAA2B9sB,EAASla,KAAK2B,KACjDuY,EAASwxB,YAAcxxB,EAASmC,SAClChjB,KAAKyyC,0BAA0BxvC,EAAKyS,EAAQ/O,EAAcka,GAG9D,GAAIuyB,EAAW,CACP,IAAAvrC,EAAqBurC,EAAnBzsC,SAAMka,aACdnL,EAAO21B,aAAa1kC,EAAMmW,EAAOhP,oBAC1B7K,EAAI4d,EAASla,KAAK2B,WAClBtI,KAAK2tC,2BAA2B9sB,EAASla,KAAK2B,KACjDuY,EAASwxB,YAAcxxB,EAASmC,SAClChjB,KAAKyyC,0BAA0BxvC,EAAKyS,EAAQ/O,EAAcka,KAKxDmqB,yBAAR,SACExgC,EACAE,EACApC,EACA08B,EACA2H,GAEA,IAAM7vB,EAAS9c,KAAKggB,OAAO5C,QAAQ9U,GACnC,IAAKwU,EACH,OAAO9c,KAAKqwC,kBAAkB1D,EAAWrkC,GAG3C,IAAM+qC,EAAO7vB,GAAiB1G,EAAQ9c,KAAK4lB,QACrC0tB,EAAK9oC,EAAI6oC,EAAKvvB,cAAgBuvB,EAAK7oC,EACnC+oC,EAAK7oC,EAAI2oC,EAAKvvB,cAAgBuvB,EAAK3oC,EAEzC1K,KAAK+qC,MAAMn2B,MAAM+lB,KAAO,UAAG2Y,QAC3BtzC,KAAK+qC,MAAMn2B,MAAMimB,IAAM,UAAG0Y,QACrBvO,GACHhlC,KAAKwzC,cAAc,CAAEhpC,EAAG8oC,EAAI5oC,EAAG6oC,IAEjCvzC,KAAKyzC,cAAe32B,IAGdkuB,0BAAR,SAAsB94B,GAAtB,WACE,GAAKlS,KAAK0oC,UAAV,CAIM,IAAA9mC,GACsB,IAA1B5B,KAAK+gC,OAAO2H,UACRlB,GACAroC,OAAOC,OAAO,GAAIooC,GAAwBxnC,KAAK+gC,OAAO2H,WAHpDhB,YAASC,cAAWC,gBAAaH,aAKnCiM,EAAO,WACX,GAAKp2B,EAAKorB,UAAV,CAGA,IAAMp+B,EAAMgT,EAAKorB,UAAUn+B,WAAW,MACjCD,GAAQgT,EAAKuzB,cAAcnxC,SAGhC4K,EAAIqpC,UAAU,EAAG,EAAGr2B,EAAKorB,UAAUj+B,MAAO6S,EAAKorB,UAAU/9B,QACzDL,EAAIspC,YACJtpC,EAAIq9B,UAAYA,EAChBr9B,EAAIo9B,QAAUA,EACdp9B,EAAIs9B,YAAcA,EAClBt9B,EAAIupC,OAAOv2B,EAAKuzB,cAAc,GAAGrmC,EAAG8S,EAAKuzB,cAAc,GAAGnmC,GAC1D4S,EAAKuzB,cAAc96B,SAAQ,SAACpW,GAAM,OAAA2K,EAAIwpC,OAAOn0C,EAAE6K,EAAG7K,EAAE+K,MACpDJ,EAAIypC,YAGN/zC,KAAK6wC,cAAc/vC,KAAKoR,GACxBwhC,IACAviC,YAAW,WACTmM,EAAKuzB,cAAgBvzB,EAAKuzB,cAAcp3B,QAAO,SAAC9Z,GAAM,OAAAA,IAAMuS,KAC5DwhC,MACCjM,EAAWznC,KAAKgqC,aAAaxH,MAAMpkB,QAAQwlB,MAAM1E,SAG9C8L,0BAAR,SAAsBvjC,mBACpBzH,KAAK4lB,OAAOtY,gCACRkiB,iBAAiB,aAClBzZ,SAAQ,SAACi+B,GACRA,EAAUltC,UAAUsqB,OAAO,aAG/B,IADA,IAAI6iB,EAA4BxsC,EACzBwsC,GACDA,EAAUntC,WACZmtC,EAAUntC,UAAUya,IAAI,UAE1B0yB,EAAYA,EAAU5kB,eAIlB2b,8BAAR,SAA0B9qB,GACxB,OAAIA,EAAM/d,OAASuW,YAAUmhB,sBAI3B3Z,EAAMjV,KAAKuH,OAASmG,oBAAkBuJ,UACtChC,EAAMjV,KAAKuH,QAAUmG,oBAAkByiB,QAInC4P,yBAAR,WACEhrC,KAAK+sC,yBAA2B,KAC5B/sC,KAAKgqC,aAAaxH,MAAMt7B,QAAQ,YAGpClH,KAAKgqC,aAAa5H,KAAK,CAAEjgC,KAAM,mBAC/BnC,KAAK6iC,QAAQle,KAAK5L,iBAAem7B,QAAS,CACxChV,MAAOl/B,KAAKgqC,aAAaxH,MAAMpkB,QAAQ6rB,gBASnCe,8BAAR,SAA0B7B,EAAazzB,GACrC1V,KAAKggB,OAAO/c,IAAIyS,EAAOtN,KAAKE,IAAMoN,EAMhCA,EAAOtN,KAAKjG,OAASlD,EAASuO,SACN,aAAxBkI,EAAOtN,KAAKlG,SACZinC,EAAKl/B,cAEHyL,EAA2CnV,MAAQ4oC,EAAKl/B,aAE5DyL,EAAO2F,YAAY8tB,GAEnBnpC,KAAKm0C,aAAaz+B,IAQZs1B,uBAAR,SAAmBt1B,WACjB,GAAIA,GACEA,EAAOjU,WAAaiU,EAAOhU,aAAc,CAC3C,IAAM2tB,EAAiB3Z,GACnB2Z,EAAcziB,YAAcyiB,EAAcviB,YAE5C9M,KAAKgpC,gBAAgBjvB,IAAIrE,EAAQ,CAC/B+V,OAAQ,CAAC4D,EAAcziB,WAAYyiB,EAAcviB,aAGvB,UAA1BuiB,EAAcntB,kBFtqDxBmtB,EACA4Z,SAEA,IACE,IAAMnD,EAAWzkC,MAAMH,gBACpBmuB,EAAmC7nB,4BAAOxE,WAAY,IACvDC,KAAI,SAACG,GAAS,OAAAA,EAAKE,WACrB2lC,EAAqBlvB,IAAKsV,EAAoC,CAC5D,CACEltB,KAAMijC,GAAcS,SACpBC,cAGJ,MAAOllC,KE0pDDwzC,CACE/kB,EACArvB,KAAKipC,sBAET,IAAM/nB,EAAWmO,EAAcnO,aAC/B,IAAoB,IAAArZ,EAAA5H,EAAAoB,MAAMH,KAAKggB,kCAAW,CAArC,IAAMhG,UACTlb,KAAKoyC,WAAYl3B,wGAUjB8vB,yBAAR,SAAqBt1B,WACnB,GAAIA,EAAOjU,WAAaiU,EAAOhU,aAAc,CAC3C,IAAM2tB,EAAiB3Z,EACvB,GAAI1V,KAAKgpC,gBAAgBzrB,IAAI7H,GAAS,CACpC,IAAM2+B,EAAcr0C,KAAKgpC,gBAAgB1vB,IAAI5D,GAEzC2+B,EAAY5oB,SACd4D,EAAcziB,WAAaynC,EAAY5oB,OAAO,GAC9C4D,EAAcviB,UAAYunC,EAAY5oB,OAAO,IAE/CzrB,KAAKgpC,gBAAgBrnB,OAAOjM,GAE9B,IAAMwL,EAAWmO,EAAcnO,aAC/B,IAAoB,IAAArZ,EAAA5H,EAAAoB,MAAMH,KAAKggB,kCAAW,CAArC,IAAMhG,UACTlb,KAAKm0C,aAAcj5B,wGAKjB8vB,6BAAR,SAAyBrkC,GACvB,IAAM8+B,EAAczlC,KAAKipC,qBAAqB3vB,IAAI3S,GAC5B,UAAlBA,EAAK2tC,WAIJ7O,GAMLD,GAA6BC,EAFV9+B,KAKbqkC,6BAAR,SAAyBxsB,EAAoBlW,GACvCtI,KAAK8oC,UAAUyL,UAAUjsC,GAC3BtI,KAAKoM,KAAK,wBAAiB9D,gCAAgCkW,GAE3Dxe,KAAKoM,KAAK,wBAAiB9D,mBAAmBkW,IAI1CwsB,qCAAR,SACExsB,EACAzd,GAEAf,KAAKoM,KAAK,6BAA8BrL,EAAO,mBAAoByd,IAG7DwsB,8BAAR,SAA0BxsB,EAAoBlW,GAOxCtI,KAAK8oC,UAAUyL,UAAUjsC,GAC3BtI,KAAK4yC,MACHrL,GACA,wBAAiBj/B,gCACjBkW,GAGFxe,KAAK4yC,MAAMrL,GAAuB,wBAAiBj/B,mBAAmBkW,IAIlEwsB,iBAAR,eAAa,aAAAlmC,mBAAAA,IAAAuZ,kBACNre,KAAK+gC,OAAOqH,aAGjBj8B,QAAQC,WAARD,WAAao7B,MAA0BlpB,SAGjC2sB,kBAAR,eAAc,aAAAlmC,mBAAAA,IAAAuZ,kBACPre,KAAK+gC,OAAOsH,WAIjBl8B,QAAQqoC,UAARroC,WAAYo7B,MAA0BlpB,cGl6DlC4d,GAAmB9D,kBACnBiE,GAAejE"} +\ No newline at end of file ++{"version":3,"file":"rrweb.min.js","sources":["../node_modules/tslib/tslib.es6.js","../../rrweb-snapshot/es/rrweb-snapshot.js","../../src/types.ts","../../src/utils.ts","../../src/record/mutation.ts","../../src/record/observer.ts","../../src/record/iframe-manager.ts","../../src/record/shadow-dom-manager.ts","../../../node_modules/base64-arraybuffer/dist/base64-arraybuffer.es5.js","../../src/record/observers/canvas/serialize-args.ts","../../src/record/observers/canvas/webgl.ts","../../src/record/observers/canvas/canvas-manager.ts","../../src/record/index.ts","../../src/record/observers/canvas/canvas.ts","../../src/record/observers/canvas/2d.ts","../../../node_modules/mitt/dist/mitt.es.js","../../src/replay/smoothscroll.ts","../../src/replay/timer.ts","../../../node_modules/@xstate/fsm/es/index.js","../../src/replay/machine.ts","../../src/replay/styles/inject-style.ts","../../src/replay/virtual-styles.ts","../../src/replay/canvas/webgl.ts","../../src/replay/index.ts","../../src/replay/canvas/index.ts","../../src/replay/canvas/2d.ts","../../src/index.ts"],"sourcesContent":["/*! *****************************************************************************\r\nCopyright (c) Microsoft Corporation.\r\n\r\nPermission to use, copy, modify, and/or distribute this software for any\r\npurpose with or without fee is hereby granted.\r\n\r\nTHE SOFTWARE IS PROVIDED \"AS IS\" AND THE AUTHOR DISCLAIMS ALL WARRANTIES WITH\r\nREGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF MERCHANTABILITY\r\nAND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR ANY SPECIAL, DIRECT,\r\nINDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES WHATSOEVER RESULTING FROM\r\nLOSS OF USE, DATA OR PROFITS, WHETHER IN AN ACTION OF CONTRACT, NEGLIGENCE OR\r\nOTHER TORTIOUS ACTION, ARISING OUT OF OR IN CONNECTION WITH THE USE OR\r\nPERFORMANCE OF THIS SOFTWARE.\r\n***************************************************************************** */\r\n/* global Reflect, Promise */\r\n\r\nvar extendStatics = function(d, b) {\r\n extendStatics = Object.setPrototypeOf ||\r\n ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) ||\r\n function (d, b) { for (var p in b) if (Object.prototype.hasOwnProperty.call(b, p)) d[p] = b[p]; };\r\n return extendStatics(d, b);\r\n};\r\n\r\nexport function __extends(d, b) {\r\n if (typeof b !== \"function\" && b !== null)\r\n throw new TypeError(\"Class extends value \" + String(b) + \" is not a constructor or null\");\r\n extendStatics(d, b);\r\n function __() { this.constructor = d; }\r\n d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __());\r\n}\r\n\r\nexport var __assign = function() {\r\n __assign = Object.assign || function __assign(t) {\r\n for (var s, i = 1, n = arguments.length; i < n; i++) {\r\n s = arguments[i];\r\n for (var p in s) if (Object.prototype.hasOwnProperty.call(s, p)) t[p] = s[p];\r\n }\r\n return t;\r\n }\r\n return __assign.apply(this, arguments);\r\n}\r\n\r\nexport function __rest(s, e) {\r\n var t = {};\r\n for (var p in s) if (Object.prototype.hasOwnProperty.call(s, p) && e.indexOf(p) < 0)\r\n t[p] = s[p];\r\n if (s != null && typeof Object.getOwnPropertySymbols === \"function\")\r\n for (var i = 0, p = Object.getOwnPropertySymbols(s); i < p.length; i++) {\r\n if (e.indexOf(p[i]) < 0 && Object.prototype.propertyIsEnumerable.call(s, p[i]))\r\n t[p[i]] = s[p[i]];\r\n }\r\n return t;\r\n}\r\n\r\nexport function __decorate(decorators, target, key, desc) {\r\n var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d;\r\n if (typeof Reflect === \"object\" && typeof Reflect.decorate === \"function\") r = Reflect.decorate(decorators, target, key, desc);\r\n else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r;\r\n return c > 3 && r && Object.defineProperty(target, key, r), r;\r\n}\r\n\r\nexport function __param(paramIndex, decorator) {\r\n return function (target, key) { decorator(target, key, paramIndex); }\r\n}\r\n\r\nexport function __metadata(metadataKey, metadataValue) {\r\n if (typeof Reflect === \"object\" && typeof Reflect.metadata === \"function\") return Reflect.metadata(metadataKey, metadataValue);\r\n}\r\n\r\nexport function __awaiter(thisArg, _arguments, P, generator) {\r\n function adopt(value) { return value instanceof P ? value : new P(function (resolve) { resolve(value); }); }\r\n return new (P || (P = Promise))(function (resolve, reject) {\r\n function fulfilled(value) { try { step(generator.next(value)); } catch (e) { reject(e); } }\r\n function rejected(value) { try { step(generator[\"throw\"](value)); } catch (e) { reject(e); } }\r\n function step(result) { result.done ? resolve(result.value) : adopt(result.value).then(fulfilled, rejected); }\r\n step((generator = generator.apply(thisArg, _arguments || [])).next());\r\n });\r\n}\r\n\r\nexport function __generator(thisArg, body) {\r\n var _ = { label: 0, sent: function() { if (t[0] & 1) throw t[1]; return t[1]; }, trys: [], ops: [] }, f, y, t, g;\r\n return g = { next: verb(0), \"throw\": verb(1), \"return\": verb(2) }, typeof Symbol === \"function\" && (g[Symbol.iterator] = function() { return this; }), g;\r\n function verb(n) { return function (v) { return step([n, v]); }; }\r\n function step(op) {\r\n if (f) throw new TypeError(\"Generator is already executing.\");\r\n while (_) try {\r\n if (f = 1, y && (t = op[0] & 2 ? y[\"return\"] : op[0] ? y[\"throw\"] || ((t = y[\"return\"]) && t.call(y), 0) : y.next) && !(t = t.call(y, op[1])).done) return t;\r\n if (y = 0, t) op = [op[0] & 2, t.value];\r\n switch (op[0]) {\r\n case 0: case 1: t = op; break;\r\n case 4: _.label++; return { value: op[1], done: false };\r\n case 5: _.label++; y = op[1]; op = [0]; continue;\r\n case 7: op = _.ops.pop(); _.trys.pop(); continue;\r\n default:\r\n if (!(t = _.trys, t = t.length > 0 && t[t.length - 1]) && (op[0] === 6 || op[0] === 2)) { _ = 0; continue; }\r\n if (op[0] === 3 && (!t || (op[1] > t[0] && op[1] < t[3]))) { _.label = op[1]; break; }\r\n if (op[0] === 6 && _.label < t[1]) { _.label = t[1]; t = op; break; }\r\n if (t && _.label < t[2]) { _.label = t[2]; _.ops.push(op); break; }\r\n if (t[2]) _.ops.pop();\r\n _.trys.pop(); continue;\r\n }\r\n op = body.call(thisArg, _);\r\n } catch (e) { op = [6, e]; y = 0; } finally { f = t = 0; }\r\n if (op[0] & 5) throw op[1]; return { value: op[0] ? op[1] : void 0, done: true };\r\n }\r\n}\r\n\r\nexport var __createBinding = Object.create ? (function(o, m, k, k2) {\r\n if (k2 === undefined) k2 = k;\r\n Object.defineProperty(o, k2, { enumerable: true, get: function() { return m[k]; } });\r\n}) : (function(o, m, k, k2) {\r\n if (k2 === undefined) k2 = k;\r\n o[k2] = m[k];\r\n});\r\n\r\nexport function __exportStar(m, o) {\r\n for (var p in m) if (p !== \"default\" && !Object.prototype.hasOwnProperty.call(o, p)) __createBinding(o, m, p);\r\n}\r\n\r\nexport function __values(o) {\r\n var s = typeof Symbol === \"function\" && Symbol.iterator, m = s && o[s], i = 0;\r\n if (m) return m.call(o);\r\n if (o && typeof o.length === \"number\") return {\r\n next: function () {\r\n if (o && i >= o.length) o = void 0;\r\n return { value: o && o[i++], done: !o };\r\n }\r\n };\r\n throw new TypeError(s ? \"Object is not iterable.\" : \"Symbol.iterator is not defined.\");\r\n}\r\n\r\nexport function __read(o, n) {\r\n var m = typeof Symbol === \"function\" && o[Symbol.iterator];\r\n if (!m) return o;\r\n var i = m.call(o), r, ar = [], e;\r\n try {\r\n while ((n === void 0 || n-- > 0) && !(r = i.next()).done) ar.push(r.value);\r\n }\r\n catch (error) { e = { error: error }; }\r\n finally {\r\n try {\r\n if (r && !r.done && (m = i[\"return\"])) m.call(i);\r\n }\r\n finally { if (e) throw e.error; }\r\n }\r\n return ar;\r\n}\r\n\r\n/** @deprecated */\r\nexport function __spread() {\r\n for (var ar = [], i = 0; i < arguments.length; i++)\r\n ar = ar.concat(__read(arguments[i]));\r\n return ar;\r\n}\r\n\r\n/** @deprecated */\r\nexport function __spreadArrays() {\r\n for (var s = 0, i = 0, il = arguments.length; i < il; i++) s += arguments[i].length;\r\n for (var r = Array(s), k = 0, i = 0; i < il; i++)\r\n for (var a = arguments[i], j = 0, jl = a.length; j < jl; j++, k++)\r\n r[k] = a[j];\r\n return r;\r\n}\r\n\r\nexport function __spreadArray(to, from, pack) {\r\n if (pack || arguments.length === 2) for (var i = 0, l = from.length, ar; i < l; i++) {\r\n if (ar || !(i in from)) {\r\n if (!ar) ar = Array.prototype.slice.call(from, 0, i);\r\n ar[i] = from[i];\r\n }\r\n }\r\n return to.concat(ar || Array.prototype.slice.call(from));\r\n}\r\n\r\nexport function __await(v) {\r\n return this instanceof __await ? (this.v = v, this) : new __await(v);\r\n}\r\n\r\nexport function __asyncGenerator(thisArg, _arguments, generator) {\r\n if (!Symbol.asyncIterator) throw new TypeError(\"Symbol.asyncIterator is not defined.\");\r\n var g = generator.apply(thisArg, _arguments || []), i, q = [];\r\n return i = {}, verb(\"next\"), verb(\"throw\"), verb(\"return\"), i[Symbol.asyncIterator] = function () { return this; }, i;\r\n function verb(n) { if (g[n]) i[n] = function (v) { return new Promise(function (a, b) { q.push([n, v, a, b]) > 1 || resume(n, v); }); }; }\r\n function resume(n, v) { try { step(g[n](v)); } catch (e) { settle(q[0][3], e); } }\r\n function step(r) { r.value instanceof __await ? Promise.resolve(r.value.v).then(fulfill, reject) : settle(q[0][2], r); }\r\n function fulfill(value) { resume(\"next\", value); }\r\n function reject(value) { resume(\"throw\", value); }\r\n function settle(f, v) { if (f(v), q.shift(), q.length) resume(q[0][0], q[0][1]); }\r\n}\r\n\r\nexport function __asyncDelegator(o) {\r\n var i, p;\r\n return i = {}, verb(\"next\"), verb(\"throw\", function (e) { throw e; }), verb(\"return\"), i[Symbol.iterator] = function () { return this; }, i;\r\n function verb(n, f) { i[n] = o[n] ? function (v) { return (p = !p) ? { value: __await(o[n](v)), done: n === \"return\" } : f ? f(v) : v; } : f; }\r\n}\r\n\r\nexport function __asyncValues(o) {\r\n if (!Symbol.asyncIterator) throw new TypeError(\"Symbol.asyncIterator is not defined.\");\r\n var m = o[Symbol.asyncIterator], i;\r\n return m ? m.call(o) : (o = typeof __values === \"function\" ? __values(o) : o[Symbol.iterator](), i = {}, verb(\"next\"), verb(\"throw\"), verb(\"return\"), i[Symbol.asyncIterator] = function () { return this; }, i);\r\n function verb(n) { i[n] = o[n] && function (v) { return new Promise(function (resolve, reject) { v = o[n](v), settle(resolve, reject, v.done, v.value); }); }; }\r\n function settle(resolve, reject, d, v) { Promise.resolve(v).then(function(v) { resolve({ value: v, done: d }); }, reject); }\r\n}\r\n\r\nexport function __makeTemplateObject(cooked, raw) {\r\n if (Object.defineProperty) { Object.defineProperty(cooked, \"raw\", { value: raw }); } else { cooked.raw = raw; }\r\n return cooked;\r\n};\r\n\r\nvar __setModuleDefault = Object.create ? (function(o, v) {\r\n Object.defineProperty(o, \"default\", { enumerable: true, value: v });\r\n}) : function(o, v) {\r\n o[\"default\"] = v;\r\n};\r\n\r\nexport function __importStar(mod) {\r\n if (mod && mod.__esModule) return mod;\r\n var result = {};\r\n if (mod != null) for (var k in mod) if (k !== \"default\" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding(result, mod, k);\r\n __setModuleDefault(result, mod);\r\n return result;\r\n}\r\n\r\nexport function __importDefault(mod) {\r\n return (mod && mod.__esModule) ? mod : { default: mod };\r\n}\r\n\r\nexport function __classPrivateFieldGet(receiver, state, kind, f) {\r\n if (kind === \"a\" && !f) throw new TypeError(\"Private accessor was defined without a getter\");\r\n if (typeof state === \"function\" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError(\"Cannot read private member from an object whose class did not declare it\");\r\n return kind === \"m\" ? f : kind === \"a\" ? f.call(receiver) : f ? f.value : state.get(receiver);\r\n}\r\n\r\nexport function __classPrivateFieldSet(receiver, state, value, kind, f) {\r\n if (kind === \"m\") throw new TypeError(\"Private method is not writable\");\r\n if (kind === \"a\" && !f) throw new TypeError(\"Private accessor was defined without a setter\");\r\n if (typeof state === \"function\" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError(\"Cannot write private member to an object whose class did not declare it\");\r\n return (kind === \"a\" ? f.call(receiver, value) : f ? f.value = value : state.set(receiver, value)), value;\r\n}\r\n","var NodeType;\n(function (NodeType) {\n NodeType[NodeType[\"Document\"] = 0] = \"Document\";\n NodeType[NodeType[\"DocumentType\"] = 1] = \"DocumentType\";\n NodeType[NodeType[\"Element\"] = 2] = \"Element\";\n NodeType[NodeType[\"Text\"] = 3] = \"Text\";\n NodeType[NodeType[\"CDATA\"] = 4] = \"CDATA\";\n NodeType[NodeType[\"Comment\"] = 5] = \"Comment\";\n})(NodeType || (NodeType = {}));\n\nfunction isElement(n) {\n return n.nodeType === n.ELEMENT_NODE;\n}\nfunction isShadowRoot(n) {\n var _a;\n var host = (_a = n) === null || _a === void 0 ? void 0 : _a.host;\n return Boolean(host && host.shadowRoot && host.shadowRoot === n);\n}\nfunction maskInputValue(_a) {\n var input = _a.input, maskInputSelector = _a.maskInputSelector, unmaskInputSelector = _a.unmaskInputSelector, maskInputOptions = _a.maskInputOptions, tagName = _a.tagName, type = _a.type, value = _a.value, maskInputFn = _a.maskInputFn;\n var text = value || '';\n if (unmaskInputSelector && input.matches(unmaskInputSelector)) {\n return text;\n }\n if (maskInputOptions[tagName.toLowerCase()] ||\n maskInputOptions[type] ||\n (maskInputSelector && input.matches(maskInputSelector))) {\n if (maskInputFn) {\n text = maskInputFn(text);\n }\n else {\n text = '*'.repeat(text.length);\n }\n }\n return text;\n}\nvar ORIGINAL_ATTRIBUTE_NAME = '__rrweb_original__';\nfunction is2DCanvasBlank(canvas) {\n var ctx = canvas.getContext('2d');\n if (!ctx)\n return true;\n var chunkSize = 50;\n for (var x = 0; x < canvas.width; x += chunkSize) {\n for (var y = 0; y < canvas.height; y += chunkSize) {\n var getImageData = ctx.getImageData;\n var originalGetImageData = ORIGINAL_ATTRIBUTE_NAME in getImageData\n ? getImageData[ORIGINAL_ATTRIBUTE_NAME]\n : getImageData;\n var pixelBuffer = new Uint32Array(originalGetImageData.call(ctx, x, y, Math.min(chunkSize, canvas.width - x), Math.min(chunkSize, canvas.height - y)).data.buffer);\n if (pixelBuffer.some(function (pixel) { return pixel !== 0; }))\n return false;\n }\n }\n return true;\n}\n\nvar _id = 1;\nvar tagNameRegex = new RegExp('[^a-z0-9-_:]');\nvar IGNORED_NODE = -2;\nfunction genId() {\n return _id++;\n}\nfunction getValidTagName(element) {\n if (element instanceof HTMLFormElement) {\n return 'form';\n }\n var processedTagName = element.tagName.toLowerCase().trim();\n if (tagNameRegex.test(processedTagName)) {\n return 'div';\n }\n return processedTagName;\n}\nfunction getCssRulesString(s) {\n try {\n var rules = s.rules || s.cssRules;\n return rules ? Array.from(rules).map(getCssRuleString).join('') : null;\n }\n catch (error) {\n return null;\n }\n}\nfunction getCssRuleString(rule) {\n var cssStringified = rule.cssText;\n if (isCSSImportRule(rule)) {\n try {\n cssStringified = getCssRulesString(rule.styleSheet) || cssStringified;\n }\n catch (_a) {\n }\n }\n return cssStringified;\n}\nfunction isCSSImportRule(rule) {\n return 'styleSheet' in rule;\n}\nfunction stringifyStyleSheet(sheet) {\n return sheet.cssRules\n ? Array.from(sheet.cssRules)\n .map(function (rule) { return rule.cssText || ''; })\n .join('')\n : '';\n}\nfunction extractOrigin(url) {\n var origin = '';\n if (url.indexOf('//') > -1) {\n origin = url.split('/').slice(0, 3).join('/');\n }\n else {\n origin = url.split('/')[0];\n }\n origin = origin.split('?')[0];\n return origin;\n}\nvar canvasService;\nvar canvasCtx;\nvar URL_IN_CSS_REF = /url\\((?:(')([^']*)'|(\")(.*?)\"|([^)]*))\\)/gm;\nvar RELATIVE_PATH = /^(?!www\\.|(?:http|ftp)s?:\\/\\/|[A-Za-z]:\\\\|\\/\\/|#).*/;\nvar DATA_URI = /^(data:)([^,]*),(.*)/i;\nfunction absoluteToStylesheet(cssText, href) {\n return (cssText || '').replace(URL_IN_CSS_REF, function (origin, quote1, path1, quote2, path2, path3) {\n var filePath = path1 || path2 || path3;\n var maybeQuote = quote1 || quote2 || '';\n if (!filePath) {\n return origin;\n }\n if (!RELATIVE_PATH.test(filePath)) {\n return \"url(\" + maybeQuote + filePath + maybeQuote + \")\";\n }\n if (DATA_URI.test(filePath)) {\n return \"url(\" + maybeQuote + filePath + maybeQuote + \")\";\n }\n if (filePath[0] === '/') {\n return \"url(\" + maybeQuote + (extractOrigin(href) + filePath) + maybeQuote + \")\";\n }\n var stack = href.split('/');\n var parts = filePath.split('/');\n stack.pop();\n for (var _i = 0, parts_1 = parts; _i < parts_1.length; _i++) {\n var part = parts_1[_i];\n if (part === '.') {\n continue;\n }\n else if (part === '..') {\n stack.pop();\n }\n else {\n stack.push(part);\n }\n }\n return \"url(\" + maybeQuote + stack.join('/') + maybeQuote + \")\";\n });\n}\nvar SRCSET_NOT_SPACES = /^[^ \\t\\n\\r\\u000c]+/;\nvar SRCSET_COMMAS_OR_SPACES = /^[, \\t\\n\\r\\u000c]+/;\nfunction getAbsoluteSrcsetString(doc, attributeValue) {\n if (attributeValue.trim() === '') {\n return attributeValue;\n }\n var pos = 0;\n function collectCharacters(regEx) {\n var chars;\n var match = regEx.exec(attributeValue.substring(pos));\n if (match) {\n chars = match[0];\n pos += chars.length;\n return chars;\n }\n return '';\n }\n var output = [];\n while (true) {\n collectCharacters(SRCSET_COMMAS_OR_SPACES);\n if (pos >= attributeValue.length) {\n break;\n }\n var url = collectCharacters(SRCSET_NOT_SPACES);\n if (url.slice(-1) === ',') {\n url = absoluteToDoc(doc, url.substring(0, url.length - 1));\n output.push(url);\n }\n else {\n var descriptorsStr = '';\n url = absoluteToDoc(doc, url);\n var inParens = false;\n while (true) {\n var c = attributeValue.charAt(pos);\n if (c === '') {\n output.push((url + descriptorsStr).trim());\n break;\n }\n else if (!inParens) {\n if (c === ',') {\n pos += 1;\n output.push((url + descriptorsStr).trim());\n break;\n }\n else if (c === '(') {\n inParens = true;\n }\n }\n else {\n if (c === ')') {\n inParens = false;\n }\n }\n descriptorsStr += c;\n pos += 1;\n }\n }\n }\n return output.join(', ');\n}\nfunction absoluteToDoc(doc, attributeValue) {\n if (!attributeValue || attributeValue.trim() === '') {\n return attributeValue;\n }\n var a = doc.createElement('a');\n a.href = attributeValue;\n return a.href;\n}\nfunction isSVGElement(el) {\n return Boolean(el.tagName === 'svg' || el.ownerSVGElement);\n}\nfunction getHref() {\n var a = document.createElement('a');\n a.href = '';\n return a.href;\n}\nfunction transformAttribute(doc, tagName, name, value) {\n if (name === 'src' || (name === 'href' && value)) {\n return absoluteToDoc(doc, value);\n }\n else if (name === 'xlink:href' && value && value[0] !== '#') {\n return absoluteToDoc(doc, value);\n }\n else if (name === 'background' &&\n value &&\n (tagName === 'table' || tagName === 'td' || tagName === 'th')) {\n return absoluteToDoc(doc, value);\n }\n else if (name === 'srcset' && value) {\n return getAbsoluteSrcsetString(doc, value);\n }\n else if (name === 'style' && value) {\n return absoluteToStylesheet(value, getHref());\n }\n else if (tagName === 'object' && name === 'data' && value) {\n return absoluteToDoc(doc, value);\n }\n else {\n return value;\n }\n}\nfunction _isBlockedElement(element, blockClass, blockSelector, unblockSelector) {\n if (unblockSelector && element.matches(unblockSelector)) {\n return false;\n }\n if (typeof blockClass === 'string') {\n if (element.classList.contains(blockClass)) {\n return true;\n }\n }\n else {\n for (var eIndex = 0; eIndex < element.classList.length; eIndex++) {\n var className = element.classList[eIndex];\n if (blockClass.test(className)) {\n return true;\n }\n }\n }\n if (blockSelector) {\n return element.matches(blockSelector);\n }\n return false;\n}\nfunction needMaskingText(node, maskTextClass, maskTextSelector, unmaskTextSelector) {\n if (!node) {\n return false;\n }\n if (node.nodeType === node.ELEMENT_NODE) {\n if (unmaskTextSelector) {\n if (node.matches(unmaskTextSelector) || node.closest(unmaskTextSelector)) {\n return false;\n }\n }\n if (typeof maskTextClass === 'string') {\n if (node.classList.contains(maskTextClass)) {\n return true;\n }\n }\n else {\n for (var eIndex = 0; eIndex < node.classList.length; eIndex++) {\n var className = node.classList[eIndex];\n if (maskTextClass.test(className)) {\n return true;\n }\n }\n }\n if (maskTextSelector) {\n if (node.matches(maskTextSelector)) {\n return true;\n }\n }\n return needMaskingText(node.parentNode, maskTextClass, maskTextSelector, unmaskTextSelector);\n }\n if (node.nodeType === node.TEXT_NODE) {\n return needMaskingText(node.parentNode, maskTextClass, maskTextSelector, unmaskTextSelector);\n }\n return needMaskingText(node.parentNode, maskTextClass, maskTextSelector, unmaskTextSelector);\n}\nfunction onceIframeLoaded(iframeEl, listener, iframeLoadTimeout) {\n var win = iframeEl.contentWindow;\n if (!win) {\n return;\n }\n var fired = false;\n var readyState;\n try {\n readyState = win.document.readyState;\n }\n catch (error) {\n return;\n }\n if (readyState !== 'complete') {\n var timer_1 = setTimeout(function () {\n if (!fired) {\n listener();\n fired = true;\n }\n }, iframeLoadTimeout);\n iframeEl.addEventListener('load', function () {\n clearTimeout(timer_1);\n fired = true;\n listener();\n });\n return;\n }\n var blankUrl = 'about:blank';\n if (win.location.href !== blankUrl ||\n iframeEl.src === blankUrl ||\n iframeEl.src === '') {\n setTimeout(listener, 0);\n return;\n }\n iframeEl.addEventListener('load', listener);\n}\nfunction serializeNode(n, options) {\n var _a;\n var doc = options.doc, blockClass = options.blockClass, blockSelector = options.blockSelector, unblockSelector = options.unblockSelector, maskTextClass = options.maskTextClass, maskTextSelector = options.maskTextSelector, unmaskTextSelector = options.unmaskTextSelector, inlineStylesheet = options.inlineStylesheet, maskInputSelector = options.maskInputSelector, unmaskInputSelector = options.unmaskInputSelector, _b = options.maskInputOptions, maskInputOptions = _b === void 0 ? {} : _b, maskTextFn = options.maskTextFn, maskInputFn = options.maskInputFn, _c = options.dataURLOptions, dataURLOptions = _c === void 0 ? {} : _c, inlineImages = options.inlineImages, recordCanvas = options.recordCanvas, keepIframeSrcFn = options.keepIframeSrcFn;\n var rootId;\n if (doc.__sn) {\n var docId = doc.__sn.id;\n rootId = docId === 1 ? undefined : docId;\n }\n switch (n.nodeType) {\n case n.DOCUMENT_NODE:\n if (n.compatMode !== 'CSS1Compat') {\n return {\n type: NodeType.Document,\n childNodes: [],\n compatMode: n.compatMode,\n rootId: rootId\n };\n }\n else {\n return {\n type: NodeType.Document,\n childNodes: [],\n rootId: rootId\n };\n }\n case n.DOCUMENT_TYPE_NODE:\n return {\n type: NodeType.DocumentType,\n name: n.name,\n publicId: n.publicId,\n systemId: n.systemId,\n rootId: rootId\n };\n case n.ELEMENT_NODE:\n var needBlock = _isBlockedElement(n, blockClass, blockSelector, unblockSelector);\n var tagName = getValidTagName(n);\n var attributes_1 = {};\n for (var _i = 0, _d = Array.from(n.attributes); _i < _d.length; _i++) {\n var _e = _d[_i], name_1 = _e.name, value = _e.value;\n attributes_1[name_1] = transformAttribute(doc, tagName, name_1, value);\n }\n if (tagName === 'link' && inlineStylesheet) {\n var stylesheet = Array.from(doc.styleSheets).find(function (s) {\n return s.href === n.href;\n });\n var cssText = null;\n if (stylesheet) {\n cssText = getCssRulesString(stylesheet);\n }\n if (cssText) {\n delete attributes_1.rel;\n delete attributes_1.href;\n attributes_1._cssText = absoluteToStylesheet(cssText, stylesheet.href);\n }\n }\n if (tagName === 'style' &&\n n.sheet &&\n !(n.innerText ||\n n.textContent ||\n '').trim().length) {\n var cssText = getCssRulesString(n.sheet);\n if (cssText) {\n attributes_1._cssText = absoluteToStylesheet(cssText, getHref());\n }\n }\n if (tagName === 'input' ||\n tagName === 'textarea' ||\n tagName === 'select') {\n var value = n.value;\n if (attributes_1.type !== 'radio' &&\n attributes_1.type !== 'checkbox' &&\n attributes_1.type !== 'submit' &&\n attributes_1.type !== 'button' &&\n value) {\n attributes_1.value = maskInputValue({\n input: n,\n type: attributes_1.type,\n tagName: tagName,\n value: value,\n maskInputSelector: maskInputSelector,\n unmaskInputSelector: unmaskInputSelector,\n maskInputOptions: maskInputOptions,\n maskInputFn: maskInputFn\n });\n }\n else if (n.checked) {\n attributes_1.checked = n.checked;\n }\n }\n if (tagName === 'option') {\n if (n.selected && !maskInputOptions['select']) {\n attributes_1.selected = true;\n }\n else {\n delete attributes_1.selected;\n }\n }\n if (tagName === 'canvas' && recordCanvas) {\n if (n.__context === '2d') {\n if (!is2DCanvasBlank(n)) {\n attributes_1.rr_dataURL = n.toDataURL(dataURLOptions.type, dataURLOptions.quality);\n }\n }\n else if (!('__context' in n)) {\n var canvasDataURL = n.toDataURL(dataURLOptions.type, dataURLOptions.quality);\n var blankCanvas = document.createElement('canvas');\n blankCanvas.width = n.width;\n blankCanvas.height = n.height;\n var blankCanvasDataURL = blankCanvas.toDataURL(dataURLOptions.type, dataURLOptions.quality);\n if (canvasDataURL !== blankCanvasDataURL) {\n attributes_1.rr_dataURL = canvasDataURL;\n }\n }\n }\n if (tagName === 'img' && inlineImages) {\n if (!canvasService) {\n canvasService = doc.createElement('canvas');\n canvasCtx = canvasService.getContext('2d');\n }\n var image_1 = n;\n var oldValue_1 = image_1.crossOrigin;\n image_1.crossOrigin = 'anonymous';\n var recordInlineImage = function () {\n try {\n canvasService.width = image_1.naturalWidth;\n canvasService.height = image_1.naturalHeight;\n canvasCtx.drawImage(image_1, 0, 0);\n attributes_1.rr_dataURL = canvasService.toDataURL(dataURLOptions.type, dataURLOptions.quality);\n }\n catch (err) {\n console.warn(\"Cannot inline img src=\" + image_1.currentSrc + \"! Error: \" + err);\n }\n oldValue_1\n ? (attributes_1.crossOrigin = oldValue_1)\n : delete attributes_1.crossOrigin;\n };\n if (image_1.complete && image_1.naturalWidth !== 0)\n recordInlineImage();\n else\n image_1.onload = recordInlineImage;\n }\n if (tagName === 'audio' || tagName === 'video') {\n attributes_1.rr_mediaState = n.paused\n ? 'paused'\n : 'played';\n attributes_1.rr_mediaCurrentTime = n.currentTime;\n }\n if (n.scrollLeft) {\n attributes_1.rr_scrollLeft = n.scrollLeft;\n }\n if (n.scrollTop) {\n attributes_1.rr_scrollTop = n.scrollTop;\n }\n if (needBlock) {\n var _f = n.getBoundingClientRect(), width = _f.width, height = _f.height;\n attributes_1 = {\n \"class\": attributes_1[\"class\"],\n rr_width: width + \"px\",\n rr_height: height + \"px\"\n };\n }\n if (tagName === 'iframe' && !keepIframeSrcFn(attributes_1.src)) {\n if (!n.contentDocument) {\n attributes_1.rr_src = attributes_1.src;\n }\n delete attributes_1.src;\n }\n return {\n type: NodeType.Element,\n tagName: tagName,\n attributes: attributes_1,\n childNodes: [],\n isSVG: isSVGElement(n) || undefined,\n needBlock: needBlock,\n rootId: rootId\n };\n case n.TEXT_NODE:\n var parentTagName = n.parentNode && n.parentNode.tagName;\n var textContent = n.textContent;\n var isStyle = parentTagName === 'STYLE' ? true : undefined;\n var isScript = parentTagName === 'SCRIPT' ? true : undefined;\n if (isStyle && textContent) {\n try {\n if (n.nextSibling || n.previousSibling) {\n }\n else if ((_a = n.parentNode.sheet) === null || _a === void 0 ? void 0 : _a.cssRules) {\n textContent = stringifyStyleSheet(n.parentNode.sheet);\n }\n }\n catch (err) {\n console.warn(\"Cannot get CSS styles from text's parentNode. Error: \" + err, n);\n }\n textContent = absoluteToStylesheet(textContent, getHref());\n }\n if (isScript) {\n textContent = 'SCRIPT_PLACEHOLDER';\n }\n if (!isStyle &&\n !isScript &&\n needMaskingText(n, maskTextClass, maskTextSelector, unmaskTextSelector) &&\n textContent) {\n textContent = maskTextFn\n ? maskTextFn(textContent)\n : textContent.replace(/[\\S]/g, '*');\n }\n return {\n type: NodeType.Text,\n textContent: textContent || '',\n isStyle: isStyle,\n rootId: rootId\n };\n case n.CDATA_SECTION_NODE:\n return {\n type: NodeType.CDATA,\n textContent: '',\n rootId: rootId\n };\n case n.COMMENT_NODE:\n return {\n type: NodeType.Comment,\n textContent: n.textContent || '',\n rootId: rootId\n };\n default:\n return false;\n }\n}\nfunction lowerIfExists(maybeAttr) {\n if (maybeAttr === undefined) {\n return '';\n }\n else {\n return maybeAttr.toLowerCase();\n }\n}\nfunction slimDOMExcluded(sn, slimDOMOptions) {\n if (slimDOMOptions.comment && sn.type === NodeType.Comment) {\n return true;\n }\n else if (sn.type === NodeType.Element) {\n if (slimDOMOptions.script &&\n (sn.tagName === 'script' ||\n (sn.tagName === 'link' &&\n sn.attributes.rel === 'preload' &&\n sn.attributes.as === 'script') ||\n (sn.tagName === 'link' &&\n sn.attributes.rel === 'prefetch' &&\n typeof sn.attributes.href === 'string' &&\n sn.attributes.href.endsWith('.js')))) {\n return true;\n }\n else if (slimDOMOptions.headFavicon &&\n ((sn.tagName === 'link' && sn.attributes.rel === 'shortcut icon') ||\n (sn.tagName === 'meta' &&\n (lowerIfExists(sn.attributes.name).match(/^msapplication-tile(image|color)$/) ||\n lowerIfExists(sn.attributes.name) === 'application-name' ||\n lowerIfExists(sn.attributes.rel) === 'icon' ||\n lowerIfExists(sn.attributes.rel) === 'apple-touch-icon' ||\n lowerIfExists(sn.attributes.rel) === 'shortcut icon')))) {\n return true;\n }\n else if (sn.tagName === 'meta') {\n if (slimDOMOptions.headMetaDescKeywords &&\n lowerIfExists(sn.attributes.name).match(/^description|keywords$/)) {\n return true;\n }\n else if (slimDOMOptions.headMetaSocial &&\n (lowerIfExists(sn.attributes.property).match(/^(og|twitter|fb):/) ||\n lowerIfExists(sn.attributes.name).match(/^(og|twitter):/) ||\n lowerIfExists(sn.attributes.name) === 'pinterest')) {\n return true;\n }\n else if (slimDOMOptions.headMetaRobots &&\n (lowerIfExists(sn.attributes.name) === 'robots' ||\n lowerIfExists(sn.attributes.name) === 'googlebot' ||\n lowerIfExists(sn.attributes.name) === 'bingbot')) {\n return true;\n }\n else if (slimDOMOptions.headMetaHttpEquiv &&\n sn.attributes['http-equiv'] !== undefined) {\n return true;\n }\n else if (slimDOMOptions.headMetaAuthorship &&\n (lowerIfExists(sn.attributes.name) === 'author' ||\n lowerIfExists(sn.attributes.name) === 'generator' ||\n lowerIfExists(sn.attributes.name) === 'framework' ||\n lowerIfExists(sn.attributes.name) === 'publisher' ||\n lowerIfExists(sn.attributes.name) === 'progid' ||\n lowerIfExists(sn.attributes.property).match(/^article:/) ||\n lowerIfExists(sn.attributes.property).match(/^product:/))) {\n return true;\n }\n else if (slimDOMOptions.headMetaVerification &&\n (lowerIfExists(sn.attributes.name) === 'google-site-verification' ||\n lowerIfExists(sn.attributes.name) === 'yandex-verification' ||\n lowerIfExists(sn.attributes.name) === 'csrf-token' ||\n lowerIfExists(sn.attributes.name) === 'p:domain_verify' ||\n lowerIfExists(sn.attributes.name) === 'verify-v1' ||\n lowerIfExists(sn.attributes.name) === 'verification' ||\n lowerIfExists(sn.attributes.name) === 'shopify-checkout-api-token')) {\n return true;\n }\n }\n }\n return false;\n}\nfunction serializeNodeWithId(n, options) {\n var doc = options.doc, map = options.map, blockClass = options.blockClass, blockSelector = options.blockSelector, unblockSelector = options.unblockSelector, maskTextClass = options.maskTextClass, maskTextSelector = options.maskTextSelector, unmaskTextSelector = options.unmaskTextSelector, _a = options.skipChild, skipChild = _a === void 0 ? false : _a, _b = options.inlineStylesheet, inlineStylesheet = _b === void 0 ? true : _b, maskInputSelector = options.maskInputSelector, unmaskInputSelector = options.unmaskInputSelector, _c = options.maskInputOptions, maskInputOptions = _c === void 0 ? {} : _c, maskTextFn = options.maskTextFn, maskInputFn = options.maskInputFn, slimDOMOptions = options.slimDOMOptions, _d = options.dataURLOptions, dataURLOptions = _d === void 0 ? {} : _d, _e = options.inlineImages, inlineImages = _e === void 0 ? false : _e, _f = options.recordCanvas, recordCanvas = _f === void 0 ? false : _f, onSerialize = options.onSerialize, onIframeLoad = options.onIframeLoad, _g = options.iframeLoadTimeout, iframeLoadTimeout = _g === void 0 ? 5000 : _g, _h = options.keepIframeSrcFn, keepIframeSrcFn = _h === void 0 ? function () { return false; } : _h;\n var _j = options.preserveWhiteSpace, preserveWhiteSpace = _j === void 0 ? true : _j;\n var _serializedNode = serializeNode(n, {\n doc: doc,\n blockClass: blockClass,\n blockSelector: blockSelector,\n unblockSelector: unblockSelector,\n maskTextClass: maskTextClass,\n maskTextSelector: maskTextSelector,\n unmaskTextSelector: unmaskTextSelector,\n inlineStylesheet: inlineStylesheet,\n maskInputSelector: maskInputSelector,\n unmaskInputSelector: unmaskInputSelector,\n maskInputOptions: maskInputOptions,\n maskTextFn: maskTextFn,\n maskInputFn: maskInputFn,\n dataURLOptions: dataURLOptions,\n inlineImages: inlineImages,\n recordCanvas: recordCanvas,\n keepIframeSrcFn: keepIframeSrcFn\n });\n if (!_serializedNode) {\n console.warn(n, 'not serialized');\n return null;\n }\n var id;\n if ('__sn' in n) {\n id = n.__sn.id;\n }\n else if (slimDOMExcluded(_serializedNode, slimDOMOptions) ||\n (!preserveWhiteSpace &&\n _serializedNode.type === NodeType.Text &&\n !_serializedNode.isStyle &&\n !_serializedNode.textContent.replace(/^\\s+|\\s+$/gm, '').length)) {\n id = IGNORED_NODE;\n }\n else {\n id = genId();\n }\n var serializedNode = Object.assign(_serializedNode, { id: id });\n n.__sn = serializedNode;\n if (id === IGNORED_NODE) {\n return null;\n }\n map[id] = n;\n if (onSerialize) {\n onSerialize(n);\n }\n var recordChild = !skipChild;\n if (serializedNode.type === NodeType.Element) {\n recordChild = recordChild && !serializedNode.needBlock;\n delete serializedNode.needBlock;\n if (n.shadowRoot)\n serializedNode.isShadowHost = true;\n }\n if ((serializedNode.type === NodeType.Document ||\n serializedNode.type === NodeType.Element) &&\n recordChild) {\n if (slimDOMOptions.headWhitespace &&\n _serializedNode.type === NodeType.Element &&\n _serializedNode.tagName === 'head') {\n preserveWhiteSpace = false;\n }\n var bypassOptions = {\n doc: doc,\n map: map,\n blockClass: blockClass,\n blockSelector: blockSelector,\n unblockSelector: unblockSelector,\n maskTextClass: maskTextClass,\n maskTextSelector: maskTextSelector,\n unmaskTextSelector: unmaskTextSelector,\n skipChild: skipChild,\n inlineStylesheet: inlineStylesheet,\n maskInputSelector: maskInputSelector,\n unmaskInputSelector: unmaskInputSelector,\n maskInputOptions: maskInputOptions,\n maskTextFn: maskTextFn,\n maskInputFn: maskInputFn,\n slimDOMOptions: slimDOMOptions,\n dataURLOptions: dataURLOptions,\n inlineImages: inlineImages,\n recordCanvas: recordCanvas,\n preserveWhiteSpace: preserveWhiteSpace,\n onSerialize: onSerialize,\n onIframeLoad: onIframeLoad,\n iframeLoadTimeout: iframeLoadTimeout,\n keepIframeSrcFn: keepIframeSrcFn\n };\n for (var _i = 0, _k = Array.from(n.childNodes); _i < _k.length; _i++) {\n var childN = _k[_i];\n var serializedChildNode = serializeNodeWithId(childN, bypassOptions);\n if (serializedChildNode) {\n serializedNode.childNodes.push(serializedChildNode);\n }\n }\n if (isElement(n) && n.shadowRoot) {\n for (var _l = 0, _m = Array.from(n.shadowRoot.childNodes); _l < _m.length; _l++) {\n var childN = _m[_l];\n var serializedChildNode = serializeNodeWithId(childN, bypassOptions);\n if (serializedChildNode) {\n serializedChildNode.isShadow = true;\n serializedNode.childNodes.push(serializedChildNode);\n }\n }\n }\n }\n if (n.parentNode && isShadowRoot(n.parentNode)) {\n serializedNode.isShadow = true;\n }\n if (serializedNode.type === NodeType.Element &&\n serializedNode.tagName === 'iframe') {\n onceIframeLoaded(n, function () {\n var iframeDoc = n.contentDocument;\n if (iframeDoc && onIframeLoad) {\n var serializedIframeNode = serializeNodeWithId(iframeDoc, {\n doc: iframeDoc,\n map: map,\n blockClass: blockClass,\n blockSelector: blockSelector,\n unblockSelector: unblockSelector,\n maskTextClass: maskTextClass,\n maskTextSelector: maskTextSelector,\n unmaskTextSelector: unmaskTextSelector,\n skipChild: false,\n inlineStylesheet: inlineStylesheet,\n maskInputSelector: maskInputSelector,\n unmaskInputSelector: unmaskInputSelector,\n maskInputOptions: maskInputOptions,\n maskTextFn: maskTextFn,\n maskInputFn: maskInputFn,\n slimDOMOptions: slimDOMOptions,\n dataURLOptions: dataURLOptions,\n inlineImages: inlineImages,\n recordCanvas: recordCanvas,\n preserveWhiteSpace: preserveWhiteSpace,\n onSerialize: onSerialize,\n onIframeLoad: onIframeLoad,\n iframeLoadTimeout: iframeLoadTimeout,\n keepIframeSrcFn: keepIframeSrcFn\n });\n if (serializedIframeNode) {\n onIframeLoad(n, serializedIframeNode);\n }\n }\n }, iframeLoadTimeout);\n }\n return serializedNode;\n}\nfunction snapshot(n, options) {\n var _a = options || {}, _b = _a.blockClass, blockClass = _b === void 0 ? 'rr-block' : _b, _c = _a.blockSelector, blockSelector = _c === void 0 ? null : _c, _d = _a.unblockSelector, unblockSelector = _d === void 0 ? null : _d, _e = _a.maskTextClass, maskTextClass = _e === void 0 ? 'rr-mask' : _e, _f = _a.maskTextSelector, maskTextSelector = _f === void 0 ? null : _f, _g = _a.unmaskTextSelector, unmaskTextSelector = _g === void 0 ? null : _g, _h = _a.inlineStylesheet, inlineStylesheet = _h === void 0 ? true : _h, _j = _a.inlineImages, inlineImages = _j === void 0 ? false : _j, _k = _a.recordCanvas, recordCanvas = _k === void 0 ? false : _k, _l = _a.maskInputSelector, maskInputSelector = _l === void 0 ? null : _l, _m = _a.unmaskInputSelector, unmaskInputSelector = _m === void 0 ? null : _m, _o = _a.maskAllInputs, maskAllInputs = _o === void 0 ? false : _o, maskTextFn = _a.maskTextFn, maskInputFn = _a.maskInputFn, _p = _a.slimDOM, slimDOM = _p === void 0 ? false : _p, dataURLOptions = _a.dataURLOptions, preserveWhiteSpace = _a.preserveWhiteSpace, onSerialize = _a.onSerialize, onIframeLoad = _a.onIframeLoad, iframeLoadTimeout = _a.iframeLoadTimeout, _q = _a.keepIframeSrcFn, keepIframeSrcFn = _q === void 0 ? function () { return false; } : _q;\n var idNodeMap = {};\n var maskInputOptions = maskAllInputs === true\n ? {\n color: true,\n date: true,\n 'datetime-local': true,\n email: true,\n month: true,\n number: true,\n range: true,\n search: true,\n tel: true,\n text: true,\n time: true,\n url: true,\n week: true,\n textarea: true,\n select: true,\n password: true\n }\n : maskAllInputs === false\n ? {\n password: true\n }\n : maskAllInputs;\n var slimDOMOptions = slimDOM === true || slimDOM === 'all'\n ?\n {\n script: true,\n comment: true,\n headFavicon: true,\n headWhitespace: true,\n headMetaDescKeywords: slimDOM === 'all',\n headMetaSocial: true,\n headMetaRobots: true,\n headMetaHttpEquiv: true,\n headMetaAuthorship: true,\n headMetaVerification: true\n }\n : slimDOM === false\n ? {}\n : slimDOM;\n return [\n serializeNodeWithId(n, {\n doc: n,\n map: idNodeMap,\n blockClass: blockClass,\n blockSelector: blockSelector,\n unblockSelector: unblockSelector,\n maskTextClass: maskTextClass,\n maskTextSelector: maskTextSelector,\n unmaskTextSelector: unmaskTextSelector,\n skipChild: false,\n inlineStylesheet: inlineStylesheet,\n maskInputSelector: maskInputSelector,\n unmaskInputSelector: unmaskInputSelector,\n maskInputOptions: maskInputOptions,\n maskTextFn: maskTextFn,\n maskInputFn: maskInputFn,\n slimDOMOptions: slimDOMOptions,\n dataURLOptions: dataURLOptions,\n inlineImages: inlineImages,\n recordCanvas: recordCanvas,\n preserveWhiteSpace: preserveWhiteSpace,\n onSerialize: onSerialize,\n onIframeLoad: onIframeLoad,\n iframeLoadTimeout: iframeLoadTimeout,\n keepIframeSrcFn: keepIframeSrcFn\n }),\n idNodeMap,\n ];\n}\nfunction visitSnapshot(node, onVisit) {\n function walk(current) {\n onVisit(current);\n if (current.type === NodeType.Document ||\n current.type === NodeType.Element) {\n current.childNodes.forEach(walk);\n }\n }\n walk(node);\n}\nfunction cleanupSnapshot() {\n _id = 1;\n}\n\nvar commentre = /\\/\\*[^*]*\\*+([^/*][^*]*\\*+)*\\//g;\nfunction parse(css, options) {\n if (options === void 0) { options = {}; }\n var lineno = 1;\n var column = 1;\n function updatePosition(str) {\n var lines = str.match(/\\n/g);\n if (lines) {\n lineno += lines.length;\n }\n var i = str.lastIndexOf('\\n');\n column = i === -1 ? column + str.length : str.length - i;\n }\n function position() {\n var start = { line: lineno, column: column };\n return function (node) {\n node.position = new Position(start);\n whitespace();\n return node;\n };\n }\n var Position = (function () {\n function Position(start) {\n this.start = start;\n this.end = { line: lineno, column: column };\n this.source = options.source;\n }\n return Position;\n }());\n Position.prototype.content = css;\n var errorsList = [];\n function error(msg) {\n var err = new Error(options.source + ':' + lineno + ':' + column + ': ' + msg);\n err.reason = msg;\n err.filename = options.source;\n err.line = lineno;\n err.column = column;\n err.source = css;\n if (options.silent) {\n errorsList.push(err);\n }\n else {\n throw err;\n }\n }\n function stylesheet() {\n var rulesList = rules();\n return {\n type: 'stylesheet',\n stylesheet: {\n source: options.source,\n rules: rulesList,\n parsingErrors: errorsList\n }\n };\n }\n function open() {\n return match(/^{\\s*/);\n }\n function close() {\n return match(/^}/);\n }\n function rules() {\n var node;\n var rules = [];\n whitespace();\n comments(rules);\n while (css.length && css.charAt(0) !== '}' && (node = atrule() || rule())) {\n if (node !== false) {\n rules.push(node);\n comments(rules);\n }\n }\n return rules;\n }\n function match(re) {\n var m = re.exec(css);\n if (!m) {\n return;\n }\n var str = m[0];\n updatePosition(str);\n css = css.slice(str.length);\n return m;\n }\n function whitespace() {\n match(/^\\s*/);\n }\n function comments(rules) {\n if (rules === void 0) { rules = []; }\n var c;\n while ((c = comment())) {\n if (c !== false) {\n rules.push(c);\n }\n c = comment();\n }\n return rules;\n }\n function comment() {\n var pos = position();\n if ('/' !== css.charAt(0) || '*' !== css.charAt(1)) {\n return;\n }\n var i = 2;\n while ('' !== css.charAt(i) &&\n ('*' !== css.charAt(i) || '/' !== css.charAt(i + 1))) {\n ++i;\n }\n i += 2;\n if ('' === css.charAt(i - 1)) {\n return error('End of comment missing');\n }\n var str = css.slice(2, i - 2);\n column += 2;\n updatePosition(str);\n css = css.slice(i);\n column += 2;\n return pos({\n type: 'comment',\n comment: str\n });\n }\n function selector() {\n var m = match(/^([^{]+)/);\n if (!m) {\n return;\n }\n return trim(m[0])\n .replace(/\\/\\*([^*]|[\\r\\n]|(\\*+([^*/]|[\\r\\n])))*\\*\\/+/g, '')\n .replace(/\"(?:\\\\\"|[^\"])*\"|'(?:\\\\'|[^'])*'/g, function (m) {\n return m.replace(/,/g, '\\u200C');\n })\n .split(/\\s*(?![^(]*\\)),\\s*/)\n .map(function (s) {\n return s.replace(/\\u200C/g, ',');\n });\n }\n function declaration() {\n var pos = position();\n var propMatch = match(/^(\\*?[-#\\/\\*\\\\\\w]+(\\[[0-9a-z_-]+\\])?)\\s*/);\n if (!propMatch) {\n return;\n }\n var prop = trim(propMatch[0]);\n if (!match(/^:\\s*/)) {\n return error(\"property missing ':'\");\n }\n var val = match(/^((?:'(?:\\\\'|.)*?'|\"(?:\\\\\"|.)*?\"|\\([^\\)]*?\\)|[^};])+)/);\n var ret = pos({\n type: 'declaration',\n property: prop.replace(commentre, ''),\n value: val ? trim(val[0]).replace(commentre, '') : ''\n });\n match(/^[;\\s]*/);\n return ret;\n }\n function declarations() {\n var decls = [];\n if (!open()) {\n return error(\"missing '{'\");\n }\n comments(decls);\n var decl;\n while ((decl = declaration())) {\n if (decl !== false) {\n decls.push(decl);\n comments(decls);\n }\n decl = declaration();\n }\n if (!close()) {\n return error(\"missing '}'\");\n }\n return decls;\n }\n function keyframe() {\n var m;\n var vals = [];\n var pos = position();\n while ((m = match(/^((\\d+\\.\\d+|\\.\\d+|\\d+)%?|[a-z]+)\\s*/))) {\n vals.push(m[1]);\n match(/^,\\s*/);\n }\n if (!vals.length) {\n return;\n }\n return pos({\n type: 'keyframe',\n values: vals,\n declarations: declarations()\n });\n }\n function atkeyframes() {\n var pos = position();\n var m = match(/^@([-\\w]+)?keyframes\\s*/);\n if (!m) {\n return;\n }\n var vendor = m[1];\n m = match(/^([-\\w]+)\\s*/);\n if (!m) {\n return error('@keyframes missing name');\n }\n var name = m[1];\n if (!open()) {\n return error(\"@keyframes missing '{'\");\n }\n var frame;\n var frames = comments();\n while ((frame = keyframe())) {\n frames.push(frame);\n frames = frames.concat(comments());\n }\n if (!close()) {\n return error(\"@keyframes missing '}'\");\n }\n return pos({\n type: 'keyframes',\n name: name,\n vendor: vendor,\n keyframes: frames\n });\n }\n function atsupports() {\n var pos = position();\n var m = match(/^@supports *([^{]+)/);\n if (!m) {\n return;\n }\n var supports = trim(m[1]);\n if (!open()) {\n return error(\"@supports missing '{'\");\n }\n var style = comments().concat(rules());\n if (!close()) {\n return error(\"@supports missing '}'\");\n }\n return pos({\n type: 'supports',\n supports: supports,\n rules: style\n });\n }\n function athost() {\n var pos = position();\n var m = match(/^@host\\s*/);\n if (!m) {\n return;\n }\n if (!open()) {\n return error(\"@host missing '{'\");\n }\n var style = comments().concat(rules());\n if (!close()) {\n return error(\"@host missing '}'\");\n }\n return pos({\n type: 'host',\n rules: style\n });\n }\n function atmedia() {\n var pos = position();\n var m = match(/^@media *([^{]+)/);\n if (!m) {\n return;\n }\n var media = trim(m[1]);\n if (!open()) {\n return error(\"@media missing '{'\");\n }\n var style = comments().concat(rules());\n if (!close()) {\n return error(\"@media missing '}'\");\n }\n return pos({\n type: 'media',\n media: media,\n rules: style\n });\n }\n function atcustommedia() {\n var pos = position();\n var m = match(/^@custom-media\\s+(--[^\\s]+)\\s*([^{;]+);/);\n if (!m) {\n return;\n }\n return pos({\n type: 'custom-media',\n name: trim(m[1]),\n media: trim(m[2])\n });\n }\n function atpage() {\n var pos = position();\n var m = match(/^@page */);\n if (!m) {\n return;\n }\n var sel = selector() || [];\n if (!open()) {\n return error(\"@page missing '{'\");\n }\n var decls = comments();\n var decl;\n while ((decl = declaration())) {\n decls.push(decl);\n decls = decls.concat(comments());\n }\n if (!close()) {\n return error(\"@page missing '}'\");\n }\n return pos({\n type: 'page',\n selectors: sel,\n declarations: decls\n });\n }\n function atdocument() {\n var pos = position();\n var m = match(/^@([-\\w]+)?document *([^{]+)/);\n if (!m) {\n return;\n }\n var vendor = trim(m[1]);\n var doc = trim(m[2]);\n if (!open()) {\n return error(\"@document missing '{'\");\n }\n var style = comments().concat(rules());\n if (!close()) {\n return error(\"@document missing '}'\");\n }\n return pos({\n type: 'document',\n document: doc,\n vendor: vendor,\n rules: style\n });\n }\n function atfontface() {\n var pos = position();\n var m = match(/^@font-face\\s*/);\n if (!m) {\n return;\n }\n if (!open()) {\n return error(\"@font-face missing '{'\");\n }\n var decls = comments();\n var decl;\n while ((decl = declaration())) {\n decls.push(decl);\n decls = decls.concat(comments());\n }\n if (!close()) {\n return error(\"@font-face missing '}'\");\n }\n return pos({\n type: 'font-face',\n declarations: decls\n });\n }\n var atimport = _compileAtrule('import');\n var atcharset = _compileAtrule('charset');\n var atnamespace = _compileAtrule('namespace');\n function _compileAtrule(name) {\n var re = new RegExp('^@' + name + '\\\\s*([^;]+);');\n return function () {\n var pos = position();\n var m = match(re);\n if (!m) {\n return;\n }\n var ret = { type: name };\n ret[name] = m[1].trim();\n return pos(ret);\n };\n }\n function atrule() {\n if (css[0] !== '@') {\n return;\n }\n return (atkeyframes() ||\n atmedia() ||\n atcustommedia() ||\n atsupports() ||\n atimport() ||\n atcharset() ||\n atnamespace() ||\n atdocument() ||\n atpage() ||\n athost() ||\n atfontface());\n }\n function rule() {\n var pos = position();\n var sel = selector();\n if (!sel) {\n return error('selector missing');\n }\n comments();\n return pos({\n type: 'rule',\n selectors: sel,\n declarations: declarations()\n });\n }\n return addParent(stylesheet());\n}\nfunction trim(str) {\n return str ? str.replace(/^\\s+|\\s+$/g, '') : '';\n}\nfunction addParent(obj, parent) {\n var isNode = obj && typeof obj.type === 'string';\n var childParent = isNode ? obj : parent;\n for (var _i = 0, _a = Object.keys(obj); _i < _a.length; _i++) {\n var k = _a[_i];\n var value = obj[k];\n if (Array.isArray(value)) {\n value.forEach(function (v) {\n addParent(v, childParent);\n });\n }\n else if (value && typeof value === 'object') {\n addParent(value, childParent);\n }\n }\n if (isNode) {\n Object.defineProperty(obj, 'parent', {\n configurable: true,\n writable: true,\n enumerable: false,\n value: parent || null\n });\n }\n return obj;\n}\n\nvar tagMap = {\n script: 'noscript',\n altglyph: 'altGlyph',\n altglyphdef: 'altGlyphDef',\n altglyphitem: 'altGlyphItem',\n animatecolor: 'animateColor',\n animatemotion: 'animateMotion',\n animatetransform: 'animateTransform',\n clippath: 'clipPath',\n feblend: 'feBlend',\n fecolormatrix: 'feColorMatrix',\n fecomponenttransfer: 'feComponentTransfer',\n fecomposite: 'feComposite',\n feconvolvematrix: 'feConvolveMatrix',\n fediffuselighting: 'feDiffuseLighting',\n fedisplacementmap: 'feDisplacementMap',\n fedistantlight: 'feDistantLight',\n fedropshadow: 'feDropShadow',\n feflood: 'feFlood',\n fefunca: 'feFuncA',\n fefuncb: 'feFuncB',\n fefuncg: 'feFuncG',\n fefuncr: 'feFuncR',\n fegaussianblur: 'feGaussianBlur',\n feimage: 'feImage',\n femerge: 'feMerge',\n femergenode: 'feMergeNode',\n femorphology: 'feMorphology',\n feoffset: 'feOffset',\n fepointlight: 'fePointLight',\n fespecularlighting: 'feSpecularLighting',\n fespotlight: 'feSpotLight',\n fetile: 'feTile',\n feturbulence: 'feTurbulence',\n foreignobject: 'foreignObject',\n glyphref: 'glyphRef',\n lineargradient: 'linearGradient',\n radialgradient: 'radialGradient'\n};\nfunction getTagName(n) {\n var tagName = tagMap[n.tagName] ? tagMap[n.tagName] : n.tagName;\n if (tagName === 'link' && n.attributes._cssText) {\n tagName = 'style';\n }\n return tagName;\n}\nfunction escapeRegExp(str) {\n return str.replace(/[.*+?^${}()|[\\]\\\\]/g, '\\\\$&');\n}\nvar HOVER_SELECTOR = /([^\\\\]):hover/;\nvar HOVER_SELECTOR_GLOBAL = new RegExp(HOVER_SELECTOR.source, 'g');\nfunction addHoverClass(cssText, cache) {\n var cachedStyle = cache === null || cache === void 0 ? void 0 : cache.stylesWithHoverClass.get(cssText);\n if (cachedStyle)\n return cachedStyle;\n var ast = parse(cssText, {\n silent: true\n });\n if (!ast.stylesheet) {\n return cssText;\n }\n var selectors = [];\n ast.stylesheet.rules.forEach(function (rule) {\n if ('selectors' in rule) {\n (rule.selectors || []).forEach(function (selector) {\n if (HOVER_SELECTOR.test(selector)) {\n selectors.push(selector);\n }\n });\n }\n });\n if (selectors.length === 0) {\n return cssText;\n }\n var selectorMatcher = new RegExp(selectors\n .filter(function (selector, index) { return selectors.indexOf(selector) === index; })\n .sort(function (a, b) { return b.length - a.length; })\n .map(function (selector) {\n return escapeRegExp(selector);\n })\n .join('|'), 'g');\n var result = cssText.replace(selectorMatcher, function (selector) {\n var newSelector = selector.replace(HOVER_SELECTOR_GLOBAL, '$1.\\\\:hover');\n return selector + \", \" + newSelector;\n });\n cache === null || cache === void 0 ? void 0 : cache.stylesWithHoverClass.set(cssText, result);\n return result;\n}\nfunction createCache() {\n var stylesWithHoverClass = new Map();\n return {\n stylesWithHoverClass: stylesWithHoverClass\n };\n}\nfunction buildNode(n, options) {\n var doc = options.doc, hackCss = options.hackCss, cache = options.cache;\n switch (n.type) {\n case NodeType.Document:\n return doc.implementation.createDocument(null, '', null);\n case NodeType.DocumentType:\n return doc.implementation.createDocumentType(n.name || 'html', n.publicId, n.systemId);\n case NodeType.Element:\n var tagName = getTagName(n);\n var node_1;\n if (n.isSVG) {\n node_1 = doc.createElementNS('http://www.w3.org/2000/svg', tagName);\n }\n else {\n node_1 = doc.createElement(tagName);\n }\n var _loop_1 = function (name_1) {\n if (!n.attributes.hasOwnProperty(name_1)) {\n return \"continue\";\n }\n var value = n.attributes[name_1];\n if (tagName === 'option' && name_1 === 'selected' && value === false) {\n return \"continue\";\n }\n value =\n typeof value === 'boolean' || typeof value === 'number' ? '' : value;\n if (!name_1.startsWith('rr_')) {\n var isTextarea = tagName === 'textarea' && name_1 === 'value';\n var isRemoteOrDynamicCss = tagName === 'style' && name_1 === '_cssText';\n if (isRemoteOrDynamicCss && hackCss) {\n value = addHoverClass(value, cache);\n }\n if (isTextarea || isRemoteOrDynamicCss) {\n var child = doc.createTextNode(value);\n for (var _i = 0, _a = Array.from(node_1.childNodes); _i < _a.length; _i++) {\n var c = _a[_i];\n if (c.nodeType === node_1.TEXT_NODE) {\n node_1.removeChild(c);\n }\n }\n node_1.appendChild(child);\n return \"continue\";\n }\n try {\n if (n.isSVG && name_1 === 'xlink:href') {\n node_1.setAttributeNS('http://www.w3.org/1999/xlink', name_1, value);\n }\n else if (name_1 === 'onload' ||\n name_1 === 'onclick' ||\n name_1.substring(0, 7) === 'onmouse') {\n node_1.setAttribute('_' + name_1, value);\n }\n else if (tagName === 'meta' &&\n n.attributes['http-equiv'] === 'Content-Security-Policy' &&\n name_1 === 'content') {\n node_1.setAttribute('csp-content', value);\n return \"continue\";\n }\n else if (tagName === 'link' &&\n n.attributes.rel === 'preload' &&\n n.attributes.as === 'script') {\n }\n else if (tagName === 'link' &&\n n.attributes.rel === 'prefetch' &&\n typeof n.attributes.href === 'string' &&\n n.attributes.href.endsWith('.js')) {\n }\n else if (tagName === 'img' &&\n n.attributes.srcset &&\n n.attributes.rr_dataURL) {\n node_1.setAttribute('rrweb-original-srcset', n.attributes.srcset);\n }\n else {\n node_1.setAttribute(name_1, value);\n }\n }\n catch (error) {\n }\n }\n else {\n if (tagName === 'canvas' && name_1 === 'rr_dataURL') {\n var image_1 = document.createElement('img');\n image_1.src = value;\n image_1.onload = function () {\n var ctx = node_1.getContext('2d');\n if (ctx) {\n ctx.drawImage(image_1, 0, 0, image_1.width, image_1.height);\n }\n };\n }\n else if (tagName === 'img' && name_1 === 'rr_dataURL') {\n var image = node_1;\n if (!image.currentSrc.startsWith('data:')) {\n image.setAttribute('rrweb-original-src', n.attributes.src);\n image.src = value;\n }\n }\n if (name_1 === 'rr_width') {\n node_1.style.width = value;\n }\n else if (name_1 === 'rr_height') {\n node_1.style.height = value;\n }\n else if (name_1 === 'rr_mediaCurrentTime') {\n node_1.currentTime = n.attributes\n .rr_mediaCurrentTime;\n }\n else if (name_1 === 'rr_mediaState') {\n switch (value) {\n case 'played':\n node_1\n .play()[\"catch\"](function (e) { return console.warn('media playback error', e); });\n break;\n case 'paused':\n node_1.pause();\n break;\n }\n }\n }\n };\n for (var name_1 in n.attributes) {\n _loop_1(name_1);\n }\n if (n.isShadowHost) {\n if (!node_1.shadowRoot) {\n node_1.attachShadow({ mode: 'open' });\n }\n else {\n while (node_1.shadowRoot.firstChild) {\n node_1.shadowRoot.removeChild(node_1.shadowRoot.firstChild);\n }\n }\n }\n return node_1;\n case NodeType.Text:\n return doc.createTextNode(n.isStyle && hackCss\n ? addHoverClass(n.textContent, cache)\n : n.textContent);\n case NodeType.CDATA:\n return doc.createCDATASection(n.textContent);\n case NodeType.Comment:\n return doc.createComment(n.textContent);\n default:\n return null;\n }\n}\nfunction buildNodeWithSN(n, options) {\n var doc = options.doc, map = options.map, _a = options.skipChild, skipChild = _a === void 0 ? false : _a, _b = options.hackCss, hackCss = _b === void 0 ? true : _b, afterAppend = options.afterAppend, cache = options.cache;\n var node = buildNode(n, { doc: doc, hackCss: hackCss, cache: cache });\n if (!node) {\n return null;\n }\n if (n.rootId) {\n console.assert(map[n.rootId] === doc, 'Target document should has the same root id.');\n }\n if (n.type === NodeType.Document) {\n doc.close();\n doc.open();\n if (n.compatMode === 'BackCompat' &&\n n.childNodes &&\n n.childNodes[0].type !== NodeType.DocumentType) {\n if (n.childNodes[0].type === NodeType.Element &&\n 'xmlns' in n.childNodes[0].attributes &&\n n.childNodes[0].attributes.xmlns === 'http://www.w3.org/1999/xhtml') {\n doc.write('');\n }\n else {\n doc.write('');\n }\n }\n node = doc;\n }\n node.__sn = n;\n map[n.id] = node;\n if ((n.type === NodeType.Document || n.type === NodeType.Element) &&\n !skipChild) {\n for (var _i = 0, _c = n.childNodes; _i < _c.length; _i++) {\n var childN = _c[_i];\n var childNode = buildNodeWithSN(childN, {\n doc: doc,\n map: map,\n skipChild: false,\n hackCss: hackCss,\n afterAppend: afterAppend,\n cache: cache\n });\n if (!childNode) {\n console.warn('Failed to rebuild', childN);\n continue;\n }\n if (childN.isShadow && isElement(node) && node.shadowRoot) {\n node.shadowRoot.appendChild(childNode);\n }\n else {\n node.appendChild(childNode);\n }\n if (afterAppend) {\n afterAppend(childNode);\n }\n }\n }\n return node;\n}\nfunction visit(idNodeMap, onVisit) {\n function walk(node) {\n onVisit(node);\n }\n for (var key in idNodeMap) {\n if (idNodeMap[key]) {\n walk(idNodeMap[key]);\n }\n }\n}\nfunction handleScroll(node) {\n var n = node.__sn;\n if (n.type !== NodeType.Element) {\n return;\n }\n var el = node;\n for (var name_2 in n.attributes) {\n if (!(n.attributes.hasOwnProperty(name_2) && name_2.startsWith('rr_'))) {\n continue;\n }\n var value = n.attributes[name_2];\n if (name_2 === 'rr_scrollLeft') {\n el.scrollLeft = value;\n }\n if (name_2 === 'rr_scrollTop') {\n el.scrollTop = value;\n }\n }\n}\nfunction rebuild(n, options) {\n var doc = options.doc, onVisit = options.onVisit, _a = options.hackCss, hackCss = _a === void 0 ? true : _a, afterAppend = options.afterAppend, cache = options.cache;\n var idNodeMap = {};\n var node = buildNodeWithSN(n, {\n doc: doc,\n map: idNodeMap,\n skipChild: false,\n hackCss: hackCss,\n afterAppend: afterAppend,\n cache: cache\n });\n visit(idNodeMap, function (visitedNode) {\n if (onVisit) {\n onVisit(visitedNode);\n }\n handleScroll(visitedNode);\n });\n return [node, idNodeMap];\n}\n\nexport { IGNORED_NODE, NodeType, addHoverClass, buildNodeWithSN, cleanupSnapshot, createCache, is2DCanvasBlank, isElement, isShadowRoot, maskInputValue, needMaskingText, rebuild, serializeNodeWithId, snapshot, transformAttribute, visitSnapshot };\n","import {\n serializedNodeWithId,\n idNodeMap,\n INode,\n MaskInputOptions,\n SlimDOMOptions,\n MaskInputFn,\n MaskTextFn,\n} from 'rrweb-snapshot';\nimport { PackFn, UnpackFn } from './packer/base';\nimport { IframeManager } from './record/iframe-manager';\nimport { ShadowDomManager } from './record/shadow-dom-manager';\nimport type { Replayer } from './replay';\nimport { CanvasManager } from './record/observers/canvas/canvas-manager';\n\nexport enum EventType {\n DomContentLoaded,\n Load,\n FullSnapshot,\n IncrementalSnapshot,\n Meta,\n Custom,\n Plugin,\n}\n\nexport type domContentLoadedEvent = {\n type: EventType.DomContentLoaded;\n data: {};\n};\n\nexport type loadedEvent = {\n type: EventType.Load;\n data: {};\n};\n\nexport type fullSnapshotEvent = {\n type: EventType.FullSnapshot;\n data: {\n node: serializedNodeWithId;\n initialOffset: {\n top: number;\n left: number;\n };\n };\n};\n\nexport type incrementalSnapshotEvent = {\n type: EventType.IncrementalSnapshot;\n data: incrementalData;\n};\n\nexport type metaEvent = {\n type: EventType.Meta;\n data: {\n href: string;\n width: number;\n height: number;\n };\n};\n\nexport type customEvent = {\n type: EventType.Custom;\n data: {\n tag: string;\n payload: T;\n };\n};\n\nexport type pluginEvent = {\n type: EventType.Plugin;\n data: {\n plugin: string;\n payload: T;\n };\n};\n\nexport type styleSheetEvent = {};\n\nexport enum IncrementalSource {\n Mutation,\n MouseMove,\n MouseInteraction,\n Scroll,\n ViewportResize,\n Input,\n TouchMove,\n MediaInteraction,\n StyleSheetRule,\n CanvasMutation,\n Font,\n Log,\n Drag,\n StyleDeclaration,\n}\n\nexport type mutationData = {\n source: IncrementalSource.Mutation;\n} & mutationCallbackParam;\n\nexport type mousemoveData = {\n source:\n | IncrementalSource.MouseMove\n | IncrementalSource.TouchMove\n | IncrementalSource.Drag;\n positions: mousePosition[];\n};\n\nexport type mouseInteractionData = {\n source: IncrementalSource.MouseInteraction;\n} & mouseInteractionParam;\n\nexport type scrollData = {\n source: IncrementalSource.Scroll;\n} & scrollPosition;\n\nexport type viewportResizeData = {\n source: IncrementalSource.ViewportResize;\n} & viewportResizeDimension;\n\nexport type inputData = {\n source: IncrementalSource.Input;\n id: number;\n} & inputValue;\n\nexport type mediaInteractionData = {\n source: IncrementalSource.MediaInteraction;\n} & mediaInteractionParam;\n\nexport type styleSheetRuleData = {\n source: IncrementalSource.StyleSheetRule;\n} & styleSheetRuleParam;\n\nexport type styleDeclarationData = {\n source: IncrementalSource.StyleDeclaration;\n} & styleDeclarationParam;\n\nexport type canvasMutationData = {\n source: IncrementalSource.CanvasMutation;\n} & canvasMutationParam;\n\nexport type fontData = {\n source: IncrementalSource.Font;\n} & fontParam;\n\nexport type incrementalData =\n | mutationData\n | mousemoveData\n | mouseInteractionData\n | scrollData\n | viewportResizeData\n | inputData\n | mediaInteractionData\n | styleSheetRuleData\n | canvasMutationData\n | fontData\n | styleDeclarationData;\n\nexport type event =\n | domContentLoadedEvent\n | loadedEvent\n | fullSnapshotEvent\n | incrementalSnapshotEvent\n | metaEvent\n | customEvent\n | pluginEvent;\n\nexport type eventWithTime = event & {\n timestamp: number;\n delay?: number;\n};\n\nexport type blockClass = string | RegExp;\n\nexport type maskTextClass = string | RegExp;\n\nexport type SamplingStrategy = Partial<{\n /**\n * false means not to record mouse/touch move events\n * number is the throttle threshold of recording mouse/touch move\n */\n mousemove: boolean | number;\n /**\n * number is the throttle threshold of mouse/touch move callback\n */\n mousemoveCallback: number;\n /**\n * false means not to record mouse interaction events\n * can also specify record some kinds of mouse interactions\n */\n mouseInteraction: boolean | Record;\n /**\n * number is the throttle threshold of recording scroll\n */\n scroll: number;\n /**\n * number is the throttle threshold of recording media interactions\n */\n media: number;\n /**\n * 'all' will record all the input events\n * 'last' will only record the last input value while input a sequence of chars\n */\n input: 'all' | 'last';\n}>;\n\nexport type RecordPlugin = {\n name: string;\n observer?: (cb: Function, win: IWindow, options: TOptions) => listenerHandler;\n eventProcessor?: (event: eventWithTime) => eventWithTime & TExtend;\n options: TOptions;\n};\n\nexport type recordOptions = {\n emit?: (e: T, isCheckout?: boolean) => void;\n checkoutEveryNth?: number;\n checkoutEveryNms?: number;\n blockClass?: blockClass;\n blockSelector?: string;\n unblockSelector?: string;\n ignoreClass?: string;\n ignoreSelector?: string;\n maskTextClass?: maskTextClass;\n maskTextSelector?: string;\n maskAllInputs?: boolean;\n maskInputSelector?: string;\n maskInputOptions?: MaskInputOptions;\n maskInputFn?: MaskInputFn;\n maskTextFn?: MaskTextFn;\n unmaskTextSelector?: string;\n unmaskInputSelector?: string;\n slimDOMOptions?: SlimDOMOptions | 'all' | true;\n inlineStylesheet?: boolean;\n hooks?: hooksParam;\n packFn?: PackFn;\n sampling?: SamplingStrategy;\n recordCanvas?: boolean;\n userTriggeredOnInput?: boolean;\n collectFonts?: boolean;\n inlineImages?: boolean;\n plugins?: RecordPlugin[];\n // departed, please use sampling options\n mousemoveWait?: number;\n keepIframeSrcFn?: KeepIframeSrcFn;\n};\n\nexport type observerParam = {\n mutationCb: mutationCallBack;\n mousemoveCb: mousemoveCallBack;\n mouseInteractionCb: mouseInteractionCallBack;\n scrollCb: scrollCallback;\n viewportResizeCb: viewportResizeCallback;\n inputCb: inputCallback;\n mediaInteractionCb: mediaInteractionCallback;\n blockClass: blockClass;\n blockSelector: string | null;\n unblockSelector: string | null;\n ignoreClass: string;\n ignoreSelector: string | null;\n maskTextClass: maskTextClass;\n maskTextSelector: string | null;\n unmaskTextSelector: string | null;\n maskInputSelector: string | null;\n unmaskInputSelector: string | null;\n maskInputOptions: MaskInputOptions;\n maskInputFn?: MaskInputFn;\n maskTextFn?: MaskTextFn;\n inlineStylesheet: boolean;\n styleSheetRuleCb: styleSheetRuleCallback;\n styleDeclarationCb: styleDeclarationCallback;\n canvasMutationCb: canvasMutationCallback;\n fontCb: fontCallback;\n sampling: SamplingStrategy;\n recordCanvas: boolean;\n inlineImages: boolean;\n userTriggeredOnInput: boolean;\n collectFonts: boolean;\n slimDOMOptions: SlimDOMOptions;\n doc: Document;\n mirror: Mirror;\n iframeManager: IframeManager;\n shadowDomManager: ShadowDomManager;\n canvasManager: CanvasManager;\n plugins: Array<{\n observer: Function;\n callback: Function;\n options: unknown;\n }>;\n};\n\nexport type MutationBufferParam = Pick<\n observerParam,\n | 'mutationCb'\n | 'blockClass'\n | 'blockSelector'\n | 'unblockSelector'\n | 'maskTextClass'\n | 'maskTextSelector'\n | 'unmaskTextSelector'\n | 'inlineStylesheet'\n | 'maskInputSelector'\n | 'unmaskInputSelector'\n | 'maskInputOptions'\n | 'maskTextFn'\n | 'maskInputFn'\n | 'recordCanvas'\n | 'inlineImages'\n | 'slimDOMOptions'\n | 'doc'\n | 'mirror'\n | 'iframeManager'\n | 'shadowDomManager'\n | 'canvasManager'\n>;\n\nexport type hooksParam = {\n mutation?: mutationCallBack;\n mousemove?: mousemoveCallBack;\n mouseInteraction?: mouseInteractionCallBack;\n scroll?: scrollCallback;\n viewportResize?: viewportResizeCallback;\n input?: inputCallback;\n mediaInteaction?: mediaInteractionCallback;\n styleSheetRule?: styleSheetRuleCallback;\n styleDeclaration?: styleDeclarationCallback;\n canvasMutation?: canvasMutationCallback;\n font?: fontCallback;\n};\n\n// https://dom.spec.whatwg.org/#interface-mutationrecord\nexport type mutationRecord = {\n type: string;\n target: Node;\n oldValue: string | null;\n addedNodes: NodeList;\n removedNodes: NodeList;\n attributeName: string | null;\n};\n\nexport type textCursor = {\n node: Node;\n value: string | null;\n};\nexport type textMutation = {\n id: number;\n value: string | null;\n};\n\nexport type styleAttributeValue = {\n [key: string]: styleValueWithPriority | string | false;\n};\n\nexport type styleValueWithPriority = [string, string];\n\nexport type attributeCursor = {\n node: Node;\n attributes: {\n [key: string]: string | styleAttributeValue | null;\n };\n};\nexport type attributeMutation = {\n id: number;\n attributes: {\n [key: string]: string | styleAttributeValue | null;\n };\n};\n\nexport type removedNodeMutation = {\n parentId: number;\n id: number;\n isShadow?: boolean;\n};\n\nexport type addedNodeMutation = {\n parentId: number;\n // Newly recorded mutations will not have previousId any more, just for compatibility\n previousId?: number | null;\n nextId: number | null;\n node: serializedNodeWithId;\n};\n\nexport type mutationCallbackParam = {\n texts: textMutation[];\n attributes: attributeMutation[];\n removes: removedNodeMutation[];\n adds: addedNodeMutation[];\n isAttachIframe?: true;\n};\n\nexport type mutationCallBack = (m: mutationCallbackParam) => void;\n\nexport type mousemoveCallBack = (\n p: mousePosition[],\n source:\n | IncrementalSource.MouseMove\n | IncrementalSource.TouchMove\n | IncrementalSource.Drag,\n) => void;\n\nexport type mousePosition = {\n x: number;\n y: number;\n id: number;\n timeOffset: number;\n};\n\nexport type mouseMovePos = {\n x: number;\n y: number;\n id: number;\n debugData: incrementalData;\n};\n\nexport enum MouseInteractions {\n MouseUp,\n MouseDown,\n Click,\n ContextMenu,\n DblClick,\n Focus,\n Blur,\n TouchStart,\n TouchMove_Departed, // we will start a separate observer for touch move event\n TouchEnd,\n TouchCancel,\n}\n\nexport enum CanvasContext {\n '2D',\n WebGL,\n WebGL2,\n}\n\nexport type SerializedWebGlArg =\n | {\n rr_type: 'ArrayBuffer';\n base64: string; // base64\n }\n | {\n rr_type: string;\n src: string; // url of image\n }\n | {\n rr_type: string;\n args: SerializedWebGlArg[];\n }\n | {\n rr_type: string;\n index: number;\n }\n | string\n | number\n | boolean\n | null\n | SerializedWebGlArg[];\n\ntype mouseInteractionParam = {\n type: MouseInteractions;\n id: number;\n x: number;\n y: number;\n};\n\nexport type mouseInteractionCallBack = (d: mouseInteractionParam) => void;\n\nexport type scrollPosition = {\n id: number;\n x: number;\n y: number;\n};\n\nexport type scrollCallback = (p: scrollPosition) => void;\n\nexport type styleSheetAddRule = {\n rule: string;\n index?: number | number[];\n};\n\nexport type styleSheetDeleteRule = {\n index: number | number[];\n};\n\nexport type styleSheetRuleParam = {\n id: number;\n removes?: styleSheetDeleteRule[];\n adds?: styleSheetAddRule[];\n};\n\nexport type styleSheetRuleCallback = (s: styleSheetRuleParam) => void;\n\nexport type styleDeclarationParam = {\n id: number;\n index: number[];\n set?: {\n property: string;\n value: string | null;\n priority: string | undefined;\n };\n remove?: {\n property: string;\n };\n};\n\nexport type styleDeclarationCallback = (s: styleDeclarationParam) => void;\n\nexport type canvasMutationCommand = {\n property: string;\n args: Array;\n setter?: true;\n};\n\nexport type canvasMutationParam =\n | {\n id: number;\n type: CanvasContext;\n commands: canvasMutationCommand[];\n }\n | ({\n id: number;\n type: CanvasContext;\n } & canvasMutationCommand);\n\nexport type canvasMutationWithType = {\n type: CanvasContext;\n} & canvasMutationCommand;\n\nexport type canvasMutationCallback = (p: canvasMutationParam) => void;\n\nexport type canvasManagerMutationCallback = (\n target: HTMLCanvasElement,\n p: canvasMutationWithType,\n) => void;\n\nexport type fontParam = {\n family: string;\n fontSource: string;\n buffer: boolean;\n descriptors?: FontFaceDescriptors;\n};\n\nexport type fontCallback = (p: fontParam) => void;\n\nexport type viewportResizeDimension = {\n width: number;\n height: number;\n};\n\nexport type viewportResizeCallback = (d: viewportResizeDimension) => void;\n\nexport type inputValue = {\n text: string;\n isChecked: boolean;\n\n // `userTriggered` indicates if this event was triggered directly by user (userTriggered: true)\n // or was triggered indirectly (userTriggered: false)\n // Example of `userTriggered` in action:\n // User clicks on radio element (userTriggered: true) which triggers the other radio element to change (userTriggered: false)\n userTriggered?: boolean;\n};\n\nexport type inputCallback = (v: inputValue & { id: number }) => void;\n\nexport const enum MediaInteractions {\n Play,\n Pause,\n Seeked,\n VolumeChange,\n}\n\nexport type mediaInteractionParam = {\n type: MediaInteractions;\n id: number;\n currentTime?: number;\n volume?: number;\n muted?: boolean;\n};\n\nexport type mediaInteractionCallback = (p: mediaInteractionParam) => void;\n\nexport type DocumentDimension = {\n x: number;\n y: number;\n // scale value relative to its parent iframe\n relativeScale: number;\n // scale value relative to the root iframe\n absoluteScale: number;\n};\n\nexport type Mirror = {\n map: idNodeMap;\n getId: (n: INode) => number;\n getNode: (id: number) => INode | null;\n removeNodeFromMap: (n: INode) => void;\n has: (id: number) => boolean;\n reset: () => void;\n};\n\nexport type throttleOptions = {\n leading?: boolean;\n trailing?: boolean;\n};\n\nexport type listenerHandler = () => void;\nexport type hookResetter = () => void;\n\nexport type ReplayPlugin = {\n handler: (\n event: eventWithTime,\n isSync: boolean,\n context: { replayer: Replayer },\n ) => void;\n};\nexport type playerConfig = {\n speed: number;\n maxSpeed: number;\n root: Element;\n loadTimeout: number;\n skipInactive: boolean;\n showWarning: boolean;\n showDebug: boolean;\n blockClass: string;\n liveMode: boolean;\n insertStyleRules: string[];\n triggerFocus: boolean;\n UNSAFE_replayCanvas: boolean;\n pauseAnimation?: boolean;\n mouseTail:\n | boolean\n | {\n duration?: number;\n lineCap?: string;\n lineWidth?: number;\n strokeStyle?: string;\n };\n unpackFn?: UnpackFn;\n plugins?: ReplayPlugin[];\n};\n\nexport type playerMetaData = {\n startTime: number;\n endTime: number;\n totalTime: number;\n};\n\nexport type missingNode = {\n node: Node;\n mutation: addedNodeMutation;\n};\nexport type missingNodeMap = {\n [id: number]: missingNode;\n};\n\nexport type actionWithDelay = {\n doAction: () => void;\n delay: number;\n};\n\nexport type Handler = (event?: unknown) => void;\n\nexport type Emitter = {\n on(type: string, handler: Handler): void;\n emit(type: string, event?: unknown): void;\n off(type: string, handler: Handler): void;\n};\n\nexport type Arguments = T extends (...payload: infer U) => unknown\n ? U\n : unknown;\n\nexport enum ReplayerEvents {\n Start = 'start',\n Pause = 'pause',\n Resume = 'resume',\n Resize = 'resize',\n Finish = 'finish',\n FullsnapshotRebuilded = 'fullsnapshot-rebuilded',\n LoadStylesheetStart = 'load-stylesheet-start',\n LoadStylesheetEnd = 'load-stylesheet-end',\n SkipStart = 'skip-start',\n SkipEnd = 'skip-end',\n MouseInteraction = 'mouse-interaction',\n EventCast = 'event-cast',\n CustomEvent = 'custom-event',\n Flush = 'flush',\n StateChange = 'state-change',\n PlayBack = 'play-back',\n}\n\n// store the state that would be changed during the process(unmount from dom and mount again)\nexport type ElementState = {\n // [scrollLeft,scrollTop]\n scroll?: [number, number];\n};\n\nexport type KeepIframeSrcFn = (src: string) => boolean;\n\ndeclare global {\n interface Window {\n FontFace: typeof FontFace;\n }\n}\n\nexport type IWindow = Window & typeof globalThis;\n\nexport type Optional = Pick, K> & Omit;\n","import {\n Mirror,\n throttleOptions,\n listenerHandler,\n hookResetter,\n blockClass,\n IncrementalSource,\n addedNodeMutation,\n removedNodeMutation,\n textMutation,\n attributeMutation,\n mutationData,\n scrollData,\n inputData,\n DocumentDimension,\n IWindow,\n} from './types';\nimport {\n INode,\n IGNORED_NODE,\n serializedNodeWithId,\n NodeType,\n isShadowRoot,\n} from 'rrweb-snapshot';\n\nexport function on(\n type: string,\n fn: EventListenerOrEventListenerObject,\n target: Document | IWindow = document,\n): listenerHandler {\n const options = { capture: true, passive: true };\n target.addEventListener(type, fn, options);\n return () => target.removeEventListener(type, fn, options);\n}\n\nexport function createMirror(): Mirror {\n return {\n map: {},\n getId(n) {\n // if n is not a serialized INode, use -1 as its id.\n if (!n || !n.__sn) {\n return -1;\n }\n return n.__sn.id;\n },\n getNode(id) {\n return this.map[id] || null;\n },\n // TODO: use a weakmap to get rid of manually memory management\n removeNodeFromMap(n) {\n const id = n.__sn && n.__sn.id;\n delete this.map[id];\n if (n.childNodes) {\n n.childNodes.forEach((child) =>\n this.removeNodeFromMap((child as Node) as INode),\n );\n }\n },\n has(id) {\n return this.map.hasOwnProperty(id);\n },\n reset() {\n this.map = {};\n },\n };\n}\n\n// https://github.com/rrweb-io/rrweb/pull/407\nconst DEPARTED_MIRROR_ACCESS_WARNING =\n 'Please stop import mirror directly. Instead of that,' +\n '\\r\\n' +\n 'now you can use replayer.getMirror() to access the mirror instance of a replayer,' +\n '\\r\\n' +\n 'or you can use record.mirror to access the mirror instance during recording.';\nexport let _mirror: Mirror = {\n map: {},\n getId() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n return -1;\n },\n getNode() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n return null;\n },\n removeNodeFromMap() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n },\n has() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n return false;\n },\n reset() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n },\n};\nif (typeof window !== 'undefined' && window.Proxy && window.Reflect) {\n _mirror = new Proxy(_mirror, {\n get(target, prop, receiver) {\n if (prop === 'map') {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n }\n return Reflect.get(target, prop, receiver);\n },\n });\n}\n\n// copy from underscore and modified\nexport function throttle(\n func: (arg: T) => void,\n wait: number,\n options: throttleOptions = {},\n) {\n let timeout: ReturnType | null = null;\n let previous = 0;\n // tslint:disable-next-line: only-arrow-functions\n return function (arg: T) {\n let now = Date.now();\n if (!previous && options.leading === false) {\n previous = now;\n }\n let remaining = wait - (now - previous);\n let context = this;\n let args = arguments;\n if (remaining <= 0 || remaining > wait) {\n if (timeout) {\n clearTimeout(timeout);\n timeout = null;\n }\n previous = now;\n func.apply(context, args);\n } else if (!timeout && options.trailing !== false) {\n timeout = setTimeout(() => {\n previous = options.leading === false ? 0 : Date.now();\n timeout = null;\n func.apply(context, args);\n }, remaining);\n }\n };\n}\n\nexport function hookSetter(\n target: T,\n key: string | number | symbol,\n d: PropertyDescriptor,\n isRevoked?: boolean,\n win = window,\n): hookResetter {\n const original = win.Object.getOwnPropertyDescriptor(target, key);\n win.Object.defineProperty(\n target,\n key,\n isRevoked\n ? d\n : {\n set(value) {\n // put hooked setter into event loop to avoid of set latency\n setTimeout(() => {\n d.set!.call(this, value);\n }, 0);\n if (original && original.set) {\n original.set.call(this, value);\n }\n },\n },\n );\n return () => hookSetter(target, key, original || {}, true);\n}\n\n// copy from https://github.com/getsentry/sentry-javascript/blob/b2109071975af8bf0316d3b5b38f519bdaf5dc15/packages/utils/src/object.ts\nexport function patch(\n // tslint:disable-next-line:no-any\n source: { [key: string]: any },\n name: string,\n // tslint:disable-next-line:no-any\n replacement: (...args: any[]) => any,\n): () => void {\n try {\n if (!(name in source)) {\n return () => {};\n }\n\n const original = source[name] as () => unknown;\n const wrapped = replacement(original);\n\n // Make sure it's a function first, as we need to attach an empty prototype for `defineProperties` to work\n // otherwise it'll throw \"TypeError: Object.defineProperties called on non-object\"\n // tslint:disable-next-line:strict-type-predicates\n if (typeof wrapped === 'function') {\n wrapped.prototype = wrapped.prototype || {};\n Object.defineProperties(wrapped, {\n __rrweb_original__: {\n enumerable: false,\n value: original,\n },\n });\n }\n\n source[name] = wrapped;\n\n return () => {\n source[name] = original;\n };\n } catch {\n return () => {};\n // This can throw if multiple fill happens on a global object like XMLHttpRequest\n // Fixes https://github.com/getsentry/sentry-javascript/issues/2043\n }\n}\n\nexport function getWindowHeight(): number {\n return (\n window.innerHeight ||\n (document.documentElement && document.documentElement.clientHeight) ||\n (document.body && document.body.clientHeight)\n );\n}\n\nexport function getWindowWidth(): number {\n return (\n window.innerWidth ||\n (document.documentElement && document.documentElement.clientWidth) ||\n (document.body && document.body.clientWidth)\n );\n}\n\nexport function isBlocked(node: Node | null, blockClass: blockClass): boolean {\n if (!node) {\n return false;\n }\n if (node.nodeType === node.ELEMENT_NODE) {\n let needBlock = false;\n if (typeof blockClass === 'string') {\n if ((node as HTMLElement).closest !== undefined) {\n return (node as HTMLElement).closest('.' + blockClass) !== null;\n } else {\n needBlock = (node as HTMLElement).classList.contains(blockClass);\n }\n } else {\n (node as HTMLElement).classList.forEach((className) => {\n if (blockClass.test(className)) {\n needBlock = true;\n }\n });\n }\n return needBlock || isBlocked(node.parentNode, blockClass);\n }\n if (node.nodeType === node.TEXT_NODE) {\n // check parent node since text node do not have class name\n return isBlocked(node.parentNode, blockClass);\n }\n return isBlocked(node.parentNode, blockClass);\n}\n\nexport function isIgnored(n: Node | INode): boolean {\n if ('__sn' in n) {\n return (n as INode).__sn.id === IGNORED_NODE;\n }\n // The main part of the slimDOM check happens in\n // rrweb-snapshot::serializeNodeWithId\n return false;\n}\n\nexport function isAncestorRemoved(target: INode, mirror: Mirror): boolean {\n if (isShadowRoot(target)) {\n return false;\n }\n const id = mirror.getId(target);\n if (!mirror.has(id)) {\n return true;\n }\n if (\n target.parentNode &&\n target.parentNode.nodeType === target.DOCUMENT_NODE\n ) {\n return false;\n }\n // if the root is not document, it means the node is not in the DOM tree anymore\n if (!target.parentNode) {\n return true;\n }\n return isAncestorRemoved((target.parentNode as unknown) as INode, mirror);\n}\n\nexport function isTouchEvent(\n event: MouseEvent | TouchEvent,\n): event is TouchEvent {\n return Boolean((event as TouchEvent).changedTouches);\n}\n\nexport function polyfill(win = window) {\n if ('NodeList' in win && !win.NodeList.prototype.forEach) {\n win.NodeList.prototype.forEach = (Array.prototype\n .forEach as unknown) as NodeList['forEach'];\n }\n\n if ('DOMTokenList' in win && !win.DOMTokenList.prototype.forEach) {\n win.DOMTokenList.prototype.forEach = (Array.prototype\n .forEach as unknown) as DOMTokenList['forEach'];\n }\n\n // https://github.com/Financial-Times/polyfill-service/pull/183\n if (!Node.prototype.contains) {\n Node.prototype.contains = function contains(node) {\n if (!(0 in arguments)) {\n throw new TypeError('1 argument is required');\n }\n\n do {\n if (this === node) {\n return true;\n }\n // tslint:disable-next-line: no-conditional-assignment\n } while ((node = node && node.parentNode));\n\n return false;\n };\n }\n}\n\nexport type TreeNode = {\n id: number;\n mutation: addedNodeMutation;\n parent?: TreeNode;\n children: Record;\n texts: textMutation[];\n attributes: attributeMutation[];\n};\nexport class TreeIndex {\n public tree!: Record;\n\n private removeNodeMutations!: removedNodeMutation[];\n private textMutations!: textMutation[];\n private attributeMutations!: attributeMutation[];\n private indexes!: Map;\n private removeIdSet!: Set;\n private scrollMap!: Map;\n private inputMap!: Map;\n\n constructor() {\n this.reset();\n }\n\n public add(mutation: addedNodeMutation) {\n const parentTreeNode = this.indexes.get(mutation.parentId);\n const treeNode: TreeNode = {\n id: mutation.node.id,\n mutation,\n children: [],\n texts: [],\n attributes: [],\n };\n if (!parentTreeNode) {\n this.tree[treeNode.id] = treeNode;\n } else {\n treeNode.parent = parentTreeNode;\n parentTreeNode.children[treeNode.id] = treeNode;\n }\n this.indexes.set(treeNode.id, treeNode);\n }\n\n public remove(mutation: removedNodeMutation, mirror: Mirror) {\n const parentTreeNode = this.indexes.get(mutation.parentId);\n const treeNode = this.indexes.get(mutation.id);\n\n const deepRemoveFromMirror = (id: number) => {\n this.removeIdSet.add(id);\n const node = mirror.getNode(id);\n node?.childNodes.forEach((childNode) => {\n if ('__sn' in childNode) {\n deepRemoveFromMirror(((childNode as unknown) as INode).__sn.id);\n }\n });\n };\n const deepRemoveFromTreeIndex = (node: TreeNode) => {\n this.removeIdSet.add(node.id);\n Object.values(node.children).forEach((n) => deepRemoveFromTreeIndex(n));\n const _treeNode = this.indexes.get(node.id);\n if (_treeNode) {\n const _parentTreeNode = _treeNode.parent;\n if (_parentTreeNode) {\n delete _treeNode.parent;\n delete _parentTreeNode.children[_treeNode.id];\n this.indexes.delete(mutation.id);\n }\n }\n };\n\n if (!treeNode) {\n this.removeNodeMutations.push(mutation);\n deepRemoveFromMirror(mutation.id);\n } else if (!parentTreeNode) {\n delete this.tree[treeNode.id];\n this.indexes.delete(treeNode.id);\n deepRemoveFromTreeIndex(treeNode);\n } else {\n delete treeNode.parent;\n delete parentTreeNode.children[treeNode.id];\n this.indexes.delete(mutation.id);\n deepRemoveFromTreeIndex(treeNode);\n }\n }\n\n public text(mutation: textMutation) {\n const treeNode = this.indexes.get(mutation.id);\n if (treeNode) {\n treeNode.texts.push(mutation);\n } else {\n this.textMutations.push(mutation);\n }\n }\n\n public attribute(mutation: attributeMutation) {\n const treeNode = this.indexes.get(mutation.id);\n if (treeNode) {\n treeNode.attributes.push(mutation);\n } else {\n this.attributeMutations.push(mutation);\n }\n }\n\n public scroll(d: scrollData) {\n this.scrollMap.set(d.id, d);\n }\n\n public input(d: inputData) {\n this.inputMap.set(d.id, d);\n }\n\n public flush(): {\n mutationData: mutationData;\n scrollMap: TreeIndex['scrollMap'];\n inputMap: TreeIndex['inputMap'];\n } {\n const {\n tree,\n removeNodeMutations,\n textMutations,\n attributeMutations,\n } = this;\n\n const batchMutationData: mutationData = {\n source: IncrementalSource.Mutation,\n removes: removeNodeMutations,\n texts: textMutations,\n attributes: attributeMutations,\n adds: [],\n };\n\n const walk = (treeNode: TreeNode, removed: boolean) => {\n if (removed) {\n this.removeIdSet.add(treeNode.id);\n }\n batchMutationData.texts = batchMutationData.texts\n .concat(removed ? [] : treeNode.texts)\n .filter((m) => !this.removeIdSet.has(m.id));\n batchMutationData.attributes = batchMutationData.attributes\n .concat(removed ? [] : treeNode.attributes)\n .filter((m) => !this.removeIdSet.has(m.id));\n if (\n !this.removeIdSet.has(treeNode.id) &&\n !this.removeIdSet.has(treeNode.mutation.parentId) &&\n !removed\n ) {\n batchMutationData.adds.push(treeNode.mutation);\n if (treeNode.children) {\n Object.values(treeNode.children).forEach((n) => walk(n, false));\n }\n } else {\n Object.values(treeNode.children).forEach((n) => walk(n, true));\n }\n };\n\n Object.values(tree).forEach((n) => walk(n, false));\n\n for (const id of this.scrollMap.keys()) {\n if (this.removeIdSet.has(id)) {\n this.scrollMap.delete(id);\n }\n }\n for (const id of this.inputMap.keys()) {\n if (this.removeIdSet.has(id)) {\n this.inputMap.delete(id);\n }\n }\n\n const scrollMap = new Map(this.scrollMap);\n const inputMap = new Map(this.inputMap);\n\n this.reset();\n\n return {\n mutationData: batchMutationData,\n scrollMap,\n inputMap,\n };\n }\n\n private reset() {\n this.tree = [];\n this.indexes = new Map();\n this.removeNodeMutations = [];\n this.textMutations = [];\n this.attributeMutations = [];\n this.removeIdSet = new Set();\n this.scrollMap = new Map();\n this.inputMap = new Map();\n }\n\n public idRemoved(id: number): boolean {\n return this.removeIdSet.has(id);\n }\n}\n\ntype ResolveTree = {\n value: addedNodeMutation;\n children: ResolveTree[];\n parent: ResolveTree | null;\n};\n\nexport function queueToResolveTrees(queue: addedNodeMutation[]): ResolveTree[] {\n const queueNodeMap: Record = {};\n const putIntoMap = (\n m: addedNodeMutation,\n parent: ResolveTree | null,\n ): ResolveTree => {\n const nodeInTree: ResolveTree = {\n value: m,\n parent,\n children: [],\n };\n queueNodeMap[m.node.id] = nodeInTree;\n return nodeInTree;\n };\n\n const queueNodeTrees: ResolveTree[] = [];\n for (const mutation of queue) {\n const { nextId, parentId } = mutation;\n if (nextId && nextId in queueNodeMap) {\n const nextInTree = queueNodeMap[nextId];\n if (nextInTree.parent) {\n const idx = nextInTree.parent.children.indexOf(nextInTree);\n nextInTree.parent.children.splice(\n idx,\n 0,\n putIntoMap(mutation, nextInTree.parent),\n );\n } else {\n const idx = queueNodeTrees.indexOf(nextInTree);\n queueNodeTrees.splice(idx, 0, putIntoMap(mutation, null));\n }\n continue;\n }\n if (parentId in queueNodeMap) {\n const parentInTree = queueNodeMap[parentId];\n parentInTree.children.push(putIntoMap(mutation, parentInTree));\n continue;\n }\n queueNodeTrees.push(putIntoMap(mutation, null));\n }\n\n return queueNodeTrees;\n}\n\nexport function iterateResolveTree(\n tree: ResolveTree,\n cb: (mutation: addedNodeMutation) => unknown,\n) {\n cb(tree.value);\n /**\n * The resolve tree was designed to reflect the DOM layout,\n * but we need append next sibling first, so we do a reverse\n * loop here.\n */\n for (let i = tree.children.length - 1; i >= 0; i--) {\n iterateResolveTree(tree.children[i], cb);\n }\n}\n\ntype HTMLIFrameINode = HTMLIFrameElement & {\n __sn: serializedNodeWithId;\n};\nexport type AppendedIframe = {\n mutationInQueue: addedNodeMutation;\n builtNode: HTMLIFrameINode;\n};\n\nexport function isIframeINode(\n node: INode | ShadowRoot,\n): node is HTMLIFrameINode {\n if ('__sn' in node) {\n return (\n node.__sn.type === NodeType.Element && node.__sn.tagName === 'iframe'\n );\n }\n // node can be document fragment when using the virtual parent feature\n return false;\n}\n\nexport function getBaseDimension(\n node: Node,\n rootIframe: Node,\n): DocumentDimension {\n const frameElement = node.ownerDocument?.defaultView?.frameElement;\n if (!frameElement || frameElement === rootIframe) {\n return {\n x: 0,\n y: 0,\n relativeScale: 1,\n absoluteScale: 1,\n };\n }\n\n const frameDimension = frameElement.getBoundingClientRect();\n const frameBaseDimension = getBaseDimension(frameElement, rootIframe);\n // the iframe element may have a scale transform\n const relativeScale = frameDimension.height / frameElement.clientHeight;\n return {\n x:\n frameDimension.x * frameBaseDimension.relativeScale +\n frameBaseDimension.x,\n y:\n frameDimension.y * frameBaseDimension.relativeScale +\n frameBaseDimension.y,\n relativeScale,\n absoluteScale: frameBaseDimension.absoluteScale * relativeScale,\n };\n}\n\nexport function hasShadowRoot(\n n: T,\n): n is T & { shadowRoot: ShadowRoot } {\n return Boolean(((n as unknown) as Element)?.shadowRoot);\n}\n","import {\n INode,\n serializeNodeWithId,\n transformAttribute,\n IGNORED_NODE,\n isShadowRoot,\n needMaskingText,\n maskInputValue,\n} from 'rrweb-snapshot';\nimport {\n mutationRecord,\n textCursor,\n attributeCursor,\n removedNodeMutation,\n addedNodeMutation,\n Mirror,\n styleAttributeValue,\n observerParam,\n MutationBufferParam,\n Optional,\n} from '../types';\nimport {\n isBlocked,\n isAncestorRemoved,\n isIgnored,\n isIframeINode,\n hasShadowRoot,\n} from '../utils';\n\ntype DoubleLinkedListNode = {\n previous: DoubleLinkedListNode | null;\n next: DoubleLinkedListNode | null;\n value: NodeInLinkedList;\n};\ntype NodeInLinkedList = Node & {\n __ln: DoubleLinkedListNode;\n};\n\nfunction isNodeInLinkedList(n: Node | NodeInLinkedList): n is NodeInLinkedList {\n return '__ln' in n;\n}\nclass DoubleLinkedList {\n public length = 0;\n public head: DoubleLinkedListNode | null = null;\n\n public get(position: number) {\n if (position >= this.length) {\n throw new Error('Position outside of list range');\n }\n\n let current = this.head;\n for (let index = 0; index < position; index++) {\n current = current?.next || null;\n }\n return current;\n }\n\n public addNode(n: Node) {\n const node: DoubleLinkedListNode = {\n value: n as NodeInLinkedList,\n previous: null,\n next: null,\n };\n (n as NodeInLinkedList).__ln = node;\n if (n.previousSibling && isNodeInLinkedList(n.previousSibling)) {\n const current = n.previousSibling.__ln.next;\n node.next = current;\n node.previous = n.previousSibling.__ln;\n n.previousSibling.__ln.next = node;\n if (current) {\n current.previous = node;\n }\n } else if (\n n.nextSibling &&\n isNodeInLinkedList(n.nextSibling) &&\n n.nextSibling.__ln.previous\n ) {\n const current = n.nextSibling.__ln.previous;\n node.previous = current;\n node.next = n.nextSibling.__ln;\n n.nextSibling.__ln.previous = node;\n if (current) {\n current.next = node;\n }\n } else {\n if (this.head) {\n this.head.previous = node;\n }\n node.next = this.head;\n this.head = node;\n }\n this.length++;\n }\n\n public removeNode(n: NodeInLinkedList) {\n const current = n.__ln;\n if (!this.head) {\n return;\n }\n\n if (!current.previous) {\n this.head = current.next;\n if (this.head) {\n this.head.previous = null;\n }\n } else {\n current.previous.next = current.next;\n if (current.next) {\n current.next.previous = current.previous;\n }\n }\n if (n.__ln) {\n delete (n as Optional).__ln;\n }\n this.length--;\n }\n}\n\nconst moveKey = (id: number, parentId: number) => `${id}@${parentId}`;\nfunction isINode(n: Node | INode): n is INode {\n return '__sn' in n;\n}\n\n/**\n * controls behaviour of a MutationObserver\n */\nexport default class MutationBuffer {\n private frozen: boolean = false;\n private locked: boolean = false;\n\n private texts: textCursor[] = [];\n private attributes: attributeCursor[] = [];\n private removes: removedNodeMutation[] = [];\n private mapRemoves: Node[] = [];\n\n private movedMap: Record = {};\n\n /**\n * the browser MutationObserver emits multiple mutations after\n * a delay for performance reasons, making tracing added nodes hard\n * in our `processMutations` callback function.\n * For example, if we append an element el_1 into body, and then append\n * another element el_2 into el_1, these two mutations may be passed to the\n * callback function together when the two operations were done.\n * Generally we need to trace child nodes of newly added nodes, but in this\n * case if we count el_2 as el_1's child node in the first mutation record,\n * then we will count el_2 again in the second mutation record which was\n * duplicated.\n * To avoid of duplicate counting added nodes, we use a Set to store\n * added nodes and its child nodes during iterate mutation records. Then\n * collect added nodes from the Set which have no duplicate copy. But\n * this also causes newly added nodes will not be serialized with id ASAP,\n * which means all the id related calculation should be lazy too.\n */\n private addedSet = new Set();\n private movedSet = new Set();\n private droppedSet = new Set();\n\n private mutationCb: observerParam['mutationCb'];\n private blockClass: observerParam['blockClass'];\n private blockSelector: observerParam['blockSelector'];\n private unblockSelector: observerParam['unblockSelector'];\n private maskTextClass: observerParam['maskTextClass'];\n private maskTextSelector: observerParam['maskTextSelector'];\n private unmaskTextSelector: observerParam['unmaskTextSelector'];\n private maskInputSelector: observerParam['maskInputSelector'];\n private unmaskInputSelector: observerParam['unmaskInputSelector'];\n private inlineStylesheet: observerParam['inlineStylesheet'];\n private maskInputOptions: observerParam['maskInputOptions'];\n private maskTextFn: observerParam['maskTextFn'];\n private maskInputFn: observerParam['maskInputFn'];\n private recordCanvas: observerParam['recordCanvas'];\n private inlineImages: observerParam['inlineImages'];\n private slimDOMOptions: observerParam['slimDOMOptions'];\n private doc: observerParam['doc'];\n private mirror: observerParam['mirror'];\n private iframeManager: observerParam['iframeManager'];\n private shadowDomManager: observerParam['shadowDomManager'];\n private canvasManager: observerParam['canvasManager'];\n\n public init(options: MutationBufferParam) {\n ([\n 'mutationCb',\n 'blockClass',\n 'blockSelector',\n 'unblockSelector',\n 'maskTextClass',\n 'maskTextSelector',\n 'unmaskTextSelector',\n 'maskInputSelector',\n 'unmaskInputSelector',\n 'inlineStylesheet',\n 'maskInputOptions',\n 'maskTextFn',\n 'maskInputFn',\n 'recordCanvas',\n 'inlineImages',\n 'slimDOMOptions',\n 'doc',\n 'mirror',\n 'iframeManager',\n 'shadowDomManager',\n 'canvasManager',\n ] as const).forEach((key) => {\n // just a type trick, the runtime result is correct\n this[key] = options[key] as never;\n });\n }\n\n public freeze() {\n this.frozen = true;\n this.canvasManager.freeze();\n }\n\n public unfreeze() {\n this.frozen = false;\n this.canvasManager.unfreeze();\n this.emit();\n }\n\n public isFrozen() {\n return this.frozen;\n }\n\n public lock() {\n this.locked = true;\n this.canvasManager.lock();\n }\n\n public unlock() {\n this.locked = false;\n this.canvasManager.unlock();\n this.emit();\n }\n\n public reset() {\n this.shadowDomManager.reset();\n this.canvasManager.reset();\n }\n\n public processMutations = (mutations: mutationRecord[]) => {\n mutations.forEach(this.processMutation); // adds mutations to the buffer\n this.emit(); // clears buffer if not locked/frozen\n };\n\n public emit = () => {\n if (this.frozen || this.locked) {\n return;\n }\n\n // delay any modification of the mirror until this function\n // so that the mirror for takeFullSnapshot doesn't get mutated while it's event is being processed\n\n const adds: addedNodeMutation[] = [];\n\n /**\n * Sometimes child node may be pushed before its newly added\n * parent, so we init a queue to store these nodes.\n */\n const addList = new DoubleLinkedList();\n const getNextId = (n: Node): number | null => {\n let ns: Node | null = n;\n let nextId: number | null = IGNORED_NODE; // slimDOM: ignored\n while (nextId === IGNORED_NODE) {\n ns = ns && ns.nextSibling;\n nextId = ns && this.mirror.getId((ns as unknown) as INode);\n }\n return nextId;\n };\n const pushAdd = (n: Node) => {\n const shadowHost: Element | null = n.getRootNode\n ? (n.getRootNode() as ShadowRoot)?.host\n : null;\n // If n is in a nested shadow dom.\n let rootShadowHost = shadowHost;\n while ((rootShadowHost?.getRootNode?.() as ShadowRoot | undefined)?.host)\n rootShadowHost =\n (rootShadowHost?.getRootNode?.() as ShadowRoot | undefined)?.host ||\n null;\n // ensure shadowHost is a Node, or doc.contains will throw an error\n const notInDoc =\n !this.doc.contains(n) &&\n (rootShadowHost === null || !this.doc.contains(rootShadowHost));\n if (!n.parentNode || notInDoc) {\n return;\n }\n const parentId = isShadowRoot(n.parentNode)\n ? this.mirror.getId((shadowHost as unknown) as INode)\n : this.mirror.getId((n.parentNode as Node) as INode);\n const nextId = getNextId(n);\n if (parentId === -1 || nextId === -1) {\n return addList.addNode(n);\n }\n let sn = serializeNodeWithId(n, {\n doc: this.doc,\n map: this.mirror.map,\n blockClass: this.blockClass,\n blockSelector: this.blockSelector,\n unblockSelector: this.unblockSelector,\n maskTextClass: this.maskTextClass,\n maskTextSelector: this.maskTextSelector,\n unmaskTextSelector: this.unmaskTextSelector,\n maskInputSelector: this.maskInputSelector,\n unmaskInputSelector: this.unmaskInputSelector,\n skipChild: true,\n inlineStylesheet: this.inlineStylesheet,\n maskInputOptions: this.maskInputOptions,\n maskTextFn: this.maskTextFn,\n maskInputFn: this.maskInputFn,\n slimDOMOptions: this.slimDOMOptions,\n recordCanvas: this.recordCanvas,\n inlineImages: this.inlineImages,\n onSerialize: (currentN) => {\n if (isIframeINode(currentN)) {\n this.iframeManager.addIframe(currentN);\n }\n if (hasShadowRoot(n)) {\n this.shadowDomManager.addShadowRoot(n.shadowRoot, document);\n }\n },\n onIframeLoad: (iframe, childSn) => {\n this.iframeManager.attachIframe(iframe, childSn);\n this.shadowDomManager.observeAttachShadow(\n (iframe as Node) as HTMLIFrameElement,\n );\n },\n });\n if (sn) {\n adds.push({\n parentId,\n nextId,\n node: sn,\n });\n }\n };\n\n while (this.mapRemoves.length) {\n this.mirror.removeNodeFromMap(this.mapRemoves.shift() as INode);\n }\n\n for (const n of this.movedSet) {\n if (\n isParentRemoved(this.removes, n, this.mirror) &&\n !this.movedSet.has(n.parentNode!)\n ) {\n continue;\n }\n pushAdd(n);\n }\n\n for (const n of this.addedSet) {\n if (\n !isAncestorInSet(this.droppedSet, n) &&\n !isParentRemoved(this.removes, n, this.mirror)\n ) {\n pushAdd(n);\n } else if (isAncestorInSet(this.movedSet, n)) {\n pushAdd(n);\n } else {\n this.droppedSet.add(n);\n }\n }\n\n let candidate: DoubleLinkedListNode | null = null;\n while (addList.length) {\n let node: DoubleLinkedListNode | null = null;\n if (candidate) {\n const parentId = this.mirror.getId(\n (candidate.value.parentNode as Node) as INode,\n );\n const nextId = getNextId(candidate.value);\n if (parentId !== -1 && nextId !== -1) {\n node = candidate;\n }\n }\n if (!node) {\n for (let index = addList.length - 1; index >= 0; index--) {\n const _node = addList.get(index)!;\n // ensure _node is defined before attempting to find value\n if (_node) {\n const parentId = this.mirror.getId(\n (_node.value.parentNode as Node) as INode,\n );\n const nextId = getNextId(_node.value);\n if (parentId !== -1 && nextId !== -1) {\n node = _node;\n break;\n }\n }\n }\n }\n if (!node) {\n /**\n * If all nodes in queue could not find a serialized parent,\n * it may be a bug or corner case. We need to escape the\n * dead while loop at once.\n */\n while (addList.head) {\n addList.removeNode(addList.head.value);\n }\n break;\n }\n candidate = node.previous;\n addList.removeNode(node.value);\n pushAdd(node.value);\n }\n\n const payload = {\n texts: this.texts\n .map((text) => ({\n id: this.mirror.getId(text.node as INode),\n value: text.value,\n }))\n // text mutation's id was not in the mirror map means the target node has been removed\n .filter((text) => this.mirror.has(text.id)),\n attributes: this.attributes\n .map((attribute) => ({\n id: this.mirror.getId(attribute.node as INode),\n attributes: attribute.attributes,\n }))\n // attribute mutation's id was not in the mirror map means the target node has been removed\n .filter((attribute) => this.mirror.has(attribute.id)),\n removes: this.removes,\n adds,\n };\n // payload may be empty if the mutations happened in some blocked elements\n if (\n !payload.texts.length &&\n !payload.attributes.length &&\n !payload.removes.length &&\n !payload.adds.length\n ) {\n return;\n }\n\n // reset\n this.texts = [];\n this.attributes = [];\n this.removes = [];\n this.addedSet = new Set();\n this.movedSet = new Set();\n this.droppedSet = new Set();\n this.movedMap = {};\n\n this.mutationCb(payload);\n };\n\n private processMutation = (m: mutationRecord) => {\n if (isIgnored(m.target)) {\n return;\n }\n switch (m.type) {\n case 'characterData': {\n const value = m.target.textContent;\n if (!isBlocked(m.target, this.blockClass) && value !== m.oldValue) {\n this.texts.push({\n value:\n needMaskingText(\n m.target,\n this.maskTextClass,\n this.maskTextSelector,\n this.unmaskTextSelector\n ) && value\n ? this.maskTextFn\n ? this.maskTextFn(value)\n : value.replace(/[\\S]/g, '*')\n : value,\n node: m.target,\n });\n }\n break;\n }\n case 'attributes': {\n const target = m.target as HTMLElement;\n let value = (m.target as HTMLElement).getAttribute(m.attributeName!);\n if (m.attributeName === 'value') {\n value = maskInputValue({\n input: target,\n maskInputSelector: this.maskInputSelector,\n unmaskInputSelector: this.unmaskInputSelector,\n maskInputOptions: this.maskInputOptions,\n tagName: (m.target as HTMLElement).tagName,\n type: (m.target as HTMLElement).getAttribute('type'),\n value,\n maskInputFn: this.maskInputFn,\n });\n }\n if (isBlocked(m.target, this.blockClass) || value === m.oldValue) {\n return;\n }\n let item: attributeCursor | undefined = this.attributes.find(\n (a) => a.node === m.target,\n );\n if (!item) {\n item = {\n node: m.target,\n attributes: {},\n };\n this.attributes.push(item);\n }\n if (m.attributeName === 'style') {\n const old = this.doc.createElement('span');\n if (m.oldValue) {\n old.setAttribute('style', m.oldValue);\n }\n if (\n item.attributes.style === undefined ||\n item.attributes.style === null\n ) {\n item.attributes.style = {};\n }\n const styleObj = item.attributes.style as styleAttributeValue;\n for (const pname of Array.from(target.style)) {\n const newValue = target.style.getPropertyValue(pname);\n const newPriority = target.style.getPropertyPriority(pname);\n if (\n newValue !== old.style.getPropertyValue(pname) ||\n newPriority !== old.style.getPropertyPriority(pname)\n ) {\n if (newPriority === '') {\n styleObj[pname] = newValue;\n } else {\n styleObj[pname] = [newValue, newPriority];\n }\n }\n }\n for (const pname of Array.from(old.style)) {\n if (target.style.getPropertyValue(pname) === '') {\n // \"if not set, returns the empty string\"\n styleObj[pname] = false; // delete\n }\n }\n } else {\n // overwrite attribute if the mutations was triggered in same time\n item.attributes[m.attributeName!] = transformAttribute(\n this.doc,\n (m.target as HTMLElement).tagName,\n m.attributeName!,\n value!,\n );\n }\n break;\n }\n case 'childList': {\n m.addedNodes.forEach((n) => this.genAdds(n, m.target));\n m.removedNodes.forEach((n) => {\n const nodeId = this.mirror.getId(n as INode);\n const parentId = isShadowRoot(m.target)\n ? this.mirror.getId((m.target.host as unknown) as INode)\n : this.mirror.getId(m.target as INode);\n if (isBlocked(m.target, this.blockClass) || isIgnored(n)) {\n return;\n }\n // removed node has not been serialized yet, just remove it from the Set\n if (this.addedSet.has(n)) {\n deepDelete(this.addedSet, n);\n this.droppedSet.add(n);\n } else if (this.addedSet.has(m.target) && nodeId === -1) {\n /**\n * If target was newly added and removed child node was\n * not serialized, it means the child node has been removed\n * before callback fired, so we can ignore it because\n * newly added node will be serialized without child nodes.\n * TODO: verify this\n */\n } else if (isAncestorRemoved(m.target as INode, this.mirror)) {\n /**\n * If parent id was not in the mirror map any more, it\n * means the parent node has already been removed. So\n * the node is also removed which we do not need to track\n * and replay.\n */\n } else if (\n this.movedSet.has(n) &&\n this.movedMap[moveKey(nodeId, parentId)]\n ) {\n deepDelete(this.movedSet, n);\n } else {\n this.removes.push({\n parentId,\n id: nodeId,\n isShadow: isShadowRoot(m.target) ? true : undefined,\n });\n }\n this.mapRemoves.push(n);\n });\n break;\n }\n default:\n break;\n }\n };\n\n private genAdds = (n: Node | INode, target?: Node | INode) => {\n // parent was blocked, so we can ignore this node\n if (target && isBlocked(target, this.blockClass)) {\n return;\n }\n if (isINode(n)) {\n if (isIgnored(n)) {\n return;\n }\n this.movedSet.add(n);\n let targetId: number | null = null;\n if (target && isINode(target)) {\n targetId = target.__sn.id;\n }\n if (targetId) {\n this.movedMap[moveKey(n.__sn.id, targetId)] = true;\n }\n } else {\n this.addedSet.add(n);\n this.droppedSet.delete(n);\n }\n\n // if this node is blocked `serializeNode` will turn it into a placeholder element\n // but we have to remove it's children otherwise they will be added as placeholders too\n if (!isBlocked(n, this.blockClass))\n n.childNodes.forEach((childN) => this.genAdds(childN));\n };\n}\n\n/**\n * Some utils to handle the mutation observer DOM records.\n * It should be more clear to extend the native data structure\n * like Set and Map, but currently Typescript does not support\n * that.\n */\nfunction deepDelete(addsSet: Set, n: Node) {\n addsSet.delete(n);\n n.childNodes.forEach((childN) => deepDelete(addsSet, childN));\n}\n\nfunction isParentRemoved(\n removes: removedNodeMutation[],\n n: Node,\n mirror: Mirror,\n): boolean {\n const { parentNode } = n;\n if (!parentNode) {\n return false;\n }\n const parentId = mirror.getId((parentNode as Node) as INode);\n if (removes.some((r) => r.id === parentId)) {\n return true;\n }\n return isParentRemoved(removes, parentNode, mirror);\n}\n\nfunction isAncestorInSet(set: Set, n: Node): boolean {\n const { parentNode } = n;\n if (!parentNode) {\n return false;\n }\n if (set.has(parentNode)) {\n return true;\n }\n return isAncestorInSet(set, parentNode);\n}\n","import { INode, MaskInputOptions, maskInputValue } from 'rrweb-snapshot';\nimport { FontFaceSet } from 'css-font-loading-module';\nimport {\n throttle,\n on,\n hookSetter,\n getWindowHeight,\n getWindowWidth,\n isBlocked,\n isTouchEvent,\n patch,\n} from '../utils';\nimport {\n mutationCallBack,\n observerParam,\n mousemoveCallBack,\n mousePosition,\n mouseInteractionCallBack,\n MouseInteractions,\n listenerHandler,\n scrollCallback,\n styleSheetRuleCallback,\n viewportResizeCallback,\n inputValue,\n inputCallback,\n hookResetter,\n IncrementalSource,\n hooksParam,\n Arguments,\n mediaInteractionCallback,\n MediaInteractions,\n canvasMutationCallback,\n fontCallback,\n fontParam,\n styleDeclarationCallback,\n IWindow,\n MutationBufferParam,\n} from '../types';\nimport MutationBuffer from './mutation';\n\ntype WindowWithStoredMutationObserver = IWindow & {\n __rrMutationObserver?: MutationObserver;\n};\ntype WindowWithAngularZone = IWindow & {\n Zone?: {\n __symbol__?: (key: string) => string;\n };\n};\n\nexport const mutationBuffers: MutationBuffer[] = [];\n\nconst isCSSGroupingRuleSupported = typeof CSSGroupingRule !== 'undefined';\nconst isCSSMediaRuleSupported = typeof CSSMediaRule !== 'undefined';\nconst isCSSSupportsRuleSupported = typeof CSSSupportsRule !== 'undefined';\nconst isCSSConditionRuleSupported = typeof CSSConditionRule !== 'undefined';\n\n// Event.path is non-standard and used in some older browsers\ntype NonStandardEvent = Omit & {\n path: EventTarget[];\n};\n\nfunction getEventTarget(event: Event | NonStandardEvent): EventTarget | null {\n try {\n if ('composedPath' in event) {\n const path = event.composedPath();\n if (path.length) {\n return path[0];\n }\n } else if ('path' in event && event.path.length) {\n return event.path[0];\n }\n return event.target;\n } catch {\n return event.target;\n }\n}\n\nexport function initMutationObserver(\n options: MutationBufferParam,\n rootEl: Node,\n): MutationObserver {\n const mutationBuffer = new MutationBuffer();\n mutationBuffers.push(mutationBuffer);\n // see mutation.ts for details\n mutationBuffer.init(options);\n let mutationObserverCtor =\n window.MutationObserver ||\n /**\n * Some websites may disable MutationObserver by removing it from the window object.\n * If someone is using rrweb to build a browser extention or things like it, they\n * could not change the website's code but can have an opportunity to inject some\n * code before the website executing its JS logic.\n * Then they can do this to store the native MutationObserver:\n * window.__rrMutationObserver = MutationObserver\n */\n (window as WindowWithStoredMutationObserver).__rrMutationObserver;\n const angularZoneSymbol = (window as WindowWithAngularZone)?.Zone?.__symbol__?.(\n 'MutationObserver',\n );\n if (\n angularZoneSymbol &&\n ((window as unknown) as Record)[\n angularZoneSymbol\n ]\n ) {\n mutationObserverCtor = ((window as unknown) as Record<\n string,\n typeof MutationObserver\n >)[angularZoneSymbol];\n }\n const observer = new mutationObserverCtor(\n mutationBuffer.processMutations.bind(mutationBuffer),\n );\n observer.observe(rootEl, {\n attributes: true,\n attributeOldValue: true,\n characterData: true,\n characterDataOldValue: true,\n childList: true,\n subtree: true,\n });\n return observer;\n}\n\nfunction initMoveObserver({\n mousemoveCb,\n sampling,\n doc,\n mirror,\n}: observerParam): listenerHandler {\n if (sampling.mousemove === false) {\n return () => {};\n }\n\n const threshold =\n typeof sampling.mousemove === 'number' ? sampling.mousemove : 50;\n const callbackThreshold =\n typeof sampling.mousemoveCallback === 'number'\n ? sampling.mousemoveCallback\n : 500;\n\n let positions: mousePosition[] = [];\n let timeBaseline: number | null;\n const wrappedCb = throttle(\n (\n source:\n | IncrementalSource.MouseMove\n | IncrementalSource.TouchMove\n | IncrementalSource.Drag,\n ) => {\n const totalOffset = Date.now() - timeBaseline!;\n mousemoveCb(\n positions.map((p) => {\n p.timeOffset -= totalOffset;\n return p;\n }),\n source,\n );\n positions = [];\n timeBaseline = null;\n },\n callbackThreshold,\n );\n const updatePosition = throttle(\n (evt) => {\n const target = getEventTarget(evt);\n const { clientX, clientY } = isTouchEvent(evt)\n ? evt.changedTouches[0]\n : evt;\n if (!timeBaseline) {\n timeBaseline = Date.now();\n }\n positions.push({\n x: clientX,\n y: clientY,\n id: mirror.getId(target as INode),\n timeOffset: Date.now() - timeBaseline,\n });\n // it is possible DragEvent is undefined even on devices\n // that support event 'drag'\n wrappedCb(\n typeof DragEvent !== 'undefined' && evt instanceof DragEvent\n ? IncrementalSource.Drag\n : evt instanceof MouseEvent\n ? IncrementalSource.MouseMove\n : IncrementalSource.TouchMove,\n );\n },\n threshold,\n {\n trailing: false,\n },\n );\n const handlers = [\n on('mousemove', updatePosition, doc),\n on('touchmove', updatePosition, doc),\n on('drag', updatePosition, doc),\n ];\n return () => {\n handlers.forEach((h) => h());\n };\n}\n\nfunction initMouseInteractionObserver({\n mouseInteractionCb,\n doc,\n mirror,\n blockClass,\n sampling,\n}: observerParam): listenerHandler {\n if (sampling.mouseInteraction === false) {\n return () => {};\n }\n const disableMap: Record =\n sampling.mouseInteraction === true ||\n sampling.mouseInteraction === undefined\n ? {}\n : sampling.mouseInteraction;\n\n const handlers: listenerHandler[] = [];\n const getHandler = (eventKey: keyof typeof MouseInteractions) => {\n return (event: MouseEvent | TouchEvent) => {\n const target = getEventTarget(event) as Node;\n if (isBlocked(target as Node, blockClass)) {\n return;\n }\n const e = isTouchEvent(event) ? event.changedTouches[0] : event;\n if (!e) {\n return;\n }\n const id = mirror.getId(target as INode);\n const { clientX, clientY } = e;\n mouseInteractionCb({\n type: MouseInteractions[eventKey],\n id,\n x: clientX,\n y: clientY,\n });\n };\n };\n Object.keys(MouseInteractions)\n .filter(\n (key) =>\n Number.isNaN(Number(key)) &&\n !key.endsWith('_Departed') &&\n disableMap[key] !== false,\n )\n .forEach((eventKey: keyof typeof MouseInteractions) => {\n const eventName = eventKey.toLowerCase();\n const handler = getHandler(eventKey);\n handlers.push(on(eventName, handler, doc));\n });\n return () => {\n handlers.forEach((h) => h());\n };\n}\n\nexport function initScrollObserver({\n scrollCb,\n doc,\n mirror,\n blockClass,\n sampling,\n}: Pick<\n observerParam,\n 'scrollCb' | 'doc' | 'mirror' | 'blockClass' | 'sampling'\n>): listenerHandler {\n const updatePosition = throttle((evt) => {\n const target = getEventTarget(evt);\n if (!target || isBlocked(target as Node, blockClass)) {\n return;\n }\n const id = mirror.getId(target as INode);\n if (target === doc) {\n const scrollEl = (doc.scrollingElement || doc.documentElement)!;\n scrollCb({\n id,\n x: scrollEl.scrollLeft,\n y: scrollEl.scrollTop,\n });\n } else {\n scrollCb({\n id,\n x: (target as HTMLElement).scrollLeft,\n y: (target as HTMLElement).scrollTop,\n });\n }\n }, sampling.scroll || 100);\n return on('scroll', updatePosition, doc);\n}\n\nfunction initViewportResizeObserver({\n viewportResizeCb,\n}: observerParam): listenerHandler {\n let lastH = -1;\n let lastW = -1;\n const updateDimension = throttle(() => {\n const height = getWindowHeight();\n const width = getWindowWidth();\n if (lastH !== height || lastW !== width) {\n viewportResizeCb({\n width: Number(width),\n height: Number(height),\n });\n lastH = height;\n lastW = width;\n }\n }, 200);\n return on('resize', updateDimension, window);\n}\n\nfunction wrapEventWithUserTriggeredFlag(\n v: inputValue,\n enable: boolean,\n): inputValue {\n const value = { ...v };\n if (!enable) delete value.userTriggered;\n return value;\n}\n\nexport const INPUT_TAGS = ['INPUT', 'TEXTAREA', 'SELECT'];\nconst lastInputValueMap: WeakMap = new WeakMap();\nfunction initInputObserver({\n inputCb,\n doc,\n mirror,\n blockClass,\n ignoreClass,\n ignoreSelector,\n maskInputSelector,\n unmaskInputSelector,\n maskInputOptions,\n maskInputFn,\n sampling,\n userTriggeredOnInput,\n}: observerParam): listenerHandler {\n function eventHandler(event: Event) {\n let target = getEventTarget(event);\n const userTriggered = event.isTrusted;\n /**\n * If a site changes the value 'selected' of an option element, the value of its parent element, usually a select element, will be changed as well.\n * We can treat this change as a value change of the select element the current target belongs to.\n */\n if (target && (target as Element).tagName === 'OPTION')\n target = (target as Element).parentElement;\n if (\n !target ||\n !(target as Element).tagName ||\n INPUT_TAGS.indexOf((target as Element).tagName) < 0 ||\n isBlocked(target as Node, blockClass)\n ) {\n return;\n }\n const type: string | undefined = (target as HTMLInputElement).type;\n if ((target as HTMLElement).classList.contains(ignoreClass) || (ignoreSelector && (target as HTMLElement).matches(ignoreSelector))) {\n return;\n }\n let text = (target as HTMLInputElement).value;\n let isChecked = false;\n if (type === 'radio' || type === 'checkbox') {\n isChecked = (target as HTMLInputElement).checked;\n } else if (\n maskInputOptions[\n (target as Element).tagName.toLowerCase() as keyof MaskInputOptions\n ] ||\n maskInputOptions[type as keyof MaskInputOptions]\n ) {\n text = maskInputValue({\n input: (target as HTMLElement),\n maskInputOptions,\n maskInputSelector,\n unmaskInputSelector,\n tagName: (target as HTMLElement).tagName,\n type,\n value: text,\n maskInputFn,\n });\n }\n cbWithDedup(\n target,\n wrapEventWithUserTriggeredFlag(\n { text, isChecked, userTriggered },\n userTriggeredOnInput,\n ),\n );\n // if a radio was checked\n // the other radios with the same name attribute will be unchecked.\n const name: string | undefined = (target as HTMLInputElement).name;\n if (type === 'radio' && name && isChecked) {\n doc\n .querySelectorAll(`input[type=\"radio\"][name=\"${name}\"]`)\n .forEach((el) => {\n if (el !== target) {\n cbWithDedup(\n el,\n wrapEventWithUserTriggeredFlag(\n {\n text: (el as HTMLInputElement).value,\n isChecked: !isChecked,\n userTriggered: false,\n },\n userTriggeredOnInput,\n ),\n );\n }\n });\n }\n }\n function cbWithDedup(target: EventTarget, v: inputValue) {\n const lastInputValue = lastInputValueMap.get(target);\n if (\n !lastInputValue ||\n lastInputValue.text !== v.text ||\n lastInputValue.isChecked !== v.isChecked\n ) {\n lastInputValueMap.set(target, v);\n const id = mirror.getId(target as INode);\n inputCb({\n ...v,\n id,\n });\n }\n }\n const events = sampling.input === 'last' ? ['change'] : ['input', 'change'];\n const handlers: Array<\n listenerHandler | hookResetter\n > = events.map((eventName) => on(eventName, eventHandler, doc));\n const propertyDescriptor = Object.getOwnPropertyDescriptor(\n HTMLInputElement.prototype,\n 'value',\n );\n const hookProperties: Array<[HTMLElement, string]> = [\n [HTMLInputElement.prototype, 'value'],\n [HTMLInputElement.prototype, 'checked'],\n [HTMLSelectElement.prototype, 'value'],\n [HTMLTextAreaElement.prototype, 'value'],\n // Some UI library use selectedIndex to set select value\n [HTMLSelectElement.prototype, 'selectedIndex'],\n [HTMLOptionElement.prototype, 'selected'],\n ];\n if (propertyDescriptor && propertyDescriptor.set) {\n handlers.push(\n ...hookProperties.map((p) =>\n hookSetter(p[0], p[1], {\n set() {\n // mock to a normal event\n eventHandler({ target: this } as Event);\n },\n }),\n ),\n );\n }\n return () => {\n handlers.forEach((h) => h());\n };\n}\n\ntype GroupingCSSRule =\n | CSSGroupingRule\n | CSSMediaRule\n | CSSSupportsRule\n | CSSConditionRule;\ntype GroupingCSSRuleTypes =\n | typeof CSSGroupingRule\n | typeof CSSMediaRule\n | typeof CSSSupportsRule\n | typeof CSSConditionRule;\n\nfunction getNestedCSSRulePositions(rule: CSSRule): number[] {\n const positions: number[] = [];\n function recurse(childRule: CSSRule, pos: number[]) {\n if (\n (isCSSGroupingRuleSupported &&\n childRule.parentRule instanceof CSSGroupingRule) ||\n (isCSSMediaRuleSupported &&\n childRule.parentRule instanceof CSSMediaRule) ||\n (isCSSSupportsRuleSupported &&\n childRule.parentRule instanceof CSSSupportsRule) ||\n (isCSSConditionRuleSupported &&\n childRule.parentRule instanceof CSSConditionRule)\n ) {\n const rules = Array.from(\n (childRule.parentRule as GroupingCSSRule).cssRules,\n );\n const index = rules.indexOf(childRule);\n pos.unshift(index);\n } else {\n const rules = Array.from(childRule.parentStyleSheet!.cssRules);\n const index = rules.indexOf(childRule);\n pos.unshift(index);\n }\n return pos;\n }\n return recurse(rule, positions);\n}\n\nfunction initStyleSheetObserver(\n { styleSheetRuleCb, mirror }: observerParam,\n { win }: { win: IWindow },\n): listenerHandler {\n if (!win.CSSStyleSheet || !win.CSSStyleSheet.prototype) {\n // If, for whatever reason, CSSStyleSheet is not available, we skip the observation of stylesheets.\n return () => {};\n }\n\n const insertRule = win.CSSStyleSheet.prototype.insertRule;\n win.CSSStyleSheet.prototype.insertRule = function (\n rule: string,\n index?: number,\n ) {\n const id = mirror.getId(this.ownerNode as INode);\n if (id !== -1) {\n styleSheetRuleCb({\n id,\n adds: [{ rule, index }],\n });\n }\n return insertRule.apply(this, arguments);\n };\n\n const deleteRule = win.CSSStyleSheet.prototype.deleteRule;\n win.CSSStyleSheet.prototype.deleteRule = function (index: number) {\n const id = mirror.getId(this.ownerNode as INode);\n if (id !== -1) {\n styleSheetRuleCb({\n id,\n removes: [{ index }],\n });\n }\n return deleteRule.apply(this, arguments);\n };\n\n const supportedNestedCSSRuleTypes: {\n [key: string]: GroupingCSSRuleTypes;\n } = {};\n if (isCSSGroupingRuleSupported) {\n supportedNestedCSSRuleTypes.CSSGroupingRule = win.CSSGroupingRule;\n } else {\n // Some browsers (Safari) don't support CSSGroupingRule\n // https://caniuse.com/?search=cssgroupingrule\n // fall back to monkey patching classes that would have inherited from CSSGroupingRule\n\n if (isCSSMediaRuleSupported) {\n supportedNestedCSSRuleTypes.CSSMediaRule = win.CSSMediaRule;\n }\n if (isCSSConditionRuleSupported) {\n supportedNestedCSSRuleTypes.CSSConditionRule = win.CSSConditionRule;\n }\n if (isCSSSupportsRuleSupported) {\n supportedNestedCSSRuleTypes.CSSSupportsRule = win.CSSSupportsRule;\n }\n }\n\n const unmodifiedFunctions: {\n [key: string]: {\n insertRule: (rule: string, index?: number) => number;\n deleteRule: (index: number) => void;\n };\n } = {};\n\n Object.entries(supportedNestedCSSRuleTypes).forEach(([typeKey, type]) => {\n unmodifiedFunctions[typeKey] = {\n insertRule: (type as GroupingCSSRuleTypes).prototype.insertRule,\n deleteRule: (type as GroupingCSSRuleTypes).prototype.deleteRule,\n };\n\n type.prototype.insertRule = function (rule: string, index?: number) {\n const id = mirror.getId(this.parentStyleSheet.ownerNode as INode);\n if (id !== -1) {\n styleSheetRuleCb({\n id,\n adds: [\n {\n rule,\n index: [\n ...getNestedCSSRulePositions(this),\n index || 0, // defaults to 0\n ],\n },\n ],\n });\n }\n return unmodifiedFunctions[typeKey].insertRule.apply(this, arguments);\n };\n\n type.prototype.deleteRule = function (index: number) {\n const id = mirror.getId(this.parentStyleSheet.ownerNode as INode);\n if (id !== -1) {\n styleSheetRuleCb({\n id,\n removes: [{ index: [...getNestedCSSRulePositions(this), index] }],\n });\n }\n return unmodifiedFunctions[typeKey].deleteRule.apply(this, arguments);\n };\n });\n\n return () => {\n win.CSSStyleSheet.prototype.insertRule = insertRule;\n win.CSSStyleSheet.prototype.deleteRule = deleteRule;\n Object.entries(supportedNestedCSSRuleTypes).forEach(([typeKey, type]) => {\n type.prototype.insertRule = unmodifiedFunctions[typeKey].insertRule;\n type.prototype.deleteRule = unmodifiedFunctions[typeKey].deleteRule;\n });\n };\n}\n\nfunction initStyleDeclarationObserver(\n { styleDeclarationCb, mirror }: observerParam,\n { win }: { win: IWindow },\n): listenerHandler {\n const setProperty = win.CSSStyleDeclaration.prototype.setProperty;\n win.CSSStyleDeclaration.prototype.setProperty = function (\n this: CSSStyleDeclaration,\n property: string,\n value: string,\n priority: string,\n ) {\n const id = mirror.getId(\n (this.parentRule?.parentStyleSheet?.ownerNode as unknown) as INode,\n );\n if (id !== -1) {\n styleDeclarationCb({\n id,\n set: {\n property,\n value,\n priority,\n },\n index: getNestedCSSRulePositions(this.parentRule!),\n });\n }\n return setProperty.apply(this, arguments);\n };\n\n const removeProperty = win.CSSStyleDeclaration.prototype.removeProperty;\n win.CSSStyleDeclaration.prototype.removeProperty = function (\n this: CSSStyleDeclaration,\n property: string,\n ) {\n const id = mirror.getId(\n (this.parentRule?.parentStyleSheet?.ownerNode as unknown) as INode,\n );\n if (id !== -1) {\n styleDeclarationCb({\n id,\n remove: {\n property,\n },\n index: getNestedCSSRulePositions(this.parentRule!),\n });\n }\n return removeProperty.apply(this, arguments);\n };\n\n return () => {\n win.CSSStyleDeclaration.prototype.setProperty = setProperty;\n win.CSSStyleDeclaration.prototype.removeProperty = removeProperty;\n };\n}\n\nfunction initMediaInteractionObserver({\n mediaInteractionCb,\n blockClass,\n mirror,\n sampling,\n}: observerParam): listenerHandler {\n const handler = (type: MediaInteractions) =>\n throttle((event: Event) => {\n const target = getEventTarget(event);\n if (!target || isBlocked(target as Node, blockClass)) {\n return;\n }\n const { currentTime, volume, muted } = target as HTMLMediaElement;\n mediaInteractionCb({\n type,\n id: mirror.getId(target as INode),\n currentTime,\n volume,\n muted,\n });\n }, sampling.media || 500);\n const handlers = [\n on('play', handler(MediaInteractions.Play)),\n on('pause', handler(MediaInteractions.Pause)),\n on('seeked', handler(MediaInteractions.Seeked)),\n on('volumechange', handler(MediaInteractions.VolumeChange)),\n ];\n return () => {\n handlers.forEach((h) => h());\n };\n}\n\nfunction initFontObserver({ fontCb, doc }: observerParam): listenerHandler {\n const win = doc.defaultView as IWindow;\n if (!win) {\n return () => {};\n }\n\n const handlers: listenerHandler[] = [];\n\n const fontMap = new WeakMap();\n\n const originalFontFace = win.FontFace;\n win.FontFace = (function FontFace(\n family: string,\n source: string | ArrayBufferView,\n descriptors?: FontFaceDescriptors,\n ) {\n const fontFace = new originalFontFace(family, source, descriptors);\n fontMap.set(fontFace, {\n family,\n buffer: typeof source !== 'string',\n descriptors,\n fontSource:\n typeof source === 'string'\n ? source\n : // tslint:disable-next-line: no-any\n JSON.stringify(Array.from(new Uint8Array(source as any))),\n });\n return fontFace;\n } as unknown) as typeof FontFace;\n\n const restoreHandler = patch(doc.fonts, 'add', function (original) {\n return function (this: FontFaceSet, fontFace: FontFace) {\n setTimeout(() => {\n const p = fontMap.get(fontFace);\n if (p) {\n fontCb(p);\n fontMap.delete(fontFace);\n }\n }, 0);\n return original.apply(this, [fontFace]);\n };\n });\n\n handlers.push(() => {\n win.FontFace = originalFontFace;\n });\n handlers.push(restoreHandler);\n\n return () => {\n handlers.forEach((h) => h());\n };\n}\n\nfunction mergeHooks(o: observerParam, hooks: hooksParam) {\n const {\n mutationCb,\n mousemoveCb,\n mouseInteractionCb,\n scrollCb,\n viewportResizeCb,\n inputCb,\n mediaInteractionCb,\n styleSheetRuleCb,\n styleDeclarationCb,\n canvasMutationCb,\n fontCb,\n } = o;\n o.mutationCb = (...p: Arguments) => {\n if (hooks.mutation) {\n hooks.mutation(...p);\n }\n mutationCb(...p);\n };\n o.mousemoveCb = (...p: Arguments) => {\n if (hooks.mousemove) {\n hooks.mousemove(...p);\n }\n mousemoveCb(...p);\n };\n o.mouseInteractionCb = (...p: Arguments) => {\n if (hooks.mouseInteraction) {\n hooks.mouseInteraction(...p);\n }\n mouseInteractionCb(...p);\n };\n o.scrollCb = (...p: Arguments) => {\n if (hooks.scroll) {\n hooks.scroll(...p);\n }\n scrollCb(...p);\n };\n o.viewportResizeCb = (...p: Arguments) => {\n if (hooks.viewportResize) {\n hooks.viewportResize(...p);\n }\n viewportResizeCb(...p);\n };\n o.inputCb = (...p: Arguments) => {\n if (hooks.input) {\n hooks.input(...p);\n }\n inputCb(...p);\n };\n o.mediaInteractionCb = (...p: Arguments) => {\n if (hooks.mediaInteaction) {\n hooks.mediaInteaction(...p);\n }\n mediaInteractionCb(...p);\n };\n o.styleSheetRuleCb = (...p: Arguments) => {\n if (hooks.styleSheetRule) {\n hooks.styleSheetRule(...p);\n }\n styleSheetRuleCb(...p);\n };\n o.styleDeclarationCb = (...p: Arguments) => {\n if (hooks.styleDeclaration) {\n hooks.styleDeclaration(...p);\n }\n styleDeclarationCb(...p);\n };\n o.canvasMutationCb = (...p: Arguments) => {\n if (hooks.canvasMutation) {\n hooks.canvasMutation(...p);\n }\n canvasMutationCb(...p);\n };\n o.fontCb = (...p: Arguments) => {\n if (hooks.font) {\n hooks.font(...p);\n }\n fontCb(...p);\n };\n}\n\nexport function initObservers(\n o: observerParam,\n hooks: hooksParam = {},\n): listenerHandler {\n const currentWindow = o.doc.defaultView; // basically document.window\n if (!currentWindow) {\n return () => {};\n }\n\n mergeHooks(o, hooks);\n const mutationObserver = initMutationObserver(o, o.doc);\n const mousemoveHandler = initMoveObserver(o);\n const mouseInteractionHandler = initMouseInteractionObserver(o);\n const scrollHandler = initScrollObserver(o);\n const viewportResizeHandler = initViewportResizeObserver(o);\n const inputHandler = initInputObserver(o);\n const mediaInteractionHandler = initMediaInteractionObserver(o);\n\n const styleSheetObserver = initStyleSheetObserver(o, { win: currentWindow });\n const styleDeclarationObserver = initStyleDeclarationObserver(o, {\n win: currentWindow,\n });\n const fontObserver = o.collectFonts ? initFontObserver(o) : () => {};\n // plugins\n const pluginHandlers: listenerHandler[] = [];\n for (const plugin of o.plugins) {\n pluginHandlers.push(\n plugin.observer(plugin.callback, currentWindow, plugin.options),\n );\n }\n\n return () => {\n mutationBuffers.forEach((b) => b.reset());\n mutationObserver.disconnect();\n mousemoveHandler();\n mouseInteractionHandler();\n scrollHandler();\n viewportResizeHandler();\n inputHandler();\n mediaInteractionHandler();\n styleSheetObserver();\n styleDeclarationObserver();\n fontObserver();\n pluginHandlers.forEach((h) => h());\n };\n}\n","import { serializedNodeWithId, INode } from 'rrweb-snapshot';\nimport { mutationCallBack } from '../types';\n\nexport class IframeManager {\n private iframes: WeakMap = new WeakMap();\n private mutationCb: mutationCallBack;\n private loadListener?: (iframeEl: HTMLIFrameElement) => unknown;\n\n constructor(options: { mutationCb: mutationCallBack }) {\n this.mutationCb = options.mutationCb;\n }\n\n public addIframe(iframeEl: HTMLIFrameElement) {\n this.iframes.set(iframeEl, true);\n }\n\n public addLoadListener(cb: (iframeEl: HTMLIFrameElement) => unknown) {\n this.loadListener = cb;\n }\n\n public attachIframe(iframeEl: INode, childSn: serializedNodeWithId) {\n this.mutationCb({\n adds: [\n {\n parentId: iframeEl.__sn.id,\n nextId: null,\n node: childSn,\n },\n ],\n removes: [],\n texts: [],\n attributes: [],\n isAttachIframe: true,\n });\n this.loadListener?.((iframeEl as unknown) as HTMLIFrameElement);\n }\n}\n","import {\n mutationCallBack,\n Mirror,\n scrollCallback,\n MutationBufferParam,\n SamplingStrategy,\n} from '../types';\nimport { initMutationObserver, initScrollObserver } from './observer';\nimport { patch } from '../utils';\n\ntype BypassOptions = Omit<\n MutationBufferParam,\n 'doc' | 'mutationCb' | 'mirror' | 'shadowDomManager'\n> & {\n sampling: SamplingStrategy;\n};\n\nexport class ShadowDomManager {\n private mutationCb: mutationCallBack;\n private scrollCb: scrollCallback;\n private bypassOptions: BypassOptions;\n private mirror: Mirror;\n private restorePatches: (() => void)[] = [];\n\n constructor(options: {\n mutationCb: mutationCallBack;\n scrollCb: scrollCallback;\n bypassOptions: BypassOptions;\n mirror: Mirror;\n }) {\n this.mutationCb = options.mutationCb;\n this.scrollCb = options.scrollCb;\n this.bypassOptions = options.bypassOptions;\n this.mirror = options.mirror;\n\n // Patch 'attachShadow' to observe newly added shadow doms.\n const manager = this;\n this.restorePatches.push(\n patch(HTMLElement.prototype, 'attachShadow', function (original) {\n return function () {\n const shadowRoot = original.apply(this, arguments);\n if (this.shadowRoot)\n manager.addShadowRoot(this.shadowRoot, this.ownerDocument);\n return shadowRoot;\n };\n }),\n );\n }\n\n public addShadowRoot(shadowRoot: ShadowRoot, doc: Document) {\n initMutationObserver(\n {\n ...this.bypassOptions,\n doc,\n mutationCb: this.mutationCb,\n mirror: this.mirror,\n shadowDomManager: this,\n },\n shadowRoot,\n );\n initScrollObserver({\n ...this.bypassOptions,\n scrollCb: this.scrollCb,\n // https://gist.github.com/praveenpuglia/0832da687ed5a5d7a0907046c9ef1813\n // scroll is not allowed to pass the boundary, so we need to listen the shadow document\n doc: (shadowRoot as unknown) as Document,\n mirror: this.mirror,\n });\n }\n\n /**\n * Monkey patch 'attachShadow' of an IFrameElement to observe newly added shadow doms.\n */\n public observeAttachShadow(iframeElement: HTMLIFrameElement) {\n if (iframeElement.contentWindow) {\n const manager = this;\n this.restorePatches.push(\n patch(\n (iframeElement.contentWindow as Window & {\n HTMLElement: { prototype: HTMLElement };\n }).HTMLElement.prototype,\n 'attachShadow',\n function (original) {\n return function () {\n const shadowRoot = original.apply(this, arguments);\n if (this.shadowRoot)\n manager.addShadowRoot(\n this.shadowRoot,\n iframeElement.contentDocument as Document,\n );\n return shadowRoot;\n };\n },\n ),\n );\n }\n }\n\n public reset() {\n this.restorePatches.forEach((restorePatch) => restorePatch());\n }\n}\n","/*\n * base64-arraybuffer 1.0.1 \n * Copyright (c) 2021 Niklas von Hertzen \n * Released under MIT License\n */\nvar chars = 'ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/';\n// Use a lookup table to find the index.\nvar lookup = typeof Uint8Array === 'undefined' ? [] : new Uint8Array(256);\nfor (var i = 0; i < chars.length; i++) {\n lookup[chars.charCodeAt(i)] = i;\n}\nvar encode = function (arraybuffer) {\n var bytes = new Uint8Array(arraybuffer), i, len = bytes.length, base64 = '';\n for (i = 0; i < len; i += 3) {\n base64 += chars[bytes[i] >> 2];\n base64 += chars[((bytes[i] & 3) << 4) | (bytes[i + 1] >> 4)];\n base64 += chars[((bytes[i + 1] & 15) << 2) | (bytes[i + 2] >> 6)];\n base64 += chars[bytes[i + 2] & 63];\n }\n if (len % 3 === 2) {\n base64 = base64.substring(0, base64.length - 1) + '=';\n }\n else if (len % 3 === 1) {\n base64 = base64.substring(0, base64.length - 2) + '==';\n }\n return base64;\n};\nvar decode = function (base64) {\n var bufferLength = base64.length * 0.75, len = base64.length, i, p = 0, encoded1, encoded2, encoded3, encoded4;\n if (base64[base64.length - 1] === '=') {\n bufferLength--;\n if (base64[base64.length - 2] === '=') {\n bufferLength--;\n }\n }\n var arraybuffer = new ArrayBuffer(bufferLength), bytes = new Uint8Array(arraybuffer);\n for (i = 0; i < len; i += 4) {\n encoded1 = lookup[base64.charCodeAt(i)];\n encoded2 = lookup[base64.charCodeAt(i + 1)];\n encoded3 = lookup[base64.charCodeAt(i + 2)];\n encoded4 = lookup[base64.charCodeAt(i + 3)];\n bytes[p++] = (encoded1 << 2) | (encoded2 >> 4);\n bytes[p++] = ((encoded2 & 15) << 4) | (encoded3 >> 2);\n bytes[p++] = ((encoded3 & 3) << 6) | (encoded4 & 63);\n }\n return arraybuffer;\n};\n\nexport { decode, encode };\n//# sourceMappingURL=base64-arraybuffer.es5.js.map\n","import { encode } from 'base64-arraybuffer';\nimport { IWindow, SerializedWebGlArg } from '../../../types';\n\n// TODO: unify with `replay/webgl.ts`\ntype GLVarMap = Map;\nconst webGLVarMap: Map<\n WebGLRenderingContext | WebGL2RenderingContext,\n GLVarMap\n> = new Map();\nexport function variableListFor(\n ctx: WebGLRenderingContext | WebGL2RenderingContext,\n ctor: string,\n) {\n let contextMap = webGLVarMap.get(ctx);\n if (!contextMap) {\n contextMap = new Map();\n webGLVarMap.set(ctx, contextMap);\n }\n if (!contextMap.has(ctor)) {\n contextMap.set(ctor, []);\n }\n return contextMap.get(ctor) as any[];\n}\n\nexport const saveWebGLVar = (\n value: any,\n win: IWindow,\n ctx: WebGL2RenderingContext | WebGLRenderingContext,\n): number | void => {\n if (\n !value ||\n !(isInstanceOfWebGLObject(value, win) || typeof value === 'object')\n )\n return;\n\n const name = value.constructor.name;\n const list = variableListFor(ctx, name);\n let index = list.indexOf(value);\n\n if (index === -1) {\n index = list.length;\n list.push(value);\n }\n return index;\n};\n\n// from webgl-recorder: https://github.com/evanw/webgl-recorder/blob/bef0e65596e981ee382126587e2dcbe0fc7748e2/webgl-recorder.js#L50-L77\nexport function serializeArg(\n value: any,\n win: IWindow,\n ctx: WebGL2RenderingContext | WebGLRenderingContext,\n): SerializedWebGlArg {\n if (value instanceof Array) {\n return value.map((arg) => serializeArg(arg, win, ctx));\n } else if (value === null) {\n return value;\n } else if (\n value instanceof Float32Array ||\n value instanceof Float64Array ||\n value instanceof Int32Array ||\n value instanceof Uint32Array ||\n value instanceof Uint8Array ||\n value instanceof Uint16Array ||\n value instanceof Int16Array ||\n value instanceof Int8Array ||\n value instanceof Uint8ClampedArray\n ) {\n const name = value.constructor.name;\n return {\n rr_type: name,\n args: [Object.values(value)],\n };\n } else if (\n // SharedArrayBuffer disabled on most browsers due to spectre.\n // More info: https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/SharedArrayBuffer/SharedArrayBuffer\n // value instanceof SharedArrayBuffer ||\n value instanceof ArrayBuffer\n ) {\n const name = value.constructor.name as 'ArrayBuffer';\n const base64 = encode(value);\n\n return {\n rr_type: name,\n base64,\n };\n } else if (value instanceof DataView) {\n const name = value.constructor.name;\n return {\n rr_type: name,\n args: [\n serializeArg(value.buffer, win, ctx),\n value.byteOffset,\n value.byteLength,\n ],\n };\n } else if (value instanceof HTMLImageElement) {\n const name = value.constructor.name;\n const { src } = value;\n return {\n rr_type: name,\n src,\n };\n } else if (value instanceof ImageData) {\n const name = value.constructor.name;\n return {\n rr_type: name,\n args: [serializeArg(value.data, win, ctx), value.width, value.height],\n };\n } else if (isInstanceOfWebGLObject(value, win) || typeof value === 'object') {\n const name = value.constructor.name;\n const index = saveWebGLVar(value, win, ctx) as number;\n\n return {\n rr_type: name,\n index: index,\n };\n }\n\n return value;\n}\n\nexport const serializeArgs = (\n args: Array,\n win: IWindow,\n ctx: WebGLRenderingContext | WebGL2RenderingContext,\n) => {\n return [...args].map((arg) => serializeArg(arg, win, ctx));\n};\n\nexport const isInstanceOfWebGLObject = (\n value: any,\n win: IWindow,\n): value is\n | WebGLActiveInfo\n | WebGLBuffer\n | WebGLFramebuffer\n | WebGLProgram\n | WebGLRenderbuffer\n | WebGLShader\n | WebGLShaderPrecisionFormat\n | WebGLTexture\n | WebGLUniformLocation\n | WebGLVertexArrayObject => {\n const webGLConstructorNames: string[] = [\n 'WebGLActiveInfo',\n 'WebGLBuffer',\n 'WebGLFramebuffer',\n 'WebGLProgram',\n 'WebGLRenderbuffer',\n 'WebGLShader',\n 'WebGLShaderPrecisionFormat',\n 'WebGLTexture',\n 'WebGLUniformLocation',\n 'WebGLVertexArrayObject',\n // In old Chrome versions, value won't be an instanceof WebGLVertexArrayObject.\n 'WebGLVertexArrayObjectOES',\n ];\n const supportedWebGLConstructorNames = webGLConstructorNames.filter(\n (name: string) => typeof win[name as keyof Window] === 'function',\n );\n return Boolean(\n supportedWebGLConstructorNames.find(\n (name: string) => value instanceof win[name as keyof Window],\n ),\n );\n};\n","import { INode } from 'rrweb-snapshot';\nimport {\n blockClass,\n CanvasContext,\n canvasManagerMutationCallback,\n canvasMutationWithType,\n IWindow,\n listenerHandler,\n Mirror,\n} from '../../../types';\nimport { hookSetter, isBlocked, patch } from '../../../utils';\nimport { saveWebGLVar, serializeArgs } from './serialize-args';\n\nfunction patchGLPrototype(\n prototype: WebGLRenderingContext | WebGL2RenderingContext,\n type: CanvasContext,\n cb: canvasManagerMutationCallback,\n blockClass: blockClass,\n mirror: Mirror,\n win: IWindow,\n): listenerHandler[] {\n const handlers: listenerHandler[] = [];\n\n const props = Object.getOwnPropertyNames(prototype);\n\n for (const prop of props) {\n try {\n if (typeof prototype[prop as keyof typeof prototype] !== 'function') {\n continue;\n }\n const restoreHandler = patch(prototype, prop, function (original) {\n return function (this: typeof prototype, ...args: Array) {\n const result = original.apply(this, args);\n saveWebGLVar(result, win, prototype);\n if (!isBlocked((this.canvas as unknown) as INode, blockClass)) {\n const id = mirror.getId((this.canvas as unknown) as INode);\n\n const recordArgs = serializeArgs([...args], win, prototype);\n const mutation: canvasMutationWithType = {\n type,\n property: prop,\n args: recordArgs,\n };\n // TODO: this could potentially also be an OffscreenCanvas as well as HTMLCanvasElement\n cb(this.canvas as HTMLCanvasElement, mutation);\n }\n\n return result;\n };\n });\n handlers.push(restoreHandler);\n } catch {\n const hookHandler = hookSetter(prototype, prop, {\n set(v) {\n // TODO: this could potentially also be an OffscreenCanvas as well as HTMLCanvasElement\n cb(this.canvas as HTMLCanvasElement, {\n type,\n property: prop,\n args: [v],\n setter: true,\n });\n },\n });\n handlers.push(hookHandler);\n }\n }\n\n return handlers;\n}\n\nexport default function initCanvasWebGLMutationObserver(\n cb: canvasManagerMutationCallback,\n win: IWindow,\n blockClass: blockClass,\n mirror: Mirror,\n): listenerHandler {\n const handlers: listenerHandler[] = [];\n\n handlers.push(\n ...patchGLPrototype(\n win.WebGLRenderingContext.prototype,\n CanvasContext.WebGL,\n cb,\n blockClass,\n mirror,\n win,\n ),\n );\n\n if (typeof win.WebGL2RenderingContext !== 'undefined') {\n handlers.push(\n ...patchGLPrototype(\n win.WebGL2RenderingContext.prototype,\n CanvasContext.WebGL2,\n cb,\n blockClass,\n mirror,\n win,\n ),\n );\n }\n\n return () => {\n handlers.forEach((h) => h());\n };\n}\n","import { INode } from 'rrweb-snapshot';\nimport {\n blockClass,\n canvasManagerMutationCallback,\n canvasMutationCallback,\n canvasMutationCommand,\n canvasMutationWithType,\n IWindow,\n listenerHandler,\n Mirror,\n} from '../../../types';\nimport initCanvas2DMutationObserver from './2d';\nimport initCanvasContextObserver from './canvas';\nimport initCanvasWebGLMutationObserver from './webgl';\n\nexport type RafStamps = { latestId: number; invokeId: number | null };\n\ntype pendingCanvasMutationsMap = Map<\n HTMLCanvasElement,\n canvasMutationWithType[]\n>;\n\nexport class CanvasManager {\n private pendingCanvasMutations: pendingCanvasMutationsMap = new Map();\n private rafStamps: RafStamps = { latestId: 0, invokeId: null };\n private mirror: Mirror;\n\n private mutationCb: canvasMutationCallback;\n private resetObservers?: listenerHandler;\n private frozen: boolean = false;\n private locked: boolean = false;\n\n public reset() {\n this.pendingCanvasMutations.clear();\n this.resetObservers && this.resetObservers();\n }\n\n public freeze() {\n this.frozen = true;\n }\n\n public unfreeze() {\n this.frozen = false;\n }\n\n public lock() {\n this.locked = true;\n }\n\n public unlock() {\n this.locked = false;\n }\n\n constructor(options: {\n recordCanvas: boolean | number;\n mutationCb: canvasMutationCallback;\n win: IWindow;\n blockClass: blockClass;\n mirror: Mirror;\n }) {\n this.mutationCb = options.mutationCb;\n this.mirror = options.mirror;\n\n if (options.recordCanvas === true)\n this.initCanvasMutationObserver(options.win, options.blockClass);\n }\n\n private processMutation: canvasManagerMutationCallback = function (\n target,\n mutation,\n ) {\n const newFrame =\n this.rafStamps.invokeId &&\n this.rafStamps.latestId !== this.rafStamps.invokeId;\n if (newFrame || !this.rafStamps.invokeId)\n this.rafStamps.invokeId = this.rafStamps.latestId;\n\n if (!this.pendingCanvasMutations.has(target)) {\n this.pendingCanvasMutations.set(target, []);\n }\n\n this.pendingCanvasMutations.get(target)!.push(mutation);\n };\n\n private initCanvasMutationObserver(\n win: IWindow,\n blockClass: blockClass,\n ): void {\n this.startRAFTimestamping();\n this.startPendingCanvasMutationFlusher();\n\n const canvasContextReset = initCanvasContextObserver(win, blockClass);\n const canvas2DReset = initCanvas2DMutationObserver(\n this.processMutation.bind(this),\n win,\n blockClass,\n this.mirror,\n );\n\n const canvasWebGL1and2Reset = initCanvasWebGLMutationObserver(\n this.processMutation.bind(this),\n win,\n blockClass,\n this.mirror,\n );\n\n this.resetObservers = () => {\n canvasContextReset();\n canvas2DReset();\n canvasWebGL1and2Reset();\n };\n }\n\n private startPendingCanvasMutationFlusher() {\n requestAnimationFrame(() => this.flushPendingCanvasMutations());\n }\n\n private startRAFTimestamping() {\n const setLatestRAFTimestamp = (timestamp: DOMHighResTimeStamp) => {\n this.rafStamps.latestId = timestamp;\n requestAnimationFrame(setLatestRAFTimestamp);\n };\n requestAnimationFrame(setLatestRAFTimestamp);\n }\n\n flushPendingCanvasMutations() {\n this.pendingCanvasMutations.forEach(\n (values: canvasMutationCommand[], canvas: HTMLCanvasElement) => {\n const id = this.mirror.getId((canvas as unknown) as INode);\n this.flushPendingCanvasMutationFor(canvas, id);\n },\n );\n requestAnimationFrame(() => this.flushPendingCanvasMutations());\n }\n\n flushPendingCanvasMutationFor(canvas: HTMLCanvasElement, id: number) {\n if (this.frozen || this.locked) {\n return;\n }\n\n const valuesWithType = this.pendingCanvasMutations.get(canvas);\n if (!valuesWithType || id === -1) return;\n\n const values = valuesWithType.map((value) => {\n const { type, ...rest } = value;\n return rest;\n });\n const { type } = valuesWithType[0];\n\n this.mutationCb({ id, type, commands: values });\n\n this.pendingCanvasMutations.delete(canvas);\n }\n}\n","import { snapshot, MaskInputOptions, SlimDOMOptions } from 'rrweb-snapshot';\nimport { initObservers, mutationBuffers } from './observer';\nimport {\n on,\n getWindowWidth,\n getWindowHeight,\n polyfill,\n isIframeINode,\n hasShadowRoot,\n createMirror,\n} from '../utils';\nimport {\n EventType,\n event,\n eventWithTime,\n recordOptions,\n IncrementalSource,\n listenerHandler,\n mutationCallbackParam,\n scrollCallback,\n canvasMutationParam,\n} from '../types';\nimport { IframeManager } from './iframe-manager';\nimport { ShadowDomManager } from './shadow-dom-manager';\nimport { CanvasManager } from './observers/canvas/canvas-manager';\n\nfunction wrapEvent(e: event): eventWithTime {\n return {\n ...e,\n timestamp: Date.now(),\n };\n}\n\nlet wrappedEmit!: (e: eventWithTime, isCheckout?: boolean) => void;\n\nlet takeFullSnapshot!: (isCheckout?: boolean) => void;\n\nconst mirror = createMirror();\nfunction record(\n options: recordOptions = {},\n): listenerHandler | undefined {\n const {\n emit,\n checkoutEveryNms,\n checkoutEveryNth,\n blockClass = 'rr-block',\n blockSelector = null,\n unblockSelector = null,\n ignoreClass = 'rr-ignore',\n ignoreSelector =null,\n maskTextClass = 'rr-mask',\n maskTextSelector = null,\n maskInputSelector = null,\n unmaskTextSelector = null,\n unmaskInputSelector = null,\n inlineStylesheet = true,\n maskAllInputs,\n maskInputOptions: _maskInputOptions,\n slimDOMOptions: _slimDOMOptions,\n maskInputFn,\n maskTextFn,\n hooks,\n packFn,\n sampling = {},\n mousemoveWait,\n recordCanvas = false,\n userTriggeredOnInput = false,\n collectFonts = false,\n inlineImages = false,\n plugins,\n keepIframeSrcFn = () => false,\n } = options;\n // runtime checks for user options\n if (!emit) {\n throw new Error('emit function is required');\n }\n // move departed options to new options\n if (mousemoveWait !== undefined && sampling.mousemove === undefined) {\n sampling.mousemove = mousemoveWait;\n }\n\n const maskInputOptions: MaskInputOptions =\n maskAllInputs === true\n ? {\n color: true,\n date: true,\n 'datetime-local': true,\n email: true,\n month: true,\n number: true,\n range: true,\n search: true,\n tel: true,\n text: true,\n time: true,\n url: true,\n week: true,\n textarea: true,\n select: true,\n password: true,\n }\n : _maskInputOptions !== undefined\n ? _maskInputOptions\n : { password: true };\n\n const slimDOMOptions: SlimDOMOptions =\n _slimDOMOptions === true || _slimDOMOptions === 'all'\n ? {\n script: true,\n comment: true,\n headFavicon: true,\n headWhitespace: true,\n headMetaSocial: true,\n headMetaRobots: true,\n headMetaHttpEquiv: true,\n headMetaVerification: true,\n // the following are off for slimDOMOptions === true,\n // as they destroy some (hidden) info:\n headMetaAuthorship: _slimDOMOptions === 'all',\n headMetaDescKeywords: _slimDOMOptions === 'all',\n }\n : _slimDOMOptions\n ? _slimDOMOptions\n : {};\n\n polyfill();\n\n let lastFullSnapshotEvent: eventWithTime;\n let incrementalSnapshotCount = 0;\n const eventProcessor = (e: eventWithTime): T => {\n for (const plugin of plugins || []) {\n if (plugin.eventProcessor) {\n e = plugin.eventProcessor(e);\n }\n }\n if (packFn) {\n e = (packFn(e) as unknown) as eventWithTime;\n }\n return (e as unknown) as T;\n };\n wrappedEmit = (e: eventWithTime, isCheckout?: boolean) => {\n if (\n mutationBuffers[0]?.isFrozen() &&\n e.type !== EventType.FullSnapshot &&\n !(\n e.type === EventType.IncrementalSnapshot &&\n e.data.source === IncrementalSource.Mutation\n )\n ) {\n // we've got a user initiated event so first we need to apply\n // all DOM changes that have been buffering during paused state\n mutationBuffers.forEach((buf) => buf.unfreeze());\n }\n\n emit(eventProcessor(e), isCheckout);\n if (e.type === EventType.FullSnapshot) {\n lastFullSnapshotEvent = e;\n incrementalSnapshotCount = 0;\n } else if (e.type === EventType.IncrementalSnapshot) {\n // attach iframe should be considered as full snapshot\n if (\n e.data.source === IncrementalSource.Mutation &&\n e.data.isAttachIframe\n ) {\n return;\n }\n\n incrementalSnapshotCount++;\n const exceedCount =\n checkoutEveryNth && incrementalSnapshotCount >= checkoutEveryNth;\n const exceedTime =\n checkoutEveryNms &&\n e.timestamp - lastFullSnapshotEvent.timestamp > checkoutEveryNms;\n if (exceedCount || exceedTime) {\n takeFullSnapshot(true);\n }\n }\n };\n\n const wrappedMutationEmit = (m: mutationCallbackParam) => {\n wrappedEmit(\n wrapEvent({\n type: EventType.IncrementalSnapshot,\n data: {\n source: IncrementalSource.Mutation,\n ...m,\n },\n }),\n );\n };\n const wrappedScrollEmit: scrollCallback = (p) =>\n wrappedEmit(\n wrapEvent({\n type: EventType.IncrementalSnapshot,\n data: {\n source: IncrementalSource.Scroll,\n ...p,\n },\n }),\n );\n const wrappedCanvasMutationEmit = (p: canvasMutationParam) =>\n wrappedEmit(\n wrapEvent({\n type: EventType.IncrementalSnapshot,\n data: {\n source: IncrementalSource.CanvasMutation,\n ...p,\n },\n }),\n );\n\n const iframeManager = new IframeManager({\n mutationCb: wrappedMutationEmit,\n });\n\n const canvasManager = new CanvasManager({\n recordCanvas,\n mutationCb: wrappedCanvasMutationEmit,\n win: window,\n blockClass,\n mirror,\n });\n\n const shadowDomManager = new ShadowDomManager({\n mutationCb: wrappedMutationEmit,\n scrollCb: wrappedScrollEmit,\n bypassOptions: {\n blockClass,\n blockSelector,\n unblockSelector,\n maskTextClass,\n maskTextSelector,\n unmaskTextSelector,\n maskInputSelector,\n unmaskInputSelector,\n inlineStylesheet,\n maskInputOptions,\n maskTextFn,\n maskInputFn,\n recordCanvas,\n inlineImages,\n sampling,\n slimDOMOptions,\n iframeManager,\n canvasManager,\n },\n mirror,\n });\n\n takeFullSnapshot = (isCheckout = false) => {\n wrappedEmit(\n wrapEvent({\n type: EventType.Meta,\n data: {\n href: window.location.href,\n width: getWindowWidth(),\n height: getWindowHeight(),\n },\n }),\n isCheckout,\n );\n\n mutationBuffers.forEach((buf) => buf.lock()); // don't allow any mirror modifications during snapshotting\n const [node, idNodeMap] = snapshot(document, {\n blockClass,\n blockSelector,\n unblockSelector,\n maskTextClass,\n maskTextSelector,\n unmaskTextSelector,\n maskInputSelector,\n unmaskInputSelector,\n inlineStylesheet,\n maskAllInputs: maskInputOptions,\n maskTextFn,\n slimDOM: slimDOMOptions,\n recordCanvas,\n inlineImages,\n onSerialize: (n) => {\n if (isIframeINode(n)) {\n iframeManager.addIframe(n);\n }\n if (hasShadowRoot(n)) {\n shadowDomManager.addShadowRoot(n.shadowRoot, document);\n }\n },\n onIframeLoad: (iframe, childSn) => {\n iframeManager.attachIframe(iframe, childSn);\n shadowDomManager.observeAttachShadow(\n (iframe as Node) as HTMLIFrameElement,\n );\n },\n keepIframeSrcFn,\n });\n\n if (!node) {\n return console.warn('Failed to snapshot the document');\n }\n\n mirror.map = idNodeMap;\n wrappedEmit(\n wrapEvent({\n type: EventType.FullSnapshot,\n data: {\n node,\n initialOffset: {\n left:\n window.pageXOffset !== undefined\n ? window.pageXOffset\n : document?.documentElement.scrollLeft ||\n document?.body?.parentElement?.scrollLeft ||\n document?.body.scrollLeft ||\n 0,\n top:\n window.pageYOffset !== undefined\n ? window.pageYOffset\n : document?.documentElement.scrollTop ||\n document?.body?.parentElement?.scrollTop ||\n document?.body.scrollTop ||\n 0,\n },\n },\n }),\n );\n mutationBuffers.forEach((buf) => buf.unlock()); // generate & emit any mutations that happened during snapshotting, as can now apply against the newly built mirror\n };\n\n try {\n const handlers: listenerHandler[] = [];\n handlers.push(\n on('DOMContentLoaded', () => {\n wrappedEmit(\n wrapEvent({\n type: EventType.DomContentLoaded,\n data: {},\n }),\n );\n }),\n );\n\n const observe = (doc: Document) => {\n return initObservers(\n {\n mutationCb: wrappedMutationEmit,\n mousemoveCb: (positions, source) =>\n wrappedEmit(\n wrapEvent({\n type: EventType.IncrementalSnapshot,\n data: {\n source,\n positions,\n },\n }),\n ),\n mouseInteractionCb: (d) =>\n wrappedEmit(\n wrapEvent({\n type: EventType.IncrementalSnapshot,\n data: {\n source: IncrementalSource.MouseInteraction,\n ...d,\n },\n }),\n ),\n scrollCb: wrappedScrollEmit,\n viewportResizeCb: (d) =>\n wrappedEmit(\n wrapEvent({\n type: EventType.IncrementalSnapshot,\n data: {\n source: IncrementalSource.ViewportResize,\n ...d,\n },\n }),\n ),\n inputCb: (v) =>\n wrappedEmit(\n wrapEvent({\n type: EventType.IncrementalSnapshot,\n data: {\n source: IncrementalSource.Input,\n ...v,\n },\n }),\n ),\n mediaInteractionCb: (p) =>\n wrappedEmit(\n wrapEvent({\n type: EventType.IncrementalSnapshot,\n data: {\n source: IncrementalSource.MediaInteraction,\n ...p,\n },\n }),\n ),\n styleSheetRuleCb: (r) =>\n wrappedEmit(\n wrapEvent({\n type: EventType.IncrementalSnapshot,\n data: {\n source: IncrementalSource.StyleSheetRule,\n ...r,\n },\n }),\n ),\n styleDeclarationCb: (r) =>\n wrappedEmit(\n wrapEvent({\n type: EventType.IncrementalSnapshot,\n data: {\n source: IncrementalSource.StyleDeclaration,\n ...r,\n },\n }),\n ),\n canvasMutationCb: wrappedCanvasMutationEmit,\n fontCb: (p) =>\n wrappedEmit(\n wrapEvent({\n type: EventType.IncrementalSnapshot,\n data: {\n source: IncrementalSource.Font,\n ...p,\n },\n }),\n ),\n blockClass,\n ignoreClass,\n ignoreSelector,\n maskTextClass,\n maskTextSelector,\n unmaskTextSelector,\n maskInputSelector,\n unmaskInputSelector,\n maskInputOptions,\n inlineStylesheet,\n sampling,\n recordCanvas,\n inlineImages,\n userTriggeredOnInput,\n collectFonts,\n doc,\n maskInputFn,\n maskTextFn,\n blockSelector,\n unblockSelector,\n slimDOMOptions,\n mirror,\n iframeManager,\n shadowDomManager,\n canvasManager,\n plugins:\n plugins\n ?.filter((p) => p.observer)\n ?.map((p) => ({\n observer: p.observer!,\n options: p.options,\n callback: (payload: object) =>\n wrappedEmit(\n wrapEvent({\n type: EventType.Plugin,\n data: {\n plugin: p.name,\n payload,\n },\n }),\n ),\n })) || [],\n },\n hooks,\n );\n };\n\n iframeManager.addLoadListener((iframeEl) => {\n try {\n handlers.push(observe(iframeEl.contentDocument!));\n } catch (error) {\n // TODO: handle internal error\n console.warn(error);\n }\n });\n\n const init = () => {\n takeFullSnapshot();\n handlers.push(observe(document));\n };\n if (\n document.readyState === 'interactive' ||\n document.readyState === 'complete'\n ) {\n init();\n } else {\n handlers.push(\n on(\n 'load',\n () => {\n wrappedEmit(\n wrapEvent({\n type: EventType.Load,\n data: {},\n }),\n );\n init();\n },\n window,\n ),\n );\n }\n return () => {\n handlers.forEach((h) => h());\n };\n } catch (error) {\n // TODO: handle internal error\n console.warn(error);\n }\n}\n\nrecord.addCustomEvent = (tag: string, payload: T) => {\n if (!wrappedEmit) {\n throw new Error('please add custom event after start recording');\n }\n wrappedEmit(\n wrapEvent({\n type: EventType.Custom,\n data: {\n tag,\n payload,\n },\n }),\n );\n};\n\nrecord.freezePage = () => {\n mutationBuffers.forEach((buf) => buf.freeze());\n};\n\nrecord.takeFullSnapshot = (isCheckout?: boolean) => {\n if (!takeFullSnapshot) {\n throw new Error('please take full snapshot after start recording');\n }\n takeFullSnapshot(isCheckout);\n};\n\nrecord.mirror = mirror;\n\nexport default record;\n","import { INode, ICanvas } from 'rrweb-snapshot';\nimport { blockClass, IWindow, listenerHandler } from '../../../types';\nimport { isBlocked, patch } from '../../../utils';\n\nexport default function initCanvasContextObserver(\n win: IWindow,\n blockClass: blockClass,\n): listenerHandler {\n const handlers: listenerHandler[] = [];\n try {\n const restoreHandler = patch(\n win.HTMLCanvasElement.prototype,\n 'getContext',\n function (original) {\n return function (\n this: ICanvas,\n contextType: string,\n ...args: Array\n ) {\n if (!isBlocked((this as unknown) as INode, blockClass)) {\n if (!('__context' in this))\n (this as ICanvas).__context = contextType;\n }\n return original.apply(this, [contextType, ...args]);\n };\n },\n );\n handlers.push(restoreHandler);\n } catch {\n console.error('failed to patch HTMLCanvasElement.prototype.getContext');\n }\n return () => {\n handlers.forEach((h) => h());\n };\n}\n","import { INode } from 'rrweb-snapshot';\nimport {\n blockClass,\n CanvasContext,\n canvasManagerMutationCallback,\n IWindow,\n listenerHandler,\n Mirror,\n} from '../../../types';\nimport { hookSetter, isBlocked, patch } from '../../../utils';\n\nexport default function initCanvas2DMutationObserver(\n cb: canvasManagerMutationCallback,\n win: IWindow,\n blockClass: blockClass,\n mirror: Mirror,\n): listenerHandler {\n const handlers: listenerHandler[] = [];\n const props2D = Object.getOwnPropertyNames(\n win.CanvasRenderingContext2D.prototype,\n );\n for (const prop of props2D) {\n try {\n if (\n typeof win.CanvasRenderingContext2D.prototype[\n prop as keyof CanvasRenderingContext2D\n ] !== 'function'\n ) {\n continue;\n }\n const restoreHandler = patch(\n win.CanvasRenderingContext2D.prototype,\n prop,\n function (original) {\n return function (\n this: CanvasRenderingContext2D,\n ...args: Array\n ) {\n if (!isBlocked((this.canvas as unknown) as INode, blockClass)) {\n // Using setTimeout as getImageData + JSON.stringify can be heavy\n // and we'd rather not block the main thread\n setTimeout(() => {\n const recordArgs = [...args];\n if (prop === 'drawImage') {\n if (\n recordArgs[0] &&\n recordArgs[0] instanceof HTMLCanvasElement\n ) {\n const canvas = recordArgs[0];\n const ctx = canvas.getContext('2d');\n let imgd = ctx?.getImageData(\n 0,\n 0,\n canvas.width,\n canvas.height,\n );\n let pix = imgd?.data;\n recordArgs[0] = JSON.stringify(pix);\n }\n }\n cb(this.canvas, {\n type: CanvasContext['2D'],\n property: prop,\n args: recordArgs,\n });\n }, 0);\n }\n return original.apply(this, args);\n };\n },\n );\n handlers.push(restoreHandler);\n } catch {\n const hookHandler = hookSetter(\n win.CanvasRenderingContext2D.prototype,\n prop,\n {\n set(v) {\n cb(this.canvas, {\n type: CanvasContext['2D'],\n property: prop,\n args: [v],\n setter: true,\n });\n },\n },\n );\n handlers.push(hookHandler);\n }\n }\n return () => {\n handlers.forEach((h) => h());\n };\n}\n","// \n// An event handler can take an optional event argument\n// and should not return a value\n \n \n\n// An array of all currently registered event handlers for a type\n \n \n// A map of event types and their corresponding event handlers.\n \n \n \n \n\n/** Mitt: Tiny (~200b) functional event emitter / pubsub.\n * @name mitt\n * @returns {Mitt}\n */\nfunction mitt(all ) {\n\tall = all || Object.create(null);\n\n\treturn {\n\t\t/**\n\t\t * Register an event handler for the given type.\n\t\t *\n\t\t * @param {String} type\tType of event to listen for, or `\"*\"` for all events\n\t\t * @param {Function} handler Function to call in response to given event\n\t\t * @memberOf mitt\n\t\t */\n\t\ton: function on(type , handler ) {\n\t\t\t(all[type] || (all[type] = [])).push(handler);\n\t\t},\n\n\t\t/**\n\t\t * Remove an event handler for the given type.\n\t\t *\n\t\t * @param {String} type\tType of event to unregister `handler` from, or `\"*\"`\n\t\t * @param {Function} handler Handler function to remove\n\t\t * @memberOf mitt\n\t\t */\n\t\toff: function off(type , handler ) {\n\t\t\tif (all[type]) {\n\t\t\t\tall[type].splice(all[type].indexOf(handler) >>> 0, 1);\n\t\t\t}\n\t\t},\n\n\t\t/**\n\t\t * Invoke all handlers for the given type.\n\t\t * If present, `\"*\"` handlers are invoked after type-matched handlers.\n\t\t *\n\t\t * @param {String} type The event type to invoke\n\t\t * @param {Any} [evt] Any value (object is recommended and powerful), passed to each handler\n\t\t * @memberOf mitt\n\t\t */\n\t\temit: function emit(type , evt ) {\n\t\t\t(all[type] || []).slice().map(function (handler) { handler(evt); });\n\t\t\t(all['*'] || []).slice().map(function (handler) { handler(type, evt); });\n\t\t}\n\t};\n}\n\nexport default mitt;\n//# sourceMappingURL=mitt.es.js.map\n","/**\n * A fork version of https://github.com/iamdustan/smoothscroll\n * Add support of customize target window and document\n */\n\n// @ts-nocheck\n// tslint:disable\nexport function polyfill(w: Window = window, d = document) {\n // return if scroll behavior is supported and polyfill is not forced\n if (\n 'scrollBehavior' in d.documentElement.style &&\n w.__forceSmoothScrollPolyfill__ !== true\n ) {\n return;\n }\n\n // globals\n var Element = w.HTMLElement || w.Element;\n var SCROLL_TIME = 468;\n\n // object gathering original scroll methods\n var original = {\n scroll: w.scroll || w.scrollTo,\n scrollBy: w.scrollBy,\n elementScroll: Element.prototype.scroll || scrollElement,\n scrollIntoView: Element.prototype.scrollIntoView,\n };\n\n // define timing method\n var now =\n w.performance && w.performance.now\n ? w.performance.now.bind(w.performance)\n : Date.now;\n\n /**\n * indicates if a the current browser is made by Microsoft\n * @method isMicrosoftBrowser\n * @param {String} userAgent\n * @returns {Boolean}\n */\n function isMicrosoftBrowser(userAgent) {\n var userAgentPatterns = ['MSIE ', 'Trident/', 'Edge/'];\n\n return new RegExp(userAgentPatterns.join('|')).test(userAgent);\n }\n\n /*\n * IE has rounding bug rounding down clientHeight and clientWidth and\n * rounding up scrollHeight and scrollWidth causing false positives\n * on hasScrollableSpace\n */\n var ROUNDING_TOLERANCE = isMicrosoftBrowser(w.navigator.userAgent) ? 1 : 0;\n\n /**\n * changes scroll position inside an element\n * @method scrollElement\n * @param {Number} x\n * @param {Number} y\n * @returns {undefined}\n */\n function scrollElement(x, y) {\n this.scrollLeft = x;\n this.scrollTop = y;\n }\n\n /**\n * returns result of applying ease math function to a number\n * @method ease\n * @param {Number} k\n * @returns {Number}\n */\n function ease(k) {\n return 0.5 * (1 - Math.cos(Math.PI * k));\n }\n\n /**\n * indicates if a smooth behavior should be applied\n * @method shouldBailOut\n * @param {Number|Object} firstArg\n * @returns {Boolean}\n */\n function shouldBailOut(firstArg) {\n if (\n firstArg === null ||\n typeof firstArg !== 'object' ||\n firstArg.behavior === undefined ||\n firstArg.behavior === 'auto' ||\n firstArg.behavior === 'instant'\n ) {\n // first argument is not an object/null\n // or behavior is auto, instant or undefined\n return true;\n }\n\n if (typeof firstArg === 'object' && firstArg.behavior === 'smooth') {\n // first argument is an object and behavior is smooth\n return false;\n }\n\n // throw error when behavior is not supported\n throw new TypeError(\n 'behavior member of ScrollOptions ' +\n firstArg.behavior +\n ' is not a valid value for enumeration ScrollBehavior.',\n );\n }\n\n /**\n * indicates if an element has scrollable space in the provided axis\n * @method hasScrollableSpace\n * @param {Node} el\n * @param {String} axis\n * @returns {Boolean}\n */\n function hasScrollableSpace(el, axis) {\n if (axis === 'Y') {\n return el.clientHeight + ROUNDING_TOLERANCE < el.scrollHeight;\n }\n\n if (axis === 'X') {\n return el.clientWidth + ROUNDING_TOLERANCE < el.scrollWidth;\n }\n }\n\n /**\n * indicates if an element has a scrollable overflow property in the axis\n * @method canOverflow\n * @param {Node} el\n * @param {String} axis\n * @returns {Boolean}\n */\n function canOverflow(el, axis) {\n var overflowValue = w.getComputedStyle(el, null)['overflow' + axis];\n\n return overflowValue === 'auto' || overflowValue === 'scroll';\n }\n\n /**\n * indicates if an element can be scrolled in either axis\n * @method isScrollable\n * @param {Node} el\n * @param {String} axis\n * @returns {Boolean}\n */\n function isScrollable(el) {\n var isScrollableY = hasScrollableSpace(el, 'Y') && canOverflow(el, 'Y');\n var isScrollableX = hasScrollableSpace(el, 'X') && canOverflow(el, 'X');\n\n return isScrollableY || isScrollableX;\n }\n\n /**\n * finds scrollable parent of an element\n * @method findScrollableParent\n * @param {Node} el\n * @returns {Node} el\n */\n function findScrollableParent(el) {\n while (el !== d.body && isScrollable(el) === false) {\n el = el.parentNode || el.host;\n }\n\n return el;\n }\n\n /**\n * self invoked function that, given a context, steps through scrolling\n * @method step\n * @param {Object} context\n * @returns {undefined}\n */\n function step(context) {\n var time = now();\n var value;\n var currentX;\n var currentY;\n var elapsed = (time - context.startTime) / SCROLL_TIME;\n\n // avoid elapsed times higher than one\n elapsed = elapsed > 1 ? 1 : elapsed;\n\n // apply easing to elapsed time\n value = ease(elapsed);\n\n currentX = context.startX + (context.x - context.startX) * value;\n currentY = context.startY + (context.y - context.startY) * value;\n\n context.method.call(context.scrollable, currentX, currentY);\n\n // scroll more if we have not reached our destination\n if (currentX !== context.x || currentY !== context.y) {\n w.requestAnimationFrame(step.bind(w, context));\n }\n }\n\n /**\n * scrolls window or element with a smooth behavior\n * @method smoothScroll\n * @param {Object|Node} el\n * @param {Number} x\n * @param {Number} y\n * @returns {undefined}\n */\n function smoothScroll(el, x, y) {\n var scrollable;\n var startX;\n var startY;\n var method;\n var startTime = now();\n\n // define scroll context\n if (el === d.body) {\n scrollable = w;\n startX = w.scrollX || w.pageXOffset;\n startY = w.scrollY || w.pageYOffset;\n method = original.scroll;\n } else {\n scrollable = el;\n startX = el.scrollLeft;\n startY = el.scrollTop;\n method = scrollElement;\n }\n\n // scroll looping over a frame\n step({\n scrollable: scrollable,\n method: method,\n startTime: startTime,\n startX: startX,\n startY: startY,\n x: x,\n y: y,\n });\n }\n\n // ORIGINAL METHODS OVERRIDES\n // w.scroll and w.scrollTo\n w.scroll = w.scrollTo = function () {\n // avoid action when no arguments are passed\n if (arguments[0] === undefined) {\n return;\n }\n\n // avoid smooth behavior if not required\n if (shouldBailOut(arguments[0]) === true) {\n original.scroll.call(\n w,\n arguments[0].left !== undefined\n ? arguments[0].left\n : typeof arguments[0] !== 'object'\n ? arguments[0]\n : w.scrollX || w.pageXOffset,\n // use top prop, second argument if present or fallback to scrollY\n arguments[0].top !== undefined\n ? arguments[0].top\n : arguments[1] !== undefined\n ? arguments[1]\n : w.scrollY || w.pageYOffset,\n );\n\n return;\n }\n\n // LET THE SMOOTHNESS BEGIN!\n smoothScroll.call(\n w,\n d.body,\n arguments[0].left !== undefined\n ? ~~arguments[0].left\n : w.scrollX || w.pageXOffset,\n arguments[0].top !== undefined\n ? ~~arguments[0].top\n : w.scrollY || w.pageYOffset,\n );\n };\n\n // w.scrollBy\n w.scrollBy = function () {\n // avoid action when no arguments are passed\n if (arguments[0] === undefined) {\n return;\n }\n\n // avoid smooth behavior if not required\n if (shouldBailOut(arguments[0])) {\n original.scrollBy.call(\n w,\n arguments[0].left !== undefined\n ? arguments[0].left\n : typeof arguments[0] !== 'object'\n ? arguments[0]\n : 0,\n arguments[0].top !== undefined\n ? arguments[0].top\n : arguments[1] !== undefined\n ? arguments[1]\n : 0,\n );\n\n return;\n }\n\n // LET THE SMOOTHNESS BEGIN!\n smoothScroll.call(\n w,\n d.body,\n ~~arguments[0].left + (w.scrollX || w.pageXOffset),\n ~~arguments[0].top + (w.scrollY || w.pageYOffset),\n );\n };\n\n // Element.prototype.scroll and Element.prototype.scrollTo\n Element.prototype.scroll = Element.prototype.scrollTo = function () {\n // avoid action when no arguments are passed\n if (arguments[0] === undefined) {\n return;\n }\n\n // avoid smooth behavior if not required\n if (shouldBailOut(arguments[0]) === true) {\n // if one number is passed, throw error to match Firefox implementation\n if (typeof arguments[0] === 'number' && arguments[1] === undefined) {\n throw new SyntaxError('Value could not be converted');\n }\n\n original.elementScroll.call(\n this,\n // use left prop, first number argument or fallback to scrollLeft\n arguments[0].left !== undefined\n ? ~~arguments[0].left\n : typeof arguments[0] !== 'object'\n ? ~~arguments[0]\n : this.scrollLeft,\n // use top prop, second argument or fallback to scrollTop\n arguments[0].top !== undefined\n ? ~~arguments[0].top\n : arguments[1] !== undefined\n ? ~~arguments[1]\n : this.scrollTop,\n );\n\n return;\n }\n\n var left = arguments[0].left;\n var top = arguments[0].top;\n\n // LET THE SMOOTHNESS BEGIN!\n smoothScroll.call(\n this,\n this,\n typeof left === 'undefined' ? this.scrollLeft : ~~left,\n typeof top === 'undefined' ? this.scrollTop : ~~top,\n );\n };\n\n // Element.prototype.scrollBy\n Element.prototype.scrollBy = function () {\n // avoid action when no arguments are passed\n if (arguments[0] === undefined) {\n return;\n }\n\n // avoid smooth behavior if not required\n if (shouldBailOut(arguments[0]) === true) {\n original.elementScroll.call(\n this,\n arguments[0].left !== undefined\n ? ~~arguments[0].left + this.scrollLeft\n : ~~arguments[0] + this.scrollLeft,\n arguments[0].top !== undefined\n ? ~~arguments[0].top + this.scrollTop\n : ~~arguments[1] + this.scrollTop,\n );\n\n return;\n }\n\n this.scroll({\n left: ~~arguments[0].left + this.scrollLeft,\n top: ~~arguments[0].top + this.scrollTop,\n behavior: arguments[0].behavior,\n });\n };\n\n // Element.prototype.scrollIntoView\n Element.prototype.scrollIntoView = function () {\n // avoid smooth behavior if not required\n if (shouldBailOut(arguments[0]) === true) {\n original.scrollIntoView.call(\n this,\n arguments[0] === undefined ? true : arguments[0],\n );\n\n return;\n }\n\n // LET THE SMOOTHNESS BEGIN!\n var scrollableParent = findScrollableParent(this);\n var parentRects = scrollableParent.getBoundingClientRect();\n var clientRects = this.getBoundingClientRect();\n\n if (scrollableParent !== d.body) {\n // reveal element inside parent\n smoothScroll.call(\n this,\n scrollableParent,\n scrollableParent.scrollLeft + clientRects.left - parentRects.left,\n scrollableParent.scrollTop + clientRects.top - parentRects.top,\n );\n\n // reveal parent in viewport unless is fixed\n if (w.getComputedStyle(scrollableParent).position !== 'fixed') {\n w.scrollBy({\n left: parentRects.left,\n top: parentRects.top,\n behavior: 'smooth',\n });\n }\n } else {\n // reveal element in viewport\n w.scrollBy({\n left: clientRects.left,\n top: clientRects.top,\n behavior: 'smooth',\n });\n }\n };\n}\n","import {\n actionWithDelay,\n eventWithTime,\n EventType,\n IncrementalSource,\n} from '../types';\n\nexport class Timer {\n public timeOffset: number = 0;\n public speed: number;\n\n private actions: actionWithDelay[];\n private raf: number | null = null;\n private liveMode: boolean;\n\n constructor(actions: actionWithDelay[] = [], speed: number) {\n this.actions = actions;\n this.speed = speed;\n }\n /**\n * Add an action after the timer starts.\n * @param action\n */\n public addAction(action: actionWithDelay) {\n const index = this.findActionIndex(action);\n this.actions.splice(index, 0, action);\n }\n /**\n * Add all actions before the timer starts\n * @param actions\n */\n public addActions(actions: actionWithDelay[]) {\n this.actions = this.actions.concat(actions);\n }\n\n public start() {\n this.timeOffset = 0;\n let lastTimestamp = performance.now();\n const { actions } = this;\n const self = this;\n function check() {\n const time = performance.now();\n self.timeOffset += (time - lastTimestamp) * self.speed;\n lastTimestamp = time;\n while (actions.length) {\n const action = actions[0];\n\n if (self.timeOffset >= action.delay) {\n actions.shift();\n action.doAction();\n } else {\n break;\n }\n }\n if (actions.length > 0 || self.liveMode) {\n self.raf = requestAnimationFrame(check);\n }\n }\n this.raf = requestAnimationFrame(check);\n }\n\n public clear() {\n if (this.raf) {\n cancelAnimationFrame(this.raf);\n this.raf = null;\n }\n this.actions.length = 0;\n }\n\n public setSpeed(speed: number) {\n this.speed = speed;\n }\n\n public toggleLiveMode(mode: boolean) {\n this.liveMode = mode;\n }\n\n public isActive() {\n return this.raf !== null;\n }\n\n private findActionIndex(action: actionWithDelay): number {\n let start = 0;\n let end = this.actions.length - 1;\n while (start <= end) {\n let mid = Math.floor((start + end) / 2);\n if (this.actions[mid].delay < action.delay) {\n start = mid + 1;\n } else if (this.actions[mid].delay > action.delay) {\n end = mid - 1;\n } else {\n // already an action with same delay (timestamp)\n // the plus one will splice the new one after the existing one\n return mid + 1;\n }\n }\n return start;\n }\n}\n\n// TODO: add speed to mouse move timestamp calculation\nexport function addDelay(event: eventWithTime, baselineTime: number): number {\n // Mouse move events was recorded in a throttle function,\n // so we need to find the real timestamp by traverse the time offsets.\n if (\n event.type === EventType.IncrementalSnapshot &&\n event.data.source === IncrementalSource.MouseMove\n ) {\n const firstOffset = event.data.positions[0].timeOffset;\n // timeOffset is a negative offset to event.timestamp\n const firstTimestamp = event.timestamp + firstOffset;\n event.delay = firstTimestamp - baselineTime;\n return firstTimestamp - baselineTime;\n }\n\n event.delay = event.timestamp - baselineTime;\n return event.delay;\n}\n","/*! *****************************************************************************\nCopyright (c) Microsoft Corporation.\n\nPermission to use, copy, modify, and/or distribute this software for any\npurpose with or without fee is hereby granted.\n\nTHE SOFTWARE IS PROVIDED \"AS IS\" AND THE AUTHOR DISCLAIMS ALL WARRANTIES WITH\nREGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF MERCHANTABILITY\nAND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR ANY SPECIAL, DIRECT,\nINDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES WHATSOEVER RESULTING FROM\nLOSS OF USE, DATA OR PROFITS, WHETHER IN AN ACTION OF CONTRACT, NEGLIGENCE OR\nOTHER TORTIOUS ACTION, ARISING OUT OF OR IN CONNECTION WITH THE USE OR\nPERFORMANCE OF THIS SOFTWARE.\n***************************************************************************** */\nfunction t(t,n){var e=\"function\"==typeof Symbol&&t[Symbol.iterator];if(!e)return t;var r,o,i=e.call(t),a=[];try{for(;(void 0===n||n-- >0)&&!(r=i.next()).done;)a.push(r.value)}catch(t){o={error:t}}finally{try{r&&!r.done&&(e=i.return)&&e.call(i)}finally{if(o)throw o.error}}return a}var n;!function(t){t[t.NotStarted=0]=\"NotStarted\",t[t.Running=1]=\"Running\",t[t.Stopped=2]=\"Stopped\"}(n||(n={}));var e={type:\"xstate.init\"};function r(t){return void 0===t?[]:[].concat(t)}function o(t){return{type:\"xstate.assign\",assignment:t}}function i(t,n){return\"string\"==typeof(t=\"string\"==typeof t&&n&&n[t]?n[t]:t)?{type:t}:\"function\"==typeof t?{type:t.name,exec:t}:t}function a(t){return function(n){return t===n}}function u(t){return\"string\"==typeof t?{type:t}:t}function c(t,n){return{value:t,context:n,actions:[],changed:!1,matches:a(t)}}function f(t,n,e){var r=n,o=!1;return[t.filter((function(t){if(\"xstate.assign\"===t.type){o=!0;var n=Object.assign({},r);return\"function\"==typeof t.assignment?n=t.assignment(r,e):Object.keys(t.assignment).forEach((function(o){n[o]=\"function\"==typeof t.assignment[o]?t.assignment[o](r,e):t.assignment[o]})),r=n,!1}return!0})),r,o]}function s(n,o){void 0===o&&(o={});var s=t(f(r(n.states[n.initial].entry).map((function(t){return i(t,o.actions)})),n.context,e),2),l=s[0],v=s[1],y={config:n,_options:o,initialState:{value:n.initial,actions:l,context:v,matches:a(n.initial)},transition:function(e,o){var s,l,v=\"string\"==typeof e?{value:e,context:n.context}:e,p=v.value,g=v.context,d=u(o),x=n.states[p];if(x.on){var m=r(x.on[d.type]);try{for(var h=function(t){var n=\"function\"==typeof Symbol&&Symbol.iterator,e=n&&t[n],r=0;if(e)return e.call(t);if(t&&\"number\"==typeof t.length)return{next:function(){return t&&r>=t.length&&(t=void 0),{value:t&&t[r++],done:!t}}};throw new TypeError(n?\"Object is not iterable.\":\"Symbol.iterator is not defined.\")}(m),b=h.next();!b.done;b=h.next()){var S=b.value;if(void 0===S)return c(p,g);var w=\"string\"==typeof S?{target:S}:S,j=w.target,E=w.actions,R=void 0===E?[]:E,N=w.cond,O=void 0===N?function(){return!0}:N,_=void 0===j,k=null!=j?j:p,T=n.states[k];if(O(g,d)){var q=t(f((_?r(R):[].concat(x.exit,R,T.entry).filter((function(t){return t}))).map((function(t){return i(t,y._options.actions)})),g,d),3),z=q[0],A=q[1],B=q[2],C=null!=j?j:p;return{value:C,context:A,actions:z,changed:j!==p||z.length>0||B,matches:a(C)}}}}catch(t){s={error:t}}finally{try{b&&!b.done&&(l=h.return)&&l.call(h)}finally{if(s)throw s.error}}}return c(p,g)}};return y}var l=function(t,n){return t.actions.forEach((function(e){var r=e.exec;return r&&r(t.context,n)}))};function v(t){var r=t.initialState,o=n.NotStarted,i=new Set,c={_machine:t,send:function(e){o===n.Running&&(r=t.transition(r,e),l(r,u(e)),i.forEach((function(t){return t(r)})))},subscribe:function(t){return i.add(t),t(r),{unsubscribe:function(){return i.delete(t)}}},start:function(i){if(i){var u=\"object\"==typeof i?i:{context:t.config.context,value:i};r={value:u.value,actions:[],context:u.context,matches:a(u.value)}}return o=n.Running,l(r,e),c},stop:function(){return o=n.Stopped,i.clear(),c},get state(){return r},get status(){return o}};return c}export{n as InterpreterStatus,o as assign,s as createMachine,v as interpret};\n","import { createMachine, interpret, assign, StateMachine } from '@xstate/fsm';\nimport {\n playerConfig,\n eventWithTime,\n actionWithDelay,\n ReplayerEvents,\n EventType,\n Emitter,\n IncrementalSource,\n} from '../types';\nimport { Timer, addDelay } from './timer';\n\nexport type PlayerContext = {\n events: eventWithTime[];\n timer: Timer;\n timeOffset: number;\n baselineTime: number;\n lastPlayedEvent: eventWithTime | null;\n};\nexport type PlayerEvent =\n | {\n type: 'PLAY';\n payload: {\n timeOffset: number;\n };\n }\n | {\n type: 'CAST_EVENT';\n payload: {\n event: eventWithTime;\n };\n }\n | { type: 'PAUSE' }\n | { type: 'TO_LIVE'; payload: { baselineTime?: number } }\n | {\n type: 'ADD_EVENT';\n payload: {\n event: eventWithTime;\n };\n }\n | {\n type: 'END';\n };\nexport type PlayerState =\n | {\n value: 'playing';\n context: PlayerContext;\n }\n | {\n value: 'paused';\n context: PlayerContext;\n }\n | {\n value: 'live';\n context: PlayerContext;\n };\n\n/**\n * If the array have multiple meta and fullsnapshot events,\n * return the events from last meta to the end.\n */\nexport function discardPriorSnapshots(\n events: eventWithTime[],\n baselineTime: number,\n): eventWithTime[] {\n for (let idx = events.length - 1; idx >= 0; idx--) {\n const event = events[idx];\n if (event.type === EventType.Meta) {\n if (event.timestamp <= baselineTime) {\n return events.slice(idx);\n }\n }\n }\n return events;\n}\n\ntype PlayerAssets = {\n emitter: Emitter;\n applyEventsSynchronously(events: Array): void;\n getCastFn(event: eventWithTime, isSync: boolean): () => void;\n};\nexport function createPlayerService(\n context: PlayerContext,\n { getCastFn, applyEventsSynchronously, emitter }: PlayerAssets,\n) {\n const playerMachine = createMachine(\n {\n id: 'player',\n context,\n initial: 'paused',\n states: {\n playing: {\n on: {\n PAUSE: {\n target: 'paused',\n actions: ['pause'],\n },\n CAST_EVENT: {\n target: 'playing',\n actions: 'castEvent',\n },\n END: {\n target: 'paused',\n actions: ['resetLastPlayedEvent', 'pause'],\n },\n ADD_EVENT: {\n target: 'playing',\n actions: ['addEvent'],\n },\n },\n },\n paused: {\n on: {\n PLAY: {\n target: 'playing',\n actions: ['recordTimeOffset', 'play'],\n },\n CAST_EVENT: {\n target: 'paused',\n actions: 'castEvent',\n },\n TO_LIVE: {\n target: 'live',\n actions: ['startLive'],\n },\n ADD_EVENT: {\n target: 'paused',\n actions: ['addEvent'],\n },\n },\n },\n live: {\n on: {\n ADD_EVENT: {\n target: 'live',\n actions: ['addEvent'],\n },\n CAST_EVENT: {\n target: 'live',\n actions: ['castEvent'],\n },\n },\n },\n },\n },\n {\n actions: {\n castEvent: assign({\n lastPlayedEvent: (ctx, event) => {\n if (event.type === 'CAST_EVENT') {\n return event.payload.event;\n }\n return ctx.lastPlayedEvent;\n },\n }),\n recordTimeOffset: assign((ctx, event) => {\n let timeOffset = ctx.timeOffset;\n if ('payload' in event && 'timeOffset' in event.payload) {\n timeOffset = event.payload.timeOffset;\n }\n return {\n ...ctx,\n timeOffset,\n baselineTime: ctx.events[0].timestamp + timeOffset,\n };\n }),\n play(ctx) {\n const { timer, events, baselineTime, lastPlayedEvent } = ctx;\n timer.clear();\n\n for (const event of events) {\n // TODO: improve this API\n addDelay(event, baselineTime);\n }\n const neededEvents = discardPriorSnapshots(events, baselineTime);\n\n let lastPlayedTimestamp = lastPlayedEvent?.timestamp;\n if (\n lastPlayedEvent?.type === EventType.IncrementalSnapshot &&\n lastPlayedEvent.data.source === IncrementalSource.MouseMove\n ) {\n lastPlayedTimestamp =\n lastPlayedEvent.timestamp +\n lastPlayedEvent.data.positions[0]?.timeOffset;\n }\n if (baselineTime < (lastPlayedTimestamp || 0)) {\n emitter.emit(ReplayerEvents.PlayBack);\n }\n\n const syncEvents = new Array();\n const actions = new Array();\n for (const event of neededEvents) {\n if (\n lastPlayedTimestamp &&\n lastPlayedTimestamp < baselineTime &&\n (event.timestamp <= lastPlayedTimestamp ||\n event === lastPlayedEvent)\n ) {\n continue;\n }\n if (event.timestamp < baselineTime) {\n syncEvents.push(event);\n } else {\n const castFn = getCastFn(event, false);\n actions.push({\n doAction: () => {\n castFn();\n },\n delay: event.delay!,\n });\n }\n }\n applyEventsSynchronously(syncEvents);\n emitter.emit(ReplayerEvents.Flush);\n timer.addActions(actions);\n timer.start();\n },\n pause(ctx) {\n ctx.timer.clear();\n },\n resetLastPlayedEvent: assign((ctx) => {\n return {\n ...ctx,\n lastPlayedEvent: null,\n };\n }),\n startLive: assign({\n baselineTime: (ctx, event) => {\n ctx.timer.toggleLiveMode(true);\n ctx.timer.start();\n if (event.type === 'TO_LIVE' && event.payload.baselineTime) {\n return event.payload.baselineTime;\n }\n return Date.now();\n },\n }),\n addEvent: assign((ctx, machineEvent) => {\n const { baselineTime, timer, events } = ctx;\n if (machineEvent.type === 'ADD_EVENT') {\n const { event } = machineEvent.payload;\n addDelay(event, baselineTime);\n\n let end = events.length - 1;\n if (!events[end] || events[end].timestamp <= event.timestamp) {\n // fast track\n events.push(event);\n } else {\n let insertionIndex = -1;\n let start = 0;\n while (start <= end) {\n let mid = Math.floor((start + end) / 2);\n if (events[mid].timestamp <= event.timestamp) {\n start = mid + 1;\n } else {\n end = mid - 1;\n }\n }\n if (insertionIndex === -1) {\n insertionIndex = start;\n }\n events.splice(insertionIndex, 0, event);\n }\n\n const isSync = event.timestamp < baselineTime;\n const castFn = getCastFn(event, isSync);\n if (isSync) {\n castFn();\n } else if (timer.isActive()) {\n timer.addAction({\n doAction: () => {\n castFn();\n },\n delay: event.delay!,\n });\n }\n }\n return { ...ctx, events };\n }),\n },\n },\n );\n return interpret(playerMachine);\n}\n\nexport type SpeedContext = {\n normalSpeed: playerConfig['speed'];\n timer: Timer;\n};\n\nexport type SpeedEvent =\n | {\n type: 'FAST_FORWARD';\n payload: { speed: playerConfig['speed'] };\n }\n | {\n type: 'BACK_TO_NORMAL';\n }\n | {\n type: 'SET_SPEED';\n payload: { speed: playerConfig['speed'] };\n };\n\nexport type SpeedState =\n | {\n value: 'normal';\n context: SpeedContext;\n }\n | {\n value: 'skipping';\n context: SpeedContext;\n };\n\nexport function createSpeedService(context: SpeedContext) {\n const speedMachine = createMachine(\n {\n id: 'speed',\n context,\n initial: 'normal',\n states: {\n normal: {\n on: {\n FAST_FORWARD: {\n target: 'skipping',\n actions: ['recordSpeed', 'setSpeed'],\n },\n SET_SPEED: {\n target: 'normal',\n actions: ['setSpeed'],\n },\n },\n },\n skipping: {\n on: {\n BACK_TO_NORMAL: {\n target: 'normal',\n actions: ['restoreSpeed'],\n },\n SET_SPEED: {\n target: 'normal',\n actions: ['setSpeed'],\n },\n },\n },\n },\n },\n {\n actions: {\n setSpeed: (ctx, event) => {\n if ('payload' in event) {\n ctx.timer.setSpeed(event.payload.speed);\n }\n },\n recordSpeed: assign({\n normalSpeed: (ctx) => ctx.timer.speed,\n }),\n restoreSpeed: (ctx) => {\n ctx.timer.setSpeed(ctx.normalSpeed);\n },\n },\n },\n );\n\n return interpret(speedMachine);\n}\n\nexport type PlayerMachineState = StateMachine.State<\n PlayerContext,\n PlayerEvent,\n PlayerState\n>;\n\nexport type SpeedMachineState = StateMachine.State<\n SpeedContext,\n SpeedEvent,\n SpeedState\n>;\n","const rules: (blockClass: string) => string[] = (blockClass: string) => [\n `.${blockClass} { background: currentColor }`,\n 'noscript { display: none !important; }',\n];\n\nexport default rules;\n","import { INode } from 'rrweb-snapshot';\n\nexport enum StyleRuleType {\n Insert,\n Remove,\n Snapshot,\n SetProperty,\n RemoveProperty,\n}\n\ntype InsertRule = {\n cssText: string;\n type: StyleRuleType.Insert;\n index?: number | number[];\n};\ntype RemoveRule = {\n type: StyleRuleType.Remove;\n index: number | number[];\n};\ntype SnapshotRule = {\n type: StyleRuleType.Snapshot;\n cssTexts: string[];\n};\ntype SetPropertyRule = {\n type: StyleRuleType.SetProperty;\n index: number[];\n property: string;\n value: string | null;\n priority: string | undefined;\n};\ntype RemovePropertyRule = {\n type: StyleRuleType.RemoveProperty;\n index: number[];\n property: string;\n};\n\nexport type VirtualStyleRules = Array<\n InsertRule | RemoveRule | SnapshotRule | SetPropertyRule | RemovePropertyRule\n>;\nexport type VirtualStyleRulesMap = Map;\n\nexport function getNestedRule(\n rules: CSSRuleList,\n position: number[],\n): CSSGroupingRule {\n const rule = rules[position[0]] as CSSGroupingRule;\n if (position.length === 1) {\n return rule;\n } else {\n return getNestedRule(\n ((rule as CSSGroupingRule).cssRules[position[1]] as CSSGroupingRule)\n .cssRules,\n position.slice(2),\n );\n }\n}\n\nexport function getPositionsAndIndex(nestedIndex: number[]) {\n const positions = [...nestedIndex];\n const index = positions.pop();\n return { positions, index };\n}\n\nexport function applyVirtualStyleRulesToNode(\n storedRules: VirtualStyleRules,\n styleNode: HTMLStyleElement,\n) {\n const { sheet } = styleNode;\n if (!sheet) {\n // styleNode without sheet means the DOM has been removed\n // so the rules no longer need to be applied\n return;\n }\n\n storedRules.forEach((rule) => {\n if (rule.type === StyleRuleType.Insert) {\n try {\n if (Array.isArray(rule.index)) {\n const { positions, index } = getPositionsAndIndex(rule.index);\n const nestedRule = getNestedRule(sheet.cssRules, positions);\n nestedRule.insertRule(rule.cssText, index);\n } else {\n sheet.insertRule(rule.cssText, rule.index);\n }\n } catch (e) {\n /**\n * sometimes we may capture rules with browser prefix\n * insert rule with prefixs in other browsers may cause Error\n */\n }\n } else if (rule.type === StyleRuleType.Remove) {\n try {\n if (Array.isArray(rule.index)) {\n const { positions, index } = getPositionsAndIndex(rule.index);\n const nestedRule = getNestedRule(sheet.cssRules, positions);\n nestedRule.deleteRule(index || 0);\n } else {\n sheet.deleteRule(rule.index);\n }\n } catch (e) {\n /**\n * accessing styleSheet rules may cause SecurityError\n * for specific access control settings\n */\n }\n } else if (rule.type === StyleRuleType.Snapshot) {\n restoreSnapshotOfStyleRulesToNode(rule.cssTexts, styleNode);\n } else if (rule.type === StyleRuleType.SetProperty) {\n const nativeRule = (getNestedRule(\n sheet.cssRules,\n rule.index,\n ) as unknown) as CSSStyleRule;\n nativeRule.style.setProperty(rule.property, rule.value, rule.priority);\n } else if (rule.type === StyleRuleType.RemoveProperty) {\n const nativeRule = (getNestedRule(\n sheet.cssRules,\n rule.index,\n ) as unknown) as CSSStyleRule;\n nativeRule.style.removeProperty(rule.property);\n }\n });\n}\n\nfunction restoreSnapshotOfStyleRulesToNode(\n cssTexts: string[],\n styleNode: HTMLStyleElement,\n) {\n try {\n const existingRules = Array.from(styleNode.sheet?.cssRules || []).map(\n (rule) => rule.cssText,\n );\n const existingRulesReversed = Object.entries(existingRules).reverse();\n let lastMatch = existingRules.length;\n existingRulesReversed.forEach(([index, rule]) => {\n const indexOf = cssTexts.indexOf(rule);\n if (indexOf === -1 || indexOf > lastMatch) {\n try {\n styleNode.sheet?.deleteRule(Number(index));\n } catch (e) {\n /**\n * accessing styleSheet rules may cause SecurityError\n * for specific access control settings\n */\n }\n }\n lastMatch = indexOf;\n });\n cssTexts.forEach((cssText, index) => {\n try {\n if (styleNode.sheet?.cssRules[index]?.cssText !== cssText) {\n styleNode.sheet?.insertRule(cssText, index);\n }\n } catch (e) {\n /**\n * sometimes we may capture rules with browser prefix\n * insert rule with prefixs in other browsers may cause Error\n */\n }\n });\n } catch (e) {\n /**\n * accessing styleSheet rules may cause SecurityError\n * for specific access control settings\n */\n }\n}\n\nexport function storeCSSRules(\n parentElement: HTMLStyleElement,\n virtualStyleRulesMap: VirtualStyleRulesMap,\n) {\n try {\n const cssTexts = Array.from(\n (parentElement as HTMLStyleElement).sheet?.cssRules || [],\n ).map((rule) => rule.cssText);\n virtualStyleRulesMap.set((parentElement as unknown) as INode, [\n {\n type: StyleRuleType.Snapshot,\n cssTexts,\n },\n ]);\n } catch (e) {\n /**\n * accessing styleSheet rules may cause SecurityError\n * for specific access control settings\n */\n }\n}\n","import { decode } from 'base64-arraybuffer';\nimport { Replayer } from '../';\nimport {\n CanvasContext,\n canvasMutationCommand,\n SerializedWebGlArg,\n} from '../../types';\n\n// TODO: add ability to wipe this list\ntype GLVarMap = Map;\nconst webGLVarMap: Map<\n WebGLRenderingContext | WebGL2RenderingContext,\n GLVarMap\n> = new Map();\nexport function variableListFor(\n ctx: WebGLRenderingContext | WebGL2RenderingContext,\n ctor: string,\n) {\n let contextMap = webGLVarMap.get(ctx);\n if (!contextMap) {\n contextMap = new Map();\n webGLVarMap.set(ctx, contextMap);\n }\n if (!contextMap.has(ctor)) {\n contextMap.set(ctor, []);\n }\n return contextMap.get(ctor) as any[];\n}\n\nfunction getContext(\n target: HTMLCanvasElement,\n type: CanvasContext,\n): WebGLRenderingContext | WebGL2RenderingContext | null {\n // Note to whomever is going to implement support for `contextAttributes`:\n // if `preserveDrawingBuffer` is set to true,\n // you might have to do `ctx.flush()` before every webgl canvas event\n try {\n if (type === CanvasContext.WebGL) {\n return (\n target.getContext('webgl')! || target.getContext('experimental-webgl')\n );\n }\n return target.getContext('webgl2')!;\n } catch (e) {\n return null;\n }\n}\n\nconst WebGLVariableConstructorsNames = [\n 'WebGLActiveInfo',\n 'WebGLBuffer',\n 'WebGLFramebuffer',\n 'WebGLProgram',\n 'WebGLRenderbuffer',\n 'WebGLShader',\n 'WebGLShaderPrecisionFormat',\n 'WebGLTexture',\n 'WebGLUniformLocation',\n 'WebGLVertexArrayObject',\n];\n\nfunction saveToWebGLVarMap(\n ctx: WebGLRenderingContext | WebGL2RenderingContext,\n result: any,\n) {\n if (!result?.constructor) return; // probably null or undefined\n\n const { name } = result.constructor;\n if (!WebGLVariableConstructorsNames.includes(name)) return; // not a WebGL variable\n\n const variables = variableListFor(ctx, name);\n if (!variables.includes(result)) variables.push(result);\n}\n\nexport function deserializeArg(\n imageMap: Replayer['imageMap'],\n ctx: WebGLRenderingContext | WebGL2RenderingContext,\n): (arg: SerializedWebGlArg) => any {\n return (arg: SerializedWebGlArg): any => {\n if (arg && typeof arg === 'object' && 'rr_type' in arg) {\n if ('index' in arg) {\n const { rr_type: name, index } = arg;\n return variableListFor(ctx, name)[index];\n } else if ('args' in arg) {\n const { rr_type: name, args } = arg;\n const ctor = window[name as keyof Window];\n\n return new ctor(...args.map(deserializeArg(imageMap, ctx)));\n } else if ('base64' in arg) {\n return decode(arg.base64);\n } else if ('src' in arg) {\n const image = imageMap.get(arg.src);\n if (image) {\n return image;\n } else {\n const image = new Image();\n image.src = arg.src;\n imageMap.set(arg.src, image);\n return image;\n }\n }\n } else if (Array.isArray(arg)) {\n return arg.map(deserializeArg(imageMap, ctx));\n }\n return arg;\n };\n}\n\nexport default function webglMutation({\n mutation,\n target,\n type,\n imageMap,\n errorHandler,\n}: {\n mutation: canvasMutationCommand;\n target: HTMLCanvasElement;\n type: CanvasContext;\n imageMap: Replayer['imageMap'];\n errorHandler: Replayer['warnCanvasMutationFailed'];\n}): void {\n try {\n const ctx = getContext(target, type);\n if (!ctx) return;\n\n // NOTE: if `preserveDrawingBuffer` is set to true,\n // we must flush the buffers on every new canvas event\n // if (mutation.newFrame) ctx.flush();\n\n if (mutation.setter) {\n // skip some read-only type checks\n // tslint:disable-next-line:no-any\n (ctx as any)[mutation.property] = mutation.args[0];\n return;\n }\n const original = ctx[\n mutation.property as Exclude\n ] as Function;\n\n const args = mutation.args.map(deserializeArg(imageMap, ctx));\n const result = original.apply(ctx, args);\n saveToWebGLVarMap(ctx, result);\n\n // Slows down replay considerably, only use for debugging\n const debugMode = false;\n if (debugMode) {\n if (mutation.property === 'compileShader') {\n if (!ctx.getShaderParameter(args[0], ctx.COMPILE_STATUS))\n console.warn(\n 'something went wrong in replay',\n ctx.getShaderInfoLog(args[0]),\n );\n } else if (mutation.property === 'linkProgram') {\n ctx.validateProgram(args[0]);\n if (!ctx.getProgramParameter(args[0], ctx.LINK_STATUS))\n console.warn(\n 'something went wrong in replay',\n ctx.getProgramInfoLog(args[0]),\n );\n }\n const webglError = ctx.getError();\n if (webglError !== ctx.NO_ERROR) {\n console.warn(\n 'WEBGL ERROR',\n webglError,\n 'on command:',\n mutation.property,\n ...args,\n );\n }\n }\n } catch (error) {\n errorHandler(mutation, error);\n }\n}\n","import {\n rebuild,\n buildNodeWithSN,\n INode,\n NodeType,\n BuildCache,\n createCache,\n} from 'rrweb-snapshot';\nimport * as mittProxy from 'mitt';\nimport { polyfill as smoothscrollPolyfill } from './smoothscroll';\nimport { Timer } from './timer';\nimport { createPlayerService, createSpeedService } from './machine';\nimport {\n EventType,\n IncrementalSource,\n fullSnapshotEvent,\n eventWithTime,\n MouseInteractions,\n playerConfig,\n playerMetaData,\n viewportResizeDimension,\n missingNodeMap,\n addedNodeMutation,\n missingNode,\n incrementalSnapshotEvent,\n incrementalData,\n ReplayerEvents,\n Handler,\n Emitter,\n MediaInteractions,\n metaEvent,\n mutationData,\n scrollData,\n inputData,\n canvasMutationData,\n Mirror,\n ElementState,\n styleAttributeValue,\n styleValueWithPriority,\n mouseMovePos,\n IWindow,\n canvasMutationCommand,\n textMutation,\n} from '../types';\nimport {\n createMirror,\n polyfill,\n TreeIndex,\n queueToResolveTrees,\n iterateResolveTree,\n AppendedIframe,\n isIframeINode,\n getBaseDimension,\n hasShadowRoot,\n} from '../utils';\nimport getInjectStyleRules from './styles/inject-style';\nimport './styles/style.css';\nimport {\n applyVirtualStyleRulesToNode,\n storeCSSRules,\n StyleRuleType,\n VirtualStyleRules,\n VirtualStyleRulesMap,\n getNestedRule,\n getPositionsAndIndex,\n} from './virtual-styles';\nimport canvasMutation from './canvas';\n\nconst SKIP_TIME_THRESHOLD = 10 * 1000;\nconst SKIP_TIME_INTERVAL = 5 * 1000;\n\n// https://github.com/rollup/rollup/issues/1267#issuecomment-296395734\n// tslint:disable-next-line\nconst mitt = (mittProxy as any).default || mittProxy;\n\nconst REPLAY_CONSOLE_PREFIX = '[replayer]';\n\nconst defaultMouseTailConfig = {\n duration: 500,\n lineCap: 'round',\n lineWidth: 3,\n strokeStyle: 'red',\n} as const;\n\nfunction indicatesTouchDevice(e: eventWithTime) {\n return (\n e.type == EventType.IncrementalSnapshot &&\n (e.data.source == IncrementalSource.TouchMove ||\n (e.data.source == IncrementalSource.MouseInteraction &&\n e.data.type == MouseInteractions.TouchStart))\n );\n}\n\nexport class Replayer {\n public wrapper: HTMLDivElement;\n public iframe: HTMLIFrameElement;\n\n public service: ReturnType;\n public speedService: ReturnType;\n public get timer() {\n return this.service.state.context.timer;\n }\n\n public config: playerConfig;\n\n private mouse: HTMLDivElement;\n private mouseTail: HTMLCanvasElement | null = null;\n private tailPositions: Array<{ x: number; y: number }> = [];\n\n private emitter: Emitter = mitt();\n\n private nextUserInteractionEvent: eventWithTime | null;\n\n // tslint:disable-next-line: variable-name\n private legacy_missingNodeRetryMap: missingNodeMap = {};\n\n private treeIndex!: TreeIndex;\n private fragmentParentMap!: Map;\n private elementStateMap!: Map;\n // Hold the list of CSSRules for in-memory state restoration\n private virtualStyleRulesMap!: VirtualStyleRulesMap;\n\n // The replayer uses the cache to speed up replay and scrubbing.\n private cache: BuildCache = createCache();\n\n private imageMap: Map = new Map();\n\n private mirror: Mirror = createMirror();\n\n private firstFullSnapshot: eventWithTime | true | null = null;\n\n private newDocumentQueue: addedNodeMutation[] = [];\n\n private mousePos: mouseMovePos | null = null;\n private touchActive: boolean | null = null;\n\n constructor(\n events: Array,\n config?: Partial,\n ) {\n if (!config?.liveMode && events.length < 2) {\n throw new Error('Replayer need at least 2 events.');\n }\n const defaultConfig: playerConfig = {\n speed: 1,\n maxSpeed: 360,\n root: document.body,\n loadTimeout: 0,\n skipInactive: false,\n showWarning: true,\n showDebug: false,\n blockClass: 'rr-block',\n liveMode: false,\n insertStyleRules: [],\n triggerFocus: true,\n UNSAFE_replayCanvas: false,\n pauseAnimation: true,\n mouseTail: defaultMouseTailConfig,\n };\n this.config = Object.assign({}, defaultConfig, config);\n\n this.handleResize = this.handleResize.bind(this);\n this.getCastFn = this.getCastFn.bind(this);\n this.applyEventsSynchronously = this.applyEventsSynchronously.bind(this);\n this.emitter.on(ReplayerEvents.Resize, this.handleResize as Handler);\n\n this.setupDom();\n\n this.treeIndex = new TreeIndex();\n this.fragmentParentMap = new Map();\n this.elementStateMap = new Map();\n this.virtualStyleRulesMap = new Map();\n\n this.emitter.on(ReplayerEvents.Flush, () => {\n const { scrollMap, inputMap, mutationData } = this.treeIndex.flush();\n\n this.fragmentParentMap.forEach((parent, frag) =>\n this.restoreRealParent(frag, parent),\n );\n // apply text needs to happen before virtual style rules gets applied\n // as it can overwrite the contents of a stylesheet\n for (const d of mutationData.texts) {\n this.applyText(d, mutationData);\n }\n\n for (const node of this.virtualStyleRulesMap.keys()) {\n // restore css rules of style elements after they are mounted\n this.restoreNodeSheet(node);\n }\n this.fragmentParentMap.clear();\n this.elementStateMap.clear();\n this.virtualStyleRulesMap.clear();\n\n for (const d of scrollMap.values()) {\n this.applyScroll(d, true);\n }\n for (const d of inputMap.values()) {\n this.applyInput(d);\n }\n });\n this.emitter.on(ReplayerEvents.PlayBack, () => {\n this.firstFullSnapshot = null;\n this.mirror.reset();\n });\n\n const timer = new Timer([], config?.speed || defaultConfig.speed);\n this.service = createPlayerService(\n {\n events: events\n .map((e) => {\n if (config && config.unpackFn) {\n return config.unpackFn(e as string);\n }\n return e as eventWithTime;\n })\n .sort((a1, a2) => a1.timestamp - a2.timestamp),\n timer,\n timeOffset: 0,\n baselineTime: 0,\n lastPlayedEvent: null,\n },\n {\n getCastFn: this.getCastFn,\n applyEventsSynchronously: this.applyEventsSynchronously,\n emitter: this.emitter,\n },\n );\n this.service.start();\n this.service.subscribe((state) => {\n this.emitter.emit(ReplayerEvents.StateChange, {\n player: state,\n });\n });\n this.speedService = createSpeedService({\n normalSpeed: -1,\n timer,\n });\n this.speedService.start();\n this.speedService.subscribe((state) => {\n this.emitter.emit(ReplayerEvents.StateChange, {\n speed: state,\n });\n });\n\n // rebuild first full snapshot as the poster of the player\n // maybe we can cache it for performance optimization\n const firstMeta = this.service.state.context.events.find(\n (e) => e.type === EventType.Meta,\n );\n const firstFullsnapshot = this.service.state.context.events.find(\n (e) => e.type === EventType.FullSnapshot,\n );\n if (firstMeta) {\n const { width, height } = firstMeta.data as metaEvent['data'];\n setTimeout(() => {\n this.emitter.emit(ReplayerEvents.Resize, {\n width,\n height,\n });\n }, 0);\n }\n if (firstFullsnapshot) {\n setTimeout(() => {\n // when something has been played, there is no need to rebuild poster\n if (this.firstFullSnapshot) {\n // true if any other fullSnapshot has been executed by Timer already\n return;\n }\n this.firstFullSnapshot = firstFullsnapshot;\n this.rebuildFullSnapshot(\n firstFullsnapshot as fullSnapshotEvent & { timestamp: number },\n );\n this.iframe.contentWindow!.scrollTo(\n (firstFullsnapshot as fullSnapshotEvent).data.initialOffset,\n );\n }, 1);\n }\n if (this.service.state.context.events.find(indicatesTouchDevice)) {\n this.mouse.classList.add('touch-device');\n }\n }\n\n public on(event: string, handler: Handler) {\n this.emitter.on(event, handler);\n return this;\n }\n\n public off(event: string, handler: Handler) {\n this.emitter.off(event, handler);\n return this;\n }\n\n public setConfig(config: Partial) {\n Object.keys(config).forEach((key) => {\n // @ts-ignore\n this.config[key] = config[key];\n });\n if (!this.config.skipInactive) {\n this.backToNormal();\n }\n if (typeof config.speed !== 'undefined') {\n this.speedService.send({\n type: 'SET_SPEED',\n payload: {\n speed: config.speed!,\n },\n });\n }\n if (typeof config.mouseTail !== 'undefined') {\n if (config.mouseTail === false) {\n if (this.mouseTail) {\n this.mouseTail.style.display = 'none';\n }\n } else {\n if (!this.mouseTail) {\n this.mouseTail = document.createElement('canvas');\n this.mouseTail.width = Number.parseFloat(this.iframe.width);\n this.mouseTail.height = Number.parseFloat(this.iframe.height);\n this.mouseTail.classList.add('replayer-mouse-tail');\n this.wrapper.insertBefore(this.mouseTail, this.iframe);\n }\n this.mouseTail.style.display = 'inherit';\n }\n }\n }\n\n public getMetaData(): playerMetaData {\n const firstEvent = this.service.state.context.events[0];\n const lastEvent = this.service.state.context.events[\n this.service.state.context.events.length - 1\n ];\n return {\n startTime: firstEvent.timestamp,\n endTime: lastEvent.timestamp,\n totalTime: lastEvent.timestamp - firstEvent.timestamp,\n };\n }\n\n public getCurrentTime(): number {\n return this.timer.timeOffset + this.getTimeOffset();\n }\n\n public getTimeOffset(): number {\n const { baselineTime, events } = this.service.state.context;\n return baselineTime - events[0].timestamp;\n }\n\n public getMirror(): Mirror {\n return this.mirror;\n }\n\n /**\n * This API was designed to be used as play at any time offset.\n * Since we minimized the data collected from recorder, we do not\n * have the ability of undo an event.\n * So the implementation of play at any time offset will always iterate\n * all of the events, cast event before the offset synchronously\n * and cast event after the offset asynchronously with timer.\n * @param timeOffset number\n */\n public play(timeOffset = 0) {\n if (this.service.state.matches('paused')) {\n this.service.send({ type: 'PLAY', payload: { timeOffset } });\n } else {\n this.service.send({ type: 'PAUSE' });\n this.service.send({ type: 'PLAY', payload: { timeOffset } });\n }\n this.iframe.contentDocument\n ?.getElementsByTagName('html')[0]\n .classList.remove('rrweb-paused');\n this.emitter.emit(ReplayerEvents.Start);\n }\n\n public pause(timeOffset?: number) {\n if (timeOffset === undefined && this.service.state.matches('playing')) {\n this.service.send({ type: 'PAUSE' });\n }\n if (typeof timeOffset === 'number') {\n this.play(timeOffset);\n this.service.send({ type: 'PAUSE' });\n }\n this.iframe.contentDocument\n ?.getElementsByTagName('html')[0]\n .classList.add('rrweb-paused');\n this.emitter.emit(ReplayerEvents.Pause);\n }\n\n public resume(timeOffset = 0) {\n console.warn(\n `The 'resume' will be departed in 1.0. Please use 'play' method which has the same interface.`,\n );\n this.play(timeOffset);\n this.emitter.emit(ReplayerEvents.Resume);\n }\n\n public startLive(baselineTime?: number) {\n this.service.send({ type: 'TO_LIVE', payload: { baselineTime } });\n }\n\n public addEvent(rawEvent: eventWithTime | string) {\n const event = this.config.unpackFn\n ? this.config.unpackFn(rawEvent as string)\n : (rawEvent as eventWithTime);\n if (indicatesTouchDevice(event)) {\n this.mouse.classList.add('touch-device');\n }\n Promise.resolve().then(() =>\n this.service.send({ type: 'ADD_EVENT', payload: { event } }),\n );\n }\n\n public enableInteract() {\n this.iframe.setAttribute('scrolling', 'auto');\n this.iframe.style.pointerEvents = 'auto';\n }\n\n public disableInteract() {\n this.iframe.setAttribute('scrolling', 'no');\n this.iframe.style.pointerEvents = 'none';\n }\n\n /**\n * Empties the replayer's cache and reclaims memory.\n * The replayer will use this cache to speed up the playback.\n */\n public resetCache() {\n this.cache = createCache();\n }\n\n private setupDom() {\n this.wrapper = document.createElement('div');\n this.wrapper.classList.add('replayer-wrapper');\n this.config.root!.appendChild(this.wrapper);\n\n this.mouse = document.createElement('div');\n this.mouse.classList.add('replayer-mouse');\n this.wrapper.appendChild(this.mouse);\n\n if (this.config.mouseTail !== false) {\n this.mouseTail = document.createElement('canvas');\n this.mouseTail.classList.add('replayer-mouse-tail');\n this.mouseTail.style.display = 'inherit';\n this.wrapper.appendChild(this.mouseTail);\n }\n\n this.iframe = document.createElement('iframe');\n const attributes = ['allow-same-origin'];\n if (this.config.UNSAFE_replayCanvas) {\n attributes.push('allow-scripts');\n }\n // hide iframe before first meta event\n this.iframe.style.display = 'none';\n this.iframe.setAttribute('sandbox', attributes.join(' '));\n this.disableInteract();\n this.wrapper.appendChild(this.iframe);\n if (this.iframe.contentWindow && this.iframe.contentDocument) {\n smoothscrollPolyfill(\n this.iframe.contentWindow,\n this.iframe.contentDocument,\n );\n\n polyfill(this.iframe.contentWindow as IWindow);\n }\n }\n\n private handleResize(dimension: viewportResizeDimension) {\n this.iframe.style.display = 'inherit';\n for (const el of [this.mouseTail, this.iframe]) {\n if (!el) {\n continue;\n }\n el.setAttribute('width', String(dimension.width));\n el.setAttribute('height', String(dimension.height));\n }\n }\n\n private applyEventsSynchronously(events: Array) {\n for (const event of events) {\n switch (event.type) {\n case EventType.DomContentLoaded:\n case EventType.Load:\n case EventType.Custom:\n continue;\n case EventType.FullSnapshot:\n case EventType.Meta:\n case EventType.Plugin:\n break;\n case EventType.IncrementalSnapshot:\n switch (event.data.source) {\n case IncrementalSource.MediaInteraction:\n continue;\n default:\n break;\n }\n break;\n default:\n break;\n }\n const castFn = this.getCastFn(event, true);\n castFn();\n }\n if (this.mousePos) {\n this.moveAndHover(\n this.mousePos.x,\n this.mousePos.y,\n this.mousePos.id,\n true,\n this.mousePos.debugData,\n );\n }\n this.mousePos = null;\n if (this.touchActive === true) {\n this.mouse.classList.add('touch-active');\n } else if (this.touchActive === false) {\n this.mouse.classList.remove('touch-active');\n }\n this.touchActive = null;\n }\n\n private getCastFn(event: eventWithTime, isSync = false) {\n let castFn: undefined | (() => void);\n switch (event.type) {\n case EventType.DomContentLoaded:\n case EventType.Load:\n break;\n case EventType.Custom:\n castFn = () => {\n /**\n * emit custom-event and pass the event object.\n *\n * This will add more value to the custom event and allows the client to react for custom-event.\n */\n this.emitter.emit(ReplayerEvents.CustomEvent, event);\n };\n break;\n case EventType.Meta:\n castFn = () =>\n this.emitter.emit(ReplayerEvents.Resize, {\n width: event.data.width,\n height: event.data.height,\n });\n break;\n case EventType.FullSnapshot:\n castFn = () => {\n if (this.firstFullSnapshot) {\n if (this.firstFullSnapshot === event) {\n // we've already built this exact FullSnapshot when the player was mounted, and haven't built any other FullSnapshot since\n this.firstFullSnapshot = true; // forget as we might need to re-execute this FullSnapshot later e.g. to rebuild after scrubbing\n return;\n }\n } else {\n // Timer (requestAnimationFrame) can be faster than setTimeout(..., 1)\n this.firstFullSnapshot = true;\n }\n this.rebuildFullSnapshot(event, isSync);\n this.iframe.contentWindow!.scrollTo(event.data.initialOffset);\n };\n break;\n case EventType.IncrementalSnapshot:\n castFn = () => {\n this.applyIncremental(event, isSync);\n if (isSync) {\n // do not check skip in sync\n return;\n }\n if (event === this.nextUserInteractionEvent) {\n this.nextUserInteractionEvent = null;\n this.backToNormal();\n }\n if (this.config.skipInactive && !this.nextUserInteractionEvent) {\n for (const _event of this.service.state.context.events) {\n if (_event.timestamp! <= event.timestamp!) {\n continue;\n }\n if (this.isUserInteraction(_event)) {\n if (\n _event.delay! - event.delay! >\n SKIP_TIME_THRESHOLD *\n this.speedService.state.context.timer.speed\n ) {\n this.nextUserInteractionEvent = _event;\n }\n break;\n }\n }\n if (this.nextUserInteractionEvent) {\n const skipTime =\n this.nextUserInteractionEvent.delay! - event.delay!;\n const payload = {\n speed: Math.min(\n Math.round(skipTime / SKIP_TIME_INTERVAL),\n this.config.maxSpeed,\n ),\n };\n this.speedService.send({ type: 'FAST_FORWARD', payload });\n this.emitter.emit(ReplayerEvents.SkipStart, payload);\n }\n }\n };\n break;\n default:\n }\n const wrappedCastFn = () => {\n if (castFn) {\n castFn();\n }\n\n for (const plugin of this.config.plugins || []) {\n plugin.handler(event, isSync, { replayer: this });\n }\n\n this.service.send({ type: 'CAST_EVENT', payload: { event } });\n\n // events are kept sorted by timestamp, check if this is the last event\n let last_index = this.service.state.context.events.length - 1;\n if (event === this.service.state.context.events[last_index]) {\n const finish = () => {\n if (last_index < this.service.state.context.events.length - 1) {\n // more events have been added since the setTimeout\n return;\n }\n this.backToNormal();\n this.service.send('END');\n this.emitter.emit(ReplayerEvents.Finish);\n };\n if (\n event.type === EventType.IncrementalSnapshot &&\n event.data.source === IncrementalSource.MouseMove &&\n event.data.positions.length\n ) {\n // defer finish event if the last event is a mouse move\n setTimeout(() => {\n finish();\n }, Math.max(0, -event.data.positions[0].timeOffset + 50)); // Add 50 to make sure the timer would check the last mousemove event. Otherwise, the timer may be stopped by the service before checking the last event.\n } else {\n finish();\n }\n }\n\n this.emitter.emit(ReplayerEvents.EventCast, event);\n };\n return wrappedCastFn;\n }\n\n private rebuildFullSnapshot(\n event: fullSnapshotEvent & { timestamp: number },\n isSync: boolean = false,\n ) {\n if (!this.iframe.contentDocument) {\n return console.warn('Looks like your replayer has been destroyed.');\n }\n if (Object.keys(this.legacy_missingNodeRetryMap).length) {\n console.warn(\n 'Found unresolved missing node map',\n this.legacy_missingNodeRetryMap,\n );\n }\n this.legacy_missingNodeRetryMap = {};\n const collected: AppendedIframe[] = [];\n this.mirror.map = rebuild(event.data.node, {\n doc: this.iframe.contentDocument,\n afterAppend: (builtNode) => {\n this.collectIframeAndAttachDocument(collected, builtNode);\n },\n cache: this.cache,\n })[1];\n for (const { mutationInQueue, builtNode } of collected) {\n this.attachDocumentToIframe(mutationInQueue, builtNode);\n this.newDocumentQueue = this.newDocumentQueue.filter(\n (m) => m !== mutationInQueue,\n );\n }\n const { documentElement, head } = this.iframe.contentDocument;\n this.insertStyleRules(documentElement, head);\n if (!this.service.state.matches('playing')) {\n this.iframe.contentDocument\n .getElementsByTagName('html')[0]\n .classList.add('rrweb-paused');\n }\n this.emitter.emit(ReplayerEvents.FullsnapshotRebuilded, event);\n if (!isSync) {\n this.waitForStylesheetLoad();\n }\n if (this.config.UNSAFE_replayCanvas) {\n this.preloadAllImages();\n }\n }\n\n private insertStyleRules(\n documentElement: HTMLElement,\n head: HTMLHeadElement,\n ) {\n const styleEl = document.createElement('style');\n documentElement!.insertBefore(styleEl, head);\n const injectStylesRules = getInjectStyleRules(\n this.config.blockClass,\n ).concat(this.config.insertStyleRules);\n if (this.config.pauseAnimation) {\n injectStylesRules.push(\n 'html.rrweb-paused *, html.rrweb-paused *:before, html.rrweb-paused *:after { animation-play-state: paused !important; }',\n );\n }\n for (let idx = 0; idx < injectStylesRules.length; idx++) {\n (styleEl.sheet! as CSSStyleSheet).insertRule(injectStylesRules[idx], idx);\n }\n }\n\n private attachDocumentToIframe(\n mutation: addedNodeMutation,\n iframeEl: HTMLIFrameElement,\n ) {\n const collected: AppendedIframe[] = [];\n // If iframeEl is detached from dom, iframeEl.contentDocument is null.\n if (!iframeEl.contentDocument) {\n let parent = iframeEl.parentNode;\n while (parent) {\n // The parent of iframeEl is virtual parent and we need to mount it on the dom.\n if (this.fragmentParentMap.has((parent as unknown) as INode)) {\n const frag = (parent as unknown) as INode;\n const realParent = this.fragmentParentMap.get(frag)!;\n this.restoreRealParent(frag, realParent);\n break;\n }\n parent = parent.parentNode;\n }\n }\n buildNodeWithSN(mutation.node, {\n doc: iframeEl.contentDocument!,\n map: this.mirror.map,\n hackCss: true,\n skipChild: false,\n afterAppend: (builtNode) => {\n this.collectIframeAndAttachDocument(collected, builtNode);\n if (\n builtNode.__sn.type === NodeType.Element &&\n builtNode.__sn.tagName.toUpperCase() === 'HTML'\n ) {\n const { documentElement, head } = iframeEl.contentDocument!;\n this.insertStyleRules(documentElement, head);\n }\n },\n cache: this.cache,\n });\n for (const { mutationInQueue, builtNode } of collected) {\n this.attachDocumentToIframe(mutationInQueue, builtNode);\n this.newDocumentQueue = this.newDocumentQueue.filter(\n (m) => m !== mutationInQueue,\n );\n }\n }\n\n private collectIframeAndAttachDocument(\n collected: AppendedIframe[],\n builtNode: INode,\n ) {\n if (isIframeINode(builtNode)) {\n const mutationInQueue = this.newDocumentQueue.find(\n (m) => m.parentId === builtNode.__sn.id,\n );\n if (mutationInQueue) {\n collected.push({ mutationInQueue, builtNode });\n }\n }\n }\n\n /**\n * pause when loading style sheet, resume when loaded all timeout exceed\n */\n private waitForStylesheetLoad() {\n const head = this.iframe.contentDocument?.head;\n if (head) {\n const unloadSheets: Set = new Set();\n let timer: ReturnType | -1;\n let beforeLoadState = this.service.state;\n const stateHandler = () => {\n beforeLoadState = this.service.state;\n };\n this.emitter.on(ReplayerEvents.Start, stateHandler);\n this.emitter.on(ReplayerEvents.Pause, stateHandler);\n const unsubscribe = () => {\n this.emitter.off(ReplayerEvents.Start, stateHandler);\n this.emitter.off(ReplayerEvents.Pause, stateHandler);\n };\n head\n .querySelectorAll('link[rel=\"stylesheet\"]')\n .forEach((css: HTMLLinkElement) => {\n if (!css.sheet) {\n unloadSheets.add(css);\n css.addEventListener('load', () => {\n unloadSheets.delete(css);\n // all loaded and timer not released yet\n if (unloadSheets.size === 0 && timer !== -1) {\n if (beforeLoadState.matches('playing')) {\n this.play(this.getCurrentTime());\n }\n this.emitter.emit(ReplayerEvents.LoadStylesheetEnd);\n if (timer) {\n clearTimeout(timer);\n }\n unsubscribe();\n }\n });\n }\n });\n\n if (unloadSheets.size > 0) {\n // find some unload sheets after iterate\n this.service.send({ type: 'PAUSE' });\n this.emitter.emit(ReplayerEvents.LoadStylesheetStart);\n timer = setTimeout(() => {\n if (beforeLoadState.matches('playing')) {\n this.play(this.getCurrentTime());\n }\n // mark timer was called\n timer = -1;\n unsubscribe();\n }, this.config.loadTimeout);\n }\n }\n }\n\n private hasImageArg(args: any[]): boolean {\n for (const arg of args) {\n if (!arg || typeof arg !== 'object') {\n // do nothing\n } else if ('rr_type' in arg && 'args' in arg) {\n if (this.hasImageArg(arg.args)) return true;\n } else if ('rr_type' in arg && arg.rr_type === 'HTMLImageElement') {\n return true; // has image!\n } else if (arg instanceof Array) {\n if (this.hasImageArg(arg)) return true;\n }\n }\n return false;\n }\n\n private getImageArgs(args: any[]): string[] {\n const images: string[] = [];\n for (const arg of args) {\n if (!arg || typeof arg !== 'object') {\n // do nothing\n } else if ('rr_type' in arg && 'args' in arg) {\n images.push(...this.getImageArgs(arg.args));\n } else if ('rr_type' in arg && arg.rr_type === 'HTMLImageElement') {\n images.push(arg.src);\n } else if (arg instanceof Array) {\n images.push(...this.getImageArgs(arg));\n }\n }\n return images;\n }\n\n /**\n * pause when there are some canvas drawImage args need to be loaded\n */\n private preloadAllImages() {\n let beforeLoadState = this.service.state;\n const stateHandler = () => {\n beforeLoadState = this.service.state;\n };\n this.emitter.on(ReplayerEvents.Start, stateHandler);\n this.emitter.on(ReplayerEvents.Pause, stateHandler);\n for (const event of this.service.state.context.events) {\n if (\n event.type === EventType.IncrementalSnapshot &&\n event.data.source === IncrementalSource.CanvasMutation\n )\n if ('commands' in event.data) {\n event.data.commands.forEach((c) => this.preloadImages(c, event));\n } else {\n this.preloadImages(event.data, event);\n }\n }\n }\n\n private preloadImages(data: canvasMutationCommand, event: eventWithTime) {\n if (\n data.property === 'drawImage' &&\n typeof data.args[0] === 'string' &&\n !this.imageMap.has(event)\n ) {\n const canvas = document.createElement('canvas');\n const ctx = canvas.getContext('2d');\n const imgd = ctx?.createImageData(canvas.width, canvas.height);\n let d = imgd?.data;\n d = JSON.parse(data.args[0]);\n ctx?.putImageData(imgd!, 0, 0);\n } else if (this.hasImageArg(data.args)) {\n this.getImageArgs(data.args).forEach((url) => {\n const image = new Image();\n image.src = url; // this preloads the image\n this.imageMap.set(url, image);\n });\n }\n }\n\n private applyIncremental(\n e: incrementalSnapshotEvent & { timestamp: number; delay?: number },\n isSync: boolean,\n ) {\n const { data: d } = e;\n switch (d.source) {\n case IncrementalSource.Mutation: {\n if (isSync) {\n d.adds.forEach((m) => this.treeIndex.add(m));\n d.texts.forEach((m) => {\n const target = this.mirror.getNode(m.id);\n const parent = (target?.parentNode as unknown) as INode | null;\n // remove any style rules that pending\n // for stylesheets where the contents get replaced\n if (parent && this.virtualStyleRulesMap.has(parent))\n this.virtualStyleRulesMap.delete(parent);\n\n this.treeIndex.text(m);\n });\n d.attributes.forEach((m) => this.treeIndex.attribute(m));\n d.removes.forEach((m) => this.treeIndex.remove(m, this.mirror));\n }\n try {\n this.applyMutation(d, isSync);\n } catch (error) {\n this.warn(`Exception in mutation ${error.message || error}`, d);\n }\n break;\n }\n case IncrementalSource.Drag:\n case IncrementalSource.TouchMove:\n case IncrementalSource.MouseMove:\n if (isSync) {\n const lastPosition = d.positions[d.positions.length - 1];\n this.mousePos = {\n x: lastPosition.x,\n y: lastPosition.y,\n id: lastPosition.id,\n debugData: d,\n };\n } else {\n d.positions.forEach((p) => {\n const action = {\n doAction: () => {\n this.moveAndHover(p.x, p.y, p.id, isSync, d);\n },\n delay:\n p.timeOffset +\n e.timestamp -\n this.service.state.context.baselineTime,\n };\n this.timer.addAction(action);\n });\n // add a dummy action to keep timer alive\n this.timer.addAction({\n doAction() {},\n delay: e.delay! - d.positions[0]?.timeOffset,\n });\n }\n break;\n case IncrementalSource.MouseInteraction: {\n /**\n * Same as the situation of missing input target.\n */\n if (d.id === -1) {\n break;\n }\n const event = new Event(MouseInteractions[d.type].toLowerCase());\n const target = this.mirror.getNode(d.id);\n if (!target) {\n return this.debugNodeNotFound(d, d.id);\n }\n this.emitter.emit(ReplayerEvents.MouseInteraction, {\n type: d.type,\n target,\n });\n const { triggerFocus } = this.config;\n switch (d.type) {\n case MouseInteractions.Blur:\n if ('blur' in ((target as Node) as HTMLElement)) {\n ((target as Node) as HTMLElement).blur();\n }\n break;\n case MouseInteractions.Focus:\n if (triggerFocus && ((target as Node) as HTMLElement).focus) {\n ((target as Node) as HTMLElement).focus({\n preventScroll: true,\n });\n }\n break;\n case MouseInteractions.Click:\n case MouseInteractions.TouchStart:\n case MouseInteractions.TouchEnd:\n if (isSync) {\n if (d.type === MouseInteractions.TouchStart) {\n this.touchActive = true;\n } else if (d.type === MouseInteractions.TouchEnd) {\n this.touchActive = false;\n }\n this.mousePos = {\n x: d.x,\n y: d.y,\n id: d.id,\n debugData: d,\n };\n } else {\n if (d.type === MouseInteractions.TouchStart) {\n // don't draw a trail as user has lifted finger and is placing at a new point\n this.tailPositions.length = 0;\n }\n this.moveAndHover(d.x, d.y, d.id, isSync, d);\n if (d.type === MouseInteractions.Click) {\n /*\n * don't want target.click() here as could trigger an iframe navigation\n * instead any effects of the click should already be covered by mutations\n */\n /*\n * removal and addition of .active class (along with void line to trigger repaint)\n * triggers the 'click' css animation in styles/style.css\n */\n this.mouse.classList.remove('active');\n // tslint:disable-next-line\n void this.mouse.offsetWidth;\n this.mouse.classList.add('active');\n } else if (d.type === MouseInteractions.TouchStart) {\n void this.mouse.offsetWidth; // needed for the position update of moveAndHover to apply without the .touch-active transition\n this.mouse.classList.add('touch-active');\n } else if (d.type === MouseInteractions.TouchEnd) {\n this.mouse.classList.remove('touch-active');\n }\n }\n break;\n case MouseInteractions.TouchCancel:\n if (isSync) {\n this.touchActive = false;\n } else {\n this.mouse.classList.remove('touch-active');\n }\n break;\n default:\n target.dispatchEvent(event);\n }\n break;\n }\n case IncrementalSource.Scroll: {\n /**\n * Same as the situation of missing input target.\n */\n if (d.id === -1) {\n break;\n }\n if (isSync) {\n this.treeIndex.scroll(d);\n break;\n }\n this.applyScroll(d, false);\n break;\n }\n case IncrementalSource.ViewportResize:\n this.emitter.emit(ReplayerEvents.Resize, {\n width: d.width,\n height: d.height,\n });\n break;\n case IncrementalSource.Input: {\n /**\n * Input event on an unserialized node usually means the event\n * was synchrony triggered programmatically after the node was\n * created. This means there was not an user observable interaction\n * and we do not need to replay it.\n */\n if (d.id === -1) {\n break;\n }\n if (isSync) {\n this.treeIndex.input(d);\n break;\n }\n this.applyInput(d);\n break;\n }\n case IncrementalSource.MediaInteraction: {\n const target = this.mirror.getNode(d.id);\n if (!target) {\n return this.debugNodeNotFound(d, d.id);\n }\n const mediaEl = (target as Node) as HTMLMediaElement;\n try {\n if (d.currentTime) {\n mediaEl.currentTime = d.currentTime;\n }\n if (d.volume) {\n mediaEl.volume = d.volume;\n }\n if (d.muted) {\n mediaEl.muted = d.muted;\n }\n if (d.type === MediaInteractions.Pause) {\n mediaEl.pause();\n }\n if (d.type === MediaInteractions.Play) {\n // remove listener for 'canplay' event because play() is async and returns a promise\n // i.e. media will evntualy start to play when data is loaded\n // 'canplay' event fires even when currentTime attribute changes which may lead to\n // unexpeted behavior\n mediaEl.play();\n }\n } catch (error) {\n if (this.config.showWarning) {\n console.warn(\n `Failed to replay media interactions: ${error.message || error}`,\n );\n }\n }\n break;\n }\n case IncrementalSource.StyleSheetRule: {\n const target = this.mirror.getNode(d.id);\n if (!target) {\n return this.debugNodeNotFound(d, d.id);\n }\n\n const styleEl = (target as Node) as HTMLStyleElement;\n const parent = (target.parentNode as unknown) as INode;\n const usingVirtualParent = this.fragmentParentMap.has(parent);\n\n /**\n * Always use existing DOM node, when it's there.\n * In in-memory replay, there is virtual node, but it's `sheet` is inaccessible.\n * Hence, we buffer all style changes in virtualStyleRulesMap.\n */\n const styleSheet = usingVirtualParent ? null : styleEl.sheet;\n let rules: VirtualStyleRules;\n\n if (!styleSheet) {\n /**\n * styleEl.sheet is only accessible if the styleEl is part of the\n * dom. This doesn't work on DocumentFragments so we have to add the\n * style mutations to the virtualStyleRulesMap.\n */\n\n if (this.virtualStyleRulesMap.has(target)) {\n rules = this.virtualStyleRulesMap.get(target) as VirtualStyleRules;\n } else {\n rules = [];\n this.virtualStyleRulesMap.set(target, rules);\n }\n }\n\n if (d.adds) {\n d.adds.forEach(({ rule, index: nestedIndex }) => {\n if (styleSheet) {\n try {\n if (Array.isArray(nestedIndex)) {\n const { positions, index } = getPositionsAndIndex(\n nestedIndex,\n );\n const nestedRule = getNestedRule(\n styleSheet.cssRules,\n positions,\n );\n nestedRule.insertRule(rule, index);\n } else {\n const index =\n nestedIndex === undefined\n ? undefined\n : Math.min(nestedIndex, styleSheet.cssRules.length);\n styleSheet.insertRule(rule, index);\n }\n } catch (e) {\n /**\n * sometimes we may capture rules with browser prefix\n * insert rule with prefixs in other browsers may cause Error\n */\n /**\n * accessing styleSheet rules may cause SecurityError\n * for specific access control settings\n */\n }\n } else {\n rules?.push({\n cssText: rule,\n index: nestedIndex,\n type: StyleRuleType.Insert,\n });\n }\n });\n }\n\n if (d.removes) {\n d.removes.forEach(({ index: nestedIndex }) => {\n if (usingVirtualParent) {\n rules?.push({ index: nestedIndex, type: StyleRuleType.Remove });\n } else {\n try {\n if (Array.isArray(nestedIndex)) {\n const { positions, index } = getPositionsAndIndex(\n nestedIndex,\n );\n const nestedRule = getNestedRule(\n styleSheet!.cssRules,\n positions,\n );\n nestedRule.deleteRule(index || 0);\n } else {\n styleSheet?.deleteRule(nestedIndex);\n }\n } catch (e) {\n /**\n * same as insertRule\n */\n }\n }\n });\n }\n break;\n }\n case IncrementalSource.StyleDeclaration: {\n // same with StyleSheetRule\n const target = this.mirror.getNode(d.id);\n if (!target) {\n return this.debugNodeNotFound(d, d.id);\n }\n\n const styleEl = (target as Node) as HTMLStyleElement;\n const parent = (target.parentNode as unknown) as INode;\n const usingVirtualParent = this.fragmentParentMap.has(parent);\n\n const styleSheet = usingVirtualParent ? null : styleEl.sheet;\n let rules: VirtualStyleRules = [];\n\n if (!styleSheet) {\n if (this.virtualStyleRulesMap.has(target)) {\n rules = this.virtualStyleRulesMap.get(target) as VirtualStyleRules;\n } else {\n rules = [];\n this.virtualStyleRulesMap.set(target, rules);\n }\n }\n\n if (d.set) {\n if (styleSheet) {\n const rule = (getNestedRule(\n styleSheet.rules,\n d.index,\n ) as unknown) as CSSStyleRule;\n rule.style.setProperty(d.set.property, d.set.value, d.set.priority);\n } else {\n rules.push({\n type: StyleRuleType.SetProperty,\n index: d.index,\n ...d.set,\n });\n }\n }\n\n if (d.remove) {\n if (styleSheet) {\n const rule = (getNestedRule(\n styleSheet.rules,\n d.index,\n ) as unknown) as CSSStyleRule;\n rule.style.removeProperty(d.remove.property);\n } else {\n rules.push({\n type: StyleRuleType.RemoveProperty,\n index: d.index,\n ...d.remove,\n });\n }\n }\n break;\n }\n case IncrementalSource.CanvasMutation: {\n if (!this.config.UNSAFE_replayCanvas) {\n return;\n }\n const target = this.mirror.getNode(d.id);\n if (!target) {\n return this.debugNodeNotFound(d, d.id);\n }\n\n canvasMutation({\n event: e,\n mutation: d,\n target: (target as unknown) as HTMLCanvasElement,\n imageMap: this.imageMap,\n errorHandler: this.warnCanvasMutationFailed.bind(this),\n });\n\n break;\n }\n case IncrementalSource.Font: {\n try {\n const fontFace = new FontFace(\n d.family,\n d.buffer ? new Uint8Array(JSON.parse(d.fontSource)) : d.fontSource,\n d.descriptors,\n );\n this.iframe.contentDocument?.fonts.add(fontFace);\n } catch (error) {\n if (this.config.showWarning) {\n console.warn(error);\n }\n }\n break;\n }\n default:\n }\n }\n\n private applyMutation(d: mutationData, useVirtualParent: boolean) {\n d.removes.forEach((mutation) => {\n let target = this.mirror.getNode(mutation.id);\n if (!target) {\n if (d.removes.find((r) => r.id === mutation.parentId)) {\n // no need to warn, parent was already removed\n return;\n }\n return this.warnNodeNotFound(d, mutation.id);\n }\n if (this.virtualStyleRulesMap.has(target)) {\n this.virtualStyleRulesMap.delete(target);\n }\n let parent: INode | null | ShadowRoot = this.mirror.getNode(\n mutation.parentId,\n );\n if (!parent) {\n return this.warnNodeNotFound(d, mutation.parentId);\n }\n if (mutation.isShadow && hasShadowRoot(parent)) {\n parent = parent.shadowRoot;\n }\n // target may be removed with its parents before\n this.mirror.removeNodeFromMap(target);\n if (parent) {\n let realTarget = null;\n const realParent =\n '__sn' in parent ? this.fragmentParentMap.get(parent) : undefined;\n if (realParent && realParent.contains(target)) {\n parent = realParent;\n } else if (this.fragmentParentMap.has(target)) {\n /**\n * the target itself is a fragment document and it's not in the dom\n * so we should remove the real target from its parent\n */\n realTarget = this.fragmentParentMap.get(target)!;\n this.fragmentParentMap.delete(target);\n target = realTarget;\n }\n try {\n parent.removeChild(target);\n } catch (error) {\n if (error instanceof DOMException) {\n this.warn(\n 'parent could not remove child in mutation',\n parent,\n realParent,\n target,\n realTarget,\n d,\n );\n } else {\n throw error;\n }\n }\n }\n });\n\n // tslint:disable-next-line: variable-name\n const legacy_missingNodeMap: missingNodeMap = {\n ...this.legacy_missingNodeRetryMap,\n };\n const queue: addedNodeMutation[] = [];\n\n // next not present at this moment\n const nextNotInDOM = (mutation: addedNodeMutation) => {\n let next: Node | null = null;\n if (mutation.nextId) {\n next = this.mirror.getNode(mutation.nextId) as Node;\n }\n // next not present at this moment\n if (\n mutation.nextId !== null &&\n mutation.nextId !== undefined &&\n mutation.nextId !== -1 &&\n !next\n ) {\n return true;\n }\n return false;\n };\n\n const appendNode = (mutation: addedNodeMutation) => {\n if (!this.iframe.contentDocument) {\n return console.warn('Looks like your replayer has been destroyed.');\n }\n let parent: INode | null | ShadowRoot = this.mirror.getNode(\n mutation.parentId,\n );\n if (!parent) {\n if (mutation.node.type === NodeType.Document) {\n // is newly added document, maybe the document node of an iframe\n return this.newDocumentQueue.push(mutation);\n }\n return queue.push(mutation);\n }\n\n let parentInDocument = null;\n if (this.iframe.contentDocument.contains) {\n parentInDocument = this.iframe.contentDocument.contains(parent);\n } else if (this.iframe.contentDocument.body.contains) {\n // fix for IE\n // refer 'Internet Explorer notes' at https://developer.mozilla.org/zh-CN/docs/Web/API/Document\n parentInDocument = this.iframe.contentDocument.body.contains(parent);\n }\n\n const hasIframeChild =\n ((parent as unknown) as HTMLElement).getElementsByTagName?.('iframe')\n .length > 0;\n /**\n * Why !isIframeINode(parent)? If parent element is an iframe, iframe document can't be appended to virtual parent.\n * Why !hasIframeChild? If we move iframe elements from dom to fragment document, we will lose the contentDocument of iframe. So we need to disable the virtual dom optimization if a parent node contains iframe elements.\n */\n if (\n useVirtualParent &&\n parentInDocument &&\n !isIframeINode(parent) &&\n !hasIframeChild\n ) {\n const virtualParent = (document.createDocumentFragment() as unknown) as INode;\n this.mirror.map[mutation.parentId] = virtualParent;\n this.fragmentParentMap.set(virtualParent, parent);\n\n // store the state, like scroll position, of child nodes before they are unmounted from dom\n this.storeState(parent);\n\n while (parent.firstChild) {\n virtualParent.appendChild(parent.firstChild);\n }\n parent = virtualParent;\n }\n\n if (mutation.node.isShadow) {\n // If the parent is attached a shadow dom after it's created, it won't have a shadow root.\n if (!hasShadowRoot(parent)) {\n ((parent as Node) as HTMLElement).attachShadow({ mode: 'open' });\n parent = ((parent as Node) as HTMLElement).shadowRoot!;\n } else parent = parent.shadowRoot;\n }\n\n let previous: Node | null = null;\n let next: Node | null = null;\n if (mutation.previousId) {\n previous = this.mirror.getNode(mutation.previousId) as Node;\n }\n if (mutation.nextId) {\n next = this.mirror.getNode(mutation.nextId) as Node;\n }\n if (nextNotInDOM(mutation)) {\n return queue.push(mutation);\n }\n\n if (mutation.node.rootId && !this.mirror.getNode(mutation.node.rootId)) {\n return;\n }\n\n const targetDoc = mutation.node.rootId\n ? this.mirror.getNode(mutation.node.rootId)\n : this.iframe.contentDocument;\n if (isIframeINode(parent)) {\n this.attachDocumentToIframe(mutation, parent);\n return;\n }\n const target = buildNodeWithSN(mutation.node, {\n doc: targetDoc as Document,\n map: this.mirror.map,\n skipChild: true,\n hackCss: true,\n cache: this.cache,\n }) as INode;\n\n // legacy data, we should not have -1 siblings any more\n if (mutation.previousId === -1 || mutation.nextId === -1) {\n legacy_missingNodeMap[mutation.node.id] = {\n node: target,\n mutation,\n };\n return;\n }\n\n if (\n '__sn' in parent &&\n parent.__sn.type === NodeType.Element &&\n parent.__sn.tagName === 'textarea' &&\n mutation.node.type === NodeType.Text\n ) {\n // https://github.com/rrweb-io/rrweb/issues/745\n // parent is textarea, will only keep one child node as the value\n for (const c of Array.from(parent.childNodes)) {\n if (c.nodeType === parent.TEXT_NODE) {\n parent.removeChild(c);\n }\n }\n }\n\n if (previous && previous.nextSibling && previous.nextSibling.parentNode) {\n parent.insertBefore(target, previous.nextSibling);\n } else if (next && next.parentNode) {\n // making sure the parent contains the reference nodes\n // before we insert target before next.\n parent.contains(next)\n ? parent.insertBefore(target, next)\n : parent.insertBefore(target, null);\n } else {\n /**\n * Sometimes the document changes and the MutationObserver is disconnected, so the removal of child elements can't be detected and recorded. After the change of document, we may get another mutation which adds a new html element, while the old html element still exists in the dom, and we need to remove the old html element first to avoid collision.\n */\n if (parent === targetDoc) {\n while (targetDoc.firstChild) {\n targetDoc.removeChild(targetDoc.firstChild);\n }\n }\n\n parent.appendChild(target);\n }\n\n if (isIframeINode(target)) {\n const mutationInQueue = this.newDocumentQueue.find(\n (m) => m.parentId === target.__sn.id,\n );\n if (mutationInQueue) {\n this.attachDocumentToIframe(mutationInQueue, target);\n this.newDocumentQueue = this.newDocumentQueue.filter(\n (m) => m !== mutationInQueue,\n );\n }\n }\n\n if (mutation.previousId || mutation.nextId) {\n this.legacy_resolveMissingNode(\n legacy_missingNodeMap,\n parent,\n target,\n mutation,\n );\n }\n };\n\n d.adds.forEach((mutation) => {\n appendNode(mutation);\n });\n\n let startTime = Date.now();\n while (queue.length) {\n // transform queue to resolve tree\n const resolveTrees = queueToResolveTrees(queue);\n queue.length = 0;\n if (Date.now() - startTime > 500) {\n this.warn(\n 'Timeout in the loop, please check the resolve tree data:',\n resolveTrees,\n );\n break;\n }\n for (const tree of resolveTrees) {\n let parent = this.mirror.getNode(tree.value.parentId);\n if (!parent) {\n this.debug(\n 'Drop resolve tree since there is no parent for the root node.',\n tree,\n );\n } else {\n iterateResolveTree(tree, (mutation) => {\n appendNode(mutation);\n });\n }\n }\n }\n\n if (Object.keys(legacy_missingNodeMap).length) {\n Object.assign(this.legacy_missingNodeRetryMap, legacy_missingNodeMap);\n }\n\n d.texts.forEach((mutation) => {\n let target = this.mirror.getNode(mutation.id);\n if (!target) {\n if (d.removes.find((r) => r.id === mutation.id)) {\n // no need to warn, element was already removed\n return;\n }\n return this.warnNodeNotFound(d, mutation.id);\n }\n /**\n * apply text content to real parent directly\n */\n if (this.fragmentParentMap.has(target)) {\n target = this.fragmentParentMap.get(target)!;\n }\n target.textContent = mutation.value;\n });\n d.attributes.forEach((mutation) => {\n let target = this.mirror.getNode(mutation.id);\n if (!target) {\n if (d.removes.find((r) => r.id === mutation.id)) {\n // no need to warn, element was already removed\n return;\n }\n return this.warnNodeNotFound(d, mutation.id);\n }\n if (this.fragmentParentMap.has(target)) {\n target = this.fragmentParentMap.get(target)!;\n }\n for (const attributeName in mutation.attributes) {\n if (typeof attributeName === 'string') {\n const value = mutation.attributes[attributeName];\n if (value === null) {\n ((target as Node) as Element).removeAttribute(attributeName);\n } else if (typeof value === 'string') {\n try {\n ((target as Node) as Element).setAttribute(attributeName, value);\n } catch (error) {\n if (this.config.showWarning) {\n console.warn(\n 'An error occurred may due to the checkout feature.',\n error,\n );\n }\n }\n } else if (attributeName === 'style') {\n let styleValues = value as styleAttributeValue;\n const targetEl = (target as Node) as HTMLElement;\n for (var s in styleValues) {\n if (styleValues[s] === false) {\n targetEl.style.removeProperty(s);\n } else if (styleValues[s] instanceof Array) {\n const svp = styleValues[s] as styleValueWithPriority;\n targetEl.style.setProperty(s, svp[0], svp[1]);\n } else {\n const svs = styleValues[s] as string;\n targetEl.style.setProperty(s, svs);\n }\n }\n }\n }\n }\n });\n }\n\n /**\n * Apply the scroll data on real elements.\n * If the replayer is in sync mode, smooth scroll behavior should be disabled.\n * @param d the scroll data\n * @param isSync whether the replayer is in sync mode(fast-forward)\n */\n private applyScroll(d: scrollData, isSync: boolean) {\n const target = this.mirror.getNode(d.id);\n if (!target) {\n return this.debugNodeNotFound(d, d.id);\n }\n if ((target as Node) === this.iframe.contentDocument) {\n this.iframe.contentWindow!.scrollTo({\n top: d.y,\n left: d.x,\n behavior: isSync ? 'auto' : 'smooth',\n });\n } else if (target.__sn.type === NodeType.Document) {\n // nest iframe content document\n ((target as unknown) as Document).defaultView!.scrollTo({\n top: d.y,\n left: d.x,\n behavior: isSync ? 'auto' : 'smooth',\n });\n } else {\n try {\n ((target as Node) as Element).scrollTop = d.y;\n ((target as Node) as Element).scrollLeft = d.x;\n } catch (error) {\n /**\n * Seldomly we may found scroll target was removed before\n * its last scroll event.\n */\n }\n }\n }\n\n private applyInput(d: inputData) {\n const target = this.mirror.getNode(d.id);\n if (!target) {\n return this.debugNodeNotFound(d, d.id);\n }\n try {\n ((target as Node) as HTMLInputElement).checked = d.isChecked;\n ((target as Node) as HTMLInputElement).value = d.text;\n } catch (error) {\n // for safe\n }\n }\n\n private applyText(d: textMutation, mutation: mutationData) {\n const target = this.mirror.getNode(d.id);\n if (!target) {\n return this.debugNodeNotFound(mutation, d.id);\n }\n try {\n ((target as Node) as HTMLElement).textContent = d.value;\n } catch (error) {\n // for safe\n }\n }\n\n private legacy_resolveMissingNode(\n map: missingNodeMap,\n parent: Node,\n target: Node,\n targetMutation: addedNodeMutation,\n ) {\n const { previousId, nextId } = targetMutation;\n const previousInMap = previousId && map[previousId];\n const nextInMap = nextId && map[nextId];\n if (previousInMap) {\n const { node, mutation } = previousInMap as missingNode;\n parent.insertBefore(node, target);\n delete map[mutation.node.id];\n delete this.legacy_missingNodeRetryMap[mutation.node.id];\n if (mutation.previousId || mutation.nextId) {\n this.legacy_resolveMissingNode(map, parent, node as Node, mutation);\n }\n }\n if (nextInMap) {\n const { node, mutation } = nextInMap as missingNode;\n parent.insertBefore(node, target.nextSibling);\n delete map[mutation.node.id];\n delete this.legacy_missingNodeRetryMap[mutation.node.id];\n if (mutation.previousId || mutation.nextId) {\n this.legacy_resolveMissingNode(map, parent, node as Node, mutation);\n }\n }\n }\n\n private moveAndHover(\n x: number,\n y: number,\n id: number,\n isSync: boolean,\n debugData: incrementalData,\n ) {\n const target = this.mirror.getNode(id);\n if (!target) {\n return this.debugNodeNotFound(debugData, id);\n }\n\n const base = getBaseDimension(target, this.iframe);\n const _x = x * base.absoluteScale + base.x;\n const _y = y * base.absoluteScale + base.y;\n\n this.mouse.style.left = `${_x}px`;\n this.mouse.style.top = `${_y}px`;\n if (!isSync) {\n this.drawMouseTail({ x: _x, y: _y });\n }\n this.hoverElements((target as Node) as Element);\n }\n\n private drawMouseTail(position: { x: number; y: number }) {\n if (!this.mouseTail) {\n return;\n }\n\n const { lineCap, lineWidth, strokeStyle, duration } =\n this.config.mouseTail === true\n ? defaultMouseTailConfig\n : Object.assign({}, defaultMouseTailConfig, this.config.mouseTail);\n\n const draw = () => {\n if (!this.mouseTail) {\n return;\n }\n const ctx = this.mouseTail.getContext('2d');\n if (!ctx || !this.tailPositions.length) {\n return;\n }\n ctx.clearRect(0, 0, this.mouseTail.width, this.mouseTail.height);\n ctx.beginPath();\n ctx.lineWidth = lineWidth;\n ctx.lineCap = lineCap;\n ctx.strokeStyle = strokeStyle;\n ctx.moveTo(this.tailPositions[0].x, this.tailPositions[0].y);\n this.tailPositions.forEach((p) => ctx.lineTo(p.x, p.y));\n ctx.stroke();\n };\n\n this.tailPositions.push(position);\n draw();\n setTimeout(() => {\n this.tailPositions = this.tailPositions.filter((p) => p !== position);\n draw();\n }, duration / this.speedService.state.context.timer.speed);\n }\n\n private hoverElements(el: Element) {\n this.iframe.contentDocument\n ?.querySelectorAll('.\\\\:hover')\n .forEach((hoveredEl) => {\n hoveredEl.classList.remove(':hover');\n });\n let currentEl: Element | null = el;\n while (currentEl) {\n if (currentEl.classList) {\n currentEl.classList.add(':hover');\n }\n currentEl = currentEl.parentElement;\n }\n }\n\n private isUserInteraction(event: eventWithTime): boolean {\n if (event.type !== EventType.IncrementalSnapshot) {\n return false;\n }\n return (\n event.data.source > IncrementalSource.Mutation &&\n event.data.source <= IncrementalSource.Input\n );\n }\n\n private backToNormal() {\n this.nextUserInteractionEvent = null;\n if (this.speedService.state.matches('normal')) {\n return;\n }\n this.speedService.send({ type: 'BACK_TO_NORMAL' });\n this.emitter.emit(ReplayerEvents.SkipEnd, {\n speed: this.speedService.state.context.normalSpeed,\n });\n }\n\n /**\n * Replace the virtual parent with the real parent.\n * @param frag fragment document, the virtual parent\n * @param parent real parent element\n */\n private restoreRealParent(frag: INode, parent: INode) {\n this.mirror.map[parent.__sn.id] = parent;\n /**\n * If we have already set value attribute on textarea,\n * then we could not apply text content as default value any more.\n */\n if (\n parent.__sn.type === NodeType.Element &&\n parent.__sn.tagName === 'textarea' &&\n frag.textContent\n ) {\n ((parent as unknown) as HTMLTextAreaElement).value = frag.textContent;\n }\n parent.appendChild(frag);\n // restore state of elements after they are mounted\n this.restoreState(parent);\n }\n\n /**\n * store state of elements before unmounted from dom recursively\n * the state should be restored in the handler of event ReplayerEvents.Flush\n * e.g. browser would lose scroll position after the process that we add children of parent node to Fragment Document as virtual dom\n */\n private storeState(parent: INode) {\n if (parent) {\n if (parent.nodeType === parent.ELEMENT_NODE) {\n const parentElement = (parent as unknown) as HTMLElement;\n if (parentElement.scrollLeft || parentElement.scrollTop) {\n // store scroll position state\n this.elementStateMap.set(parent, {\n scroll: [parentElement.scrollLeft, parentElement.scrollTop],\n });\n }\n if (parentElement.tagName === 'STYLE')\n storeCSSRules(\n parentElement as HTMLStyleElement,\n this.virtualStyleRulesMap,\n );\n const children = parentElement.children;\n for (const child of Array.from(children)) {\n this.storeState((child as unknown) as INode);\n }\n }\n }\n }\n\n /**\n * restore the state of elements recursively, which was stored before elements were unmounted from dom in virtual parent mode\n * this function corresponds to function storeState\n */\n private restoreState(parent: INode) {\n if (parent.nodeType === parent.ELEMENT_NODE) {\n const parentElement = (parent as unknown) as HTMLElement;\n if (this.elementStateMap.has(parent)) {\n const storedState = this.elementStateMap.get(parent)!;\n // restore scroll position\n if (storedState.scroll) {\n parentElement.scrollLeft = storedState.scroll[0];\n parentElement.scrollTop = storedState.scroll[1];\n }\n this.elementStateMap.delete(parent);\n }\n const children = parentElement.children;\n for (const child of Array.from(children)) {\n this.restoreState((child as unknown) as INode);\n }\n }\n }\n\n private restoreNodeSheet(node: INode) {\n const storedRules = this.virtualStyleRulesMap.get(node);\n if (node.nodeName !== 'STYLE') {\n return;\n }\n\n if (!storedRules) {\n return;\n }\n\n const styleNode = (node as unknown) as HTMLStyleElement;\n\n applyVirtualStyleRulesToNode(storedRules, styleNode);\n }\n\n private warnNodeNotFound(d: incrementalData, id: number) {\n if (this.treeIndex.idRemoved(id)) {\n this.warn(`Node with id '${id}' was previously removed. `, d);\n } else {\n this.warn(`Node with id '${id}' not found. `, d);\n }\n }\n\n private warnCanvasMutationFailed(\n d: canvasMutationData | canvasMutationCommand,\n error: unknown,\n ) {\n this.warn(`Has error on canvas update`, error, 'canvas mutation:', d);\n }\n\n private debugNodeNotFound(d: incrementalData, id: number) {\n /**\n * There maybe some valid scenes of node not being found.\n * Because DOM events are macrotask and MutationObserver callback\n * is microtask, so events fired on a removed DOM may emit\n * snapshots in the reverse order.\n */\n if (this.treeIndex.idRemoved(id)) {\n this.debug(\n REPLAY_CONSOLE_PREFIX,\n `Node with id '${id}' was previously removed. `,\n d,\n );\n } else {\n this.debug(REPLAY_CONSOLE_PREFIX, `Node with id '${id}' not found. `, d);\n }\n }\n\n private warn(...args: Parameters) {\n if (!this.config.showWarning) {\n return;\n }\n console.warn(REPLAY_CONSOLE_PREFIX, ...args);\n }\n\n private debug(...args: Parameters) {\n if (!this.config.showDebug) {\n return;\n }\n // tslint:disable-next-line: no-console\n console.log(REPLAY_CONSOLE_PREFIX, ...args);\n }\n}\n","import { Replayer } from '..';\nimport {\n CanvasContext,\n canvasMutationCommand,\n canvasMutationData,\n} from '../../types';\nimport webglMutation from './webgl';\nimport canvas2DMutation from './2d';\n\nexport default function canvasMutation({\n event,\n mutation,\n target,\n imageMap,\n errorHandler,\n}: {\n event: Parameters[0];\n mutation: canvasMutationData;\n target: HTMLCanvasElement;\n imageMap: Replayer['imageMap'];\n errorHandler: Replayer['warnCanvasMutationFailed'];\n}): void {\n try {\n const mutations: canvasMutationCommand[] =\n 'commands' in mutation ? mutation.commands : [mutation];\n\n if ([CanvasContext.WebGL, CanvasContext.WebGL2].includes(mutation.type)) {\n return mutations.forEach((command) => {\n webglMutation({\n mutation: command,\n type: mutation.type,\n target,\n imageMap,\n errorHandler,\n });\n });\n }\n // default is '2d' for backwards compatibility (rrweb below 1.1.x)\n return mutations.forEach((command) => {\n canvas2DMutation({\n event,\n mutation: command,\n target,\n imageMap,\n errorHandler,\n });\n });\n } catch (error) {\n errorHandler(mutation, error);\n }\n}\n","import { Replayer } from '../';\nimport { canvasMutationCommand } from '../../types';\n\nexport default function canvasMutation({\n event,\n mutation,\n target,\n imageMap,\n errorHandler,\n}: {\n event: Parameters[0];\n mutation: canvasMutationCommand;\n target: HTMLCanvasElement;\n imageMap: Replayer['imageMap'];\n errorHandler: Replayer['warnCanvasMutationFailed'];\n}): void {\n try {\n const ctx = ((target as unknown) as HTMLCanvasElement).getContext('2d')!;\n\n if (mutation.setter) {\n // skip some read-only type checks\n // tslint:disable-next-line:no-any\n (ctx as any)[mutation.property] = mutation.args[0];\n return;\n }\n const original = ctx[\n mutation.property as Exclude\n ] as Function;\n\n /**\n * We have serialized the image source into base64 string during recording,\n * which has been preloaded before replay.\n * So we can get call drawImage SYNCHRONOUSLY which avoid some fragile cast.\n */\n if (\n mutation.property === 'drawImage' &&\n typeof mutation.args[0] === 'string'\n ) {\n const image = imageMap.get(event);\n mutation.args[0] = image;\n original.apply(ctx, mutation.args);\n } else {\n original.apply(ctx, mutation.args);\n }\n } catch (error) {\n errorHandler(mutation, error);\n }\n}\n","import record from './record';\nimport { Replayer } from './replay';\nimport { _mirror } from './utils';\nimport * as utils from './utils';\n\nexport {\n EventType,\n IncrementalSource,\n MouseInteractions,\n ReplayerEvents,\n} from './types';\n\nconst { addCustomEvent } = record;\nconst { freezePage } = record;\n\nexport {\n record,\n addCustomEvent,\n freezePage,\n Replayer,\n _mirror as mirror,\n utils,\n};\n"],"names":["NodeType","__assign","Object","assign","t","s","i","n","arguments","length","p","prototype","hasOwnProperty","call","apply","this","__values","o","Symbol","iterator","m","next","value","done","TypeError","__read","r","e","ar","push","error","__spreadArray","to","from","pack","l","Array","slice","concat","isElement","nodeType","ELEMENT_NODE","isShadowRoot","_a","host","Boolean","shadowRoot","maskInputValue","input","maskInputSelector","unmaskInputSelector","maskInputOptions","tagName","type","maskInputFn","text","matches","toLowerCase","repeat","ORIGINAL_ATTRIBUTE_NAME","canvasService","canvasCtx","_id","tagNameRegex","RegExp","getCssRulesString","rules","cssRules","map","getCssRuleString","join","rule","cssStringified","cssText","isCSSImportRule","styleSheet","URL_IN_CSS_REF","RELATIVE_PATH","DATA_URI","absoluteToStylesheet","href","replace","origin","quote1","path1","quote2","path2","path3","url","filePath","maybeQuote","test","indexOf","split","stack","parts","pop","_i","parts_1","part","SRCSET_NOT_SPACES","SRCSET_COMMAS_OR_SPACES","absoluteToDoc","doc","attributeValue","trim","a","createElement","getHref","document","transformAttribute","name","pos","collectCharacters","regEx","chars","match","exec","substring","output","descriptorsStr","inParens","c","charAt","getAbsoluteSrcsetString","needMaskingText","node","maskTextClass","maskTextSelector","unmaskTextSelector","closest","classList","contains","eIndex","className","parentNode","TEXT_NODE","serializeNode","options","rootId","sheet","el","blockClass","blockSelector","unblockSelector","inlineStylesheet","_b","maskTextFn","_c","dataURLOptions","inlineImages","recordCanvas","keepIframeSrcFn","__sn","docId","id","undefined","DOCUMENT_NODE","compatMode","Document","childNodes","DOCUMENT_TYPE_NODE","DocumentType","publicId","systemId","needBlock","element","_isBlockedElement","HTMLFormElement","processedTagName","getValidTagName","attributes_1","_d","attributes","_e","name_1","stylesheet","styleSheets","find","rel","_cssText","innerText","textContent","checked","selected","__context","canvas","ctx","getContext","x","width","y","height","getImageData","originalGetImageData","Uint32Array","Math","min","data","buffer","some","pixel","is2DCanvasBlank","rr_dataURL","toDataURL","quality","canvasDataURL","blankCanvas","image_1","oldValue_1","crossOrigin","recordInlineImage","naturalWidth","naturalHeight","drawImage","err","console","warn","currentSrc","complete","onload","rr_mediaState","paused","rr_mediaCurrentTime","currentTime","scrollLeft","rr_scrollLeft","scrollTop","rr_scrollTop","_f","getBoundingClientRect","class","rr_width","rr_height","src","contentDocument","rr_src","Element","isSVG","ownerSVGElement","parentTagName","isStyle","isScript","nextSibling","previousSibling","Text","CDATA_SECTION_NODE","CDATA","COMMENT_NODE","Comment","lowerIfExists","maybeAttr","serializeNodeWithId","skipChild","slimDOMOptions","onSerialize","onIframeLoad","_g","iframeLoadTimeout","_h","_j","preserveWhiteSpace","_serializedNode","sn","comment","script","as","endsWith","headFavicon","headMetaDescKeywords","headMetaSocial","property","headMetaRobots","headMetaHttpEquiv","headMetaAuthorship","headMetaVerification","slimDOMExcluded","serializedNode","recordChild","isShadowHost","headWhitespace","bypassOptions","_k","serializedChildNode","_l","_m","isShadow","iframeEl","listener","win","contentWindow","readyState","fired","blankUrl","location","addEventListener","setTimeout","timer_1","clearTimeout","onceIframeLoaded","iframeDoc","serializedIframeNode","commentre","parse","css","lineno","column","updatePosition","str","lines","lastIndexOf","position","start","line","Position","whitespace","end","source","content","errorsList","msg","Error","reason","filename","silent","open","close","comments","atrule","re","selector","declaration","propMatch","prop","val","ret","declarations","decl","decls","keyframe","vals","values","rulesList","atimport","_compileAtrule","atcharset","atnamespace","vendor","frame","frames","keyframes","atkeyframes","media","style","atmedia","atcustommedia","supports","atsupports","atdocument","sel","selectors","atpage","athost","atfontface","addParent","parsingErrors","obj","parent","isNode","childParent","keys","isArray","forEach","v","defineProperty","configurable","writable","enumerable","tagMap","altglyph","altglyphdef","altglyphitem","animatecolor","animatemotion","animatetransform","clippath","feblend","fecolormatrix","fecomponenttransfer","fecomposite","feconvolvematrix","fediffuselighting","fedisplacementmap","fedistantlight","fedropshadow","feflood","fefunca","fefuncb","fefuncg","fefuncr","fegaussianblur","feimage","femerge","femergenode","femorphology","feoffset","fepointlight","fespecularlighting","fespotlight","fetile","feturbulence","foreignobject","glyphref","lineargradient","radialgradient","EventType","IncrementalSource","MouseInteractions","CanvasContext","MediaInteractions","ReplayerEvents","HOVER_SELECTOR","HOVER_SELECTOR_GLOBAL","addHoverClass","cache","cachedStyle","stylesWithHoverClass","get","ast","selectorMatcher","filter","index","sort","b","result","newSelector","set","createCache","Map","buildNode","hackCss","implementation","createDocument","createDocumentType","node_1","getTagName","createElementNS","_loop_1","startsWith","image","setAttribute","play","pause","isTextarea","isRemoteOrDynamicCss","child","createTextNode","removeChild","appendChild","setAttributeNS","srcset","firstChild","attachShadow","mode","createCDATASection","createComment","buildNodeWithSN","afterAppend","assert","xmlns","write","childN","childNode","rebuild","onVisit","idNodeMap","key","visit","visitedNode","name_2","handleScroll","on","fn","target","capture","passive","removeEventListener","createMirror","getId","getNode","removeNodeFromMap","_this","has","reset","DEPARTED_MIRROR_ACCESS_WARNING","throttle","func","wait","timeout","previous","arg","now","Date","leading","remaining","context","args","trailing","hookSetter","d","isRevoked","original","getOwnPropertyDescriptor","patch","replacement","original_1","wrapped","defineProperties","__rrweb_original__","getWindowHeight","window","innerHeight","documentElement","clientHeight","body","getWindowWidth","innerWidth","clientWidth","isBlocked","needBlock_1","isIgnored","isAncestorRemoved","mirror","isTouchEvent","event","changedTouches","polyfill","NodeList","DOMTokenList","Node","Proxy","Reflect","_mirror","receiver","TreeIndex","mutation","parentTreeNode","indexes","parentId","treeNode","children","texts","tree","deepRemoveFromMirror","removeIdSet","add","deepRemoveFromTreeIndex","_treeNode","_parentTreeNode","delete","removeNodeMutations","textMutations","attributeMutations","scrollMap","inputMap","batchMutationData","Mutation","removes","adds","walk","removed","mutationData","Set","queueToResolveTrees","queue","queueNodeMap","putIntoMap","nodeInTree","queueNodeTrees","queue_1","nextId","nextInTree","idx","splice","parentInTree","iterateResolveTree","cb","isIframeINode","getBaseDimension","rootIframe","frameElement","ownerDocument","defaultView","relativeScale","absoluteScale","frameDimension","frameBaseDimension","hasShadowRoot","isNodeInLinkedList","DoubleLinkedList","current","head","__ln","moveKey","isINode","mutations","processMutation","emit","frozen","locked","addList","getNextId","ns","pushAdd","shadowHost","getRootNode","rootShadowHost","notInDoc","addNode","currentN","iframeManager","addIframe","shadowDomManager","addShadowRoot","iframe","childSn","attachIframe","observeAttachShadow","mapRemoves","shift","movedSet","isParentRemoved","addedSet","isAncestorInSet","droppedSet","candidate","_node","removeNode","payload","attribute","movedMap","mutationCb","oldValue","getAttribute","attributeName","item","old","styleObj","pname","newValue","getPropertyValue","newPriority","getPropertyPriority","addedNodes","genAdds","removedNodes","nodeId","deepDelete","targetId","MutationBuffer","canvasManager","freeze","unfreeze","lock","unlock","addsSet","mutationBuffers","isCSSGroupingRuleSupported","CSSGroupingRule","isCSSMediaRuleSupported","CSSMediaRule","isCSSSupportsRuleSupported","CSSSupportsRule","isCSSConditionRuleSupported","CSSConditionRule","getEventTarget","path","composedPath","initMutationObserver","rootEl","mutationBuffer","init","mutationObserverCtor","MutationObserver","__rrMutationObserver","angularZoneSymbol","Zone","__symbol__","observer","processMutations","bind","observe","attributeOldValue","characterData","characterDataOldValue","childList","subtree","initMouseInteractionObserver","mouseInteractionCb","sampling","mouseInteraction","disableMap","handlers","Number","isNaN","eventKey","eventName","handler","clientX","clientY","getHandler","h","initScrollObserver","scrollCb","evt","scrollEl","scrollingElement","scroll","wrapEventWithUserTriggeredFlag","enable","userTriggered","INPUT_TAGS","lastInputValueMap","WeakMap","getNestedCSSRulePositions","childRule","parentRule","unshift","parentStyleSheet","recurse","initObservers","hooks","currentWindow","mousemoveCb","viewportResizeCb","inputCb","mediaInteractionCb","styleSheetRuleCb","styleDeclarationCb","canvasMutationCb","fontCb","mousemove","viewportResize","mediaInteaction","styleSheetRule","styleDeclaration","canvasMutation","font","mergeHooks","mutationObserver","mousemoveHandler","timeBaseline","threshold","callbackThreshold","mousemoveCallback","positions","wrappedCb","totalOffset","timeOffset","DragEvent","Drag","MouseEvent","MouseMove","TouchMove","initMoveObserver","mouseInteractionHandler","scrollHandler","viewportResizeHandler","lastH","lastW","initViewportResizeObserver","inputHandler","ignoreClass","ignoreSelector","userTriggeredOnInput","eventHandler","isTrusted","parentElement","isChecked","cbWithDedup","querySelectorAll","lastInputValue","propertyDescriptor","HTMLInputElement","hookProperties","HTMLSelectElement","HTMLTextAreaElement","HTMLOptionElement","initInputObserver","mediaInteractionHandler","volume","muted","initMediaInteractionObserver","styleSheetObserver","CSSStyleSheet","insertRule","ownerNode","deleteRule","supportedNestedCSSRuleTypes","unmodifiedFunctions","entries","typeKey","initStyleSheetObserver","styleDeclarationObserver","setProperty","CSSStyleDeclaration","priority","removeProperty","remove","initStyleDeclarationObserver","fontObserver","collectFonts","fontMap","originalFontFace","FontFace","family","descriptors","fontFace","fontSource","JSON","stringify","Uint8Array","restoreHandler","fonts","initFontObserver","pluginHandlers","plugins","plugin","callback","disconnect","IframeManager","iframes","loadListener","isAttachIframe","manager","restorePatches","HTMLElement","ShadowDomManager","iframeElement","manager_1","restorePatch","lookup","charCodeAt","webGLVarMap","saveWebGLVar","isInstanceOfWebGLObject","list","ctor","contextMap","variableListFor","constructor","serializeArg","Float32Array","Float64Array","Int32Array","Uint16Array","Int16Array","Int8Array","Uint8ClampedArray","rr_type","ArrayBuffer","base64","arraybuffer","bytes","len","encode","DataView","byteOffset","byteLength","HTMLImageElement","ImageData","serializeArgs","supportedWebGLConstructorNames","patchGLPrototype","props","getOwnPropertyNames","recordArgs","hookHandler","setter","props_1","wrappedEmit","takeFullSnapshot","latestId","invokeId","rafStamps","pendingCanvasMutations","initCanvasMutationObserver","CanvasManager","clear","resetObservers","startRAFTimestamping","startPendingCanvasMutationFlusher","canvasContextReset","HTMLCanvasElement","contextType","initCanvasContextObserver","canvas2DReset","props2D","CanvasRenderingContext2D","imgd","pix","props2D_1","initCanvas2DMutationObserver","canvasWebGL1and2Reset","WebGLRenderingContext","WebGL","WebGL2RenderingContext","WebGL2","initCanvasWebGLMutationObserver","requestAnimationFrame","flushPendingCanvasMutations","setLatestRAFTimestamp","timestamp","flushPendingCanvasMutationFor","valuesWithType","getOwnPropertySymbols","propertyIsEnumerable","commands","wrapEvent","record","checkoutEveryNms","checkoutEveryNth","maskAllInputs","_maskInputOptions","_slimDOMOptions","packFn","mousemoveWait","_o","_p","_q","_r","_s","lastFullSnapshotEvent","color","date","email","month","number","range","search","tel","time","week","textarea","select","password","incrementalSnapshotCount","isCheckout","isFrozen","FullSnapshot","IncrementalSnapshot","buf","eventProcessor","exceedCount","exceedTime","wrappedMutationEmit","wrappedScrollEmit","Scroll","wrappedCanvasMutationEmit","CanvasMutation","Meta","slimDOM","snapshot","initialOffset","left","pageXOffset","top","pageYOffset","handlers_1","DomContentLoaded","observe_1","MouseInteraction","ViewportResize","Input","MediaInteraction","StyleSheetRule","StyleDeclaration","Font","Plugin","addLoadListener","init_1","Load","mitt","all","create","off","addCustomEvent","tag","Custom","freezePage","w","__forceSmoothScrollPolyfill__","userAgent","scrollTo","scrollBy","elementScroll","scrollElement","scrollIntoView","performance","ROUNDING_TOLERANCE","navigator","shouldBailOut","smoothScroll","scrollX","scrollY","SyntaxError","behavior","scrollableParent","findScrollableParent","parentRects","clientRects","getComputedStyle","firstArg","hasScrollableSpace","axis","scrollHeight","scrollWidth","canOverflow","overflowValue","isScrollable","isScrollableY","isScrollableX","step","currentX","currentY","k","elapsed","startTime","cos","PI","startX","startY","method","scrollable","actions","speed","Timer","action","findActionIndex","lastTimestamp","self","raf","check","delay","doAction","liveMode","cancelAnimationFrame","mid","floor","addDelay","baselineTime","firstOffset","firstTimestamp","return","NotStarted","Running","Stopped","assignment","u","changed","f","states","initial","entry","config","_options","initialState","transition","g","S","j","E","R","N","cond","O","_","T","q","exit","z","A","B","C","_machine","send","subscribe","unsubscribe","stop","state","status","createPlayerService","getCastFn","applyEventsSynchronously","emitter","interpret","createMachine","playing","PAUSE","CAST_EVENT","END","ADD_EVENT","PLAY","TO_LIVE","live","castEvent","lastPlayedEvent","recordTimeOffset","events","timer","events_1","neededEvents","event_1","discardPriorSnapshots","lastPlayedTimestamp","PlayBack","syncEvents","event_3","castFn_1","neededEvents_1","Flush","addActions","resetLastPlayedEvent","startLive","toggleLiveMode","addEvent","machineEvent","event_4","insertionIndex","isSync","castFn_2","isActive","addAction","StyleRuleType","getNestedRule","getPositionsAndIndex","nestedIndex","applyVirtualStyleRulesToNode","storedRules","styleNode","Insert","Remove","Snapshot","cssTexts","existingRules","existingRulesReversed","reverse","lastMatch_1","restoreSnapshotOfStyleRulesToNode","SetProperty","RemoveProperty","WebGLVariableConstructorsNames","deserializeArg","imageMap","encoded1","encoded2","encoded3","encoded4","bufferLength","decode","Image","webglMutation","errorHandler","includes","variables","saveToWebGLVarMap","mittProxy.default","mittProxy","REPLAY_CONSOLE_PREFIX","defaultMouseTailConfig","duration","lineCap","lineWidth","strokeStyle","indicatesTouchDevice","TouchStart","defaultConfig","maxSpeed","root","loadTimeout","skipInactive","showWarning","showDebug","insertStyleRules","triggerFocus","UNSAFE_replayCanvas","pauseAnimation","mouseTail","handleResize","Resize","setupDom","treeIndex","fragmentParentMap","elementStateMap","virtualStyleRulesMap","flush","frag","restoreRealParent","applyText","restoreNodeSheet","applyScroll","applyInput","firstFullSnapshot","service","unpackFn","a1","a2","StateChange","player","speedService","normalSpeed","normal","FAST_FORWARD","SET_SPEED","skipping","BACK_TO_NORMAL","setSpeed","recordSpeed","restoreSpeed","firstMeta","firstFullsnapshot","width_1","height_1","rebuildFullSnapshot","mouse","Replayer","backToNormal","display","parseFloat","wrapper","insertBefore","firstEvent","lastEvent","endTime","totalTime","getTimeOffset","getElementsByTagName","Start","Pause","Resume","rawEvent","Promise","resolve","then","pointerEvents","disableInteract","smoothscrollPolyfill","dimension","String","castFn","mousePos","moveAndHover","debugData","touchActive","CustomEvent","applyIncremental","nextUserInteractionEvent","_event","isUserInteraction","skipTime","round","SkipStart","replayer","last_index","finish_1","Finish","max","EventCast","legacy_missingNodeRetryMap","collected","builtNode","collectIframeAndAttachDocument","mutationInQueue","this_1","attachDocumentToIframe","newDocumentQueue","collected_1","FullsnapshotRebuilded","waitForStylesheetLoad","preloadAllImages","styleEl","injectStylesRules","parent_1","realParent","toUpperCase","this_2","collected_2","unloadSheets_1","beforeLoadState_1","stateHandler_1","unsubscribe_1","size","getCurrentTime","LoadStylesheetEnd","LoadStylesheetStart","args_1","hasImageArg","images","args_2","getImageArgs","stateHandler","event_2","preloadImages","this_3","createImageData","putImageData","applyMutation","message","lastPosition","Event","debugNodeNotFound","Blur","blur","Focus","focus","preventScroll","Click","TouchEnd","tailPositions","offsetWidth","TouchCancel","dispatchEvent","mediaEl","rules_1","parent_2","usingVirtualParent_1","styleSheet_1","parent_3","command","canvas2DMutation","warnCanvasMutationFailed","useVirtualParent","warnNodeNotFound","realTarget","DOMException","legacy_missingNodeMap","appendNode","parentInDocument","hasIframeChild","virtualParent","createDocumentFragment","storeState","previousId","nextNotInDOM","targetDoc","mutationInQueue_1","legacy_resolveMissingNode","resolveTrees","resolveTrees_1","debug","removeAttribute","styleValues","targetEl","svp","svs","targetMutation","previousInMap","nextInMap","base","_x","_y","drawMouseTail","hoverElements","draw","clearRect","beginPath","moveTo","lineTo","stroke","hoveredEl","currentEl","SkipEnd","restoreState","storeCSSRules","storedState","nodeName","idRemoved","log"],"mappings":";;;;;;;;;;;;;;oFA+BO,IC/BHA,ED+BOC,EAAW,WAQlB,OAPAA,EAAWC,OAAOC,QAAU,SAAkBC,GAC1C,IAAK,IAAIC,EAAGC,EAAI,EAAGC,EAAIC,UAAUC,OAAQH,EAAIC,EAAGD,IAE5C,IAAK,IAAII,KADTL,EAAIG,UAAUF,GACOJ,OAAOS,UAAUC,eAAeC,KAAKR,EAAGK,KAAIN,EAAEM,GAAKL,EAAEK,IAE9E,OAAON,IAEKU,MAAMC,KAAMP,YAgFzB,SAASQ,EAASC,GACrB,IAAIZ,EAAsB,mBAAXa,QAAyBA,OAAOC,SAAUC,EAAIf,GAAKY,EAAEZ,GAAIC,EAAI,EAC5E,GAAIc,EAAG,OAAOA,EAAEP,KAAKI,GACrB,GAAIA,GAAyB,iBAAbA,EAAER,OAAqB,MAAO,CAC1CY,KAAM,WAEF,OADIJ,GAAKX,GAAKW,EAAER,SAAQQ,OAAI,GACrB,CAAEK,MAAOL,GAAKA,EAAEX,KAAMiB,MAAON,KAG5C,MAAM,IAAIO,UAAUnB,EAAI,0BAA4B,mCAGjD,SAASoB,EAAOR,EAAGV,GACtB,IAAIa,EAAsB,mBAAXF,QAAyBD,EAAEC,OAAOC,UACjD,IAAKC,EAAG,OAAOH,EACf,IAAmBS,EAAYC,EAA3BrB,EAAIc,EAAEP,KAAKI,GAAOW,EAAK,GAC3B,IACI,WAAc,IAANrB,GAAgBA,KAAM,MAAQmB,EAAIpB,EAAEe,QAAQE,MAAMK,EAAGC,KAAKH,EAAEJ,OAExE,MAAOQ,GAASH,EAAI,CAAEG,MAAOA,WAEzB,IACQJ,IAAMA,EAAEH,OAASH,EAAId,EAAU,SAAIc,EAAEP,KAAKP,WAExC,GAAIqB,EAAG,MAAMA,EAAEG,OAE7B,OAAOF,EAmBJ,SAASG,EAAcC,EAAIC,EAAMC,GACpC,GAAIA,GAA6B,IAArB1B,UAAUC,OAAc,IAAK,IAA4BmB,EAAxBtB,EAAI,EAAG6B,EAAIF,EAAKxB,OAAYH,EAAI6B,EAAG7B,KACxEsB,GAAQtB,KAAK2B,IACRL,IAAIA,EAAKQ,MAAMzB,UAAU0B,MAAMxB,KAAKoB,EAAM,EAAG3B,IAClDsB,EAAGtB,GAAK2B,EAAK3B,IAGrB,OAAO0B,EAAGM,OAAOV,GAAMQ,MAAMzB,UAAU0B,MAAMxB,KAAKoB,ICjKtD,SAASM,EAAUhC,GACf,OAAOA,EAAEiC,WAAajC,EAAEkC,aAE5B,SAASC,EAAanC,GAClB,IAAIoC,EACAC,EAAoB,QAAZD,EAAKpC,SAAsB,IAAPoC,OAAgB,EAASA,EAAGC,KAC5D,OAAOC,QAAQD,GAAQA,EAAKE,YAAcF,EAAKE,aAAevC,GAElE,SAASwC,EAAeJ,GACpB,IAAIK,EAAQL,EAAGK,MAAOC,EAAoBN,EAAGM,kBAAmBC,EAAsBP,EAAGO,oBAAqBC,EAAmBR,EAAGQ,iBAAkBC,EAAUT,EAAGS,QAASC,EAAOV,EAAGU,KAAM/B,EAAQqB,EAAGrB,MAAOgC,EAAcX,EAAGW,YAC3NC,EAAOjC,GAAS,GACpB,OAAI4B,GAAuBF,EAAMQ,QAAQN,KAGrCC,EAAiBC,EAAQK,gBACzBN,EAAiBE,IAChBJ,GAAqBD,EAAMQ,QAAQP,MAEhCM,EADAD,EACOA,EAAYC,GAGZ,IAAIG,OAAOH,EAAK9C,SATpB8C,GArBf,SAAWvD,GACPA,EAASA,EAAmB,SAAI,GAAK,WACrCA,EAASA,EAAuB,aAAI,GAAK,eACzCA,EAASA,EAAkB,QAAI,GAAK,UACpCA,EAASA,EAAe,KAAI,GAAK,OACjCA,EAASA,EAAgB,MAAI,GAAK,QAClCA,EAASA,EAAkB,QAAI,GAAK,UANxC,CAOGA,IAAaA,EAAW,KA4B3B,IAAI2D,EAA0B,qBAoB9B,IAyDIC,EACAC,EA1DAC,EAAM,EACNC,EAAe,IAAIC,OAAO,gBAe9B,SAASC,EAAkB5D,GACvB,IACI,IAAI6D,EAAQ7D,EAAE6D,OAAS7D,EAAE8D,SACzB,OAAOD,EAAQ9B,MAAMH,KAAKiC,GAAOE,IAAIC,GAAkBC,KAAK,IAAM,KAEtE,MAAOxC,GACH,OAAO,MAGf,SAASuC,EAAiBE,GACtB,IAAIC,EAAiBD,EAAKE,QAC1B,GASJ,SAAyBF,GACrB,MAAO,eAAgBA,EAVnBG,CAAgBH,GAChB,IACIC,EAAiBP,EAAkBM,EAAKI,aAAeH,EAE3D,MAAO7B,IAGX,OAAO6B,EAyBX,IAAII,EAAiB,6CACjBC,EAAgB,sDAChBC,EAAW,wBACf,SAASC,EAAqBN,EAASO,GACnC,OAAQP,GAAW,IAAIQ,QAAQL,GAAgB,SAAUM,EAAQC,EAAQC,EAAOC,EAAQC,EAAOC,GAC3F,IAlBeC,EAkBXC,EAAWL,GAASE,GAASC,EAC7BG,EAAaP,GAAUE,GAAU,GACrC,IAAKI,EACD,OAAOP,EAEX,IAAKL,EAAcc,KAAKF,GACpB,MAAO,OAASC,EAAaD,EAAWC,EAAa,IAEzD,GAAIZ,EAASa,KAAKF,GACd,MAAO,OAASC,EAAaD,EAAWC,EAAa,IAEzD,GAAoB,MAAhBD,EAAS,GACT,MAAO,OAASC,KA9BLF,EA8BiCR,GA5B5CY,QAAQ,OAAS,EACZJ,EAAIK,MAAM,KAAKxD,MAAM,EAAG,GAAGiC,KAAK,KAGhCkB,EAAIK,MAAM,KAAK,IAEZA,MAAM,KAAK,GAsBiCJ,GAAYC,EAAa,IAEjF,IAAII,EAAQd,EAAKa,MAAM,KACnBE,EAAQN,EAASI,MAAM,KAC3BC,EAAME,MACN,IAAK,IAAIC,EAAK,EAAGC,EAAUH,EAAOE,EAAKC,EAAQzF,OAAQwF,IAAM,CACzD,IAAIE,EAAOD,EAAQD,GACN,MAATE,IAGc,OAATA,EACLL,EAAME,MAGNF,EAAMjE,KAAKsE,IAGnB,MAAO,OAAST,EAAaI,EAAMxB,KAAK,KAAOoB,EAAa,OAGpE,IAAIU,EAAoB,qBACpBC,EAA0B,qBA2D9B,SAASC,EAAcC,EAAKC,GACxB,IAAKA,GAA4C,KAA1BA,EAAeC,OAClC,OAAOD,EAEX,IAAIE,EAAIH,EAAII,cAAc,KAE1B,OADAD,EAAE1B,KAAOwB,EACFE,EAAE1B,KAKb,SAAS4B,IACL,IAAIF,EAAIG,SAASF,cAAc,KAE/B,OADAD,EAAE1B,KAAO,GACF0B,EAAE1B,KAEb,SAAS8B,EAAmBP,EAAKnD,EAAS2D,EAAMzF,GAC5C,MAAa,QAATyF,GAA4B,SAATA,GAAmBzF,GAGxB,eAATyF,GAAyBzF,GAAsB,MAAbA,EAAM,GAFtCgF,EAAcC,EAAKjF,GAKZ,eAATyF,IACLzF,GACa,UAAZ8B,GAAmC,OAAZA,GAAgC,OAAZA,EAG9B,WAAT2D,GAAqBzF,EAtFlC,SAAiCiF,EAAKC,GAClC,GAA8B,KAA1BA,EAAeC,OACf,OAAOD,EAEX,IAAIQ,EAAM,EACV,SAASC,EAAkBC,GACvB,IAAIC,EACAC,EAAQF,EAAMG,KAAKb,EAAec,UAAUN,IAChD,OAAII,GACAD,EAAQC,EAAM,GACdJ,GAAOG,EAAM1G,OACN0G,GAEJ,GAGX,IADA,IAAII,EAAS,GAETN,EAAkBZ,KACdW,GAAOR,EAAe/F,SAFjB,CAKT,IAAI+E,EAAMyB,EAAkBb,GAC5B,GAAsB,MAAlBZ,EAAInD,OAAO,GACXmD,EAAMc,EAAcC,EAAKf,EAAI8B,UAAU,EAAG9B,EAAI/E,OAAS,IACvD8G,EAAO1F,KAAK2D,OAEX,CACD,IAAIgC,EAAiB,GACrBhC,EAAMc,EAAcC,EAAKf,GAEzB,IADA,IAAIiC,GAAW,IACF,CACT,IAAIC,EAAIlB,EAAemB,OAAOX,GAC9B,GAAU,KAANU,EAAU,CACVH,EAAO1F,MAAM2D,EAAMgC,GAAgBf,QACnC,MAEC,GAAKgB,EAWI,MAANC,IACAD,GAAW,OAZC,CAChB,GAAU,MAANC,EAAW,CACXV,GAAO,EACPO,EAAO1F,MAAM2D,EAAMgC,GAAgBf,QACnC,MAEW,MAANiB,IACLD,GAAW,GAQnBD,GAAkBE,EAClBV,GAAO,IAInB,OAAOO,EAAOjD,KAAK,MA+BRsD,CAAwBrB,EAAKjF,GAEtB,UAATyF,GAAoBzF,EAClByD,EAAqBzD,EAAOsF,KAElB,WAAZxD,GAAiC,SAAT2D,GAAmBzF,EACzCgF,EAAcC,EAAKjF,GAGnBA,EAZAgF,EAAcC,EAAKjF,GAqClC,SAASuG,EAAgBC,EAAMC,EAAeC,EAAkBC,GAC5D,IAAKH,EACD,OAAO,EAEX,GAAIA,EAAKtF,WAAasF,EAAKrF,aAAc,CACrC,GAAIwF,IACIH,EAAKtE,QAAQyE,IAAuBH,EAAKI,QAAQD,IACjD,OAAO,EAGf,GAA6B,iBAAlBF,GACP,GAAID,EAAKK,UAAUC,SAASL,GACxB,OAAO,OAIX,IAAK,IAAIM,EAAS,EAAGA,EAASP,EAAKK,UAAU1H,OAAQ4H,IAAU,CAC3D,IAAIC,EAAYR,EAAKK,UAAUE,GAC/B,GAAIN,EAAcpC,KAAK2C,GACnB,OAAO,EAInB,SAAIN,IACIF,EAAKtE,QAAQwE,KAIdH,EAAgBC,EAAKS,WAAYR,EAAeC,EAAkBC,GAE7E,OAAIH,EAAKtF,SAAasF,EAAKU,UAChBX,EAAgBC,EAAKS,WAAYR,EAAeC,EAAkBC,GAwCjF,SAASQ,EAAclI,EAAGmI,GACtB,IAAI/F,EAEAgG,EA9PqBC,EA6HPC,EAgIdtC,EAAMmC,EAAQnC,IAAKuC,EAAaJ,EAAQI,WAAYC,EAAgBL,EAAQK,cAAeC,EAAkBN,EAAQM,gBAAiBjB,EAAgBW,EAAQX,cAAeC,EAAmBU,EAAQV,iBAAkBC,EAAqBS,EAAQT,mBAAoBgB,EAAmBP,EAAQO,iBAAkBhG,EAAoByF,EAAQzF,kBAAmBC,EAAsBwF,EAAQxF,oBAAqBgG,EAAKR,EAAQvF,iBAAkBA,OAA0B,IAAP+F,EAAgB,GAAKA,EAAIC,EAAaT,EAAQS,WAAY7F,EAAcoF,EAAQpF,YAAa8F,EAAKV,EAAQW,eAAgBA,OAAwB,IAAPD,EAAgB,GAAKA,EAAIE,EAAeZ,EAAQY,aAAcC,EAAeb,EAAQa,aAAcC,EAAkBd,EAAQc,gBAExtB,GAAIjD,EAAIkD,KAAM,CACV,IAAIC,EAAQnD,EAAIkD,KAAKE,GACrBhB,EAAmB,IAAVe,OAAcE,EAAYF,EAEvC,OAAQnJ,EAAEiC,UACN,KAAKjC,EAAEsJ,cACH,MAAqB,eAAjBtJ,EAAEuJ,WACK,CACHzG,KAAMrD,EAAS+J,SACfC,WAAY,GACZF,WAAYvJ,EAAEuJ,WACdnB,OAAQA,GAIL,CACHtF,KAAMrD,EAAS+J,SACfC,WAAY,GACZrB,OAAQA,GAGpB,KAAKpI,EAAE0J,mBACH,MAAO,CACH5G,KAAMrD,EAASkK,aACfnD,KAAMxG,EAAEwG,KACRoD,SAAU5J,EAAE4J,SACZC,SAAU7J,EAAE6J,SACZzB,OAAQA,GAEhB,KAAKpI,EAAEkC,aAIH,IAHA,IAAI4H,EA/HhB,SAA2BC,EAASxB,EAAYC,EAAeC,GAC3D,GAAIA,GAAmBsB,EAAQ9G,QAAQwF,GACnC,OAAO,EAEX,GAA0B,iBAAfF,GACP,GAAIwB,EAAQnC,UAAUC,SAASU,GAC3B,OAAO,OAIX,IAAK,IAAIT,EAAS,EAAGA,EAASiC,EAAQnC,UAAU1H,OAAQ4H,IAAU,CAC9D,IAAIC,EAAYgC,EAAQnC,UAAUE,GAClC,GAAIS,EAAWnD,KAAK2C,GAChB,OAAO,EAInB,QAAIS,GACOuB,EAAQ9G,QAAQuF,GA6GHwB,CAAkBhK,EAAGuI,EAAYC,EAAeC,GAC5D5F,EA/ThB,SAAyBkH,GACrB,GAAIA,aAAmBE,gBACnB,MAAO,OAEX,IAAIC,EAAmBH,EAAQlH,QAAQK,cAAcgD,OACrD,OAAI1C,EAAa4B,KAAK8E,GACX,MAEJA,EAuTeC,CAAgBnK,GAC1BoK,EAAe,GACV1E,EAAK,EAAG2E,EAAKxI,MAAMH,KAAK1B,EAAEsK,YAAa5E,EAAK2E,EAAGnK,OAAQwF,IAAM,CAClE,IAAI6E,EAAKF,EAAG3E,GAAK8E,EAASD,EAAG/D,KAAMzF,EAAQwJ,EAAGxJ,MAC9CqJ,EAAaI,GAAUjE,EAAmBP,EAAKnD,EAAS2H,EAAQzJ,GAEpE,GAAgB,SAAZ8B,GAAsB6F,EAAkB,CACxC,IAAI+B,EAAa5I,MAAMH,KAAKsE,EAAI0E,aAAaC,MAAK,SAAU7K,GACxD,OAAOA,EAAE2E,OAASzE,EAAEyE,QAEpBP,EAAU,KACVuG,IACAvG,EAAUR,EAAkB+G,IAE5BvG,WACOkG,EAAaQ,WACbR,EAAa3F,KACpB2F,EAAaS,SAAWrG,EAAqBN,EAASuG,EAAWhG,OAGzE,GAAgB,UAAZ5B,GACA7C,EAAEqI,SACArI,EAAE8K,WACA9K,EAAE+K,aACF,IAAI7E,OAAOhG,QACXgE,EAAUR,EAAkB1D,EAAEqI,UAE9B+B,EAAaS,SAAWrG,EAAqBN,EAASmC,MAG9D,GAAgB,UAAZxD,GACY,aAAZA,GACY,WAAZA,EAAsB,CAClB9B,EAAQf,EAAEe,MACY,UAAtBqJ,EAAatH,MACS,aAAtBsH,EAAatH,MACS,WAAtBsH,EAAatH,MACS,WAAtBsH,EAAatH,MACb/B,EACAqJ,EAAarJ,MAAQyB,EAAe,CAChCC,MAAOzC,EACP8C,KAAMsH,EAAatH,KACnBD,QAASA,EACT9B,MAAOA,EACP2B,kBAAmBA,EACnBC,oBAAqBA,EACrBC,iBAAkBA,EAClBG,YAAaA,IAGZ/C,EAAEgL,UACPZ,EAAaY,QAAUhL,EAAEgL,SAWjC,GARgB,WAAZnI,IACI7C,EAAEiL,WAAarI,EAAyB,OACxCwH,EAAaa,UAAW,SAGjBb,EAAaa,UAGZ,WAAZpI,GAAwBmG,EACxB,GAAoB,OAAhBhJ,EAAEkL,WAvZtB,SAAyBC,GACrB,IAAIC,EAAMD,EAAOE,WAAW,MAC5B,IAAKD,EACD,OAAO,EAEX,IADA,IACSE,EAAI,EAAGA,EAAIH,EAAOI,MAAOD,GADlB,GAEZ,IAAK,IAAIE,EAAI,EAAGA,EAAIL,EAAOM,OAAQD,GAFvB,GAEuC,CAC/C,IAAIE,EAAeN,EAAIM,aACnBC,EAAuBvI,KAA2BsI,EAChDA,EAAoC,mBACpCA,EAEN,GADkB,IAAIE,YAAYD,EAAqBrL,KAAK8K,EAAKE,EAAGE,EAAGK,KAAKC,IAPpE,GAOmFX,EAAOI,MAAQD,GAAIO,KAAKC,IAP3G,GAO0HX,EAAOM,OAASD,IAAIO,KAAKC,QAC3IC,MAAK,SAAUC,GAAS,OAAiB,IAAVA,KAC3C,OAAO,EAGnB,OAAO,GAwYcC,CAAgBnM,KACjBoK,EAAagC,WAAapM,EAAEqM,UAAUvD,EAAehG,KAAMgG,EAAewD,eAG7E,KAAM,cAAetM,GAAI,CAC1B,IAAIuM,EAAgBvM,EAAEqM,UAAUvD,EAAehG,KAAMgG,EAAewD,SAChEE,EAAclG,SAASF,cAAc,UACzCoG,EAAYjB,MAAQvL,EAAEuL,MACtBiB,EAAYf,OAASzL,EAAEyL,OAEnBc,IADqBC,EAAYH,UAAUvD,EAAehG,KAAMgG,EAAewD,WAE/ElC,EAAagC,WAAaG,GAItC,GAAgB,QAAZ1J,GAAqBkG,EAAc,CAC9B1F,IACDA,EAAgB2C,EAAII,cAAc,UAClC9C,EAAYD,EAAcgI,WAAW,OAEzC,IAAIoB,EAAUzM,EACV0M,EAAaD,EAAQE,YACzBF,EAAQE,YAAc,YACtB,IAAIC,EAAoB,WACpB,IACIvJ,EAAckI,MAAQkB,EAAQI,aAC9BxJ,EAAcoI,OAASgB,EAAQK,cAC/BxJ,EAAUyJ,UAAUN,EAAS,EAAG,GAChCrC,EAAagC,WAAa/I,EAAcgJ,UAAUvD,EAAehG,KAAMgG,EAAewD,SAE1F,MAAOU,GACHC,QAAQC,KAAK,yBAA2BT,EAAQU,WAAa,YAAcH,GAE/EN,EACOtC,EAAauC,YAAcD,SACrBtC,EAAauC,aAE1BF,EAAQW,UAAqC,IAAzBX,EAAQI,aAC5BD,IAEAH,EAAQY,OAAST,EAczB,GAZgB,UAAZ/J,GAAmC,UAAZA,IACvBuH,EAAakD,cAAgBtN,EAAEuN,OACzB,SACA,SACNnD,EAAaoD,oBAAsBxN,EAAEyN,aAErCzN,EAAE0N,aACFtD,EAAauD,cAAgB3N,EAAE0N,YAE/B1N,EAAE4N,YACFxD,EAAayD,aAAe7N,EAAE4N,WAE9B9D,EAAW,CACX,IAAIgE,EAAK9N,EAAE+N,wBAAyBxC,EAAQuC,EAAGvC,MAAOE,GAASqC,EAAGrC,OAClErB,EAAe,CACX4D,MAAS5D,EAAoB,MAC7B6D,SAAU1C,EAAQ,KAClB2C,UAAWzC,GAAS,MAS5B,MANgB,WAAZ5I,GAAyBoG,EAAgBmB,EAAa+D,OACjDnO,EAAEoO,kBACHhE,EAAaiE,OAASjE,EAAa+D,YAEhC/D,EAAa+D,KAEjB,CACHrL,KAAMrD,EAAS6O,QACfzL,QAASA,EACTyH,WAAYF,EACZX,WAAY,GACZ8E,OA1SMjG,EA0SctI,EAzSzBsC,QAAuB,QAAfgG,EAAGzF,SAAqByF,EAAGkG,uBAySJnF,GAC1BS,UAAWA,EACX1B,OAAQA,GAEhB,KAAKpI,EAAEiI,UACH,IAAIwG,GAAgBzO,EAAEgI,YAAchI,EAAEgI,WAAWnF,QAC7CkI,GAAc/K,EAAE+K,YAChB2D,GAA4B,UAAlBD,SAAmCpF,EAC7CsF,GAA6B,WAAlBF,SAAoCpF,EACnD,GAAIqF,IAAW3D,GAAa,CACxB,IACQ/K,EAAE4O,aAAe5O,EAAE6O,kBAEgB,QAA7BzM,EAAKpC,EAAEgI,WAAWK,aAA0B,IAAPjG,OAAgB,EAASA,EAAGwB,YACvEmH,IArbK1C,EAqb6BrI,EAAEgI,WAAWK,OApbtDzE,SACP/B,MAAMH,KAAK2G,EAAMzE,UACdC,KAAI,SAAUG,GAAQ,OAAOA,EAAKE,SAAW,MAC7CH,KAAK,IACR,IAmbM,MAAOiJ,GACHC,QAAQC,KAAK,wDAA0DF,EAAKhN,GAEhF+K,GAAcvG,EAAqBuG,GAAa1E,KAapD,OAXIsI,KACA5D,GAAc,uBAEb2D,KACAC,IACDrH,EAAgBtH,EAAGwH,EAAeC,EAAkBC,IACpDqD,KACAA,GAAcnC,EACRA,EAAWmC,IACXA,GAAYrG,QAAQ,QAAS,MAEhC,CACH5B,KAAMrD,EAASqP,KACf/D,YAAaA,IAAe,GAC5B2D,QAASA,GACTtG,OAAQA,GAEhB,KAAKpI,EAAE+O,mBACH,MAAO,CACHjM,KAAMrD,EAASuP,MACfjE,YAAa,GACb3C,OAAQA,GAEhB,KAAKpI,EAAEiP,aACH,MAAO,CACHnM,KAAMrD,EAASyP,QACfnE,YAAa/K,EAAE+K,aAAe,GAC9B3C,OAAQA,GAEhB,QACI,OAAO,GAGnB,SAAS+G,EAAcC,GACnB,YAAkB/F,IAAd+F,EACO,GAGAA,EAAUlM,cA0EzB,SAASmM,EAAoBrP,EAAGmI,GAC5B,IAyBIiB,EAzBApD,EAAMmC,EAAQnC,IAAKnC,EAAMsE,EAAQtE,IAAK0E,EAAaJ,EAAQI,WAAYC,EAAgBL,EAAQK,cAAeC,EAAkBN,EAAQM,gBAAiBjB,EAAgBW,EAAQX,cAAeC,EAAmBU,EAAQV,iBAAkBC,EAAqBS,EAAQT,mBAAoBtF,EAAK+F,EAAQmH,UAAWA,OAAmB,IAAPlN,GAAwBA,EAAIuG,EAAKR,EAAQO,iBAAkBA,OAA0B,IAAPC,GAAuBA,EAAIjG,EAAoByF,EAAQzF,kBAAmBC,EAAsBwF,EAAQxF,oBAAqBkG,EAAKV,EAAQvF,iBAAkBA,OAA0B,IAAPiG,EAAgB,GAAKA,EAAID,EAAaT,EAAQS,WAAY7F,EAAcoF,EAAQpF,YAAawM,EAAiBpH,EAAQoH,eAAgBlF,EAAKlC,EAAQW,eAAgBA,OAAwB,IAAPuB,EAAgB,GAAKA,EAAIE,EAAKpC,EAAQY,aAAcA,OAAsB,IAAPwB,GAAwBA,EAAIuD,EAAK3F,EAAQa,aAAcA,OAAsB,IAAP8E,GAAwBA,EAAI0B,EAAcrH,EAAQqH,YAAaC,EAAetH,EAAQsH,aAAcC,EAAKvH,EAAQwH,kBAAmBA,OAA2B,IAAPD,EAAgB,IAAOA,EAAIE,EAAKzH,EAAQc,gBAAiBA,OAAyB,IAAP2G,EAAgB,WAAc,OAAO,GAAWA,EAC/oCC,EAAK1H,EAAQ2H,mBAAoBA,OAA4B,IAAPD,GAAuBA,EAC7EE,EAAkB7H,EAAclI,EAAG,CACnCgG,IAAKA,EACLuC,WAAYA,EACZC,cAAeA,EACfC,gBAAiBA,EACjBjB,cAAeA,EACfC,iBAAkBA,EAClBC,mBAAoBA,EACpBgB,iBAAkBA,EAClBhG,kBAAmBA,EACnBC,oBAAqBA,EACrBC,iBAAkBA,EAClBgG,WAAYA,EACZ7F,YAAaA,EACb+F,eAAgBA,EAChBC,aAAcA,EACdC,aAAcA,EACdC,gBAAiBA,IAErB,IAAK8G,EAED,OADA9C,QAAQC,KAAKlN,EAAG,kBACT,KAIPoJ,EADA,SAAUpJ,EACLA,EAAEkJ,KAAKE,IAnGpB,SAAyB4G,EAAIT,GACzB,GAAIA,EAAeU,SAAWD,EAAGlN,OAASrD,EAASyP,QAC/C,OAAO,EAEN,GAAIc,EAAGlN,OAASrD,EAAS6O,QAAS,CACnC,GAAIiB,EAAeW,SACC,WAAfF,EAAGnN,SACgB,SAAfmN,EAAGnN,SACsB,YAAtBmN,EAAG1F,WAAWM,KACO,WAArBoF,EAAG1F,WAAW6F,IACF,SAAfH,EAAGnN,SACsB,aAAtBmN,EAAG1F,WAAWM,KACgB,iBAAvBoF,EAAG1F,WAAW7F,MACrBuL,EAAG1F,WAAW7F,KAAK2L,SAAS,QACpC,OAAO,EAEN,GAAIb,EAAec,cACH,SAAfL,EAAGnN,SAA4C,kBAAtBmN,EAAG1F,WAAWM,KACrB,SAAfoF,EAAGnN,UACCsM,EAAca,EAAG1F,WAAW9D,MAAMK,MAAM,sCACC,qBAAtCsI,EAAca,EAAG1F,WAAW9D,OACS,SAArC2I,EAAca,EAAG1F,WAAWM,MACS,qBAArCuE,EAAca,EAAG1F,WAAWM,MACS,kBAArCuE,EAAca,EAAG1F,WAAWM,OACxC,OAAO,EAEN,GAAmB,SAAfoF,EAAGnN,QAAoB,CAC5B,GAAI0M,EAAee,sBACfnB,EAAca,EAAG1F,WAAW9D,MAAMK,MAAM,0BACxC,OAAO,EAEN,GAAI0I,EAAegB,iBACnBpB,EAAca,EAAG1F,WAAWkG,UAAU3J,MAAM,sBACzCsI,EAAca,EAAG1F,WAAW9D,MAAMK,MAAM,mBACF,cAAtCsI,EAAca,EAAG1F,WAAW9D,OAChC,OAAO,EAEN,GAAI+I,EAAekB,iBACmB,WAAtCtB,EAAca,EAAG1F,WAAW9D,OACa,cAAtC2I,EAAca,EAAG1F,WAAW9D,OACU,YAAtC2I,EAAca,EAAG1F,WAAW9D,OAChC,OAAO,EAEN,GAAI+I,EAAemB,wBACYrH,IAAhC2G,EAAG1F,WAAW,cACd,OAAO,EAEN,GAAIiF,EAAeoB,qBACmB,WAAtCxB,EAAca,EAAG1F,WAAW9D,OACa,cAAtC2I,EAAca,EAAG1F,WAAW9D,OACU,cAAtC2I,EAAca,EAAG1F,WAAW9D,OACU,cAAtC2I,EAAca,EAAG1F,WAAW9D,OACU,WAAtC2I,EAAca,EAAG1F,WAAW9D,OAC5B2I,EAAca,EAAG1F,WAAWkG,UAAU3J,MAAM,cAC5CsI,EAAca,EAAG1F,WAAWkG,UAAU3J,MAAM,cAChD,OAAO,EAEN,GAAI0I,EAAeqB,uBACmB,6BAAtCzB,EAAca,EAAG1F,WAAW9D,OACa,wBAAtC2I,EAAca,EAAG1F,WAAW9D,OACU,eAAtC2I,EAAca,EAAG1F,WAAW9D,OACU,oBAAtC2I,EAAca,EAAG1F,WAAW9D,OACU,cAAtC2I,EAAca,EAAG1F,WAAW9D,OACU,iBAAtC2I,EAAca,EAAG1F,WAAW9D,OACU,+BAAtC2I,EAAca,EAAG1F,WAAW9D,OAChC,OAAO,GAInB,OAAO,EAgCEqK,CAAgBd,EAAiBR,KACpCO,GACEC,EAAgBjN,OAASrD,EAASqP,MACjCiB,EAAgBrB,SAChBqB,EAAgBhF,YAAYrG,QAAQ,cAAe,IAAIxE,QAlnBzDqD,KAFQ,EA0nBf,IAAIuN,EAAiBnR,OAAOC,OAAOmQ,EAAiB,CAAE3G,GAAIA,IAE1D,GADApJ,EAAEkJ,KAAO4H,GA3nBM,IA4nBX1H,EACA,OAAO,KAEXvF,EAAIuF,GAAMpJ,EACNwP,GACAA,EAAYxP,GAEhB,IAAI+Q,GAAezB,EAOnB,GANIwB,EAAehO,OAASrD,EAAS6O,UACjCyC,EAAcA,IAAgBD,EAAehH,iBACtCgH,EAAehH,UAClB9J,EAAEuC,aACFuO,EAAeE,cAAe,KAEjCF,EAAehO,OAASrD,EAAS+J,UAClCsH,EAAehO,OAASrD,EAAS6O,UACjCyC,EAAa,CACTxB,EAAe0B,gBACflB,EAAgBjN,OAASrD,EAAS6O,SACN,SAA5ByB,EAAgBlN,UAChBiN,GAAqB,GA4BzB,IA1BA,IAAIoB,EAAgB,CAChBlL,IAAKA,EACLnC,IAAKA,EACL0E,WAAYA,EACZC,cAAeA,EACfC,gBAAiBA,EACjBjB,cAAeA,EACfC,iBAAkBA,EAClBC,mBAAoBA,EACpB4H,UAAWA,EACX5G,iBAAkBA,EAClBhG,kBAAmBA,EACnBC,oBAAqBA,EACrBC,iBAAkBA,EAClBgG,WAAYA,EACZ7F,YAAaA,EACbwM,eAAgBA,EAChBzG,eAAgBA,EAChBC,aAAcA,EACdC,aAAcA,EACd8G,mBAAoBA,EACpBN,YAAaA,EACbC,aAAcA,EACdE,kBAAmBA,EACnB1G,gBAAiBA,GAEZvD,EAAK,EAAGyL,EAAKtP,MAAMH,KAAK1B,EAAEyJ,YAAa/D,EAAKyL,EAAGjR,OAAQwF,IAAM,EAE9D0L,EAAsB/B,EADb8B,EAAGzL,GACsCwL,KAElDJ,EAAerH,WAAWnI,KAAK8P,GAGvC,GAAIpP,EAAUhC,IAAMA,EAAEuC,WAClB,IAAK,IAAI8O,EAAK,EAAGC,EAAKzP,MAAMH,KAAK1B,EAAEuC,WAAWkH,YAAa4H,EAAKC,EAAGpR,OAAQmR,IAAM,CAC7E,IACID,GAAAA,EAAsB/B,EADbiC,EAAGD,GACsCH,MAElDE,EAAoBG,UAAW,EAC/BT,EAAerH,WAAWnI,KAAK8P,KA6C/C,OAxCIpR,EAAEgI,YAAc7F,EAAanC,EAAEgI,cAC/B8I,EAAeS,UAAW,GAE1BT,EAAehO,OAASrD,EAAS6O,SACN,WAA3BwC,EAAejO,SAtcvB,SAA0B2O,EAAUC,EAAU9B,GAC1C,IAAI+B,EAAMF,EAASG,cACnB,GAAKD,EAAL,CAGA,IACIE,EADAC,GAAQ,EAEZ,IACID,EAAaF,EAAIpL,SAASsL,WAE9B,MAAOrQ,GACH,OAEJ,GAAmB,aAAfqQ,EAAJ,CAcA,IAAIE,EAAW,cACXJ,EAAIK,SAAStN,OAASqN,GACtBN,EAASrD,MAAQ2D,GACA,KAAjBN,EAASrD,IAIbqD,EAASQ,iBAAiB,OAAQP,GAH9BQ,WAAWR,EAAU,OAlBzB,CACI,IAAIS,EAAUD,YAAW,WAChBJ,IACDJ,IACAI,GAAQ,KAEblC,GACH6B,EAASQ,iBAAiB,QAAQ,WAC9BG,aAAaD,GACbL,GAAQ,EACRJ,SAgbJW,CAAiBpS,GAAG,WAChB,IAAIqS,EAAYrS,EAAEoO,gBAClB,GAAIiE,GAAa5C,EAAc,CAC3B,IAAI6C,EAAuBjD,EAAoBgD,EAAW,CACtDrM,IAAKqM,EACLxO,IAAKA,EACL0E,WAAYA,EACZC,cAAeA,EACfC,gBAAiBA,EACjBjB,cAAeA,EACfC,iBAAkBA,EAClBC,mBAAoBA,EACpB4H,WAAW,EACX5G,iBAAkBA,EAClBhG,kBAAmBA,EACnBC,oBAAqBA,EACrBC,iBAAkBA,EAClBgG,WAAYA,EACZ7F,YAAaA,EACbwM,eAAgBA,EAChBzG,eAAgBA,EAChBC,aAAcA,EACdC,aAAcA,EACd8G,mBAAoBA,EACpBN,YAAaA,EACbC,aAAcA,EACdE,kBAAmBA,EACnB1G,gBAAiBA,IAEjBqJ,GACA7C,EAAazP,EAAGsS,MAGzB3C,GAEAmB,EA0FX,IAAIyB,EAAY,kCAChB,SAASC,EAAMC,EAAKtK,QACA,IAAZA,IAAsBA,EAAU,IACpC,IAAIuK,EAAS,EACTC,EAAS,EACb,SAASC,EAAeC,GACpB,IAAIC,EAAQD,EAAIhM,MAAM,OAClBiM,IACAJ,GAAUI,EAAM5S,QAEpB,IAAIH,EAAI8S,EAAIE,YAAY,MACxBJ,GAAgB,IAAP5S,EAAW4S,EAASE,EAAI3S,OAAS2S,EAAI3S,OAASH,EAE3D,SAASiT,IACL,IAAIC,EAAQ,CAAEC,KAAMR,EAAQC,OAAQA,GACpC,OAAO,SAAUpL,GAGb,OAFAA,EAAKyL,SAAW,IAAIG,EAASF,GAC7BG,IACO7L,GAGf,IAAI4L,EACA,SAAkBF,GACdzS,KAAKyS,MAAQA,EACbzS,KAAK6S,IAAM,CAAEH,KAAMR,EAAQC,OAAQA,GACnCnS,KAAK8S,OAASnL,EAAQmL,QAI9BH,EAAS/S,UAAUmT,QAAUd,EAC7B,IAAIe,EAAa,GACjB,SAASjS,EAAMkS,GACX,IAAIzG,EAAM,IAAI0G,MAAMvL,EAAQmL,OAAS,IAAMZ,EAAS,IAAMC,EAAS,KAAOc,GAM1E,GALAzG,EAAI2G,OAASF,EACbzG,EAAI4G,SAAWzL,EAAQmL,OACvBtG,EAAIkG,KAAOR,EACX1F,EAAI2F,OAASA,EACb3F,EAAIsG,OAASb,GACTtK,EAAQ0L,OAIR,MAAM7G,EAHNwG,EAAWlS,KAAK0L,GAiBxB,SAAS8G,IACL,OAAOjN,EAAM,SAEjB,SAASkN,IACL,OAAOlN,EAAM,MAEjB,SAASlD,IACL,IAAI4D,EACA5D,EAAQ,GAGZ,IAFAyP,IACAY,EAASrQ,GACF8O,EAAIvS,QAA4B,MAAlBuS,EAAIrL,OAAO,KAAeG,EAAO0M,KAAYjQ,OACjD,IAATuD,IACA5D,EAAMrC,KAAKiG,GACXyM,EAASrQ,IAGjB,OAAOA,EAEX,SAASkD,EAAMqN,GACX,IAAIrT,EAAIqT,EAAGpN,KAAK2L,GAChB,GAAK5R,EAAL,CAGA,IAAIgS,EAAMhS,EAAE,GAGZ,OAFA+R,EAAeC,GACfJ,EAAMA,EAAI3Q,MAAM+Q,EAAI3S,QACbW,GAEX,SAASuS,IACLvM,EAAM,QAEV,SAASmN,EAASrQ,GAEd,IAAIwD,EACJ,SAFc,IAAVxD,IAAoBA,EAAQ,IAExBwD,EAAI8I,MACE,IAAN9I,GACAxD,EAAMrC,KAAK6F,GAEfA,EAAI8I,IAER,OAAOtM,EAEX,SAASsM,IACL,IAAIxJ,EAAMuM,IACV,GAAI,MAAQP,EAAIrL,OAAO,IAAM,MAAQqL,EAAIrL,OAAO,GAAhD,CAIA,IADA,IAAIrH,EAAI,EACD,KAAO0S,EAAIrL,OAAOrH,KACpB,MAAQ0S,EAAIrL,OAAOrH,IAAM,MAAQ0S,EAAIrL,OAAOrH,EAAI,OAC/CA,EAGN,GADAA,GAAK,EACD,KAAO0S,EAAIrL,OAAOrH,EAAI,GACtB,OAAOwB,EAAM,0BAEjB,IAAIsR,EAAMJ,EAAI3Q,MAAM,EAAG/B,EAAI,GAK3B,OAJA4S,GAAU,EACVC,EAAeC,GACfJ,EAAMA,EAAI3Q,MAAM/B,GAChB4S,GAAU,EACHlM,EAAI,CACP3D,KAAM,UACNmN,QAAS4C,KAGjB,SAASsB,IACL,IAAItT,EAAIgG,EAAM,YACd,GAAKhG,EAGL,OAAOqF,EAAKrF,EAAE,IACT6D,QAAQ,+CAAgD,IACxDA,QAAQ,oCAAoC,SAAU7D,GACvD,OAAOA,EAAE6D,QAAQ,KAAM,QAEtBY,MAAM,sBACNzB,KAAI,SAAU/D,GACf,OAAOA,EAAE4E,QAAQ,UAAW,QAGpC,SAAS0P,IACL,IAAI3N,EAAMuM,IACNqB,EAAYxN,EAAM,4CACtB,GAAKwN,EAAL,CAGA,IAAIC,EAAOpO,EAAKmO,EAAU,IAC1B,IAAKxN,EAAM,SACP,OAAOtF,EAAM,wBAEjB,IAAIgT,EAAM1N,EAAM,yDACZ2N,EAAM/N,EAAI,CACV3D,KAAM,cACN0N,SAAU8D,EAAK5P,QAAQ6N,EAAW,IAClCxR,MAAOwT,EAAMrO,EAAKqO,EAAI,IAAI7P,QAAQ6N,EAAW,IAAM,KAGvD,OADA1L,EAAM,WACC2N,GAEX,SAASC,IACL,IAKIC,EALAC,EAAQ,GACZ,IAAKb,IACD,OAAOvS,EAAM,eAIjB,IAFAyS,EAASW,GAEDD,EAAON,MACE,IAATM,IACAC,EAAMrT,KAAKoT,GACXV,EAASW,IAEbD,EAAON,IAEX,OAAKL,IAGEY,EAFIpT,EAAM,eAIrB,SAASqT,IAIL,IAHA,IAAI/T,EACAgU,EAAO,GACPpO,EAAMuM,IACFnS,EAAIgG,EAAM,wCACdgO,EAAKvT,KAAKT,EAAE,IACZgG,EAAM,SAEV,GAAKgO,EAAK3U,OAGV,OAAOuG,EAAI,CACP3D,KAAM,WACNgS,OAAQD,EACRJ,aAAcA,MA8KtB,IA9TQM,EA8TJC,EAAWC,EAAe,UAC1BC,EAAYD,EAAe,WAC3BE,EAAcF,EAAe,aACjC,SAASA,EAAezO,GACpB,IAAI0N,EAAK,IAAIzQ,OAAO,KAAO+C,EAAO,gBAClC,OAAO,WACH,IAAIC,EAAMuM,IACNnS,EAAIgG,EAAMqN,GACd,GAAKrT,EAAL,CAGA,IAAI2T,EAAM,CAAE1R,KAAM0D,GAElB,OADAgO,EAAIhO,GAAQ3F,EAAE,GAAGqF,OACVO,EAAI+N,KAGnB,SAASP,IACL,GAAe,MAAXxB,EAAI,GAGR,OA/LJ,WACI,IAAIhM,EAAMuM,IACNnS,EAAIgG,EAAM,2BACd,GAAKhG,EAAL,CAGA,IAAIuU,EAASvU,EAAE,GAEf,KADAA,EAAIgG,EAAM,iBAEN,OAAOtF,EAAM,2BAEjB,IAII8T,EAJA7O,EAAO3F,EAAE,GACb,IAAKiT,IACD,OAAOvS,EAAM,0BAIjB,IADA,IAAI+T,EAAStB,IACLqB,EAAQT,KACZU,EAAOhU,KAAK+T,GACZC,EAASA,EAAOvT,OAAOiS,KAE3B,OAAKD,IAGEtN,EAAI,CACP3D,KAAM,YACN0D,KAAMA,EACN4O,OAAQA,EACRG,UAAWD,IANJ/T,EAAM,2BAyKTiU,IA1HZ,WACI,IAAI/O,EAAMuM,IACNnS,EAAIgG,EAAM,oBACd,GAAKhG,EAAL,CAGA,IAAI4U,EAAQvP,EAAKrF,EAAE,IACnB,IAAKiT,IACD,OAAOvS,EAAM,sBAEjB,IAAImU,EAAQ1B,IAAWjS,OAAO4B,KAC9B,OAAKoQ,IAGEtN,EAAI,CACP3D,KAAM,QACN2S,MAAOA,EACP9R,MAAO+R,IALAnU,EAAM,uBA+GboU,IAvGR,WACI,IAAIlP,EAAMuM,IACNnS,EAAIgG,EAAM,2CACd,GAAKhG,EAGL,OAAO4F,EAAI,CACP3D,KAAM,eACN0D,KAAMN,EAAKrF,EAAE,IACb4U,MAAOvP,EAAKrF,EAAE,MA+Fd+U,IAlKR,WACI,IAAInP,EAAMuM,IACNnS,EAAIgG,EAAM,uBACd,GAAKhG,EAAL,CAGA,IAAIgV,EAAW3P,EAAKrF,EAAE,IACtB,IAAKiT,IACD,OAAOvS,EAAM,yBAEjB,IAAImU,EAAQ1B,IAAWjS,OAAO4B,KAC9B,OAAKoQ,IAGEtN,EAAI,CACP3D,KAAM,WACN+S,SAAUA,EACVlS,MAAO+R,IALAnU,EAAM,0BAuJbuU,IACAd,KACAE,KACAC,KAvER,WACI,IAAI1O,EAAMuM,IACNnS,EAAIgG,EAAM,gCACd,GAAKhG,EAAL,CAGA,IAAIuU,EAASlP,EAAKrF,EAAE,IAChBmF,EAAME,EAAKrF,EAAE,IACjB,IAAKiT,IACD,OAAOvS,EAAM,yBAEjB,IAAImU,EAAQ1B,IAAWjS,OAAO4B,KAC9B,OAAKoQ,IAGEtN,EAAI,CACP3D,KAAM,WACNwD,SAAUN,EACVoP,OAAQA,EACRzR,MAAO+R,IANAnU,EAAM,0BA2DbwU,IAjGR,WACI,IAAItP,EAAMuM,IAEV,GADQnM,EAAM,YACd,CAGA,IAAImP,EAAM7B,KAAc,GACxB,IAAKL,IACD,OAAOvS,EAAM,qBAIjB,IAFA,IACImT,EADAC,EAAQX,IAEJU,EAAON,KACXO,EAAMrT,KAAKoT,GACXC,EAAQA,EAAM5S,OAAOiS,KAEzB,OAAKD,IAGEtN,EAAI,CACP3D,KAAM,OACNmT,UAAWD,EACXvB,aAAcE,IALPpT,EAAM,sBAiFb2U,IApJR,WACI,IAAIzP,EAAMuM,IAEV,GADQnM,EAAM,aACd,CAGA,IAAKiN,IACD,OAAOvS,EAAM,qBAEjB,IAAImU,EAAQ1B,IAAWjS,OAAO4B,KAC9B,OAAKoQ,IAGEtN,EAAI,CACP3D,KAAM,OACNa,MAAO+R,IAJAnU,EAAM,sBA0Ib4U,IApDR,WACI,IAAI1P,EAAMuM,IAEV,GADQnM,EAAM,kBACd,CAGA,IAAKiN,IACD,OAAOvS,EAAM,0BAIjB,IAFA,IACImT,EADAC,EAAQX,IAEJU,EAAON,KACXO,EAAMrT,KAAKoT,GACXC,EAAQA,EAAM5S,OAAOiS,KAEzB,OAAKD,IAGEtN,EAAI,CACP3D,KAAM,YACN2R,aAAcE,IAJPpT,EAAM,2BAqCb6U,GAER,SAASpS,IACL,IAAIyC,EAAMuM,IACNgD,EAAM7B,IACV,OAAK6B,GAGLhC,IACOvN,EAAI,CACP3D,KAAM,OACNmT,UAAWD,EACXvB,aAAcA,OANPlT,EAAM,oBASrB,OAAO8U,GA3WCtB,EAAYpR,IACT,CACHb,KAAM,aACN2H,WAAY,CACR6I,OAAQnL,EAAQmL,OAChB3P,MAAOoR,EACPuB,cAAe9C,MAuW/B,SAAStN,EAAK2M,GACV,OAAOA,EAAMA,EAAInO,QAAQ,aAAc,IAAM,GAEjD,SAAS2R,EAAUE,EAAKC,GAGpB,IAFA,IAAIC,EAASF,GAA2B,iBAAbA,EAAIzT,KAC3B4T,EAAcD,EAASF,EAAMC,EACxB9Q,EAAK,EAAGtD,EAAKzC,OAAOgX,KAAKJ,GAAM7Q,EAAKtD,EAAGlC,OAAQwF,IAAM,CAC1D,IACI3E,EAAQwV,EADJnU,EAAGsD,IAEP7D,MAAM+U,QAAQ7V,GACdA,EAAM8V,SAAQ,SAAUC,GACpBT,EAAUS,EAAGJ,MAGZ3V,GAA0B,iBAAVA,GACrBsV,EAAUtV,EAAO2V,GAWzB,OARID,GACA9W,OAAOoX,eAAeR,EAAK,SAAU,CACjCS,cAAc,EACdC,UAAU,EACVC,YAAY,EACZnW,MAAOyV,GAAU,OAGlBD,EAGX,IAAIY,EAAS,CACTjH,OAAQ,WACRkH,SAAU,WACVC,YAAa,cACbC,aAAc,eACdC,aAAc,eACdC,cAAe,gBACfC,iBAAkB,mBAClBC,SAAU,WACVC,QAAS,UACTC,cAAe,gBACfC,oBAAqB,sBACrBC,YAAa,cACbC,iBAAkB,mBAClBC,kBAAmB,oBACnBC,kBAAmB,oBACnBC,eAAgB,iBAChBC,aAAc,eACdC,QAAS,UACTC,QAAS,UACTC,QAAS,UACTC,QAAS,UACTC,QAAS,UACTC,eAAgB,iBAChBC,QAAS,UACTC,QAAS,UACTC,YAAa,cACbC,aAAc,eACdC,SAAU,WACVC,aAAc,eACdC,mBAAoB,qBACpBC,YAAa,cACbC,OAAQ,SACRC,aAAc,eACdC,cAAe,gBACfC,SAAU,WACVC,eAAgB,iBAChBC,eAAgB,kBAYpB,ICp1CYC,EA+DAC,EA8UAC,EAcAC,EAuIMC,EA2GNC,EDusBRC,EAAiB,gBACjBC,EAAwB,IAAItW,OAAOqW,EAAexG,OAAQ,KAC9D,SAAS0G,EAAc9V,EAAS+V,GAC5B,IAAIC,EAAcD,MAAAA,OAAqC,EAASA,EAAME,qBAAqBC,IAAIlW,GAC/F,GAAIgW,EACA,OAAOA,EACX,IAAIG,EAAM7H,EAAMtO,EAAS,CACrB2P,QAAQ,IAEZ,IAAKwG,EAAI5P,WACL,OAAOvG,EAEX,IAAI+R,EAAY,GAUhB,GATAoE,EAAI5P,WAAW9G,MAAMkT,SAAQ,SAAU7S,GAC/B,cAAeA,IACdA,EAAKiS,WAAa,IAAIY,SAAQ,SAAU1C,GACjC2F,EAAe1U,KAAK+O,IACpB8B,EAAU3U,KAAK6S,SAKN,IAArB8B,EAAU/V,OACV,OAAOgE,EAEX,IAAIoW,EAAkB,IAAI7W,OAAOwS,EAC5BsE,QAAO,SAAUpG,EAAUqG,GAAS,OAAOvE,EAAU5Q,QAAQ8O,KAAcqG,KAC3EC,MAAK,SAAUtU,EAAGuU,GAAK,OAAOA,EAAExa,OAASiG,EAAEjG,UAC3C2D,KAAI,SAAUsQ,GACf,OAAoBA,EA/BbzP,QAAQ,sBAAuB,WAiCrCX,KAAK,KAAM,KACZ4W,EAASzW,EAAQQ,QAAQ4V,GAAiB,SAAUnG,GACpD,IAAIyG,EAAczG,EAASzP,QAAQqV,EAAuB,eAC1D,OAAO5F,EAAW,KAAOyG,KAG7B,OADAX,MAAAA,GAA8CA,EAAME,qBAAqBU,IAAI3W,EAASyW,GAC/EA,EAEX,SAASG,IAEL,MAAO,CACHX,qBAFuB,IAAIY,KAKnC,SAASC,EAAUhb,EAAGmI,GAClB,IAAInC,EAAMmC,EAAQnC,IAAKiV,EAAU9S,EAAQ8S,QAAShB,EAAQ9R,EAAQ8R,MAClE,OAAQja,EAAE8C,MACN,KAAKrD,EAAS+J,SACV,OAAOxD,EAAIkV,eAAeC,eAAe,KAAM,GAAI,MACvD,KAAK1b,EAASkK,aACV,OAAO3D,EAAIkV,eAAeE,mBAAmBpb,EAAEwG,MAAQ,OAAQxG,EAAE4J,SAAU5J,EAAE6J,UACjF,KAAKpK,EAAS6O,QACV,IACI+M,EADAxY,EA/DhB,SAAoB7C,GAChB,IAAI6C,EAAUsU,EAAOnX,EAAE6C,SAAWsU,EAAOnX,EAAE6C,SAAW7C,EAAE6C,QAIxD,MAHgB,SAAZA,GAAsB7C,EAAEsK,WAAWO,WACnChI,EAAU,SAEPA,EA0DeyY,CAAWtb,GAGrBqb,EADArb,EAAEuO,MACOvI,EAAIuV,gBAAgB,6BAA8B1Y,GAGlDmD,EAAII,cAAcvD,GAE/B,IAAI2Y,EAAU,SAAUhR,GACpB,IAAKxK,EAAEsK,WAAWjK,eAAemK,GAC7B,MAAO,WAEX,IAAIzJ,EAAQf,EAAEsK,WAAWE,GACzB,GAAgB,WAAZ3H,GAAmC,aAAX2H,IAAmC,IAAVzJ,EACjD,MAAO,WAIX,GAFAA,EACqB,kBAAVA,GAAwC,iBAAVA,EAAqB,GAAKA,EAC9DyJ,EAAOiR,WAAW,OAqDlB,CACD,GAAgB,WAAZ5Y,GAAmC,eAAX2H,EAAyB,CACjD,IAAIiC,EAAUnG,SAASF,cAAc,OACrCqG,EAAQ0B,IAAMpN,EACd0L,EAAQY,OAAS,WACb,IAAIjC,EAAMiQ,EAAOhQ,WAAW,MACxBD,GACAA,EAAI2B,UAAUN,EAAS,EAAG,EAAGA,EAAQlB,MAAOkB,EAAQhB,cAI3D,GAAgB,QAAZ5I,GAAgC,eAAX2H,EAAyB,CACnD,IAAIkR,EAAQL,EACPK,EAAMvO,WAAWsO,WAAW,WAC7BC,EAAMC,aAAa,qBAAsB3b,EAAEsK,WAAW6D,KACtDuN,EAAMvN,IAAMpN,GAGpB,GAAe,aAAXyJ,EACA6Q,EAAO3F,MAAMnK,MAAQxK,OAEpB,GAAe,cAAXyJ,EACL6Q,EAAO3F,MAAMjK,OAAS1K,OAErB,GAAe,wBAAXyJ,EACL6Q,EAAO5N,YAAczN,EAAEsK,WAClBkD,yBAEJ,GAAe,kBAAXhD,EACL,OAAQzJ,GACJ,IAAK,SACDsa,EACKO,OAAc,OAAE,SAAUxa,GAAK,OAAO6L,QAAQC,KAAK,uBAAwB9L,MAChF,MACJ,IAAK,SACDia,EAAOQ,aAxFQ,CAC3B,IAAIC,EAAyB,aAAZjZ,GAAqC,UAAX2H,EACvCuR,EAAmC,UAAZlZ,GAAkC,aAAX2H,EAIlD,GAHIuR,GAAwBd,IACxBla,EAAQiZ,EAAcjZ,EAAOkZ,IAE7B6B,GAAcC,EAAsB,CAEpC,IADA,IAAIC,EAAQhW,EAAIiW,eAAelb,GACtB2E,EAAK,EAAGtD,EAAKP,MAAMH,KAAK2Z,EAAO5R,YAAa/D,EAAKtD,EAAGlC,OAAQwF,IAAM,CACvE,IAAIyB,EAAI/E,EAAGsD,GACPyB,EAAElF,WAAaoZ,EAAOpT,WACtBoT,EAAOa,YAAY/U,GAI3B,OADAkU,EAAOc,YAAYH,GACZ,WAEX,IACI,GAAIhc,EAAEuO,OAAoB,eAAX/D,EACX6Q,EAAOe,eAAe,+BAAgC5R,EAAQzJ,QAE7D,GAAe,WAAXyJ,GACM,YAAXA,GAC2B,YAA3BA,EAAOzD,UAAU,EAAG,GACpBsU,EAAOM,aAAa,IAAMnR,EAAQzJ,OAEjC,CAAA,GAAgB,SAAZ8B,GAC0B,4BAA/B7C,EAAEsK,WAAW,eACF,YAAXE,EAEA,OADA6Q,EAAOM,aAAa,cAAe5a,GAC5B,WAEU,SAAZ8B,GACgB,YAArB7C,EAAEsK,WAAWM,KACO,WAApB5K,EAAEsK,WAAW6F,IAEI,SAAZtN,GACgB,aAArB7C,EAAEsK,WAAWM,KACgB,iBAAtB5K,EAAEsK,WAAW7F,MACpBzE,EAAEsK,WAAW7F,KAAK2L,SAAS,SAEV,QAAZvN,GACL7C,EAAEsK,WAAW+R,QACbrc,EAAEsK,WAAW8B,WACbiP,EAAOM,aAAa,wBAAyB3b,EAAEsK,WAAW+R,QAG1DhB,EAAOM,aAAanR,EAAQzJ,KAGpC,MAAOQ,OA4Cf,IAAK,IAAIiJ,KAAUxK,EAAEsK,WACjBkR,EAAQhR,GAEZ,GAAIxK,EAAEgR,aACF,GAAKqK,EAAO9Y,WAIR,KAAO8Y,EAAO9Y,WAAW+Z,YACrBjB,EAAO9Y,WAAW2Z,YAAYb,EAAO9Y,WAAW+Z,iBAJpDjB,EAAOkB,aAAa,CAAEC,KAAM,SAQpC,OAAOnB,EACX,KAAK5b,EAASqP,KACV,OAAO9I,EAAIiW,eAAejc,EAAE0O,SAAWuM,EACjCjB,EAAcha,EAAE+K,YAAakP,GAC7Bja,EAAE+K,aACZ,KAAKtL,EAASuP,MACV,OAAOhJ,EAAIyW,mBAAmBzc,EAAE+K,aACpC,KAAKtL,EAASyP,QACV,OAAOlJ,EAAI0W,cAAc1c,EAAE+K,aAC/B,QACI,OAAO,MAGnB,SAAS4R,EAAgB3c,EAAGmI,GACxB,IAAInC,EAAMmC,EAAQnC,IAAKnC,EAAMsE,EAAQtE,IAAKzB,EAAK+F,EAAQmH,UAAWA,OAAmB,IAAPlN,GAAwBA,EAAIuG,EAAKR,EAAQ8S,QAASA,OAAiB,IAAPtS,GAAuBA,EAAIiU,EAAczU,EAAQyU,YAAa3C,EAAQ9R,EAAQ8R,MACpN1S,EAAOyT,EAAUhb,EAAG,CAAEgG,IAAKA,EAAKiV,QAASA,EAAShB,MAAOA,IAC7D,IAAK1S,EACD,OAAO,KAwBX,GAtBIvH,EAAEoI,QACF6E,QAAQ4P,OAAOhZ,EAAI7D,EAAEoI,UAAYpC,EAAK,gDAEtChG,EAAE8C,OAASrD,EAAS+J,WACpBxD,EAAI+N,QACJ/N,EAAI8N,OACiB,eAAjB9T,EAAEuJ,YACFvJ,EAAEyJ,YACFzJ,EAAEyJ,WAAW,GAAG3G,OAASrD,EAASkK,eAC9B3J,EAAEyJ,WAAW,GAAG3G,OAASrD,EAAS6O,SAClC,UAAWtO,EAAEyJ,WAAW,GAAGa,YACU,iCAArCtK,EAAEyJ,WAAW,GAAGa,WAAWwS,MAC3B9W,EAAI+W,MAAM,sEAGV/W,EAAI+W,MAAM,sEAGlBxV,EAAOvB,GAEXuB,EAAK2B,KAAOlJ,EACZ6D,EAAI7D,EAAEoJ,IAAM7B,GACPvH,EAAE8C,OAASrD,EAAS+J,UAAYxJ,EAAE8C,OAASrD,EAAS6O,WACpDgB,EACD,IAAK,IAAI5J,EAAK,EAAGmD,EAAK7I,EAAEyJ,WAAY/D,EAAKmD,EAAG3I,OAAQwF,IAAM,CACtD,IAAIsX,EAASnU,EAAGnD,GACZuX,EAAYN,EAAgBK,EAAQ,CACpChX,IAAKA,EACLnC,IAAKA,EACLyL,WAAW,EACX2L,QAASA,EACT2B,YAAaA,EACb3C,MAAOA,IAENgD,GAIDD,EAAOzL,UAAYvP,EAAUuF,IAASA,EAAKhF,WAC3CgF,EAAKhF,WAAW4Z,YAAYc,GAG5B1V,EAAK4U,YAAYc,GAEjBL,GACAA,EAAYK,IAVZhQ,QAAQC,KAAK,oBAAqB8P,GAc9C,OAAOzV,EA+BX,SAAS2V,EAAQld,EAAGmI,GAChB,IAAInC,EAAMmC,EAAQnC,IAAKmX,EAAUhV,EAAQgV,QAAS/a,EAAK+F,EAAQ8S,QAC3DmC,EAAY,GACZ7V,EAAOoV,EAAgB3c,EAAG,CAC1BgG,IAAKA,EACLnC,IAAKuZ,EACL9N,WAAW,EACX2L,aANqF,IAAP7Y,GAAuBA,EAOrGwa,YAPuHzU,EAAQyU,YAQ/H3C,MARoJ9R,EAAQ8R,QAgBhK,OA9CJ,SAAemD,EAAWD,GAItB,IAAK,IAAIE,KAAOD,EACRA,EAAUC,KAJJ9V,EAKD6V,EAAUC,GAJnBF,EAAQ5V,IADZ,IAAcA,EAuCd+V,CAAMF,GAAW,SAAUG,GACnBJ,GACAA,EAAQI,GAhCpB,SAAsBhW,GAClB,IAAIvH,EAAIuH,EAAK2B,KACb,GAAIlJ,EAAE8C,OAASrD,EAAS6O,QAAxB,CAGA,IAAIhG,EAAKf,EACT,IAAK,IAAIiW,KAAUxd,EAAEsK,WACjB,GAAMtK,EAAEsK,WAAWjK,eAAemd,IAAWA,EAAO/B,WAAW,OAA/D,CAGA,IAAI1a,EAAQf,EAAEsK,WAAWkT,GACV,kBAAXA,IACAlV,EAAGoF,WAAa3M,GAEL,iBAAXyc,IACAlV,EAAGsF,UAAY7M,KAmBnB0c,CAAaF,MAEV,CAAChW,EAAM6V,YEhnDFM,EACd5a,EACA6a,EACAC,gBAAAA,YAEA,IAAMzV,EAAU,CAAE0V,SAAS,EAAMC,SAAS,GAE1C,OADAF,EAAO5L,iBAAiBlP,EAAM6a,EAAIxV,GAC3B,WAAM,OAAAyV,EAAOG,oBAAoBjb,EAAM6a,EAAIxV,aAGpC6V,IACd,MAAO,CACLna,IAAK,GACLoa,eAAMje,GAEJ,OAAKA,GAAMA,EAAEkJ,KAGNlJ,EAAEkJ,KAAKE,IAFJ,GAIZ8U,iBAAQ9U,GACN,OAAO5I,KAAKqD,IAAIuF,IAAO,MAGzB+U,kBAAA,SAAkBne,GAAlB,WACQoJ,EAAKpJ,EAAEkJ,MAAQlJ,EAAEkJ,KAAKE,UACrB5I,KAAKqD,IAAIuF,GACZpJ,EAAEyJ,YACJzJ,EAAEyJ,WAAWoN,SAAQ,SAACmF,GACpB,OAAAoC,EAAKD,kBAAmBnC,OAI9BqC,aAAIjV,GACF,OAAO5I,KAAKqD,IAAIxD,eAAe+I,IAEjCkV,iBACE9d,KAAKqD,IAAM,yBD/CL2V,EAAAA,cAAAA,0DAEVA,mBACAA,mCACAA,iDACAA,mBACAA,uBACAA,mDAwDUC,EAAAA,sBAAAA,kDAEVA,6BACAA,2CACAA,uBACAA,uCACAA,qBACAA,6BACAA,2CACAA,uCACAA,uCACAA,oBACAA,kBACAA,oBACAA,wEAgUUC,EAAAA,sBAAAA,gDAEVA,6BACAA,qBACAA,iCACAA,2BACAA,qBACAA,mBACAA,+BACAA,+CACAA,2BACAA,kCAGF,SAAYC,GACVA,kBACAA,qBACAA,uBAHF,CAAYA,IAAAA,OAuIZ,SAAkBC,GAChBA,mBACAA,qBACAA,uBACAA,mCAJF,CAAkBA,IAAAA,gCA2GNC,EAAAA,mBAAAA,oCAEVA,gBACAA,kBACAA,kBACAA,kBACAA,iDACAA,8CACAA,0CACAA,yBACAA,qBACAA,uCACAA,yBACAA,6BACAA,gBACAA,6BACAA,uBCxmBF,IAAM0E,EACJ,qOAsCcC,EACdC,EACAC,EACAvW,gBAAAA,MAEA,IAAIwW,EAAgD,KAChDC,EAAW,EAEf,OAAO,SAAUC,GACf,IAAIC,EAAMC,KAAKD,MACVF,IAAgC,IAApBzW,EAAQ6W,UACvBJ,EAAWE,GAEb,IAAIG,EAAYP,GAAQI,EAAMF,GAC1BM,EAAU1e,KACV2e,EAAOlf,UACPgf,GAAa,GAAKA,EAAYP,GAC5BC,IACFxM,aAAawM,GACbA,EAAU,MAEZC,EAAWE,EACXL,EAAKle,MAAM2e,EAASC,IACVR,IAAgC,IAArBxW,EAAQiX,WAC7BT,EAAU1M,YAAW,WACnB2M,GAA+B,IAApBzW,EAAQ6W,QAAoB,EAAID,KAAKD,MAChDH,EAAU,KACVF,EAAKle,MAAM2e,EAASC,KACnBF,cAKOI,EACdzB,EACAP,EACAiC,EACAC,EACA7N,gBAAAA,UAEA,IAAM8N,EAAW9N,EAAI/R,OAAO8f,yBAAyB7B,EAAQP,GAkB7D,OAjBA3L,EAAI/R,OAAOoX,eACT6G,EACAP,EACAkC,EACID,EACA,CACEzE,IAAA,SAAI9Z,GAAJ,WAEEkR,YAAW,WACTqN,EAAEzE,IAAKva,KAAK8d,EAAMrd,KACjB,GACCye,GAAYA,EAAS3E,KACvB2E,EAAS3E,IAAIva,KAAKE,KAAMO,MAK7B,WAAM,OAAAse,EAAWzB,EAAQP,EAAKmC,GAAY,IAAI,aAIvCE,EAEdpM,EACA9M,EAEAmZ,GAEA,IACE,KAAMnZ,KAAQ8M,GACZ,OAAO,aAGT,IAAMsM,EAAWtM,EAAO9M,GAClBqZ,EAAUF,EAAYC,GAiB5B,MAZuB,mBAAZC,IACTA,EAAQzf,UAAYyf,EAAQzf,WAAa,GACzCT,OAAOmgB,iBAAiBD,EAAS,CAC/BE,mBAAoB,CAClB7I,YAAY,EACZnW,MAAO6e,MAKbtM,EAAO9M,GAAQqZ,EAER,WACLvM,EAAO9M,GAAQoZ,GAEjB,SACA,OAAO,uBAMKI,IACd,OACEC,OAAOC,aACN5Z,SAAS6Z,iBAAmB7Z,SAAS6Z,gBAAgBC,cACrD9Z,SAAS+Z,MAAQ/Z,SAAS+Z,KAAKD,sBAIpBE,KACd,OACEL,OAAOM,YACNja,SAAS6Z,iBAAmB7Z,SAAS6Z,gBAAgBK,aACrDla,SAAS+Z,MAAQ/Z,SAAS+Z,KAAKG,qBAIpBC,GAAUlZ,EAAmBgB,GAC3C,IAAKhB,EACH,OAAO,EAET,GAAIA,EAAKtF,WAAasF,EAAKrF,aAAc,CACvC,IAAIwe,GAAY,EAChB,GAA0B,iBAAfnY,EAAyB,CAClC,QAAsCc,IAAjC9B,EAAqBI,QACxB,OAA2D,OAAnDJ,EAAqBI,QAAQ,IAAMY,GAE3CmY,EAAanZ,EAAqBK,UAAUC,SAASU,QAGtDhB,EAAqBK,UAAUiP,SAAQ,SAAC9O,GACnCQ,EAAWnD,KAAK2C,KAClB2Y,GAAY,MAIlB,OAAOA,GAAaD,GAAUlZ,EAAKS,WAAYO,GAEjD,OAAIhB,EAAKtF,SAAasF,EAAKU,UAElBwY,GAAUlZ,EAAKS,WAAYO,YAKtBoY,GAAU3gB,GACxB,MAAI,SAAUA,IFpMG,IEqMPA,EAAYkJ,KAAKE,YAObwX,GAAkBhD,EAAeiD,GAC/C,GAAI1e,EAAayb,GACf,OAAO,EAET,IAAMxU,EAAKyX,EAAO5C,MAAML,GACxB,OAAKiD,EAAOxC,IAAIjV,MAIdwU,EAAO5V,YACP4V,EAAO5V,WAAW/F,WAAa2b,EAAOtU,kBAKnCsU,EAAO5V,YAGL4Y,GAAmBhD,EAAO5V,WAAiC6Y,aAGpDC,GACdC,GAEA,OAAOze,QAASye,EAAqBC,yBAGvBC,GAASvP,gBAAAA,UACnB,aAAcA,IAAQA,EAAIwP,SAAS9gB,UAAUyW,UAC/CnF,EAAIwP,SAAS9gB,UAAUyW,QAAWhV,MAAMzB,UACrCyW,SAGD,iBAAkBnF,IAAQA,EAAIyP,aAAa/gB,UAAUyW,UACvDnF,EAAIyP,aAAa/gB,UAAUyW,QAAWhV,MAAMzB,UACzCyW,SAIAuK,KAAKhhB,UAAUyH,WAClBuZ,KAAKhhB,UAAUyH,SAAW,SAAkBN,GAC1C,KAAM,KAAKtH,WACT,MAAM,IAAIgB,UAAU,0BAGtB,GACE,GAAIT,OAAS+G,EACX,OAAO,QAGDA,EAAOA,GAAQA,EAAKS,YAE9B,OAAO,aAhPgB,CAC3BnE,IAAK,GACLoa,iBAEE,OADAhR,QAAQ1L,MAAMgd,IACN,GAEVL,mBAEE,OADAjR,QAAQ1L,MAAMgd,GACP,MAETJ,6BACElR,QAAQ1L,MAAMgd,IAEhBF,eAEE,OADApR,QAAQ1L,MAAMgd,IACP,GAETD,iBACErR,QAAQ1L,MAAMgd,KAGI,oBAAX0B,QAA0BA,OAAOoB,OAASpB,OAAOqB,UAC1DC,SAAU,IAAIF,MAAME,SAAS,CAC3BnH,aAAIwD,EAAQtJ,EAAMkN,GAIhB,MAHa,QAATlN,GACFrH,QAAQ1L,MAAMgd,GAET+C,QAAQlH,IAAIwD,EAAQtJ,EAAMkN,OAkOvC,kBAWE,aACEhhB,KAAK8d,QA4KT,OAzKSmD,gBAAP,SAAWC,GACT,IAAMC,EAAiBnhB,KAAKohB,QAAQxH,IAAIsH,EAASG,UAC3CC,EAAqB,CACzB1Y,GAAIsY,EAASna,KAAK6B,GAClBsY,WACAK,SAAU,GACVC,MAAO,GACP1X,WAAY,IAETqX,GAGHG,EAAStL,OAASmL,EAClBA,EAAeI,SAASD,EAAS1Y,IAAM0Y,GAHvCthB,KAAKyhB,KAAKH,EAAS1Y,IAAM0Y,EAK3BthB,KAAKohB,QAAQ/G,IAAIiH,EAAS1Y,GAAI0Y,IAGzBL,mBAAP,SAAcC,EAA+Bb,GAA7C,WACQc,EAAiBnhB,KAAKohB,QAAQxH,IAAIsH,EAASG,UAC3CC,EAAWthB,KAAKohB,QAAQxH,IAAIsH,EAAStY,IAErC8Y,EAAuB,SAAC9Y,GAC5BgV,EAAK+D,YAAYC,IAAIhZ,GACrB,IAAM7B,EAAOsZ,EAAO3C,QAAQ9U,GAC5B7B,MAAAA,GAAAA,EAAMkC,WAAWoN,SAAQ,SAACoG,GACpB,SAAUA,GACZiF,EAAuBjF,EAAgC/T,KAAKE,QAI5DiZ,EAA0B,SAAC9a,GAC/B6W,EAAK+D,YAAYC,IAAI7a,EAAK6B,IAC1BzJ,OAAOmV,OAAOvN,EAAKwa,UAAUlL,SAAQ,SAAC7W,GAAM,OAAAqiB,EAAwBriB,MACpE,IAAMsiB,EAAYlE,EAAKwD,QAAQxH,IAAI7S,EAAK6B,IACxC,GAAIkZ,EAAW,CACb,IAAMC,EAAkBD,EAAU9L,OAC9B+L,WACKD,EAAU9L,cACV+L,EAAgBR,SAASO,EAAUlZ,IAC1CgV,EAAKwD,QAAQY,OAAOd,EAAStY,OAK9B0Y,EAGOH,UAKHG,EAAStL,cACTmL,EAAeI,SAASD,EAAS1Y,IACxC5I,KAAKohB,QAAQY,OAAOd,EAAStY,IAC7BiZ,EAAwBP,YAPjBthB,KAAKyhB,KAAKH,EAAS1Y,IAC1B5I,KAAKohB,QAAQY,OAAOV,EAAS1Y,IAC7BiZ,EAAwBP,KALxBthB,KAAKiiB,oBAAoBnhB,KAAKogB,GAC9BQ,EAAqBR,EAAStY,MAa3BqY,iBAAP,SAAYC,GACV,IAAMI,EAAWthB,KAAKohB,QAAQxH,IAAIsH,EAAStY,IACvC0Y,EACFA,EAASE,MAAM1gB,KAAKogB,GAEpBlhB,KAAKkiB,cAAcphB,KAAKogB,IAIrBD,sBAAP,SAAiBC,GACf,IAAMI,EAAWthB,KAAKohB,QAAQxH,IAAIsH,EAAStY,IACvC0Y,EACFA,EAASxX,WAAWhJ,KAAKogB,GAEzBlhB,KAAKmiB,mBAAmBrhB,KAAKogB,IAI1BD,mBAAP,SAAcnC,GACZ9e,KAAKoiB,UAAU/H,IAAIyE,EAAElW,GAAIkW,IAGpBmC,kBAAP,SAAanC,GACX9e,KAAKqiB,SAAShI,IAAIyE,EAAElW,GAAIkW,IAGnBmC,kBAAP,8BAKQ5Y,EAKFrI,KAJFyhB,SACAQ,wBACAC,kBACAC,uBAGIG,EAAkC,CACtCxP,OAAQmG,oBAAkBsJ,SAC1BC,QAASP,EACTT,MAAOU,EACPpY,WAAYqY,EACZM,KAAM,IAGFC,EAAO,SAACpB,EAAoBqB,GAC5BA,GACF/E,EAAK+D,YAAYC,IAAIN,EAAS1Y,IAEhC0Z,EAAkBd,MAAQc,EAAkBd,MACzCjgB,OAAOohB,EAAU,GAAKrB,EAASE,OAC/BzH,QAAO,SAAC1Z,GAAM,OAACud,EAAK+D,YAAY9D,IAAIxd,EAAEuI,OACzC0Z,EAAkBxY,WAAawY,EAAkBxY,WAC9CvI,OAAOohB,EAAU,GAAKrB,EAASxX,YAC/BiQ,QAAO,SAAC1Z,GAAM,OAACud,EAAK+D,YAAY9D,IAAIxd,EAAEuI,OAEtCgV,EAAK+D,YAAY9D,IAAIyD,EAAS1Y,KAC9BgV,EAAK+D,YAAY9D,IAAIyD,EAASJ,SAASG,WACvCsB,EAODxjB,OAAOmV,OAAOgN,EAASC,UAAUlL,SAAQ,SAAC7W,GAAM,OAAAkjB,EAAKljB,GAAG,OALxD8iB,EAAkBG,KAAK3hB,KAAKwgB,EAASJ,UACjCI,EAASC,UACXpiB,OAAOmV,OAAOgN,EAASC,UAAUlL,SAAQ,SAAC7W,GAAM,OAAAkjB,EAAKljB,GAAG,QAO9DL,OAAOmV,OAAOmN,GAAMpL,SAAQ,SAAC7W,GAAM,OAAAkjB,EAAKljB,GAAG,UAE3C,IAAiB,IAAAqK,EAAA5J,EAAAD,KAAKoiB,UAAUjM,sCAAQ,CAAnC,IAAMvN,UACL5I,KAAK2hB,YAAY9D,IAAIjV,IACvB5I,KAAKoiB,UAAUJ,OAAOpZ,yGAG1B,IAAiB,IAAA0E,EAAArN,EAAAD,KAAKqiB,SAASlM,sCAAQ,CAA5BvN,UACL5I,KAAK2hB,YAAY9D,IAAIjV,IACvB5I,KAAKqiB,SAASL,OAAOpZ,qGAIzB,IAAMwZ,EAAY,IAAI7H,IAAIva,KAAKoiB,WACzBC,EAAW,IAAI9H,IAAIva,KAAKqiB,UAI9B,OAFAriB,KAAK8d,QAEE,CACL8E,aAAcN,EACdF,YACAC,aAIIpB,kBAAR,WACEjhB,KAAKyhB,KAAO,GACZzhB,KAAKohB,QAAU,IAAI7G,IACnBva,KAAKiiB,oBAAsB,GAC3BjiB,KAAKkiB,cAAgB,GACrBliB,KAAKmiB,mBAAqB,GAC1BniB,KAAK2hB,YAAc,IAAIkB,IACvB7iB,KAAKoiB,UAAY,IAAI7H,IACrBva,KAAKqiB,SAAW,IAAI9H,KAGf0G,sBAAP,SAAiBrY,GACf,OAAO5I,KAAK2hB,YAAY9D,IAAIjV,kBAUhBka,GAAoBC,WAC5BC,EAA4C,GAC5CC,EAAa,SACjB5iB,EACA2V,GAEA,IAAMkN,EAA0B,CAC9B3iB,MAAOF,EACP2V,SACAuL,SAAU,IAGZ,OADAyB,EAAa3iB,EAAE0G,KAAK6B,IAAMsa,EACnBA,GAGHC,EAAgC,OACtC,IAAuB,IAAAC,EAAAnjB,EAAA8iB,iCAAO,CAAzB,IAAM7B,UACDmC,EAAqBnC,SAAbG,EAAaH,WAC7B,GAAImC,GAAUA,KAAUL,EAAxB,CACE,IAAMM,EAAaN,EAAaK,GAChC,GAAIC,EAAWtN,OAAQ,CACrB,IAAMuN,EAAMD,EAAWtN,OAAOuL,SAAS1c,QAAQye,GAC/CA,EAAWtN,OAAOuL,SAASiC,OACzBD,EACA,EACAN,EAAW/B,EAAUoC,EAAWtN,aAE7B,CACCuN,EAAMJ,EAAete,QAAQye,GACnCH,EAAeK,OAAOD,EAAK,EAAGN,EAAW/B,EAAU,aAIvD,GAAIG,KAAY2B,EAAhB,CACE,IAAMS,EAAeT,EAAa3B,GAClCoC,EAAalC,SAASzgB,KAAKmiB,EAAW/B,EAAUuC,SAGlDN,EAAeriB,KAAKmiB,EAAW/B,EAAU,yGAG3C,OAAOiC,WAGOO,GACdjC,EACAkC,GAEAA,EAAGlC,EAAKlhB,OAMR,IAAK,IAAIhB,EAAIkiB,EAAKF,SAAS7hB,OAAS,EAAGH,GAAK,EAAGA,IAC7CmkB,GAAmBjC,EAAKF,SAAShiB,GAAIokB,YAYzBC,GACd7c,GAEA,MAAI,SAAUA,IAEVA,EAAK2B,KAAKpG,OAASrD,EAAS6O,SAAiC,WAAtB/G,EAAK2B,KAAKrG,kBAOvCwhB,GACd9c,EACA+c,WAEMC,sBAAehd,EAAKid,oCAAeC,kCAAaF,aACtD,IAAKA,GAAgBA,IAAiBD,EACpC,MAAO,CACLhZ,EAAG,EACHE,EAAG,EACHkZ,cAAe,EACfC,cAAe,GAInB,IAAMC,EAAiBL,EAAaxW,wBAC9B8W,EAAqBR,GAAiBE,EAAcD,GAEpDI,EAAgBE,EAAenZ,OAAS8Y,EAAanE,aAC3D,MAAO,CACL9U,EACEsZ,EAAetZ,EAAIuZ,EAAmBH,cACtCG,EAAmBvZ,EACrBE,EACEoZ,EAAepZ,EAAIqZ,EAAmBH,cACtCG,EAAmBrZ,EACrBkZ,gBACAC,cAAeE,EAAmBF,cAAgBD,YAItCI,GACd9kB,GAEA,OAAOsC,QAAUtC,MAAAA,SAAAA,EAA2BuC,qWCjlB9C,SAASwiB,GAAmB/kB,GAC1B,MAAO,SAAUA,EAEnB,kBAAA,aACSQ,YAAS,EACTA,UAAoC,KAyE7C,OAvESwkB,gBAAP,SAAWhS,GACT,GAAIA,GAAYxS,KAAKN,OACnB,MAAM,IAAIwT,MAAM,kCAIlB,IADA,IAAIuR,EAAUzkB,KAAK0kB,KACV1K,EAAQ,EAAGA,EAAQxH,EAAUwH,IACpCyK,GAAUA,MAAAA,SAAAA,EAASnkB,OAAQ,KAE7B,OAAOmkB,GAGFD,oBAAP,SAAehlB,GACb,IAAMuH,EAA6B,CACjCxG,MAAOf,EACP4e,SAAU,KACV9d,KAAM,MAGR,GADCd,EAAuBmlB,KAAO5d,EAC3BvH,EAAE6O,iBAAmBkW,GAAmB/kB,EAAE6O,iBAAkB,CAC9D,IAAMoW,EAAUjlB,EAAE6O,gBAAgBsW,KAAKrkB,KACvCyG,EAAKzG,KAAOmkB,EACZ1d,EAAKqX,SAAW5e,EAAE6O,gBAAgBsW,KAClCnlB,EAAE6O,gBAAgBsW,KAAKrkB,KAAOyG,EAC1B0d,IACFA,EAAQrG,SAAWrX,QAEhB,GACLvH,EAAE4O,aACFmW,GAAmB/kB,EAAE4O,cACrB5O,EAAE4O,YAAYuW,KAAKvG,SACnB,CACMqG,EAAUjlB,EAAE4O,YAAYuW,KAAKvG,SACnCrX,EAAKqX,SAAWqG,EAChB1d,EAAKzG,KAAOd,EAAE4O,YAAYuW,KAC1BnlB,EAAE4O,YAAYuW,KAAKvG,SAAWrX,EAC1B0d,IACFA,EAAQnkB,KAAOyG,QAGb/G,KAAK0kB,OACP1kB,KAAK0kB,KAAKtG,SAAWrX,GAEvBA,EAAKzG,KAAON,KAAK0kB,KACjB1kB,KAAK0kB,KAAO3d,EAEd/G,KAAKN,UAGA8kB,uBAAP,SAAkBhlB,GAChB,IAAMilB,EAAUjlB,EAAEmlB,KACb3kB,KAAK0kB,OAILD,EAAQrG,UAMXqG,EAAQrG,SAAS9d,KAAOmkB,EAAQnkB,KAC5BmkB,EAAQnkB,OACVmkB,EAAQnkB,KAAK8d,SAAWqG,EAAQrG,YAPlCpe,KAAK0kB,KAAOD,EAAQnkB,KAChBN,KAAK0kB,OACP1kB,KAAK0kB,KAAKtG,SAAW,OAQrB5e,EAAEmlB,aACInlB,EAAyCmlB,KAEnD3kB,KAAKN,gBAIHklB,GAAU,SAAChc,EAAYyY,GAAqB,MAAA,UAAGzY,cAAMyY,IAC3D,SAASwD,GAAQrlB,GACf,MAAO,SAAUA,EAMnB,kBAAA,aAAA,WACUQ,aAAkB,EAClBA,aAAkB,EAElBA,WAAsB,GACtBA,gBAAgC,GAChCA,aAAiC,GACjCA,gBAAqB,GAErBA,cAAiC,GAmBjCA,cAAW,IAAI6iB,IACf7iB,cAAW,IAAI6iB,IACf7iB,gBAAa,IAAI6iB,IAoFlB7iB,sBAAmB,SAAC8kB,GACzBA,EAAUzO,QAAQuH,EAAKmH,iBACvBnH,EAAKoH,QAGAhlB,UAAO,uBACZ,IAAI4d,EAAKqH,SAAUrH,EAAKsH,OAAxB,CA0FA,IAnFA,IAAMzC,EAA4B,GAM5B0C,EAAU,IAAIX,GACdY,EAAY,SAAC5lB,GAGjB,IAFA,IAAI6lB,EAAkB7lB,EAClB6jB,GH5MS,GAAA,IG6MNA,GAELA,GADAgC,EAAKA,GAAMA,EAAGjX,cACCwP,EAAKyC,OAAO5C,MAAO4H,GAEpC,OAAOhC,GAEHiC,EAAU,SAAC9lB,GAMf,kBALM+lB,EAA6B/lB,EAAEgmB,sBAChChmB,EAAEgmB,oCAA8B3jB,KACjC,KAEA4jB,EAAiBF,sBACbE,MAAAA,SAAAA,EAAgBD,gEAA4C3jB,MAClE4jB,uBACGA,MAAAA,SAAAA,EAAgBD,gEAA4C3jB,OAC7D,KAEJ,IAAM6jB,IACH9H,EAAKpY,IAAI6B,SAAS7H,IACC,OAAnBimB,GAA4B7H,EAAKpY,IAAI6B,SAASoe,IACjD,GAAKjmB,EAAEgI,aAAcke,EAArB,CAGA,IAAMrE,EAAW1f,EAAanC,EAAEgI,YAC5BoW,EAAKyC,OAAO5C,MAAO8H,GACnB3H,EAAKyC,OAAO5C,MAAOje,EAAEgI,YACnB6b,EAAS+B,EAAU5lB,GACzB,IAAkB,IAAd6hB,IAA+B,IAAZgC,EACrB,OAAO8B,EAAQQ,QAAQnmB,GAEzB,IAAIgQ,EAAKX,EAAoBrP,EAAG,CAC9BgG,IAAKoY,EAAKpY,IACVnC,IAAKua,EAAKyC,OAAOhd,IACjB0E,WAAY6V,EAAK7V,WACjBC,cAAe4V,EAAK5V,cACpBC,gBAAiB2V,EAAK3V,gBACtBjB,cAAe4W,EAAK5W,cACpBC,iBAAkB2W,EAAK3W,iBACvBC,mBAAoB0W,EAAK1W,mBACzBhF,kBAAmB0b,EAAK1b,kBACxBC,oBAAqByb,EAAKzb,oBAC1B2M,WAAW,EACX5G,iBAAkB0V,EAAK1V,iBACvB9F,iBAAkBwb,EAAKxb,iBACvBgG,WAAYwV,EAAKxV,WACjB7F,YAAaqb,EAAKrb,YAClBwM,eAAgB6O,EAAK7O,eACrBvG,aAAcoV,EAAKpV,aACnBD,aAAcqV,EAAKrV,aACnByG,YAAa,SAAC4W,GACRhC,GAAcgC,IAChBhI,EAAKiI,cAAcC,UAAUF,GAE3BtB,GAAc9kB,IAChBoe,EAAKmI,iBAAiBC,cAAcxmB,EAAEuC,WAAY+D,WAGtDmJ,aAAc,SAACgX,EAAQC,GACrBtI,EAAKiI,cAAcM,aAAaF,EAAQC,GACxCtI,EAAKmI,iBAAiBK,oBACnBH,MAIHzW,GACFiT,EAAK3hB,KAAK,CACRugB,WACAgC,SACAtc,KAAMyI,MAKLoO,EAAKyI,WAAW3mB,QACrBke,EAAKyC,OAAO1C,kBAAkBC,EAAKyI,WAAWC,aAGhD,IAAgB,IAAAje,EAAApI,EAAA2d,EAAK2I,wCAAU,CAA1B,IAAM/mB,UAEPgnB,GAAgB5I,EAAK4E,QAAShjB,EAAGoe,EAAKyC,UACrCzC,EAAK2I,SAAS1I,IAAIre,EAAEgI,aAIvB8d,EAAQ9lB,yGAGV,IAAgB,IAAAuK,EAAA9J,EAAA2d,EAAK6I,wCAAU,CAApBjnB,UAENknB,GAAgB9I,EAAK+I,WAAYnnB,IACjCgnB,GAAgB5I,EAAK4E,QAAShjB,EAAGoe,EAAKyC,QAG9BqG,GAAgB9I,EAAK2I,SAAU/mB,GACxC8lB,EAAQ9lB,GAERoe,EAAK+I,WAAW/E,IAAIpiB,GAJpB8lB,EAAQ9lB,qGASZ,IADA,IAAIonB,EAAyC,KACtCzB,EAAQzlB,QAAQ,CACrB,IAAIqH,EAAoC,KACxC,GAAI6f,EAAW,CACb,IAAMvF,EAAWzD,EAAKyC,OAAO5C,MAC1BmJ,EAAUrmB,MAAMiH,YAEb6b,EAAS+B,EAAUwB,EAAUrmB,QACjB,IAAd8gB,IAA+B,IAAZgC,IACrBtc,EAAO6f,GAGX,IAAK7f,EACH,IAAK,IAAIiT,EAAQmL,EAAQzlB,OAAS,EAAGsa,GAAS,EAAGA,IAAS,CACxD,IAAM6M,EAAQ1B,EAAQvL,IAAII,GAE1B,GAAI6M,EAAO,CACHxF,EAAWzD,EAAKyC,OAAO5C,MAC1BoJ,EAAMtmB,MAAMiH,YAET6b,EAAS+B,EAAUyB,EAAMtmB,OAC/B,IAAkB,IAAd8gB,IAA+B,IAAZgC,EAAe,CACpCtc,EAAO8f,EACP,QAKR,IAAK9f,EAAM,CAMT,KAAOoe,EAAQT,MACbS,EAAQ2B,WAAW3B,EAAQT,KAAKnkB,OAElC,MAEFqmB,EAAY7f,EAAKqX,SACjB+G,EAAQ2B,WAAW/f,EAAKxG,OACxB+kB,EAAQve,EAAKxG,OAGf,IAAMwmB,EAAU,CACdvF,MAAO5D,EAAK4D,MACTne,KAAI,SAACb,GAAS,OACboG,GAAIgV,EAAKyC,OAAO5C,MAAMjb,EAAKuE,MAC3BxG,MAAOiC,EAAKjC,UAGbwZ,QAAO,SAACvX,GAAS,OAAAob,EAAKyC,OAAOxC,IAAIrb,EAAKoG,OACzCkB,WAAY8T,EAAK9T,WACdzG,KAAI,SAAC2jB,GAAc,OAClBpe,GAAIgV,EAAKyC,OAAO5C,MAAMuJ,EAAUjgB,MAChC+C,WAAYkd,EAAUld,eAGvBiQ,QAAO,SAACiN,GAAc,OAAApJ,EAAKyC,OAAOxC,IAAImJ,EAAUpe,OACnD4Z,QAAS5E,EAAK4E,QACdC,SAICsE,EAAQvF,MAAM9hB,QACdqnB,EAAQjd,WAAWpK,QACnBqnB,EAAQvE,QAAQ9iB,QAChBqnB,EAAQtE,KAAK/iB,UAMhBke,EAAK4D,MAAQ,GACb5D,EAAK9T,WAAa,GAClB8T,EAAK4E,QAAU,GACf5E,EAAK6I,SAAW,IAAI5D,IACpBjF,EAAK2I,SAAW,IAAI1D,IACpBjF,EAAK+I,WAAa,IAAI9D,IACtBjF,EAAKqJ,SAAW,GAEhBrJ,EAAKsJ,WAAWH,MAGV/mB,qBAAkB,SAACK,eACzB,IAAI8f,GAAU9f,EAAE+c,QAGhB,OAAQ/c,EAAEiC,MACR,IAAK,gBACH,IAAM/B,EAAQF,EAAE+c,OAAO7S,YAClB0V,GAAU5f,EAAE+c,OAAQQ,EAAK7V,aAAexH,IAAUF,EAAE8mB,UACvDvJ,EAAK4D,MAAM1gB,KAAK,CACdP,MACEuG,EACEzG,EAAE+c,OACFQ,EAAK5W,cACL4W,EAAK3W,iBACL2W,EAAK1W,qBACF3G,EACDqd,EAAKxV,WACHwV,EAAKxV,WAAW7H,GAChBA,EAAM2D,QAAQ,QAAS,KACzB3D,EACNwG,KAAM1G,EAAE+c,SAGZ,MAEF,IAAK,aACH,IAAMA,EAAS/c,EAAE+c,OACb7c,EAASF,EAAE+c,OAAuBgK,aAAa/mB,EAAEgnB,eAarD,GAZwB,UAApBhnB,EAAEgnB,gBACJ9mB,EAAQyB,EAAe,CACrBC,MAAOmb,EACPlb,kBAAmB0b,EAAK1b,kBACxBC,oBAAqByb,EAAKzb,oBAC1BC,iBAAkBwb,EAAKxb,iBACvBC,QAAUhC,EAAE+c,OAAuB/a,QACnCC,KAAOjC,EAAE+c,OAAuBgK,aAAa,QAC7C7mB,QACAgC,YAAaqb,EAAKrb,eAGlB0d,GAAU5f,EAAE+c,OAAQQ,EAAK7V,aAAexH,IAAUF,EAAE8mB,SACtD,OAEF,IAAIG,EAAoC1J,EAAK9T,WAAWK,MACtD,SAACxE,GAAM,OAAAA,EAAEoB,OAAS1G,EAAE+c,UAStB,GAPKkK,IACHA,EAAO,CACLvgB,KAAM1G,EAAE+c,OACRtT,WAAY,IAEd8T,EAAK9T,WAAWhJ,KAAKwmB,IAEC,UAApBjnB,EAAEgnB,cAA2B,CAC/B,IAAME,EAAM3J,EAAKpY,IAAII,cAAc,QAC/BvF,EAAE8mB,UACJI,EAAIpM,aAAa,QAAS9a,EAAE8mB,eAGFte,IAA1Bye,EAAKxd,WAAWoL,OACU,OAA1BoS,EAAKxd,WAAWoL,QAEhBoS,EAAKxd,WAAWoL,MAAQ,IAE1B,IAAMsS,EAAWF,EAAKxd,WAAWoL,UACjC,IAAoB,IAAA7M,EAAApI,EAAAoB,MAAMH,KAAKkc,EAAOlI,sCAAQ,CAAzC,IAAMuS,UACHC,EAAWtK,EAAOlI,MAAMyS,iBAAiBF,GACzCG,EAAcxK,EAAOlI,MAAM2S,oBAAoBJ,GAEnDC,IAAaH,EAAIrS,MAAMyS,iBAAiBF,IACxCG,IAAgBL,EAAIrS,MAAM2S,oBAAoBJ,KAG5CD,EAASC,GADS,KAAhBG,EACgBF,EAEA,CAACA,EAAUE,0GAInC,IAAoB,IAAA7d,EAAA9J,EAAAoB,MAAMH,KAAKqmB,EAAIrS,sCAAQ,CAAhCuS,UACoC,KAAzCrK,EAAOlI,MAAMyS,iBAAiBF,KAEhCD,EAASC,IAAS,2GAKtBH,EAAKxd,WAAWzJ,EAAEgnB,eAAkBthB,EAClC6X,EAAKpY,IACJnF,EAAE+c,OAAuB/a,QAC1BhC,EAAEgnB,cACF9mB,GAGJ,MAEF,IAAK,YACHF,EAAEynB,WAAWzR,SAAQ,SAAC7W,GAAM,OAAAoe,EAAKmK,QAAQvoB,EAAGa,EAAE+c,WAC9C/c,EAAE2nB,aAAa3R,SAAQ,SAAC7W,GACtB,IAAMyoB,EAASrK,EAAKyC,OAAO5C,MAAMje,GAC3B6hB,EAAW1f,EAAatB,EAAE+c,QAC5BQ,EAAKyC,OAAO5C,MAAOpd,EAAE+c,OAAOvb,MAC5B+b,EAAKyC,OAAO5C,MAAMpd,EAAE+c,QACpB6C,GAAU5f,EAAE+c,OAAQQ,EAAK7V,aAAeoY,GAAU3gB,KAIlDoe,EAAK6I,SAAS5I,IAAIre,IACpB0oB,GAAWtK,EAAK6I,SAAUjnB,GAC1Boe,EAAK+I,WAAW/E,IAAIpiB,IACXoe,EAAK6I,SAAS5I,IAAIxd,EAAE+c,UAAuB,IAAZ6K,GAQ/B7H,GAAkB/f,EAAE+c,OAAiBQ,EAAKyC,UAQnDzC,EAAK2I,SAAS1I,IAAIre,IAClBoe,EAAKqJ,SAASrC,GAAQqD,EAAQ5G,IAE9B6G,GAAWtK,EAAK2I,SAAU/mB,GAE1Boe,EAAK4E,QAAQ1hB,KAAK,CAChBugB,WACAzY,GAAIqf,EACJlX,WAAUpP,EAAatB,EAAE+c,cAAiBvU,KAG9C+U,EAAKyI,WAAWvlB,KAAKtB,SASrBQ,aAAU,SAACR,EAAiB4d,GAElC,IAAIA,IAAU6C,GAAU7C,EAAQQ,EAAK7V,YAArC,CAGA,GAAI8c,GAAQrlB,GAAI,CACd,GAAI2gB,GAAU3gB,GACZ,OAEFoe,EAAK2I,SAAS3E,IAAIpiB,GAClB,IAAI2oB,EAA0B,KAC1B/K,GAAUyH,GAAQzH,KACpB+K,EAAW/K,EAAO1U,KAAKE,IAErBuf,IACFvK,EAAKqJ,SAASrC,GAAQplB,EAAEkJ,KAAKE,GAAIuf,KAAa,QAGhDvK,EAAK6I,SAAS7E,IAAIpiB,GAClBoe,EAAK+I,WAAW3E,OAAOxiB,GAKpBygB,GAAUzgB,EAAGoe,EAAK7V,aACrBvI,EAAEyJ,WAAWoN,SAAQ,SAACmG,GAAW,OAAAoB,EAAKmK,QAAQvL,QAEpD,OAxbS4L,iBAAP,SAAYzgB,GAAZ,WACG,CACC,aACA,aACA,gBACA,kBACA,gBACA,mBACA,qBACA,oBACA,sBACA,mBACA,mBACA,aACA,cACA,eACA,eACA,iBACA,MACA,SACA,gBACA,mBACA,iBACU0O,SAAQ,SAACwG,GAEnBe,EAAKf,GAAOlV,EAAQkV,OAIjBuL,mBAAP,WACEpoB,KAAKilB,QAAS,EACdjlB,KAAKqoB,cAAcC,UAGdF,qBAAP,WACEpoB,KAAKilB,QAAS,EACdjlB,KAAKqoB,cAAcE,WACnBvoB,KAAKglB,QAGAoD,qBAAP,WACE,OAAOpoB,KAAKilB,QAGPmD,iBAAP,WACEpoB,KAAKklB,QAAS,EACdllB,KAAKqoB,cAAcG,QAGdJ,mBAAP,WACEpoB,KAAKklB,QAAS,EACdllB,KAAKqoB,cAAcI,SACnBzoB,KAAKglB,QAGAoD,kBAAP,WACEpoB,KAAK+lB,iBAAiBjI,QACtB9d,KAAKqoB,cAAcvK,cAuYvB,SAASoK,GAAWQ,EAAoBlpB,GACtCkpB,EAAQ1G,OAAOxiB,GACfA,EAAEyJ,WAAWoN,SAAQ,SAACmG,GAAW,OAAA0L,GAAWQ,EAASlM,MAGvD,SAASgK,GACPhE,EACAhjB,EACA6gB,GAEQ,IAAA7Y,EAAehI,aACvB,IAAKgI,EACH,OAAO,EAET,IAAM6Z,EAAWhB,EAAO5C,MAAOjW,GAC/B,QAAIgb,EAAQ/W,MAAK,SAAC9K,GAAM,OAAAA,EAAEiI,KAAOyY,MAG1BmF,GAAgBhE,EAAShb,EAAY6Y,GAG9C,SAASqG,GAAgBrM,EAAgB7a,GAC/B,IAAAgI,EAAehI,aACvB,QAAKgI,MAGD6S,EAAIwD,IAAIrW,IAGLkf,GAAgBrM,EAAK7S,IChmBvB,IAAMmhB,GAAoC,GAE3CC,GAAwD,oBAApBC,gBACpCC,GAAkD,oBAAjBC,aACjCC,GAAwD,oBAApBC,gBACpCC,GAA0D,oBAArBC,iBAO3C,SAASC,GAAe7I,GACtB,IACE,GAAI,iBAAkBA,EAAO,CAC3B,IAAM8I,EAAO9I,EAAM+I,eACnB,GAAID,EAAK3pB,OACP,OAAO2pB,EAAK,QAET,GAAI,SAAU9I,GAASA,EAAM8I,KAAK3pB,OACvC,OAAO6gB,EAAM8I,KAAK,GAEpB,OAAO9I,EAAMnD,OACb,SACA,OAAOmD,EAAMnD,iBAIDmM,GACd5hB,EACA6hB,WAEMC,EAAiB,IAAIrB,GAC3BO,GAAgB7nB,KAAK2oB,GAErBA,EAAeC,KAAK/hB,GACpB,IAAIgiB,EACFlK,OAAOmK,kBASNnK,OAA4CoK,qBACzCC,6BAAqBrK,iBAAAA,cAAAA,OAAkCsK,2BAAMC,wCACjE,oBAGAF,GACErK,OACAqK,KAGFH,EAAyBlK,OAGtBqK,IAEL,IAAMG,EAAW,IAAIN,EACnBF,EAAeS,iBAAiBC,KAAKV,IAUvC,OARAQ,EAASG,QAAQZ,EAAQ,CACvB1f,YAAY,EACZugB,mBAAmB,EACnBC,eAAe,EACfC,uBAAuB,EACvBC,WAAW,EACXC,SAAS,IAEJR,EAkFT,SAASS,GAA6B9oB,OACpC+oB,uBACAnlB,QACA6a,WACAtY,eACA6iB,aAEA,IAAkC,IAA9BA,EAASC,iBACX,OAAO,aAET,IAAMC,GAC0B,IAA9BF,EAASC,uBACqBhiB,IAA9B+hB,EAASC,iBACL,GACAD,EAASC,iBAETE,EAA8B,GAiCpC,OAZA5rB,OAAOgX,KAAK+C,qBACTa,QACC,SAAC8C,GACC,OAAAmO,OAAOC,MAAMD,OAAOnO,MACnBA,EAAIjN,SAAS,eACM,IAApBkb,EAAWjO,MAEdxG,SAAQ,SAAC6U,GACR,IAAMC,EAAYD,EAASxoB,cACrB0oB,EA7BS,SAACF,GAClB,OAAO,SAAC3K,GACN,IAAMnD,EAASgM,GAAe7I,GAC9B,IAAIN,GAAU7C,EAAgBrV,GAA9B,CAGA,IAAMnH,EAAI0f,GAAaC,GAASA,EAAMC,eAAe,GAAKD,EAC1D,GAAK3f,EAAL,CAGA,IAAMgI,EAAKyX,EAAO5C,MAAML,GAChBiO,EAAqBzqB,UAAZ0qB,EAAY1qB,UAC7B+pB,EAAmB,CACjBroB,KAAM4W,oBAAkBgS,GACxBtiB,KACAkC,EAAGugB,EACHrgB,EAAGsgB,OAaWC,CAAWL,GAC3BH,EAASjqB,KAAKoc,EAAGiO,EAAWC,EAAS5lB,OAElC,WACLulB,EAAS1U,SAAQ,SAACmV,GAAM,OAAAA,iBAIZC,GAAmB7pB,OACjC8pB,aACAlmB,QACA6a,WACAtY,eA2BA,OAAOmV,EAAG,SArBac,GAAkB,SAAC2N,GACxC,IAAMvO,EAASgM,GAAeuC,GAC9B,GAAKvO,IAAU6C,GAAU7C,EAAgBrV,GAAzC,CAGA,IAAMa,EAAKyX,EAAO5C,MAAML,GACxB,GAAIA,IAAW5X,EAAK,CAClB,IAAMomB,EAAYpmB,EAAIqmB,kBAAoBrmB,EAAIma,gBAC9C+L,EAAS,CACP9iB,KACAkC,EAAG8gB,EAAS1e,WACZlC,EAAG4gB,EAASxe,iBAGdse,EAAS,CACP9iB,KACAkC,EAAIsS,EAAuBlQ,WAC3BlC,EAAIoS,EAAuBhQ,0BAGrB0e,QAAU,KACctmB,GAuBtC,SAASumB,GACPzV,EACA0V,GAEA,IAAMzrB,OAAa+V,GAEnB,OADK0V,UAAezrB,EAAM0rB,cACnB1rB,EAGF,IAAM2rB,GAAa,CAAC,QAAS,WAAY,UAC1CC,GAAsD,IAAIC,QAmJhE,SAASC,GAA0B7oB,GAyBjC,OAvBA,SAAiB8oB,EAAoBrmB,GACnC,GACG2iB,IACC0D,EAAUC,sBAAsB1D,iBACjCC,IACCwD,EAAUC,sBAAsBxD,cACjCC,IACCsD,EAAUC,sBAAsBtD,iBACjCC,IACCoD,EAAUC,sBAAsBpD,iBAClC,CACA,IAGMnP,EAHQ3Y,MAAMH,KACjBorB,EAAUC,WAA+BnpB,UAExByB,QAAQynB,GAC5BrmB,EAAIumB,QAAQxS,OACP,CAECA,EADQ3Y,MAAMH,KAAKorB,EAAUG,iBAAkBrpB,UACjCyB,QAAQynB,GAC5BrmB,EAAIumB,QAAQxS,GAEd,OAAO/T,EAEFymB,CAAQlpB,EAxBa,aAuWdmpB,GACdzsB,EACA0sB,wBAAAA,MAEA,IAAMC,EAAgB3sB,EAAEsF,IAAIye,YAC5B,IAAK4I,EACH,OAAO,cAxFX,SAAoB3sB,EAAkB0sB,GAElC,IAAA1F,EAWEhnB,aAVF4sB,EAUE5sB,cATFyqB,EASEzqB,qBARFwrB,EAQExrB,WAPF6sB,EAOE7sB,mBANF8sB,EAME9sB,UALF+sB,EAKE/sB,qBAJFgtB,EAIEhtB,mBAHFitB,EAGEjtB,qBAFFktB,EAEEltB,mBADFmtB,EACEntB,SACJA,EAAEgnB,WAAa,eAAC,aAAAhiB,mBAAAA,IAAAvF,kBACVitB,EAAM1L,UACR0L,EAAM1L,eAAN0L,SAAkBjtB,QAEpBunB,sBAAcvnB,SAEhBO,EAAE4sB,YAAc,eAAC,aAAA5nB,mBAAAA,IAAAvF,kBACXitB,EAAMU,WACRV,EAAMU,gBAANV,SAAmBjtB,QAErBmtB,sBAAentB,SAEjBO,EAAEyqB,mBAAqB,eAAC,aAAAzlB,mBAAAA,IAAAvF,kBAClBitB,EAAM/B,kBACR+B,EAAM/B,uBAAN+B,SAA0BjtB,QAE5BgrB,sBAAsBhrB,SAExBO,EAAEwrB,SAAW,eAAC,aAAAxmB,mBAAAA,IAAAvF,kBACRitB,EAAMd,QACRc,EAAMd,aAANc,SAAgBjtB,QAElB+rB,sBAAY/rB,SAEdO,EAAE6sB,iBAAmB,eAAC,aAAA7nB,mBAAAA,IAAAvF,kBAChBitB,EAAMW,gBACRX,EAAMW,qBAANX,SAAwBjtB,QAE1BotB,sBAAoBptB,SAEtBO,EAAE8sB,QAAU,eAAC,aAAA9nB,mBAAAA,IAAAvF,kBACPitB,EAAM3qB,OACR2qB,EAAM3qB,YAAN2qB,SAAejtB,QAEjBqtB,sBAAWrtB,SAEbO,EAAE+sB,mBAAqB,eAAC,aAAA/nB,mBAAAA,IAAAvF,kBAClBitB,EAAMY,iBACRZ,EAAMY,sBAANZ,SAAyBjtB,QAE3BstB,sBAAsBttB,SAExBO,EAAEgtB,iBAAmB,eAAC,aAAAhoB,mBAAAA,IAAAvF,kBAChBitB,EAAMa,gBACRb,EAAMa,qBAANb,SAAwBjtB,QAE1ButB,sBAAoBvtB,SAEtBO,EAAEitB,mBAAqB,eAAC,aAAAjoB,mBAAAA,IAAAvF,kBAClBitB,EAAMc,kBACRd,EAAMc,uBAANd,SAA0BjtB,QAE5BwtB,sBAAsBxtB,SAExBO,EAAEktB,iBAAmB,eAAC,aAAAloB,mBAAAA,IAAAvF,kBAChBitB,EAAMe,gBACRf,EAAMe,qBAANf,SAAwBjtB,QAE1BytB,sBAAoBztB,SAEtBO,EAAEmtB,OAAS,eAAC,aAAAnoB,mBAAAA,IAAAvF,kBACNitB,EAAMgB,MACRhB,EAAMgB,WAANhB,SAAcjtB,QAEhB0tB,sBAAU1tB,SAaZkuB,CAAW3tB,EAAG0sB,GACd,IAAMkB,EAAmBvE,GAAqBrpB,EAAGA,EAAEsF,KAC7CuoB,EA3sBR,SAA0BnsB,OACxBkrB,gBACAlC,aACAplB,QACA6a,WAEA,IAA2B,IAAvBuK,EAAS0C,UACX,OAAO,aAGT,IAQIU,EAREC,EAC0B,iBAAvBrD,EAAS0C,UAAyB1C,EAAS0C,UAAY,GAC1DY,EACkC,iBAA/BtD,EAASuD,kBACZvD,EAASuD,kBACT,IAEFC,EAA6B,GAE3BC,EAAYrQ,GAChB,SACElL,GAKA,IAAMwb,EAAc/P,KAAKD,MAAQ0P,EACjClB,EACEsB,EAAU/qB,KAAI,SAAC1D,GAEb,OADAA,EAAE4uB,YAAcD,EACT3uB,KAETmT,GAEFsb,EAAY,GACZJ,EAAe,OAEjBE,GAEI9b,EAAiB4L,GACrB,SAAC2N,GACC,IAAMvO,EAASgM,GAAeuC,GACxB/pB,EAAuB0e,GAAaqL,GACtCA,EAAInL,eAAe,GACnBmL,EAFIN,YAASC,YAGZ0C,IACHA,EAAezP,KAAKD,OAEtB8P,EAAUttB,KAAK,CACbgK,EAAGugB,EACHrgB,EAAGsgB,EACH1iB,GAAIyX,EAAO5C,MAAML,GACjBmR,WAAYhQ,KAAKD,MAAQ0P,IAI3BK,EACuB,oBAAdG,WAA6B7C,aAAe6C,UAC/CvV,oBAAkBwV,KAClB9C,aAAe+C,WACfzV,oBAAkB0V,UAClB1V,oBAAkB2V,aAG1BX,EACA,CACErP,UAAU,IAGRmM,EAAW,CACf7N,EAAG,YAAa9K,EAAgB5M,GAChC0X,EAAG,YAAa9K,EAAgB5M,GAChC0X,EAAG,OAAQ9K,EAAgB5M,IAE7B,OAAO,WACLulB,EAAS1U,SAAQ,SAACmV,GAAM,OAAAA,QAgoBDqD,CAAiB3uB,GACpC4uB,EAA0BpE,GAA6BxqB,GACvD6uB,EAAgBtD,GAAmBvrB,GACnC8uB,EAviBR,SAAoCptB,OAClCmrB,qBAEIkC,GAAS,EACTC,GAAS,EAab,OAAOhS,EAAG,SAZcc,GAAS,WAC/B,IAAM/S,EAASuU,IACTzU,EAAQ+U,KACVmP,IAAUhkB,GAAUikB,IAAUnkB,IAChCgiB,EAAiB,CACfhiB,MAAOigB,OAAOjgB,GACdE,OAAQ+f,OAAO/f,KAEjBgkB,EAAQhkB,EACRikB,EAAQnkB,KAET,KACkC0U,QAshBP0P,CAA2BjvB,GACnDkvB,EAzgBR,SAA2BxtB,OACzBorB,YACAxnB,QACA6a,WACAtY,eACAsnB,gBACAC,mBACAptB,sBACAC,wBACAC,qBACAG,gBACAqoB,aACA2E,yBAEA,SAASC,EAAajP,GACpB,IAAInD,EAASgM,GAAe7I,GACtB0L,EAAgB1L,EAAMkP,UAO5B,GAFIrS,GAA0C,WAA/BA,EAAmB/a,UAChC+a,EAAUA,EAAmBsS,eAE5BtS,GACCA,EAAmB/a,WACrB6pB,GAAWrnB,QAASuY,EAAmB/a,SAAW,KAClD4d,GAAU7C,EAAgBrV,GAJ5B,CAQA,IAAMzF,EAA4B8a,EAA4B9a,KAC9D,KAAK8a,EAAuBhW,UAAUC,SAASgoB,IAAiBC,GAAmBlS,EAAuB3a,QAAQ6sB,IAAlH,CAGA,IAAI9sB,EAAQ4a,EAA4B7c,MACpCovB,GAAY,EACH,UAATrtB,GAA6B,aAATA,EACtBqtB,EAAavS,EAA4B5S,SAEzCpI,EACGgb,EAAmB/a,QAAQK,gBAE9BN,EAAiBE,MAEjBE,EAAOR,EAAe,CACpBC,MAAQmb,EACRhb,mBACAF,oBACAC,sBACAE,QAAU+a,EAAuB/a,QACjCC,OACA/B,MAAOiC,EACPD,iBAGJqtB,EACExS,EACA2O,GACE,CAAEvpB,OAAMmtB,YAAW1D,iBACnBsD,IAKJ,IAAMvpB,EAA4BoX,EAA4BpX,KACjD,UAAT1D,GAAoB0D,GAAQ2pB,GAC9BnqB,EACGqqB,iBAAiB,oCAA6B7pB,SAC9CqQ,SAAQ,SAACvO,GACJA,IAAOsV,GACTwS,EACE9nB,EACAikB,GACE,CACEvpB,KAAOsF,EAAwBvH,MAC/BovB,WAAYA,EACZ1D,eAAe,GAEjBsD,SAOd,SAASK,EAAYxS,EAAqB9G,GACxC,IAAMwZ,EAAiB3D,GAAkBvS,IAAIwD,GAC7C,IACG0S,GACDA,EAAettB,OAAS8T,EAAE9T,MAC1BstB,EAAeH,YAAcrZ,EAAEqZ,UAC/B,CACAxD,GAAkB9R,IAAI+C,EAAQ9G,GAC9B,IAAM1N,EAAKyX,EAAO5C,MAAML,GACxB4P,SACK1W,IACH1N,SAIN,IACMmiB,GAD4B,SAAnBH,EAAS3oB,MAAmB,CAAC,UAAY,CAAC,QAAS,WAGvDoB,KAAI,SAAC8nB,GAAc,OAAAjO,EAAGiO,EAAWqE,EAAchqB,MACpDuqB,EAAqB5wB,OAAO8f,yBAChC+Q,iBAAiBpwB,UACjB,SAEIqwB,EAA+C,CACnD,CAACD,iBAAiBpwB,UAAW,SAC7B,CAACowB,iBAAiBpwB,UAAW,WAC7B,CAACswB,kBAAkBtwB,UAAW,SAC9B,CAACuwB,oBAAoBvwB,UAAW,SAEhC,CAACswB,kBAAkBtwB,UAAW,iBAC9B,CAACwwB,kBAAkBxwB,UAAW,aAchC,OAZImwB,GAAsBA,EAAmB1V,KAC3C0Q,EAASjqB,WAATiqB,SACKkF,EAAe5sB,KAAI,SAAC1D,GACrB,OAAAkf,EAAwBlf,EAAE,GAAIA,EAAE,GAAI,CAClC0a,IAAA,WAEEmV,EAAa,CAAEpS,OAAQpd,mBAM1B,WACL+qB,EAAS1U,SAAQ,SAACmV,GAAM,OAAAA,QAsYL6E,CAAkBnwB,GACjCowB,EAvLR,SAAsC1uB,OACpCqrB,uBACAllB,eACAsY,WACAuK,aAEMQ,EAAU,SAAC9oB,GACf,OAAA0b,GAAS,SAACuC,GACR,IAAMnD,EAASgM,GAAe7I,GAC9B,GAAKnD,IAAU6C,GAAU7C,EAAgBrV,GAAzC,CAGM,IAAAnG,EAAiCwb,EAA/BnQ,gBAAasjB,WAAQC,UAC7BvD,EAAmB,CACjB3qB,OACAsG,GAAIyX,EAAO5C,MAAML,GACjBnQ,cACAsjB,SACAC,aAED5F,EAAS3V,OAAS,MACjB8V,EAAW,CACf7N,EAAG,OAAQkO,MACXlO,EAAG,QAASkO,MACZlO,EAAG,SAAUkO,MACblO,EAAG,eAAgBkO,OAErB,OAAO,WACLL,EAAS1U,SAAQ,SAACmV,GAAM,OAAAA,QA2JMiF,CAA6BvwB,GAEvDwwB,EA9VR,SACE9uB,EACAuG,OADE+kB,qBAAkB7M,WAClBnP,QAEF,IAAKA,EAAIyf,gBAAkBzf,EAAIyf,cAAc/wB,UAE3C,OAAO,aAGT,IAAMgxB,EAAa1f,EAAIyf,cAAc/wB,UAAUgxB,WAC/C1f,EAAIyf,cAAc/wB,UAAUgxB,WAAa,SACvCptB,EACAwW,GAEA,IAAMpR,EAAKyX,EAAO5C,MAAMzd,KAAK6wB,WAO7B,OANY,IAARjoB,GACFskB,EAAiB,CACftkB,KACA6Z,KAAM,CAAC,CAAEjf,OAAMwW,YAGZ4W,EAAW7wB,MAAMC,KAAMP,YAGhC,IAAMqxB,EAAa5f,EAAIyf,cAAc/wB,UAAUkxB,WAC/C5f,EAAIyf,cAAc/wB,UAAUkxB,WAAa,SAAU9W,GACjD,IAAMpR,EAAKyX,EAAO5C,MAAMzd,KAAK6wB,WAO7B,OANY,IAARjoB,GACFskB,EAAiB,CACftkB,KACA4Z,QAAS,CAAC,CAAExI,YAGT8W,EAAW/wB,MAAMC,KAAMP,YAGhC,IAAMsxB,EAEF,GACAnI,GACFmI,EAA4BlI,gBAAkB3X,EAAI2X,iBAM9CC,KACFiI,EAA4BhI,aAAe7X,EAAI6X,cAE7CG,KACF6H,EAA4B5H,iBAAmBjY,EAAIiY,kBAEjDH,KACF+H,EAA4B9H,gBAAkB/X,EAAI+X,kBAItD,IAAM+H,EAKF,GAuCJ,OArCA7xB,OAAO8xB,QAAQF,GAA6B1a,SAAQ,SAACzU,OAAAuG,EAAAzH,OAACwwB,OAAS5uB,OAC7D0uB,EAAoBE,GAAW,CAC7BN,WAAatuB,EAA8B1C,UAAUgxB,WACrDE,WAAaxuB,EAA8B1C,UAAUkxB,YAGvDxuB,EAAK1C,UAAUgxB,WAAa,SAAUptB,EAAcwW,GAClD,IAAMpR,EAAKyX,EAAO5C,MAAMzd,KAAKysB,iBAAiBoE,WAe9C,OAdY,IAARjoB,GACFskB,EAAiB,CACftkB,KACA6Z,KAAM,CACJ,CACEjf,OACAwW,eACKqS,GAA0BrsB,YAC7Bga,GAAS,WAMZgX,EAAoBE,GAASN,WAAW7wB,MAAMC,KAAMP,YAG7D6C,EAAK1C,UAAUkxB,WAAa,SAAU9W,GACpC,IAAMpR,EAAKyX,EAAO5C,MAAMzd,KAAKysB,iBAAiBoE,WAO9C,OANY,IAARjoB,GACFskB,EAAiB,CACftkB,KACA4Z,QAAS,CAAC,CAAExI,eAAWqS,GAA0BrsB,YAAOga,WAGrDgX,EAAoBE,GAASJ,WAAW/wB,MAAMC,KAAMP,eAIxD,WACLyR,EAAIyf,cAAc/wB,UAAUgxB,WAAaA,EACzC1f,EAAIyf,cAAc/wB,UAAUkxB,WAAaA,EACzC3xB,OAAO8xB,QAAQF,GAA6B1a,SAAQ,SAACzU,OAAAuG,EAAAzH,OAACwwB,OAAS5uB,OAC7DA,EAAK1C,UAAUgxB,WAAaI,EAAoBE,GAASN,WACzDtuB,EAAK1C,UAAUkxB,WAAaE,EAAoBE,GAASJ,eAoPlCK,CAAuBjxB,EAAG,CAAEgR,IAAK2b,IACtDuE,EAhPR,SACExvB,EACAuG,OADEglB,uBAAoB9M,WACpBnP,QAEImgB,EAAcngB,EAAIogB,oBAAoB1xB,UAAUyxB,YACtDngB,EAAIogB,oBAAoB1xB,UAAUyxB,YAAc,SAE9CrhB,EACAzP,EACAgxB,WAEM3oB,EAAKyX,EAAO5C,0BACfzd,KAAKusB,iCAAYE,uCAAkBoE,WAatC,OAXY,IAARjoB,GACFukB,EAAmB,CACjBvkB,KACAyR,IAAK,CACHrK,WACAzP,QACAgxB,YAEFvX,MAAOqS,GAA0BrsB,KAAKusB,cAGnC8E,EAAYtxB,MAAMC,KAAMP,YAGjC,IAAM+xB,EAAiBtgB,EAAIogB,oBAAoB1xB,UAAU4xB,eAoBzD,OAnBAtgB,EAAIogB,oBAAoB1xB,UAAU4xB,eAAiB,SAEjDxhB,WAEMpH,EAAKyX,EAAO5C,0BACfzd,KAAKusB,iCAAYE,uCAAkBoE,WAWtC,OATY,IAARjoB,GACFukB,EAAmB,CACjBvkB,KACA6oB,OAAQ,CACNzhB,YAEFgK,MAAOqS,GAA0BrsB,KAAKusB,cAGnCiF,EAAezxB,MAAMC,KAAMP,YAG7B,WACLyR,EAAIogB,oBAAoB1xB,UAAUyxB,YAAcA,EAChDngB,EAAIogB,oBAAoB1xB,UAAU4xB,eAAiBA,GA8LpBE,CAA6BxxB,EAAG,CAC/DgR,IAAK2b,IAED8E,EAAezxB,EAAE0xB,aA7JzB,SAA0BhwB,OAAEyrB,WAAQ7nB,QAC5B0L,EAAM1L,EAAIye,YAChB,IAAK/S,EACH,OAAO,aAGT,IAAM6Z,EAA8B,GAE9B8G,EAAU,IAAIzF,QAEd0F,EAAmB5gB,EAAI6gB,SAC7B7gB,EAAI6gB,SAAY,SACdC,EACAlf,EACAmf,GAEA,IAAMC,EAAW,IAAIJ,EAAiBE,EAAQlf,EAAQmf,GAWtD,OAVAJ,EAAQxX,IAAI6X,EAAU,CACpBF,SACAxmB,OAA0B,iBAAXsH,EACfmf,cACAE,WACoB,iBAAXrf,EACHA,EAEAsf,KAAKC,UAAUhxB,MAAMH,KAAK,IAAIoxB,WAAWxf,OAE1Cof,GAGT,IAAMK,EAAiBrT,EAAM1Z,EAAIgtB,MAAO,OAAO,SAAUxT,GACvD,OAAO,SAA6BkT,GAQlC,OAPAzgB,YAAW,WACT,IAAM9R,EAAIkyB,EAAQjY,IAAIsY,GAClBvyB,IACF0tB,EAAO1tB,GACPkyB,EAAQ7P,OAAOkQ,MAEhB,GACIlT,EAASjf,MAAMC,KAAM,CAACkyB,QASjC,OALAnH,EAASjqB,MAAK,WACZoQ,EAAI6gB,SAAWD,KAEjB/G,EAASjqB,KAAKyxB,GAEP,WACLxH,EAAS1U,SAAQ,SAACmV,GAAM,OAAAA,QA4GYiH,CAAiBvyB,GAAK,aAEtDwyB,EAAoC,OAC1C,IAAqB,IAAAvqB,EAAAlI,EAAAC,EAAEyyB,uCAAS,CAA3B,IAAMC,UACTF,EAAe5xB,KACb8xB,EAAO3I,SAAS2I,EAAOC,SAAUhG,EAAe+F,EAAOjrB,4GAI3D,OAAO,WACLghB,GAAgBtS,SAAQ,SAAC6D,GAAM,OAAAA,EAAE4D,WACjCgQ,EAAiBgF,aACjB/E,IACAe,IACAC,IACAC,IACAI,IACAkB,IACAI,IACAU,IACAO,IACAe,EAAerc,SAAQ,SAACmV,GAAM,OAAAA,QCp2BlC,kBAKE,WAAY7jB,GAJJ3H,aAA4C,IAAIosB,QAKtDpsB,KAAKknB,WAAavf,EAAQuf,WA2B9B,OAxBS6L,sBAAP,SAAiB/hB,GACfhR,KAAKgzB,QAAQ3Y,IAAIrJ,GAAU,IAGtB+hB,4BAAP,SAAuBpP,GACrB3jB,KAAKizB,aAAetP,GAGfoP,yBAAP,SAAoB/hB,EAAiBkV,SACnClmB,KAAKknB,WAAW,CACdzE,KAAM,CACJ,CACEpB,SAAUrQ,EAAStI,KAAKE,GACxBya,OAAQ,KACRtc,KAAMmf,IAGV1D,QAAS,GACThB,MAAO,GACP1X,WAAY,GACZopB,gBAAgB,cAElBlzB,KAAKizB,uCAAgBjiB,uBCVvB,WAAYrJ,GAFJ3H,oBAAiC,GAQvCA,KAAKknB,WAAavf,EAAQuf,WAC1BlnB,KAAK0rB,SAAW/jB,EAAQ+jB,SACxB1rB,KAAK0Q,cAAgB/I,EAAQ+I,cAC7B1Q,KAAKqgB,OAAS1Y,EAAQ0Y,OAGtB,IAAM8S,EAAUnzB,KAChBA,KAAKozB,eAAetyB,KAClBoe,EAAMmU,YAAYzzB,UAAW,gBAAgB,SAAUof,GACrD,OAAO,WACL,IAAMjd,EAAaid,EAASjf,MAAMC,KAAMP,WAGxC,OAFIO,KAAK+B,YACPoxB,EAAQnN,cAAchmB,KAAK+B,WAAY/B,KAAKgkB,eACvCjiB,OA0DjB,OApDSuxB,0BAAP,SAAqBvxB,EAAwByD,GAC3C+jB,UAEOvpB,KAAK0Q,gBACRlL,MACA0hB,WAAYlnB,KAAKknB,WACjB7G,OAAQrgB,KAAKqgB,OACb0F,iBAAkB/lB,OAEpB+B,GAEF0pB,UACKzrB,KAAK0Q,gBACRgb,SAAU1rB,KAAK0rB,SAGflmB,IAAMzD,EACNse,OAAQrgB,KAAKqgB,WAOViT,gCAAP,SAA2BC,GACzB,GAAIA,EAAcpiB,cAAe,CAC/B,IAAMqiB,EAAUxzB,KAChBA,KAAKozB,eAAetyB,KAClBoe,EACGqU,EAAcpiB,cAEZkiB,YAAYzzB,UACf,gBACA,SAAUof,GACR,OAAO,WACL,IAAMjd,EAAaid,EAASjf,MAAMC,KAAMP,WAMxC,OALIO,KAAK+B,YACPyxB,EAAQxN,cACNhmB,KAAK+B,WACLwxB,EAAc3lB,iBAEX7L,SAQZuxB,kBAAP,WACEtzB,KAAKozB,eAAe/c,SAAQ,SAACod,GAAiB,OAAAA,aC3FlD,IAHA,IAAIrtB,GAAQ,mEAERstB,GAA+B,oBAAfpB,WAA6B,GAAK,IAAIA,WAAW,KAC5D/yB,GAAI,EAAGA,GAAI6G,GAAM1G,OAAQH,KAC9Bm0B,GAAOttB,GAAMutB,WAAWp0B,KAAMA,GAElC,ICNMq0B,GAGF,IAAIrZ,IAgBD,IAAMsZ,GAAe,SAC1BtzB,EACA2Q,EACAtG,GAEA,GACGrK,IACCuzB,GAAwBvzB,EAAO2Q,IAAyB,iBAAV3Q,GAFlD,CAMA,IACMwzB,WA1BNnpB,EACAopB,GAEA,IAAIC,EAAaL,GAAYha,IAAIhP,GAQjC,OAPKqpB,IACHA,EAAa,IAAI1Z,IACjBqZ,GAAYvZ,IAAIzP,EAAKqpB,IAElBA,EAAWpW,IAAImW,IAClBC,EAAW5Z,IAAI2Z,EAAM,IAEhBC,EAAWra,IAAIoa,GAeTE,CAAgBtpB,EADhBrK,EAAM4zB,YAAYnuB,MAE3BgU,EAAQ+Z,EAAKlvB,QAAQtE,GAMzB,OAJe,IAAXyZ,IACFA,EAAQ+Z,EAAKr0B,OACbq0B,EAAKjzB,KAAKP,IAELyZ,aAIOoa,GACd7zB,EACA2Q,EACAtG,GAEA,OAAIrK,aAAiBc,MACZd,EAAM8C,KAAI,SAACgb,GAAQ,OAAA+V,GAAa/V,EAAKnN,EAAKtG,MAC9B,OAAVrK,EACFA,EAEPA,aAAiB8zB,cACjB9zB,aAAiB+zB,cACjB/zB,aAAiBg0B,YACjBh0B,aAAiB6K,aACjB7K,aAAiB+xB,YACjB/xB,aAAiBi0B,aACjBj0B,aAAiBk0B,YACjBl0B,aAAiBm0B,WACjBn0B,aAAiBo0B,kBAGV,CACLC,QAFWr0B,EAAM4zB,YAAYnuB,KAG7B2Y,KAAM,CAACxf,OAAOmV,OAAO/T,KAMvBA,aAAiBs0B,YAKV,CACLD,QAJWr0B,EAAM4zB,YAAYnuB,KAK7B8uB,ODxEO,SAAUC,GACnB,IAAyCx1B,EAArCy1B,EAAQ,IAAI1C,WAAWyC,GAAiBE,EAAMD,EAAMt1B,OAAQo1B,EAAS,GACzE,IAAKv1B,EAAI,EAAGA,EAAI01B,EAAK11B,GAAK,EACtBu1B,GAAU1uB,GAAM4uB,EAAMz1B,IAAM,GAC5Bu1B,GAAU1uB,IAAmB,EAAX4uB,EAAMz1B,KAAW,EAAMy1B,EAAMz1B,EAAI,IAAM,GACzDu1B,GAAU1uB,IAAuB,GAAf4uB,EAAMz1B,EAAI,KAAY,EAAMy1B,EAAMz1B,EAAI,IAAM,GAC9Du1B,GAAU1uB,GAAqB,GAAf4uB,EAAMz1B,EAAI,IAQ9B,OANI01B,EAAM,GAAM,EACZH,EAASA,EAAOvuB,UAAU,EAAGuuB,EAAOp1B,OAAS,GAAK,IAE7Cu1B,EAAM,GAAM,IACjBH,EAASA,EAAOvuB,UAAU,EAAGuuB,EAAOp1B,OAAS,GAAK,MAE/Co1B,ECsDQI,CAAO30B,IAMbA,aAAiB40B,SAEnB,CACLP,QAFWr0B,EAAM4zB,YAAYnuB,KAG7B2Y,KAAM,CACJyV,GAAa7zB,EAAMiL,OAAQ0F,EAAKtG,GAChCrK,EAAM60B,WACN70B,EAAM80B,aAGD90B,aAAiB+0B,iBAGnB,CACLV,QAHWr0B,EAAM4zB,YAAYnuB,KAI7B2H,IAHcpN,OAKPA,aAAiBg1B,UAEnB,CACLX,QAFWr0B,EAAM4zB,YAAYnuB,KAG7B2Y,KAAM,CAACyV,GAAa7zB,EAAMgL,KAAM2F,EAAKtG,GAAMrK,EAAMwK,MAAOxK,EAAM0K,SAEvD6oB,GAAwBvzB,EAAO2Q,IAAyB,iBAAV3Q,EAIhD,CACLq0B,QAJWr0B,EAAM4zB,YAAYnuB,KAK7BgU,MAJY6Z,GAAatzB,EAAO2Q,EAAKtG,IAQlCrK,EAGF,IAAMi1B,GAAgB,SAC3B7W,EACAzN,EACAtG,GAEA,OAAO5J,OAAI2d,OAAMtb,KAAI,SAACgb,GAAQ,OAAA+V,GAAa/V,EAAKnN,EAAKtG,OAG1CkpB,GAA0B,SACrCvzB,EACA2Q,GAYA,IAcMukB,EAdkC,CACtC,kBACA,cACA,mBACA,eACA,oBACA,cACA,6BACA,eACA,uBACA,yBAEA,6BAE2D1b,QAC3D,SAAC/T,GAAiB,MAAqC,mBAA9BkL,EAAIlL,MAE/B,OAAOlE,QACL2zB,EAA+BtrB,MAC7B,SAACnE,GAAiB,OAAAzF,aAAiB2Q,EAAIlL,QCrJ7C,SAAS0vB,GACP91B,EACA0C,EACAqhB,EACA5b,EACAsY,EACAnP,WAEM6Z,EAA8B,GAE9B4K,EAAQx2B,OAAOy2B,oBAAoBh2B,cAE9BkU,GACT,IACE,GAAyD,mBAA9ClU,EAAUkU,oBAGrB,IAAMye,EAAiBrT,EAAMtf,EAAWkU,GAAM,SAAUkL,GACtD,OAAO,eAAkC,aAAA9Z,mBAAAA,IAAAyZ,kBACvC,IAAMxE,EAAS6E,EAASjf,MAAMC,KAAM2e,GAEpC,GADAkV,GAAa1Z,EAAQjJ,EAAKtR,IACrBqgB,GAAWjgB,KAAK2K,OAA6B5C,GAAa,CAClDsY,EAAO5C,MAAOzd,KAAK2K,QAA9B,IAEMkrB,EAAaL,UAAkB7W,OAAOzN,EAAKtR,GAC3CshB,EAAmC,CACvC5e,OACA0N,SAAU8D,EACV6K,KAAMkX,GAGRlS,EAAG3jB,KAAK2K,OAA6BuW,GAGvC,OAAO/G,MAGX4Q,EAASjqB,KAAKyxB,GACd,SACA,IAAMuD,EAAcjX,EAA6Bjf,EAAWkU,EAAM,CAChEuG,IAAA,SAAI/D,GAEFqN,EAAG3jB,KAAK2K,OAA6B,CACnCrI,OACA0N,SAAU8D,EACV6K,KAAM,CAACrI,GACPyf,QAAQ,OAIdhL,EAASjqB,KAAKg1B,SAtClB,IAAmB,IAAAE,EAAA/1B,EAAA01B,+IA0CnB,OAAO5K,EC7CT,ICWIkL,GAEAC,iBDkBF,WAAYvuB,GA9BJ3H,4BAAoD,IAAIua,IACxDva,eAAuB,CAAEm2B,SAAU,EAAGC,SAAU,MAKhDp2B,aAAkB,EAClBA,aAAkB,EAqClBA,qBAAiD,SACvDod,EACA8D,KAGElhB,KAAKq2B,UAAUD,UACfp2B,KAAKq2B,UAAUF,WAAan2B,KAAKq2B,UAAUD,WAC5Bp2B,KAAKq2B,UAAUD,WAC9Bp2B,KAAKq2B,UAAUD,SAAWp2B,KAAKq2B,UAAUF,UAEtCn2B,KAAKs2B,uBAAuBzY,IAAIT,IACnCpd,KAAKs2B,uBAAuBjc,IAAI+C,EAAQ,IAG1Cpd,KAAKs2B,uBAAuB1c,IAAIwD,GAAStc,KAAKogB,IArB9ClhB,KAAKknB,WAAavf,EAAQuf,WAC1BlnB,KAAKqgB,OAAS1Y,EAAQ0Y,QAEO,IAAzB1Y,EAAQa,cACVxI,KAAKu2B,2BAA2B5uB,EAAQuJ,IAAKvJ,EAAQI,YAyF3D,OAzHSyuB,kBAAP,WACEx2B,KAAKs2B,uBAAuBG,QAC5Bz2B,KAAK02B,gBAAkB12B,KAAK02B,kBAGvBF,mBAAP,WACEx2B,KAAKilB,QAAS,GAGTuR,qBAAP,WACEx2B,KAAKilB,QAAS,GAGTuR,iBAAP,WACEx2B,KAAKklB,QAAS,GAGTsR,mBAAP,WACEx2B,KAAKklB,QAAS,GAkCRsR,uCAAR,SACEtlB,EACAnJ,GAEA/H,KAAK22B,uBACL32B,KAAK42B,oCAEL,IAAMC,WEtFR3lB,EACAnJ,GAEA,IAAMgjB,EAA8B,GACpC,IACE,IAAMwH,EAAiBrT,EACrBhO,EAAI4lB,kBAAkBl3B,UACtB,cACA,SAAUof,GACR,OAAO,SAEL+X,OACA,aAAA7xB,mBAAAA,IAAAyZ,oBAMA,OAJKsB,GAAWjgB,KAA2B+H,IACnC,cAAe/H,OAClBA,KAAiB0K,UAAYqsB,GAE3B/X,EAASjf,MAAMC,QAAO+2B,KAAgBpY,YAInDoM,EAASjqB,KAAKyxB,GACd,SACA9lB,QAAQ1L,MAAM,0DAEhB,OAAO,WACLgqB,EAAS1U,SAAQ,SAACmV,GAAM,OAAAA,QF2DGwL,CAA0B9lB,EAAKnJ,GACpDkvB,WGhFRtT,EACAzS,EACAnJ,EACAsY,WAEM0K,EAA8B,GAC9BmM,EAAU/3B,OAAOy2B,oBACrB1kB,EAAIimB,yBAAyBv3B,sBAEpBkU,GACT,IACE,GAGQ,mBAFC5C,EAAIimB,yBAAyBv3B,UAClCkU,oBAKJ,IAAMye,EAAiBrT,EACrBhO,EAAIimB,yBAAyBv3B,UAC7BkU,GACA,SAAUkL,GACR,OAAO,eAAA,oBAEL9Z,mBAAAA,IAAAyZ,kBA+BA,OA7BKsB,GAAWjgB,KAAK2K,OAA6B5C,IAGhD0J,YAAW,WACT,IAAMokB,SAAiBlX,OACvB,GAAa,cAAT7K,GAEA+hB,EAAW,IACXA,EAAW,aAAciB,kBACzB,CACA,IAAMnsB,EAASkrB,EAAW,GACpBjrB,EAAMD,EAAOE,WAAW,MAC1BusB,EAAOxsB,MAAAA,SAAAA,EAAKM,aACd,EACA,EACAP,EAAOI,MACPJ,EAAOM,QAELosB,EAAMD,MAAAA,SAAAA,EAAM7rB,KAChBsqB,EAAW,GAAKzD,KAAKC,UAAUgF,GAGnC1T,EAAG/F,EAAKjT,OAAQ,CACdrI,KAAM6W,EAAc,MACpBnJ,SAAU8D,EACV6K,KAAMkX,MAEP,GAEE7W,EAASjf,MAAMC,KAAM2e,OAIlCoM,EAASjqB,KAAKyxB,GACd,SACA,IAAMuD,EAAcjX,EAClB3N,EAAIimB,yBAAyBv3B,UAC7BkU,EACA,CACEuG,aAAI/D,GACFqN,EAAG3jB,KAAK2K,OAAQ,CACdrI,KAAM6W,EAAc,MACpBnJ,SAAU8D,EACV6K,KAAM,CAACrI,GACPyf,QAAQ,OAKhBhL,EAASjqB,KAAKg1B,SAlElB,IAAmB,IAAAwB,EAAAr3B,EAAAi3B,6IAqEnB,OAAO,WACLnM,EAAS1U,SAAQ,SAACmV,GAAM,OAAAA,QHCF+L,CACpBv3B,KAAK+kB,gBAAgBoF,KAAKnqB,MAC1BkR,EACAnJ,EACA/H,KAAKqgB,QAGDmX,WD5BR7T,EACAzS,EACAnJ,EACAsY,GAEA,IAAM0K,EAA8B,GA0BpC,OAxBAA,EAASjqB,WAATiqB,SACK2K,GACDxkB,EAAIumB,sBAAsB73B,UAC1BuZ,EAAcue,MACd/T,EACA5b,EACAsY,EACAnP,cAIsC,IAA/BA,EAAIymB,wBACb5M,EAASjqB,WAATiqB,SACK2K,GACDxkB,EAAIymB,uBAAuB/3B,UAC3BuZ,EAAcye,OACdjU,EACA5b,EACAsY,EACAnP,SAKC,WACL6Z,EAAS1U,SAAQ,SAACmV,GAAM,OAAAA,QCJMqM,CAC5B73B,KAAK+kB,gBAAgBoF,KAAKnqB,MAC1BkR,EACAnJ,EACA/H,KAAKqgB,QAGPrgB,KAAK02B,eAAiB,WACpBG,IACAI,IACAO,MAIIhB,8CAAR,WAAA,WACEsB,uBAAsB,WAAM,OAAAla,EAAKma,kCAG3BvB,iCAAR,WAAA,WACQwB,EAAwB,SAACC,GAC7Bra,EAAKyY,UAAUF,SAAW8B,EAC1BH,sBAAsBE,IAExBF,sBAAsBE,IAGxBxB,wCAAA,WAAA,WACEx2B,KAAKs2B,uBAAuBjgB,SAC1B,SAAC/B,EAAiC3J,GAChC,IAAM/B,EAAKgV,EAAKyC,OAAO5C,MAAO9S,GAC9BiT,EAAKsa,8BAA8BvtB,EAAQ/B,MAG/CkvB,uBAAsB,WAAM,OAAAla,EAAKma,kCAGnCvB,0CAAA,SAA8B7rB,EAA2B/B,GACvD,IAAI5I,KAAKilB,SAAUjlB,KAAKklB,OAAxB,CAIA,IAAMiT,EAAiBn4B,KAAKs2B,uBAAuB1c,IAAIjP,GACvD,GAAKwtB,IAA0B,IAARvvB,EAAvB,CAEA,IAAM0L,EAAS6jB,EAAe90B,KAAI,SAAC9C,GAEjC,OAD0BA,OXtGzB,SAAgBjB,EAAGsB,GACtB,IAAIvB,EAAI,GACR,IAAK,IAAIM,KAAKL,EAAOH,OAAOS,UAAUC,eAAeC,KAAKR,EAAGK,IAAMiB,EAAEiE,QAAQlF,GAAK,IAC9EN,EAAEM,GAAKL,EAAEK,IACb,GAAS,MAALL,GAAqD,mBAAjCH,OAAOi5B,sBACtB,CAAA,IAAI74B,EAAI,EAAb,IAAgBI,EAAIR,OAAOi5B,sBAAsB94B,GAAIC,EAAII,EAAED,OAAQH,IAC3DqB,EAAEiE,QAAQlF,EAAEJ,IAAM,GAAKJ,OAAOS,UAAUy4B,qBAAqBv4B,KAAKR,EAAGK,EAAEJ,MACvEF,EAAEM,EAAEJ,IAAMD,EAAEK,EAAEJ,KAE1B,OAAOF,GW6FqBkB,EAApB,aAGA+B,EAAS61B,EAAe,QAEhCn4B,KAAKknB,WAAW,CAAEte,KAAItG,OAAMg2B,SAAUhkB,IAEtCtU,KAAKs2B,uBAAuBtU,OAAOrX,WC7HvC,SAAS4tB,GAAU33B,GACjB,cACKA,IACHq3B,UAAW1Z,KAAKD,QAQpB,IAAM+B,GTDG,CACLhd,IAAK,GACLoa,eAAMje,GAEJ,OAAKA,GAAMA,EAAEkJ,KAGNlJ,EAAEkJ,KAAKE,IAFJ,GAIZ8U,iBAAQ9U,GACN,OAAO5I,KAAKqD,IAAIuF,IAAO,MAGzB+U,kBAAA,SAAkBne,GAAlB,WACQoJ,EAAKpJ,EAAEkJ,MAAQlJ,EAAEkJ,KAAKE,UACrB5I,KAAKqD,IAAIuF,GACZpJ,EAAEyJ,YACJzJ,EAAEyJ,WAAWoN,SAAQ,SAACmF,GACpB,OAAAoC,EAAKD,kBAAmBnC,OAI9BqC,aAAIjV,GACF,OAAO5I,KAAKqD,IAAIxD,eAAe+I,IAEjCkV,iBACE9d,KAAKqD,IAAM,KSxBjB,SAASm1B,GACP7wB,gBAAAA,MAGE,IAAAqd,EA6BErd,OA5BF8wB,EA4BE9wB,mBA3BF+wB,EA2BE/wB,mBA1BF/F,EA0BE+F,aA1BFI,aAAa,aACbI,EAyBER,gBAzBFK,aAAgB,OAChBK,EAwBEV,kBAxBFM,aAAkB,OAClB4B,EAuBElC,cAvBF0nB,aAAc,cACdtlB,EAsBEpC,iBAtBF2nB,aAAgB,OAChBhiB,EAqBE3F,gBArBFX,aAAgB,YAChBkI,EAoBEvH,mBApBFV,aAAmB,OACnBmI,EAmBEzH,oBAnBFzF,aAAoB,OACpBmN,EAkBE1H,qBAlBFT,aAAqB,OACrByJ,EAiBEhJ,sBAjBFxF,aAAsB,OACtB0O,EAgBElJ,mBAhBFO,gBACAywB,EAeEhxB,gBAdgBixB,EAchBjxB,mBAbckxB,EAadlxB,iBAZFpF,EAYEoF,cAXFS,EAWET,aAVFilB,EAUEjlB,QATFmxB,EASEnxB,SARFmJ,EAQEnJ,WARFijB,aAAW,KACXmO,EAOEpxB,gBANFqxB,EAMErxB,eANFa,gBACAywB,EAKEtxB,uBALF4nB,gBACA2J,EAIEvxB,eAJFiqB,gBACAuH,EAGExxB,eAHFY,gBACAoqB,EAEEhrB,UADFyxB,EACEzxB,kBADFc,aAAkB,WAAM,OAAA,KAG1B,IAAKuc,EACH,MAAM,IAAI9R,MAAM,kCAGIrK,IAAlBkwB,QAAsDlwB,IAAvB+hB,EAAS0C,YAC1C1C,EAAS0C,UAAYyL,GAGvB,IA8CIM,GA9CEj3B,IACc,IAAlBu2B,EACI,CACEW,OAAO,EACPC,MAAM,EACN,kBAAkB,EAClBC,OAAO,EACPC,OAAO,EACPC,QAAQ,EACRC,OAAO,EACPC,QAAQ,EACRC,KAAK,EACLr3B,MAAM,EACNs3B,MAAM,EACNr1B,KAAK,EACLs1B,MAAM,EACNC,UAAU,EACVC,QAAQ,EACRC,UAAU,QAEUrxB,IAAtB+vB,EACAA,EACA,CAAEsB,UAAU,GAEZnrB,IACgB,IAApB8pB,GAAgD,QAApBA,EACxB,CACEnpB,QAAQ,EACRD,SAAS,EACTI,aAAa,EACbY,gBAAgB,EAChBV,gBAAgB,EAChBE,gBAAgB,EAChBC,mBAAmB,EACnBE,sBAAsB,EAGtBD,mBAAwC,QAApB0oB,EACpB/oB,qBAA0C,QAApB+oB,GAExBA,GAEA,GAENpY,KAGA,IAAI0Z,GAA2B,EAY/BlE,GAAc,SAACr1B,EAAkBw5B,SAe/B,eAbEzR,GAAgB,yBAAI0R,aACpBz5B,EAAE0B,OAAS0W,YAAUshB,cAEnB15B,EAAE0B,OAAS0W,YAAUuhB,qBACrB35B,EAAE2K,KAAKuH,SAAWmG,oBAAkBsJ,UAKtCoG,GAAgBtS,SAAQ,SAACmkB,GAAQ,OAAAA,EAAIjS,cAGvCvD,EAzBqB,SAACpkB,eACtB,IAAqB,IAAAuH,EAAAlI,EAAA0yB,GAAW,kCAAI,CAA/B,IAAMC,UACLA,EAAO6H,iBACT75B,EAAIgyB,EAAO6H,eAAe75B,sGAM9B,OAHIk4B,IACFl4B,EAAKk4B,EAAOl4B,IAENA,EAgBH65B,CAAe75B,GAAIw5B,GACpBx5B,EAAE0B,OAAS0W,YAAUshB,aACvBjB,GAAwBz4B,EACxBu5B,GAA2B,OACtB,GAAIv5B,EAAE0B,OAAS0W,YAAUuhB,oBAAqB,CAEnD,GACE35B,EAAE2K,KAAKuH,SAAWmG,oBAAkBsJ,UACpC3hB,EAAE2K,KAAK2nB,eAEP,OAGFiH,KACA,IAAMO,EACJhC,GAAoByB,IAA4BzB,EAC5CiC,EACJlC,GACA73B,EAAEq3B,UAAYoB,GAAsBpB,UAAYQ,GAC9CiC,GAAeC,IACjBzE,IAAiB,KAKvB,IAAM0E,GAAsB,SAACv6B,GAC3B41B,GACEsC,GAAU,CACRj2B,KAAM0W,YAAUuhB,oBAChBhvB,QACEuH,OAAQmG,oBAAkBsJ,UACvBliB,OAKLw6B,GAAoC,SAACl7B,GACzC,OAAAs2B,GACEsC,GAAU,CACRj2B,KAAM0W,YAAUuhB,oBAChBhvB,QACEuH,OAAQmG,oBAAkB6hB,QACvBn7B,OAILo7B,GAA4B,SAACp7B,GACjC,OAAAs2B,GACEsC,GAAU,CACRj2B,KAAM0W,YAAUuhB,oBAChBhvB,QACEuH,OAAQmG,oBAAkB+hB,gBACvBr7B,OAKLkmB,GAAgB,IAAIkN,GAAc,CACtC7L,WAAY0T,KAGRvS,GAAgB,IAAImO,GAAc,CACtChuB,eACA0e,WAAY6T,GACZ7pB,IAAKuO,OACL1X,aACAsY,YAGI0F,GAAmB,IAAIuN,GAAiB,CAC5CpM,WAAY0T,GACZlP,SAAUmP,GACVnqB,cAAe,CACb3I,aACAC,gBACAC,kBACAjB,gBACAC,mBACAC,qBACAhF,oBACAC,sBACA+F,mBACA9F,oBACAgG,aACA7F,cACAiG,eACAD,eACAqiB,WACA7b,kBACA8W,iBACAwC,kBAEFhI,YAGF6V,GAAmB,SAACkE,4BAAAA,MAClBnE,GACEsC,GAAU,CACRj2B,KAAM0W,YAAUiiB,KAChB1vB,KAAM,CACJtH,KAAMwb,OAAOlO,SAAStN,KACtB8G,MAAO+U,KACP7U,OAAQuU,OAGZ4a,GAGFzR,GAAgBtS,SAAQ,SAACmkB,GAAQ,OAAAA,EAAIhS,UAC/B,IAAAze,EAAArJ,EX2hBV,SAAkBlB,EAAGmI,GACjB,IAAI/F,EAAK+F,GAAW,GAAIQ,EAAKvG,EAAGmG,WAAYA,OAAoB,IAAPI,EAAgB,WAAaA,EAAIE,EAAKzG,EAAGoG,cAAeA,OAAuB,IAAPK,EAAgB,KAAOA,EAAIwB,EAAKjI,EAAGqG,gBAAiBA,OAAyB,IAAP4B,EAAgB,KAAOA,EAAIE,EAAKnI,EAAGoF,cAAeA,OAAuB,IAAP+C,EAAgB,UAAYA,EAAIuD,EAAK1L,EAAGqF,iBAAkBA,OAA0B,IAAPqG,EAAgB,KAAOA,EAAI4B,EAAKtN,EAAGsF,mBAAoBA,OAA4B,IAAPgI,EAAgB,KAAOA,EAAIE,EAAKxN,EAAGsG,iBAAkBA,OAA0B,IAAPkH,GAAuBA,EAAIC,EAAKzN,EAAG2G,aAAcA,OAAsB,IAAP8G,GAAwBA,EAAIsB,EAAK/O,EAAG4G,aAAcA,OAAsB,IAAPmI,GAAwBA,EAAIE,EAAKjP,EAAGM,kBAAmBA,OAA2B,IAAP2O,EAAgB,KAAOA,EAAIC,EAAKlP,EAAGO,oBAAqBA,OAA6B,IAAP2O,EAAgB,KAAOA,EAAIkoB,EAAKp3B,EAAG+2B,cAAeA,OAAuB,IAAPK,GAAwBA,EAAI5wB,EAAaxG,EAAGwG,WAAY7F,EAAcX,EAAGW,YAAa02B,EAAKr3B,EAAGs5B,QAASA,OAAiB,IAAPjC,GAAwBA,EAAI3wB,EAAiB1G,EAAG0G,eAAgBgH,EAAqB1N,EAAG0N,mBAAoBN,EAAcpN,EAAGoN,YAAaC,EAAerN,EAAGqN,aAAcE,EAAoBvN,EAAGuN,kBAAmB+pB,EAAKt3B,EAAG6G,gBAC/oCmU,EAAY,GA0ChB,MAAO,CACH/N,EAAoBrP,EAAG,CACnBgG,IAAKhG,EACL6D,IAAKuZ,EACL7U,WAAYA,EACZC,cAAeA,EACfC,gBAAiBA,EACjBjB,cAAeA,EACfC,iBAAkBA,EAClBC,mBAAoBA,EACpB4H,WAAW,EACX5G,iBAAkBA,EAClBhG,kBAAmBA,EACnBC,oBAAqBA,EACrBC,kBAvDiC,IAAlBu2B,EACjB,CACEW,OAAO,EACPC,MAAM,EACN,kBAAkB,EAClBC,OAAO,EACPC,OAAO,EACPC,QAAQ,EACRC,OAAO,EACPC,QAAQ,EACRC,KAAK,EACLr3B,MAAM,EACNs3B,MAAM,EACNr1B,KAAK,EACLs1B,MAAM,EACNC,UAAU,EACVC,QAAQ,EACRC,UAAU,IAEM,IAAlBvB,EACI,CACEuB,UAAU,GAEZvB,EAiCFvwB,WAAYA,EACZ7F,YAAaA,EACbwM,gBAlCyB,IAAZmsB,GAAgC,QAAZA,EAEjC,CACIxrB,QAAQ,EACRD,SAAS,EACTI,aAAa,EACbY,gBAAgB,EAChBX,qBAAkC,QAAZorB,EACtBnrB,gBAAgB,EAChBE,gBAAgB,EAChBC,mBAAmB,EACnBC,oBAAoB,EACpBC,sBAAsB,IAEhB,IAAZ8qB,EACI,GACAA,EAmBF5yB,eAAgBA,EAChBC,aAAcA,EACdC,aAAcA,EACd8G,mBAAoBA,EACpBN,YAAaA,EACbC,aAAcA,EACdE,kBAAmBA,EACnB1G,qBApEqrC,IAAPywB,EAAgB,WAAc,OAAO,GAAWA,IAsEluCtc,GWlmBsBue,CAASr1B,SAAU,CAC3CiC,aACAC,gBACAC,kBACAjB,gBACAC,mBACAC,qBACAhF,oBACAC,sBACA+F,mBACAywB,cAAev2B,GACfgG,aACA8yB,QAASnsB,GACTvG,eACAD,eACAyG,YAAa,SAACxP,GACRokB,GAAcpkB,IAChBqmB,GAAcC,UAAUtmB,GAEtB8kB,GAAc9kB,IAChBumB,GAAiBC,cAAcxmB,EAAEuC,WAAY+D,WAGjDmJ,aAAc,SAACgX,EAAQC,GACrBL,GAAcM,aAAaF,EAAQC,GACnCH,GAAiBK,oBACdH,IAGLxd,uBA7BK1B,OAAM6V,OAgCb,IAAK7V,EACH,OAAO0F,QAAQC,KAAK,mCAGtB2T,GAAOhd,IAAMuZ,EACbqZ,GACEsC,GAAU,CACRj2B,KAAM0W,YAAUshB,aAChB/uB,KAAM,CACJxE,OACAq0B,cAAe,CACbC,UACyBxyB,IAAvB4W,OAAO6b,YACH7b,OAAO6b,oBACPx1B,mBAAAA,gBAAAA,SAAU6Z,gBAAgBzS,yCAC1BpH,mBAAAA,gBAAAA,SAAU+Z,2BAAM6P,oCAAexiB,qBAC/BpH,mBAAAA,gBAAAA,SAAU+Z,KAAK3S,aACf,EACNquB,SACyB1yB,IAAvB4W,OAAO+b,YACH/b,OAAO+b,oBACP11B,mBAAAA,gBAAAA,SAAU6Z,gBAAgBvS,wCAC1BtH,mBAAAA,gBAAAA,SAAU+Z,2BAAM6P,oCAAetiB,oBAC/BtH,mBAAAA,gBAAAA,SAAU+Z,KAAKzS,YACf,OAKdub,GAAgBtS,SAAQ,SAACmkB,GAAQ,OAAAA,EAAI/R,aAGvC,IACE,IAAMgT,GAA8B,GACpCA,GAAS36B,KACPoc,EAAG,oBAAoB,WACrB+Y,GACEsC,GAAU,CACRj2B,KAAM0W,YAAU0iB,iBAChBnwB,KAAM,UAMd,IAAMowB,GAAU,SAACn2B,SACf,OAAOmnB,GACL,CACEzF,WAAY0T,GACZ9N,YAAa,SAACsB,EAAWtb,GACvB,OAAAmjB,GACEsC,GAAU,CACRj2B,KAAM0W,YAAUuhB,oBAChBhvB,KAAM,CACJuH,SACAsb,iBAIRzD,mBAAoB,SAAC7L,GACnB,OAAAmX,GACEsC,GAAU,CACRj2B,KAAM0W,YAAUuhB,oBAChBhvB,QACEuH,OAAQmG,oBAAkB2iB,kBACvB9c,OAIX4M,SAAUmP,GACV9N,iBAAkB,SAACjO,GACjB,OAAAmX,GACEsC,GAAU,CACRj2B,KAAM0W,YAAUuhB,oBAChBhvB,QACEuH,OAAQmG,oBAAkB4iB,gBACvB/c,OAIXkO,QAAS,SAAC1W,GACR,OAAA2f,GACEsC,GAAU,CACRj2B,KAAM0W,YAAUuhB,oBAChBhvB,QACEuH,OAAQmG,oBAAkB6iB,OACvBxlB,OAIX2W,mBAAoB,SAACttB,GACnB,OAAAs2B,GACEsC,GAAU,CACRj2B,KAAM0W,YAAUuhB,oBAChBhvB,QACEuH,OAAQmG,oBAAkB8iB,kBACvBp8B,OAIXutB,iBAAkB,SAACvsB,GACjB,OAAAs1B,GACEsC,GAAU,CACRj2B,KAAM0W,YAAUuhB,oBAChBhvB,QACEuH,OAAQmG,oBAAkB+iB,gBACvBr7B,OAIXwsB,mBAAoB,SAACxsB,GACnB,OAAAs1B,GACEsC,GAAU,CACRj2B,KAAM0W,YAAUuhB,oBAChBhvB,QACEuH,OAAQmG,oBAAkBgjB,kBACvBt7B,OAIXysB,iBAAkB2N,GAClB1N,OAAQ,SAAC1tB,GACP,OAAAs2B,GACEsC,GAAU,CACRj2B,KAAM0W,YAAUuhB,oBAChBhvB,QACEuH,OAAQmG,oBAAkBijB,MACvBv8B,OAIXoI,aACAsnB,cACAC,iBACAtoB,gBACAC,mBACAC,qBACAhF,oBACAC,sBACAC,oBACA8F,mBACA0iB,WACApiB,eACAD,eACAgnB,uBACAqC,eACApsB,MACAjD,cACA6F,aACAJ,gBACAC,kBACA8G,kBACAsR,UACAwF,iBACAE,oBACAsC,iBACAsK,mBACEA,MAAAA,SAAAA,EACI5Y,QAAO,SAACpa,GAAM,OAAAA,EAAEsqB,kCAChB5mB,KAAI,SAAC1D,GAAM,OACXsqB,SAAUtqB,EAAEsqB,SACZtiB,QAAShI,EAAEgI,QACXkrB,SAAU,SAAC9L,GACT,OAAAkP,GACEsC,GAAU,CACRj2B,KAAM0W,YAAUmjB,OAChB5wB,KAAM,CACJqnB,OAAQjzB,EAAEqG,KACV+gB,qBAIH,IAEb6F,IAIJ/G,GAAcuW,iBAAgB,SAACprB,GAC7B,IACEyqB,GAAS36B,KAAK66B,GAAQ3qB,EAASpD,kBAC/B,MAAO7M,GAEP0L,QAAQC,KAAK3L,OAIjB,IAAMs7B,GAAO,WACXnG,KACAuF,GAAS36B,KAAK66B,GAAQ71B,YAwBxB,MArB0B,gBAAxBA,SAASsL,YACe,aAAxBtL,SAASsL,WAETirB,KAEAZ,GAAS36B,KACPoc,EACE,QACA,WACE+Y,GACEsC,GAAU,CACRj2B,KAAM0W,YAAUsjB,KAChB/wB,KAAM,MAGV8wB,OAEF5c,SAIC,WACLgc,GAASplB,SAAQ,SAACmV,GAAM,OAAAA,QAE1B,MAAOzqB,GAEP0L,QAAQC,KAAK3L,IG9ejB,SAASw7B,GAAKC,GAGb,OAFAA,EAAMA,GAAOr9B,OAAOs9B,OAAO,MAEpB,CAQNvf,GAAI,SAAY5a,EAAc8oB,IAC5BoR,EAAIl6B,KAAUk6B,EAAIl6B,GAAQ,KAAKxB,KAAKsqB,IAUtCsR,IAAK,SAAap6B,EAAc8oB,GAC3BoR,EAAIl6B,IACPk6B,EAAIl6B,GAAMkhB,OAAOgZ,EAAIl6B,GAAMuC,QAAQumB,KAAa,EAAG,IAYrDpG,KAAM,SAAc1iB,EAAcqpB,IAChC6Q,EAAIl6B,IAAS,IAAIhB,QAAQ+B,KAAI,SAAU+nB,GAAWA,EAAQO,OAC1D6Q,EAAI,MAAQ,IAAIl7B,QAAQ+B,KAAI,SAAU+nB,GAAWA,EAAQ9oB,EAAMqpB,QH4cnE6M,GAAOmE,eAAiB,SAAIC,EAAa7V,GACvC,IAAKkP,GACH,MAAM,IAAI/iB,MAAM,iDAElB+iB,GACEsC,GAAU,CACRj2B,KAAM0W,YAAU6jB,OAChBtxB,KAAM,CACJqxB,MACA7V,eAMRyR,GAAOsE,WAAa,WAClBnU,GAAgBtS,SAAQ,SAACmkB,GAAQ,OAAAA,EAAIlS,aAGvCkQ,GAAOtC,iBAAmB,SAACkE,GACzB,IAAKlE,GACH,MAAM,IAAIhjB,MAAM,mDAElBgjB,GAAiBkE,IAGnB5B,GAAOnY,OAASA,8DIxhBAI,GAASsc,EAAoBje,GAE3C,gBAFuBie,uBAAoBje,cAGzC,mBAAoBA,EAAEa,gBAAgBzK,SACF,IAApC6nB,EAAEC,8BAFJ,CAQA,IAuB4BC,EAvBxBnvB,EAAUivB,EAAE1J,aAAe0J,EAAEjvB,QAI7BkR,EAAW,CACb8M,OAAQiR,EAAEjR,QAAUiR,EAAEG,SACtBC,SAAUJ,EAAEI,SACZC,cAAetvB,EAAQlO,UAAUksB,QAAUuR,EAC3CC,eAAgBxvB,EAAQlO,UAAU09B,gBAIhChf,EACFye,EAAEQ,aAAeR,EAAEQ,YAAYjf,IAC3Bye,EAAEQ,YAAYjf,IAAI6L,KAAK4S,EAAEQ,aACzBhf,KAAKD,IAmBPkf,GAXwBP,EAWgBF,EAAEU,UAAUR,UAR/C,IAAIh6B,OAFa,CAAC,QAAS,WAAY,SAEVM,KAAK,MAAMqB,KAAKq4B,GAQe,EAAI,GA0LzEF,EAAEjR,OAASiR,EAAEG,SAAW,gBAEDr0B,IAAjBpJ,UAAU,MAKsB,IAAhCi+B,EAAcj+B,UAAU,IAoB5Bk+B,EAAa79B,KACXi9B,EACAje,EAAEe,UACoBhX,IAAtBpJ,UAAU,GAAG47B,OACP57B,UAAU,GAAG47B,KACf0B,EAAEa,SAAWb,EAAEzB,iBACEzyB,IAArBpJ,UAAU,GAAG87B,MACP97B,UAAU,GAAG87B,IACfwB,EAAEc,SAAWd,EAAEvB,aA3BnBxc,EAAS8M,OAAOhsB,KACdi9B,OACsBl0B,IAAtBpJ,UAAU,GAAG47B,KACT57B,UAAU,GAAG47B,KACW,iBAAjB57B,UAAU,GACjBA,UAAU,GACVs9B,EAAEa,SAAWb,EAAEzB,iBAEEzyB,IAArBpJ,UAAU,GAAG87B,IACT97B,UAAU,GAAG87B,SACI1yB,IAAjBpJ,UAAU,GACVA,UAAU,GACVs9B,EAAEc,SAAWd,EAAEvB,eAoBzBuB,EAAEI,SAAW,gBAEUt0B,IAAjBpJ,UAAU,KAKVi+B,EAAcj+B,UAAU,IAC1Buf,EAASme,SAASr9B,KAChBi9B,OACsBl0B,IAAtBpJ,UAAU,GAAG47B,KACT57B,UAAU,GAAG47B,KACW,iBAAjB57B,UAAU,GACjBA,UAAU,GACV,OACiBoJ,IAArBpJ,UAAU,GAAG87B,IACT97B,UAAU,GAAG87B,SACI1yB,IAAjBpJ,UAAU,GACVA,UAAU,GACV,GAORk+B,EAAa79B,KACXi9B,EACAje,EAAEe,OACApgB,UAAU,GAAG47B,MAAQ0B,EAAEa,SAAWb,EAAEzB,eACpC77B,UAAU,GAAG87B,KAAOwB,EAAEc,SAAWd,EAAEvB,gBAKzC1tB,EAAQlO,UAAUksB,OAAShe,EAAQlO,UAAUs9B,SAAW,WAEtD,QAAqBr0B,IAAjBpJ,UAAU,GAKd,IAAoC,IAAhCi+B,EAAcj+B,UAAU,IAA5B,CAyBA,IAAI47B,EAAO57B,UAAU,GAAG47B,KACpBE,EAAM97B,UAAU,GAAG87B,IAGvBoC,EAAa79B,KACXE,KACAA,UACgB,IAATq7B,EAAuBr7B,KAAKkN,aAAemuB,OACnC,IAARE,EAAsBv7B,KAAKoN,YAAcmuB,OAjClD,CAEE,GAA4B,iBAAjB97B,UAAU,SAAoCoJ,IAAjBpJ,UAAU,GAChD,MAAM,IAAIq+B,YAAY,gCAGxB9e,EAASoe,cAAct9B,KACrBE,UAEsB6I,IAAtBpJ,UAAU,GAAG47B,OACP57B,UAAU,GAAG47B,KACS,iBAAjB57B,UAAU,KACfA,UAAU,GACZO,KAAKkN,gBAEYrE,IAArBpJ,UAAU,GAAG87B,MACP97B,UAAU,GAAG87B,SACE1yB,IAAjBpJ,UAAU,KACRA,UAAU,GACZO,KAAKoN,aAmBfU,EAAQlO,UAAUu9B,SAAW,gBAENt0B,IAAjBpJ,UAAU,MAKsB,IAAhCi+B,EAAcj+B,UAAU,IAc5BO,KAAK8rB,OAAO,CACVuP,OAAQ57B,UAAU,GAAG47B,KAAOr7B,KAAKkN,WACjCquB,MAAO97B,UAAU,GAAG87B,IAAMv7B,KAAKoN,UAC/B2wB,SAAUt+B,UAAU,GAAGs+B,WAhBvB/e,EAASoe,cAAct9B,KACrBE,UACsB6I,IAAtBpJ,UAAU,GAAG47B,OACP57B,UAAU,GAAG47B,KAAOr7B,KAAKkN,aACzBzN,UAAU,GAAKO,KAAKkN,gBACLrE,IAArBpJ,UAAU,GAAG87B,MACP97B,UAAU,GAAG87B,IAAMv7B,KAAKoN,YACxB3N,UAAU,GAAKO,KAAKoN,aAchCU,EAAQlO,UAAU09B,eAAiB,WAEjC,IAAoC,IAAhCI,EAAcj+B,UAAU,IAA5B,CAUA,IAAIu+B,EAAmBC,EAAqBj+B,MACxCk+B,EAAcF,EAAiBzwB,wBAC/B4wB,EAAcn+B,KAAKuN,wBAEnBywB,IAAqBlf,EAAEe,MAEzB8d,EAAa79B,KACXE,KACAg+B,EACAA,EAAiB9wB,WAAaixB,EAAY9C,KAAO6C,EAAY7C,KAC7D2C,EAAiB5wB,UAAY+wB,EAAY5C,IAAM2C,EAAY3C,KAIP,UAAlDwB,EAAEqB,iBAAiBJ,GAAkBxrB,UACvCuqB,EAAEI,SAAS,CACT9B,KAAM6C,EAAY7C,KAClBE,IAAK2C,EAAY3C,IACjBwC,SAAU,YAKdhB,EAAEI,SAAS,CACT9B,KAAM8C,EAAY9C,KAClBE,IAAK4C,EAAY5C,IACjBwC,SAAU,gBAnCZ/e,EAASse,eAAex9B,KACtBE,UACiB6I,IAAjBpJ,UAAU,IAA0BA,UAAU,KA3UpD,SAAS49B,EAAcvyB,EAAGE,GACxBhL,KAAKkN,WAAapC,EAClB9K,KAAKoN,UAAYpC,EAmBnB,SAAS0yB,EAAcW,GACrB,GACe,OAAbA,GACoB,iBAAbA,QACex1B,IAAtBw1B,EAASN,UACa,SAAtBM,EAASN,UACa,YAAtBM,EAASN,SAIT,OAAO,EAGT,GAAwB,iBAAbM,GAA+C,WAAtBA,EAASN,SAE3C,OAAO,EAIT,MAAM,IAAIt9B,UACR,oCACE49B,EAASN,SACT,yDAWN,SAASO,EAAmBx2B,EAAIy2B,GAC9B,MAAa,MAATA,EACKz2B,EAAG8X,aAAe4d,EAAqB11B,EAAG02B,aAGtC,MAATD,EACKz2B,EAAGkY,YAAcwd,EAAqB11B,EAAG22B,iBADlD,EAYF,SAASC,EAAY52B,EAAIy2B,GACvB,IAAII,EAAgB5B,EAAEqB,iBAAiBt2B,EAAI,MAAM,WAAay2B,GAE9D,MAAyB,SAAlBI,GAA8C,WAAlBA,EAUrC,SAASC,EAAa92B,GACpB,IAAI+2B,EAAgBP,EAAmBx2B,EAAI,MAAQ42B,EAAY52B,EAAI,KAC/Dg3B,EAAgBR,EAAmBx2B,EAAI,MAAQ42B,EAAY52B,EAAI,KAEnE,OAAO+2B,GAAiBC,EAS1B,SAASb,EAAqBn2B,GAC5B,KAAOA,IAAOgX,EAAEe,OAA6B,IAArB+e,EAAa92B,IACnCA,EAAKA,EAAGN,YAAcM,EAAGjG,KAG3B,OAAOiG,EAST,SAASi3B,EAAKrgB,GACZ,IACIne,EACAy+B,EACAC,EAxGQC,EAyGRC,GAJO7gB,IAIWI,EAAQ0gB,WA9Jd,IAqDJF,EA4GZC,EAAUA,EAAU,EAAI,EAAIA,EAG5B5+B,EA9GO,IAAO,EAAI8K,KAAKg0B,IAAIh0B,KAAKi0B,GAAKJ,IAgHrCF,EAAWtgB,EAAQ6gB,QAAU7gB,EAAQ5T,EAAI4T,EAAQ6gB,QAAUh/B,EAC3D0+B,EAAWvgB,EAAQ8gB,QAAU9gB,EAAQ1T,EAAI0T,EAAQ8gB,QAAUj/B,EAE3Dme,EAAQ+gB,OAAO3/B,KAAK4e,EAAQghB,WAAYV,EAAUC,GAG9CD,IAAatgB,EAAQ5T,GAAKm0B,IAAavgB,EAAQ1T,GACjD+xB,EAAEjF,sBAAsBiH,EAAK5U,KAAK4S,EAAGre,IAYzC,SAASif,EAAa71B,EAAIgD,EAAGE,GAC3B,IAAI00B,EACAH,EACAC,EACAC,EACAL,EAAY9gB,IAGZxW,IAAOgX,EAAEe,MACX6f,EAAa3C,EACbwC,EAASxC,EAAEa,SAAWb,EAAEzB,YACxBkE,EAASzC,EAAEc,SAAWd,EAAEvB,YACxBiE,EAASzgB,EAAS8M,SAElB4T,EAAa53B,EACby3B,EAASz3B,EAAGoF,WACZsyB,EAAS13B,EAAGsF,UACZqyB,EAASpC,GAIX0B,EAAK,CACHW,WAAYA,EACZD,OAAQA,EACRL,UAAWA,EACXG,OAAQA,EACRC,OAAQA,EACR10B,EAAGA,EACHE,EAAGA,KChOT,ICO6RxL,iBDC3R,WAAYmgC,EAAiCC,gBAAjCD,MAPL3/B,gBAAqB,EAIpBA,SAAqB,KAI3BA,KAAK2/B,QAAUA,EACf3/B,KAAK4/B,MAAQA,EAiFjB,OA3ESC,sBAAP,SAAiBC,GACf,IAAM9lB,EAAQha,KAAK+/B,gBAAgBD,GACnC9/B,KAAK2/B,QAAQnc,OAAOxJ,EAAO,EAAG8lB,IAMzBD,uBAAP,SAAkBF,GAChB3/B,KAAK2/B,QAAU3/B,KAAK2/B,QAAQp+B,OAAOo+B,IAG9BE,kBAAP,WACE7/B,KAAKuuB,WAAa,EAClB,IAAIyR,EAAgBzC,YAAYjf,MACxBqhB,EAAY3/B,aACdigC,EAAOjgC,KAmBbA,KAAKkgC,IAAMpI,uBAlBX,SAASqI,IACP,IAAMrG,EAAOyD,YAAYjf,MAGzB,IAFA2hB,EAAK1R,aAAeuL,EAAOkG,GAAiBC,EAAKL,MACjDI,EAAgBlG,EACT6F,EAAQjgC,QAAQ,CACrB,IAAMogC,EAASH,EAAQ,GAEvB,KAAIM,EAAK1R,YAAcuR,EAAOM,OAI5B,MAHAT,EAAQrZ,QACRwZ,EAAOO,YAKPV,EAAQjgC,OAAS,GAAKugC,EAAKK,YAC7BL,EAAKC,IAAMpI,sBAAsBqI,QAMhCN,kBAAP,WACM7/B,KAAKkgC,MACPK,qBAAqBvgC,KAAKkgC,KAC1BlgC,KAAKkgC,IAAM,MAEblgC,KAAK2/B,QAAQjgC,OAAS,GAGjBmgC,qBAAP,SAAgBD,GACd5/B,KAAK4/B,MAAQA,GAGRC,2BAAP,SAAsB7jB,GACpBhc,KAAKsgC,SAAWtkB,GAGX6jB,qBAAP,WACE,OAAoB,OAAb7/B,KAAKkgC,KAGNL,4BAAR,SAAwBC,GAGtB,IAFA,IAAIrtB,EAAQ,EACRI,EAAM7S,KAAK2/B,QAAQjgC,OAAS,EACzB+S,GAASI,GAAK,CACnB,IAAI2tB,EAAMn1B,KAAKo1B,OAAOhuB,EAAQI,GAAO,GACrC,GAAI7S,KAAK2/B,QAAQa,GAAKJ,MAAQN,EAAOM,MACnC3tB,EAAQ+tB,EAAM,MACT,CAAA,KAAIxgC,KAAK2/B,QAAQa,GAAKJ,MAAQN,EAAOM,OAK1C,OAAOI,EAAM,EAJb3tB,EAAM2tB,EAAM,GAOhB,OAAO/tB,iBAKKiuB,GAASngB,EAAsBogB,GAG7C,GACEpgB,EAAMje,OAAS0W,YAAUuhB,qBACzBha,EAAMhV,KAAKuH,SAAWmG,oBAAkB0V,UACxC,CACA,IAAMiS,EAAcrgB,EAAMhV,KAAK6iB,UAAU,GAAGG,WAEtCsS,EAAiBtgB,EAAM0X,UAAY2I,EAEzC,OADArgB,EAAM6f,MAAQS,EAAiBF,EACxBE,EAAiBF,EAI1B,OADApgB,EAAM6f,MAAQ7f,EAAM0X,UAAY0I,EACzBpgB,EAAM6f;;;;;;;;;;;;;;oFCtGf,SAAS/gC,GAAEA,EAAEG,GAAG,IAAIoB,EAAE,mBAAmBT,QAAQd,EAAEc,OAAOC,UAAU,IAAIQ,EAAE,OAAOvB,EAAE,IAAIsB,EAAET,EAAEX,EAAEqB,EAAEd,KAAKT,GAAGsG,EAAE,GAAG,IAAI,WAAM,IAASnG,GAAGA,KAAK,MAAMmB,EAAEpB,EAAEe,QAAQE,MAAMmF,EAAE7E,KAAKH,EAAEJ,OAAO,MAAMlB,GAAGa,EAAE,CAACa,MAAM1B,GAAG,QAAQ,IAAIsB,IAAIA,EAAEH,OAAOI,EAAErB,EAAEuhC,SAASlgC,EAAEd,KAAKP,GAAG,QAAQ,GAAGW,EAAE,MAAMA,EAAEa,OAAO,OAAO4E,GAAS,SAAStG,GAAGA,EAAEA,EAAE0hC,WAAW,GAAG,aAAa1hC,EAAEA,EAAE2hC,QAAQ,GAAG,UAAU3hC,EAAEA,EAAE4hC,QAAQ,GAAG,UAAnF,CAA8FzhC,KAAIA,GAAE,KAAK,IAAIoB,GAAE,CAAC0B,KAAK,eAAe,SAAS3B,GAAEtB,GAAG,YAAO,IAASA,EAAE,GAAG,GAAGkC,OAAOlC,GAAG,SAASa,GAAEb,GAAG,MAAM,CAACiD,KAAK,gBAAgB4+B,WAAW7hC,GAAG,SAASE,GAAEF,EAAEG,GAAG,MAAM,iBAAiBH,EAAE,iBAAiBA,GAAGG,GAAGA,EAAEH,GAAGG,EAAEH,GAAGA,GAAG,CAACiD,KAAKjD,GAAG,mBAAmBA,EAAE,CAACiD,KAAKjD,EAAE2G,KAAKM,KAAKjH,GAAGA,EAAE,SAASsG,GAAEtG,GAAG,OAAO,SAASG,GAAG,OAAOH,IAAIG,GAAG,SAAS2hC,GAAE9hC,GAAG,MAAM,iBAAiBA,EAAE,CAACiD,KAAKjD,GAAGA,EAAE,SAASsH,GAAEtH,EAAEG,GAAG,MAAM,CAACe,MAAMlB,EAAEqf,QAAQlf,EAAEmgC,QAAQ,GAAGyB,SAAQ,EAAG3+B,QAAQkD,GAAEtG,IAAI,SAASgiC,GAAEhiC,EAAEG,EAAEoB,GAAG,IAAID,EAAEnB,EAAEU,GAAE,EAAG,MAAM,CAACb,EAAE0a,iBAAiB1a,GAAG,GAAG,kBAAkBA,EAAEiD,KAAK,CAACpC,GAAE,EAAG,IAAIV,EAAEL,OAAOC,OAAO,GAAGuB,GAAG,MAAM,mBAAmBtB,EAAE6hC,WAAW1hC,EAAEH,EAAE6hC,WAAWvgC,EAAEC,GAAGzB,OAAOgX,KAAK9W,EAAE6hC,YAAY7qB,kBAAkBnW,GAAGV,EAAEU,GAAG,mBAAmBb,EAAE6hC,WAAWhhC,GAAGb,EAAE6hC,WAAWhhC,GAAGS,EAAEC,GAAGvB,EAAE6hC,WAAWhhC,MAAMS,EAAEnB,GAAE,EAAG,OAAM,KAAMmB,EAAET,GAAG,SAASZ,GAAEE,EAAEU,QAAG,IAASA,IAAIA,EAAE,IAAI,IAAIZ,EAAED,GAAEgiC,GAAE1gC,GAAEnB,EAAE8hC,OAAO9hC,EAAE+hC,SAASC,OAAOn+B,cAAchE,GAAG,OAAOE,GAAEF,EAAEa,EAAEy/B,YAAYngC,EAAEkf,QAAQ9d,IAAG,GAAGQ,EAAE9B,EAAE,GAAGgX,EAAEhX,EAAE,GAAG0L,EAAE,CAACy2B,OAAOjiC,EAAEkiC,SAASxhC,EAAEyhC,aAAa,CAACphC,MAAMf,EAAE+hC,QAAQ5B,QAAQv+B,EAAEsd,QAAQpI,EAAE7T,QAAQkD,GAAEnG,EAAE+hC,UAAUK,WAAW,SAAShhC,EAAEV,GAAG,IAAIZ,EAAE8B,EAAEkV,EAAE,iBAAiB1V,EAAE,CAACL,MAAMK,EAAE8d,QAAQlf,EAAEkf,SAAS9d,EAAEjB,EAAE2W,EAAE/V,MAAMshC,EAAEvrB,EAAEoI,QAAQI,EAAEqiB,GAAEjhC,GAAG4K,EAAEtL,EAAE8hC,OAAO3hC,GAAG,GAAGmL,EAAEoS,GAAG,CAAC,IAAI7c,EAAEM,GAAEmK,EAAEoS,GAAG4B,EAAExc,OAAO,IAAI,IAAI,IAAIkpB,EAAE,SAASnsB,GAAG,IAAIG,EAAE,mBAAmBW,QAAQA,OAAOC,SAASQ,EAAEpB,GAAGH,EAAEG,GAAGmB,EAAE,EAAE,GAAGC,EAAE,OAAOA,EAAEd,KAAKT,GAAG,GAAGA,GAAG,iBAAiBA,EAAEK,OAAO,MAAM,CAACY,KAAK,WAAW,OAAOjB,GAAGsB,GAAGtB,EAAEK,SAASL,OAAE,GAAQ,CAACkB,MAAMlB,GAAGA,EAAEsB,KAAKH,MAAMnB,KAAK,MAAM,IAAIoB,UAAUjB,EAAE,0BAA0B,mCAAtQ,CAA0Sa,GAAG6Z,EAAEsR,EAAElrB,QAAQ4Z,EAAE1Z,KAAK0Z,EAAEsR,EAAElrB,OAAO,CAAC,IAAIwhC,EAAE5nB,EAAE3Z,MAAM,QAAG,IAASuhC,EAAE,OAAOn7B,GAAEhH,EAAEkiC,GAAG,IAAI9E,EAAE,iBAAiB+E,EAAE,CAAC1kB,OAAO0kB,GAAGA,EAAEC,EAAEhF,EAAE3f,OAAO4kB,EAAEjF,EAAE4C,QAAQsC,OAAE,IAASD,EAAE,GAAGA,EAAEE,EAAEnF,EAAEoF,KAAKC,OAAE,IAASF,EAAE,WAAW,OAAM,GAAIA,EAAEG,OAAE,IAASN,EAAE7C,EAAE,MAAM6C,EAAEA,EAAEpiC,EAAE2iC,EAAE9iC,EAAE8hC,OAAOpC,GAAG,GAAGkD,EAAEP,EAAE/iB,GAAG,CAAC,IAAIyjB,EAAEljC,GAAEgiC,IAAGgB,EAAE1hC,GAAEshC,GAAG,GAAG1gC,OAAOuJ,EAAE03B,KAAKP,EAAEK,EAAEd,OAAOznB,iBAAiB1a,GAAG,OAAOA,MAAMgE,cAAchE,GAAG,OAAOE,GAAEF,EAAE2L,EAAE02B,SAAS/B,YAAYkC,EAAE/iB,GAAG,GAAG2jB,EAAEF,EAAE,GAAGG,EAAEH,EAAE,GAAGI,EAAEJ,EAAE,GAAGK,EAAE,MAAMb,EAAEA,EAAEpiC,EAAE,MAAM,CAACY,MAAMqiC,EAAElkB,QAAQgkB,EAAE/C,QAAQ8C,EAAErB,QAAQW,IAAIpiC,GAAG8iC,EAAE/iC,OAAO,GAAGijC,EAAElgC,QAAQkD,GAAEi9B,MAAM,MAAMvjC,GAAGC,EAAE,CAACyB,MAAM1B,GAAG,QAAQ,IAAI6a,IAAIA,EAAE1Z,OAAOY,EAAEoqB,EAAEsV,SAAS1/B,EAAEtB,KAAK0rB,GAAG,QAAQ,GAAGlsB,EAAE,MAAMA,EAAEyB,QAAQ,OAAO4F,GAAEhH,EAAEkiC,KAAK,OAAO72B,EAAE,IAAI5J,GAAE,SAAS/B,EAAEG,GAAG,OAAOH,EAAEsgC,QAAQtpB,kBAAkBzV,GAAG,IAAID,EAAEC,EAAE0F,KAAK,OAAO3F,GAAGA,EAAEtB,EAAEqf,QAAQlf,OAAO,SAAS8W,GAAEjX,GAAG,IAAIsB,EAAEtB,EAAEsiC,aAAazhC,EAAEV,GAAEuhC,WAAWxhC,EAAE,IAAIsjB,IAAIlc,EAAE,CAACk8B,SAASxjC,EAAEyjC,KAAK,SAASliC,GAAGV,IAAIV,GAAEwhC,UAAUrgC,EAAEtB,EAAEuiC,WAAWjhC,EAAEC,GAAGQ,GAAET,EAAEwgC,GAAEvgC,IAAIrB,EAAE8W,kBAAkBhX,GAAG,OAAOA,EAAEsB,QAAQoiC,UAAU,SAAS1jC,GAAG,OAAOE,EAAEqiB,IAAIviB,GAAGA,EAAEsB,GAAG,CAACqiC,YAAY,WAAW,OAAOzjC,EAAEyiB,OAAO3iB,MAAMoT,MAAM,SAASlT,GAAG,GAAGA,EAAE,CAAC,IAAI4hC,EAAE,iBAAiB5hC,EAAEA,EAAE,CAACmf,QAAQrf,EAAEoiC,OAAO/iB,QAAQne,MAAMhB,GAAGoB,EAAE,CAACJ,MAAM4gC,EAAE5gC,MAAMo/B,QAAQ,GAAGjhB,QAAQyiB,EAAEziB,QAAQjc,QAAQkD,GAAEw7B,EAAE5gC,QAAQ,OAAOL,EAAEV,GAAEwhC,QAAQ5/B,GAAET,EAAEC,IAAG+F,GAAGs8B,KAAK,WAAW,OAAO/iC,EAAEV,GAAEyhC,QAAQ1hC,EAAEk3B,QAAQ9vB,GAAGu8B,YAAY,OAAOviC,GAAGwiC,aAAa,OAAOjjC,IAAI,OAAOyG,WCmExjGy8B,GACd1kB,EACA9c,OAAEyhC,cAAWC,6BAA0BC,YAsMvC,OAAOC,GApMeC,GACpB,CACE76B,GAAI,SACJ8V,UACA6iB,QAAS,SACTD,OAAQ,CACNoC,QAAS,CACPxmB,GAAI,CACFymB,MAAO,CACLvmB,OAAQ,SACRuiB,QAAS,CAAC,UAEZiE,WAAY,CACVxmB,OAAQ,UACRuiB,QAAS,aAEXkE,IAAK,CACHzmB,OAAQ,SACRuiB,QAAS,CAAC,uBAAwB,UAEpCmE,UAAW,CACT1mB,OAAQ,UACRuiB,QAAS,CAAC,eAIhB5yB,OAAQ,CACNmQ,GAAI,CACF6mB,KAAM,CACJ3mB,OAAQ,UACRuiB,QAAS,CAAC,mBAAoB,SAEhCiE,WAAY,CACVxmB,OAAQ,SACRuiB,QAAS,aAEXqE,QAAS,CACP5mB,OAAQ,OACRuiB,QAAS,CAAC,cAEZmE,UAAW,CACT1mB,OAAQ,SACRuiB,QAAS,CAAC,eAIhBsE,KAAM,CACJ/mB,GAAI,CACF4mB,UAAW,CACT1mB,OAAQ,OACRuiB,QAAS,CAAC,aAEZiE,WAAY,CACVxmB,OAAQ,OACRuiB,QAAS,CAAC,kBAMpB,CACEA,QAAS,CACPuE,UAAW9kC,GAAO,CAChB+kC,gBAAiB,SAACv5B,EAAK2V,GACrB,MAAmB,eAAfA,EAAMje,KACDie,EAAMwG,QAAQxG,MAEhB3V,EAAIu5B,mBAGfC,iBAAkBhlC,IAAO,SAACwL,EAAK2V,GAC7B,IAAIgO,EAAa3jB,EAAI2jB,WAIrB,MAHI,YAAahO,GAAS,eAAgBA,EAAMwG,UAC9CwH,EAAahO,EAAMwG,QAAQwH,mBAGxB3jB,IACH2jB,aACAoS,aAAc/1B,EAAIy5B,OAAO,GAAGpM,UAAY1J,OAG5CnT,KAAA,SAAKxQ,iBACK05B,EAAiD15B,QAA1Cy5B,EAA0Cz5B,SAAlC+1B,EAAkC/1B,eAApBu5B,EAAoBv5B,kBACzD05B,EAAM7N,YAEN,IAAoB,IAAA8N,EAAAtkC,EAAAokC,iCAAQ,CAE1B3D,WAAgBC,qGAElB,IAAM6D,WAhHdH,EACA1D,GAEA,IAAK,IAAIpd,EAAM8gB,EAAO3kC,OAAS,EAAG6jB,GAAO,EAAGA,IAAO,CACjD,IAAMkhB,EAAQJ,EAAO9gB,GACrB,GAAIkhB,EAAMniC,OAAS0W,YAAUiiB,MACvBwJ,EAAMxM,WAAa0I,EACrB,OAAO0D,EAAO/iC,MAAMiiB,GAI1B,OAAO8gB,EAqGsBK,CAAsBL,EAAQ1D,GAE/CgE,EAAsBR,MAAAA,SAAAA,EAAiBlM,WAEzCkM,MAAAA,SAAAA,EAAiB7hC,QAAS0W,YAAUuhB,qBACpC4J,EAAgB54B,KAAKuH,SAAWmG,oBAAkB0V,YAElDgW,EACER,EAAgBlM,qBAChBkM,EAAgB54B,KAAK6iB,UAAU,yBAAIG,aAEnCoS,GAAgBgE,GAAuB,IACzCpB,EAAQve,KAAK3L,iBAAeurB,UAG9B,IAAMC,EAAa,IAAIxjC,MACjBs+B,EAAU,IAAIt+B,iBACTyjC,GACT,GACEH,GACAA,EAAsBhE,IACrBmE,EAAM7M,WAAa0M,GAClBG,IAAUX,oBAId,GAAIW,EAAM7M,UAAY0I,EACpBkE,EAAW/jC,KAAKgkC,OACX,CACL,IAAMC,EAAS1B,EAAUyB,GAAO,GAChCnF,EAAQ7+B,KAAK,CACXu/B,SAAU,WACR0E,KAEF3E,MAAO0E,EAAM1E,cAjBnB,IAAoB,IAAA4E,EAAA/kC,EAAAukC,+IAqBpBlB,EAAyBuB,GACzBtB,EAAQve,KAAK3L,iBAAe4rB,OAC5BX,EAAMY,WAAWvF,GACjB2E,EAAM7xB,SAER4I,eAAMzQ,GACJA,EAAI05B,MAAM7N,SAEZ0O,qBAAsB/lC,IAAO,SAACwL,GAC5B,cACKA,IACHu5B,gBAAiB,UAGrBiB,UAAWhmC,GAAO,CAChBuhC,aAAc,SAAC/1B,EAAK2V,GAGlB,OAFA3V,EAAI05B,MAAMe,gBAAe,GACzBz6B,EAAI05B,MAAM7xB,QACS,YAAf8N,EAAMje,MAAsBie,EAAMwG,QAAQ4Z,aACrCpgB,EAAMwG,QAAQ4Z,aAEhBpiB,KAAKD,SAGhBgnB,SAAUlmC,IAAO,SAACwL,EAAK26B,GACb,IAAA5E,EAAgC/1B,eAAlB05B,EAAkB15B,QAAXy5B,EAAWz5B,SACxC,GAA0B,cAAtB26B,EAAajjC,KAAsB,CAC7B,IAAAkjC,EAAUD,EAAaxe,cAC/B2Z,GAAS8E,EAAO7E,GAEhB,IAAI9tB,EAAMwxB,EAAO3kC,OAAS,EAC1B,IAAK2kC,EAAOxxB,IAAQwxB,EAAOxxB,GAAKolB,WAAauN,EAAMvN,UAEjDoM,EAAOvjC,KAAK0kC,OACP,CAGL,IAFA,IAAIC,GAAkB,EAClBhzB,EAAQ,EACLA,GAASI,GAAK,CACnB,IAAI2tB,EAAMn1B,KAAKo1B,OAAOhuB,EAAQI,GAAO,GACjCwxB,EAAO7D,GAAKvI,WAAauN,EAAMvN,UACjCxlB,EAAQ+tB,EAAM,EAEd3tB,EAAM2tB,EAAM,GAGQ,IAApBiF,IACFA,EAAiBhzB,GAEnB4xB,EAAO7gB,OAAOiiB,EAAgB,EAAGD,GAGnC,IAAME,EAASF,EAAMvN,UAAY0I,EAC3BgF,EAAStC,EAAUmC,EAAOE,GAC5BA,EACFC,IACSrB,EAAMsB,YACftB,EAAMuB,UAAU,CACdxF,SAAU,WACRsF,KAEFvF,MAAOoF,EAAMpF,QAInB,cAAYx1B,IAAKy5B,kBCpR3B,ICEYyB,YAuCIC,GACd5iC,EACAqP,GAEA,IAAMhP,EAAOL,EAAMqP,EAAS,IAC5B,OAAwB,IAApBA,EAAS9S,OACJ8D,EAEAuiC,GACHviC,EAAyBJ,SAASoP,EAAS,IAC1CpP,SACHoP,EAASlR,MAAM,aAKL0kC,GAAqBC,GACnC,IAAM7X,SAAgB6X,OAChBjsB,EAAQoU,EAAUnpB,MACxB,MAAO,CAAEmpB,YAAWpU,kBAGNksB,GACdC,EACAC,GAEQ,IAAAv+B,EAAUu+B,QACbv+B,GAMLs+B,EAAY9vB,SAAQ,SAAC7S,GACnB,GAAIA,EAAKlB,OAASwjC,GAAcO,OAC9B,IACE,GAAIhlC,MAAM+U,QAAQ5S,EAAKwW,OAAQ,CACvB,IAAApY,EAAuBokC,GAAqBxiC,EAAKwW,OAA/CoU,cAAWpU,UACA+rB,GAAcl+B,EAAMzE,SAAUgrB,GACtCwC,WAAWptB,EAAKE,QAASsW,QAEpCnS,EAAM+oB,WAAWptB,EAAKE,QAASF,EAAKwW,OAEtC,MAAOpZ,SAMJ,GAAI4C,EAAKlB,OAASwjC,GAAcQ,OACrC,IACE,GAAIjlC,MAAM+U,QAAQ5S,EAAKwW,OAAQ,CACvB,IAAA7R,EAAuB69B,GAAqBxiC,EAAKwW,OAA/CoU,cAAWpU,UACA+rB,GAAcl+B,EAAMzE,SAAUgrB,GACtC0C,WAAW9W,GAAS,QAE/BnS,EAAMipB,WAAWttB,EAAKwW,OAExB,MAAOpZ,SAMJ,GAAI4C,EAAKlB,OAASwjC,GAAcS,UAkB3C,SACEC,EACAJ,SAEA,IACE,IAAMK,EAAgBplC,MAAMH,gBAAKklC,EAAUv+B,4BAAOzE,WAAY,IAAIC,KAChE,SAACG,GAAS,OAAAA,EAAKE,WAEXgjC,EAAwBvnC,OAAO8xB,QAAQwV,GAAeE,UACxDC,EAAYH,EAAc/mC,OAC9BgnC,EAAsBrwB,SAAQ,SAACzU,SAAAyG,EAAA3H,OAACsZ,OAAOxW,OAC/BqB,EAAU2hC,EAAS3hC,QAAQrB,GACjC,IAAiB,IAAbqB,GAAkBA,EAAU+hC,EAC9B,cACER,EAAUv+B,sBAAOipB,WAAW9F,OAAOhR,IACnC,MAAOpZ,IAOXgmC,EAAY/hC,KAEd2hC,EAASnwB,SAAQ,SAAC3S,EAASsW,aACzB,yBACMosB,EAAUv+B,4BAAOzE,SAAS4W,yBAAQtW,WAAYA,cAChD0iC,EAAUv+B,sBAAO+oB,WAAWltB,EAASsW,IAEvC,MAAOpZ,QAOX,MAAOA,KArDLimC,CAAkCrjC,EAAKgjC,SAAUJ,QAC5C,GAAI5iC,EAAKlB,OAASwjC,GAAcgB,YAAa,CAC9Bf,GAClBl+B,EAAMzE,SACNI,EAAKwW,OAEI9E,MAAMmc,YAAY7tB,EAAKwM,SAAUxM,EAAKjD,MAAOiD,EAAK+tB,eACxD,GAAI/tB,EAAKlB,OAASwjC,GAAciB,eAAgB,CACjChB,GAClBl+B,EAAMzE,SACNI,EAAKwW,OAEI9E,MAAMsc,eAAehuB,EAAKwM,eApH3C,SAAY81B,GACVA,uBACAA,uBACAA,2BACAA,iCACAA,uCALF,CAAYA,KAAAA,QCQZ,IAAMlS,GAGF,IAAIrZ,aACQ2Z,GACdtpB,EACAopB,GAEA,IAAIC,EAAaL,GAAYha,IAAIhP,GAQjC,OAPKqpB,IACHA,EAAa,IAAI1Z,IACjBqZ,GAAYvZ,IAAIzP,EAAKqpB,IAElBA,EAAWpW,IAAImW,IAClBC,EAAW5Z,IAAI2Z,EAAM,IAEhBC,EAAWra,IAAIoa,GAsBxB,IAAMgT,GAAiC,CACrC,kBACA,cACA,mBACA,eACA,oBACA,cACA,6BACA,eACA,uBACA,mCAgBcC,GACdC,EACAt8B,GAEA,OAAO,SAACyT,GACN,GAAIA,GAAsB,iBAARA,GAAoB,YAAaA,EAAK,CACtD,GAAI,UAAWA,EAAK,CACV,IAASrU,EAAgBqU,UAAVrE,EAAUqE,QACjC,OAAO6V,GAAgBtpB,EAAKZ,GAAMgQ,GAC7B,GAAI,SAAUqE,EAAK,CAChB,IAASrB,EAAeqB,UAATM,EAASN,OAC1B2V,EAAOvU,OAAOzC,GAEpB,WAAWgX,aAAAA,eAAQrV,EAAKtb,IAAI4jC,GAAeC,EAAUt8B,WAChD,GAAI,WAAYyT,EACrB,Od9DK,SAAUyW,GACnB,IAA8Dv1B,EAAU4nC,EAAUC,EAAUC,EAAUC,EAAlGC,EAA+B,IAAhBzS,EAAOp1B,OAAeu1B,EAAMH,EAAOp1B,OAAWC,EAAI,EACnC,MAA9Bm1B,EAAOA,EAAOp1B,OAAS,KACvB6nC,IACkC,MAA9BzS,EAAOA,EAAOp1B,OAAS,IACvB6nC,KAGR,IAAIxS,EAAc,IAAIF,YAAY0S,GAAevS,EAAQ,IAAI1C,WAAWyC,GACxE,IAAKx1B,EAAI,EAAGA,EAAI01B,EAAK11B,GAAK,EACtB4nC,EAAWzT,GAAOoB,EAAOnB,WAAWp0B,IACpC6nC,EAAW1T,GAAOoB,EAAOnB,WAAWp0B,EAAI,IACxC8nC,EAAW3T,GAAOoB,EAAOnB,WAAWp0B,EAAI,IACxC+nC,EAAW5T,GAAOoB,EAAOnB,WAAWp0B,EAAI,IACxCy1B,EAAMr1B,KAAQwnC,GAAY,EAAMC,GAAY,EAC5CpS,EAAMr1B,MAAoB,GAAXynC,IAAkB,EAAMC,GAAY,EACnDrS,EAAMr1B,MAAoB,EAAX0nC,IAAiB,EAAiB,GAAXC,EAE1C,OAAOvS,Ec4CIyS,CAAOnpB,EAAIyW,QACb,GAAI,QAASzW,EAAK,CACvB,IAAMnD,EAAQgsB,EAASttB,IAAIyE,EAAI1Q,KAC/B,GAAIuN,EACF,OAAOA,EAEP,IAAMjP,EAAQ,IAAIw7B,MAGlB,OAFAx7B,EAAM0B,IAAM0Q,EAAI1Q,IAChBu5B,EAAS7sB,IAAIgE,EAAI1Q,IAAK1B,GACfA,QAGN,GAAI5K,MAAM+U,QAAQiI,GACvB,OAAOA,EAAIhb,IAAI4jC,GAAeC,EAAUt8B,IAE1C,OAAOyT,YAIaqpB,GAAc9lC,OACpCsf,aACA9D,WACA9a,SACA4kC,aACAS,iBAQA,IACE,IAAM/8B,EA7FV,SACEwS,EACA9a,GAKA,IACE,OAAIA,IAAS6W,EAAcue,MAEvBta,EAAOvS,WAAW,UAAauS,EAAOvS,WAAW,sBAG9CuS,EAAOvS,WAAW,UACzB,MAAOjK,GACP,OAAO,MA8EKiK,CAAWuS,EAAQ9a,GAC/B,IAAKsI,EAAK,OAMV,GAAIsW,EAAS6U,OAIX,YADCnrB,EAAYsW,EAASlR,UAAYkR,EAASvC,KAAK,IAGlD,IAAMK,EAAWpU,EACfsW,EAASlR,UAGL2O,EAAOuC,EAASvC,KAAKtb,IAAI4jC,GAAeC,EAAUt8B,KA9E5D,SACEA,EACAuP,GAEA,GAAKA,MAAAA,SAAAA,EAAQga,YAAb,CAEQ,IAAAnuB,EAASmU,EAAOga,iBACxB,GAAK6S,GAA+BY,SAAS5hC,GAA7C,CAEA,IAAM6hC,EAAY3T,GAAgBtpB,EAAK5E,GAClC6hC,EAAUD,SAASztB,IAAS0tB,EAAU/mC,KAAKqZ,KAsE9C2tB,CAAkBl9B,EADHoU,EAASjf,MAAM6K,EAAK+T,IA+BnC,MAAO5d,GACP4mC,EAAazmB,EAAUngB,ICxG3B,IAKMw7B,GAAQwL,IAA6BC,GAErCC,GAAwB,aAExBC,GAAyB,CAC7BC,SAAU,IACVC,QAAS,QACTC,UAAW,EACXC,YAAa,OAGf,SAASC,GAAqB3nC,GAC5B,OACEA,EAAE0B,MAAQ0W,YAAUuhB,sBACnB35B,EAAE2K,KAAKuH,QAAUmG,oBAAkB2V,WACjChuB,EAAE2K,KAAKuH,QAAUmG,oBAAkB2iB,kBAClCh7B,EAAE2K,KAAKjJ,MAAQ4W,oBAAkBsvB,8BA+CvC,WACEnE,EACA5C,GAFF,WAIE,GAlCMzhC,eAAsC,KACtCA,mBAAiD,GAEjDA,aAAmBu8B,KAKnBv8B,gCAA6C,GAS7CA,WAAoBsa,IAEpBta,cAA0D,IAAIua,IAE9Dva,YpB3FD,CACLqD,IAAK,GACLoa,eAAMje,GAEJ,OAAKA,GAAMA,EAAEkJ,KAGNlJ,EAAEkJ,KAAKE,IAFJ,GAIZ8U,iBAAQ9U,GACN,OAAO5I,KAAKqD,IAAIuF,IAAO,MAGzB+U,kBAAA,SAAkBne,GAAlB,WACQoJ,EAAKpJ,EAAEkJ,MAAQlJ,EAAEkJ,KAAKE,UACrB5I,KAAKqD,IAAIuF,GACZpJ,EAAEyJ,YACJzJ,EAAEyJ,WAAWoN,SAAQ,SAACmF,GACpB,OAAAoC,EAAKD,kBAAmBnC,OAI9BqC,aAAIjV,GACF,OAAO5I,KAAKqD,IAAIxD,eAAe+I,IAEjCkV,iBACE9d,KAAKqD,IAAM,KoBmEPrD,uBAAiD,KAEjDA,sBAAwC,GAExCA,cAAgC,KAChCA,iBAA8B,OAM/ByhC,MAAAA,SAAAA,EAAQnB,WAAY+D,EAAO3kC,OAAS,EACvC,MAAM,IAAIwT,MAAM,oCAElB,IAAMu1B,EAA8B,CAClC7I,MAAO,EACP8I,SAAU,IACVC,KAAM7iC,SAAS+Z,KACf+oB,YAAa,EACbC,cAAc,EACdC,aAAa,EACbC,WAAW,EACXhhC,WAAY,WACZu4B,UAAU,EACV0I,iBAAkB,GAClBC,cAAc,EACdC,qBAAqB,EACrBC,gBAAgB,EAChBC,UAAWlB,IAEbloC,KAAKyhC,OAAStiC,OAAOC,OAAO,GAAIqpC,EAAehH,GAE/CzhC,KAAKqpC,aAAerpC,KAAKqpC,aAAalf,KAAKnqB,MAC3CA,KAAKqjC,UAAYrjC,KAAKqjC,UAAUlZ,KAAKnqB,MACrCA,KAAKsjC,yBAA2BtjC,KAAKsjC,yBAAyBnZ,KAAKnqB,MACnEA,KAAKujC,QAAQrmB,GAAG7D,iBAAeiwB,OAAQtpC,KAAKqpC,cAE5CrpC,KAAKupC,WAELvpC,KAAKwpC,UAAY,IAAIvoB,GACrBjhB,KAAKypC,kBAAoB,IAAIlvB,IAC7Bva,KAAK0pC,gBAAkB,IAAInvB,IAC3Bva,KAAK2pC,qBAAuB,IAAIpvB,IAEhCva,KAAKujC,QAAQrmB,GAAG7D,iBAAe4rB,OAAO,+BAC9Bl7B,EAAwC6T,EAAK4rB,UAAUI,QAArDxnB,cAAWC,aAAUO,iBAE7BhF,EAAK6rB,kBAAkBpzB,SAAQ,SAACL,EAAQ6zB,GACtC,OAAAjsB,EAAKksB,kBAAkBD,EAAM7zB,UAI/B,IAAgB,IAAA1I,EAAArN,EAAA2iB,EAAapB,qCAAO,CAA/B,IAAM1C,UACTlB,EAAKmsB,UAAUjrB,EAAG8D,yGAGpB,IAAmB,IAAAxT,EAAAnP,EAAA2d,EAAK+rB,qBAAqBxzB,sCAAQ,CAAhD,IAAMpP,UAET6W,EAAKosB,iBAAiBjjC,qGAExB6W,EAAK6rB,kBAAkBhT,QACvB7Y,EAAK8rB,gBAAgBjT,QACrB7Y,EAAK+rB,qBAAqBlT,YAE1B,IAAgB,IAAA9lB,EAAA1Q,EAAAmiB,EAAU9N,wCAAU,CAAzBwK,UACTlB,EAAKqsB,YAAYnrB,GAAG,yGAEtB,IAAgB,IAAAhO,EAAA7Q,EAAAoiB,EAAS/N,wCAAU,CAAxBwK,UACTlB,EAAKssB,WAAWprB,yGAGpB9e,KAAKujC,QAAQrmB,GAAG7D,iBAAeurB,UAAU,WACvChnB,EAAKusB,kBAAoB,KACzBvsB,EAAKyC,OAAOvC,WAGd,IAAMwmB,EAAQ,IAAIzE,GAAM,IAAI4B,MAAAA,SAAAA,EAAQ7B,QAAS6I,EAAc7I,OAC3D5/B,KAAKoqC,QAAUhH,GACb,CACEiB,OAAQA,EACLhhC,KAAI,SAACzC,GACJ,OAAI6gC,GAAUA,EAAO4I,SACZ5I,EAAO4I,SAASzpC,GAElBA,KAERqZ,MAAK,SAACqwB,EAAIC,GAAO,OAAAD,EAAGrS,UAAYsS,EAAGtS,aACtCqM,QACA/V,WAAY,EACZoS,aAAc,EACdwD,gBAAiB,MAEnB,CACEd,UAAWrjC,KAAKqjC,UAChBC,yBAA0BtjC,KAAKsjC,yBAC/BC,QAASvjC,KAAKujC,UAGlBvjC,KAAKoqC,QAAQ33B,QACbzS,KAAKoqC,QAAQrH,WAAU,SAACG,GACtBtlB,EAAK2lB,QAAQve,KAAK3L,iBAAemxB,YAAa,CAC5CC,OAAQvH,OAGZljC,KAAK0qC,aJiIAlH,GAjDcC,GACnB,CACE76B,GAAI,QACJ8V,QInFqC,CACrCisB,aAAc,EACdrG,SJkFA/C,QAAS,SACTD,OAAQ,CACNsJ,OAAQ,CACN1tB,GAAI,CACF2tB,aAAc,CACZztB,OAAQ,WACRuiB,QAAS,CAAC,cAAe,aAE3BmL,UAAW,CACT1tB,OAAQ,SACRuiB,QAAS,CAAC,eAIhBoL,SAAU,CACR7tB,GAAI,CACF8tB,eAAgB,CACd5tB,OAAQ,SACRuiB,QAAS,CAAC,iBAEZmL,UAAW,CACT1tB,OAAQ,SACRuiB,QAAS,CAAC,iBAMpB,CACEA,QAAS,CACPsL,SAAU,SAACrgC,EAAK2V,GACV,YAAaA,GACf3V,EAAI05B,MAAM2G,SAAS1qB,EAAMwG,QAAQ6Y,QAGrCsL,YAAa9rC,GAAO,CAClBurC,YAAa,SAAC//B,GAAQ,OAAAA,EAAI05B,MAAM1E,SAElCuL,aAAc,SAACvgC,GACbA,EAAI05B,MAAM2G,SAASrgC,EAAI+/B,kBIvH7B3qC,KAAK0qC,aAAaj4B,QAClBzS,KAAK0qC,aAAa3H,WAAU,SAACG,GAC3BtlB,EAAK2lB,QAAQve,KAAK3L,iBAAemxB,YAAa,CAC5C5K,MAAOsD,OAMX,IAAMkI,EAAYprC,KAAKoqC,QAAQlH,MAAMxkB,QAAQ2lB,OAAOl6B,MAClD,SAACvJ,GAAM,OAAAA,EAAE0B,OAAS0W,YAAUiiB,QAExBoQ,EAAoBrrC,KAAKoqC,QAAQlH,MAAMxkB,QAAQ2lB,OAAOl6B,MAC1D,SAACvJ,GAAM,OAAAA,EAAE0B,OAAS0W,YAAUshB,gBAE9B,GAAI8Q,EAAW,CACP,IAAAxpC,EAAoBwpC,EAAU7/B,KAA5B+/B,UAAOC,WACf95B,YAAW,WACTmM,EAAK2lB,QAAQve,KAAK3L,iBAAeiwB,OAAQ,CACvCv+B,QACAE,aAED,GAEDogC,GACF55B,YAAW,WAELmM,EAAKusB,oBAITvsB,EAAKusB,kBAAoBkB,EACzBztB,EAAK4tB,oBACHH,GAEFztB,EAAKqI,OAAO9U,cAAe+rB,SACxBmO,EAAwC9/B,KAAK6vB,kBAE/C,GAEDp7B,KAAKoqC,QAAQlH,MAAMxkB,QAAQ2lB,OAAOl6B,KAAKo+B,KACzCvoC,KAAKyrC,MAAMrkC,UAAUwa,IAAI,gBA0pD/B,OA70DEziB,sBAAWusC,yBAAX,WACE,OAAO1rC,KAAKoqC,QAAQlH,MAAMxkB,QAAQ4lB,uCAsL7BoH,eAAP,SAAUnrB,EAAe6K,GAEvB,OADAprB,KAAKujC,QAAQrmB,GAAGqD,EAAO6K,GAChBprB,MAGF0rC,gBAAP,SAAWnrB,EAAe6K,GAExB,OADAprB,KAAKujC,QAAQ7G,IAAInc,EAAO6K,GACjBprB,MAGF0rC,sBAAP,SAAiBjK,GAAjB,WACEtiC,OAAOgX,KAAKsrB,GAAQprB,SAAQ,SAACwG,GAE3Be,EAAK6jB,OAAO5kB,GAAO4kB,EAAO5kB,MAEvB7c,KAAKyhC,OAAOoH,cACf7oC,KAAK2rC,oBAEqB,IAAjBlK,EAAO7B,OAChB5/B,KAAK0qC,aAAa5H,KAAK,CACrBxgC,KAAM,YACNykB,QAAS,CACP6Y,MAAO6B,EAAO7B,cAIY,IAArB6B,EAAO2H,aACS,IAArB3H,EAAO2H,UACLppC,KAAKopC,YACPppC,KAAKopC,UAAUl0B,MAAM02B,QAAU,SAG5B5rC,KAAKopC,YACRppC,KAAKopC,UAAYtjC,SAASF,cAAc,UACxC5F,KAAKopC,UAAUr+B,MAAQigB,OAAO6gB,WAAW7rC,KAAKimB,OAAOlb,OACrD/K,KAAKopC,UAAUn+B,OAAS+f,OAAO6gB,WAAW7rC,KAAKimB,OAAOhb,QACtDjL,KAAKopC,UAAUhiC,UAAUwa,IAAI,uBAC7B5hB,KAAK8rC,QAAQC,aAAa/rC,KAAKopC,UAAWppC,KAAKimB,SAEjDjmB,KAAKopC,UAAUl0B,MAAM02B,QAAU,aAK9BF,wBAAP,WACE,IAAMM,EAAahsC,KAAKoqC,QAAQlH,MAAMxkB,QAAQ2lB,OAAO,GAC/C4H,EAAYjsC,KAAKoqC,QAAQlH,MAAMxkB,QAAQ2lB,OAC3CrkC,KAAKoqC,QAAQlH,MAAMxkB,QAAQ2lB,OAAO3kC,OAAS,GAE7C,MAAO,CACL0/B,UAAW4M,EAAW/T,UACtBiU,QAASD,EAAUhU,UACnBkU,UAAWF,EAAUhU,UAAY+T,EAAW/T,YAIzCyT,2BAAP,WACE,OAAO1rC,KAAKskC,MAAM/V,WAAavuB,KAAKosC,iBAG/BV,0BAAP,WACQ,IAAA9pC,EAA2B5B,KAAKoqC,QAAQlH,MAAMxkB,QACpD,+BAA6B,GAAGuZ,WAG3ByT,sBAAP,WACE,OAAO1rC,KAAKqgB,QAYPqrB,iBAAP,SAAYnd,sBAAAA,KACNvuB,KAAKoqC,QAAQlH,MAAMzgC,QAAQ,WAG7BzC,KAAKoqC,QAAQtH,KAAK,CAAExgC,KAAM,UAF1BtC,KAAKoqC,QAAQtH,KAAK,CAAExgC,KAAM,OAAQykB,QAAS,CAAEwH,0BAK/CvuB,KAAKimB,OAAOrY,gCACRy+B,qBAAqB,QAAQ,GAC9BjlC,UAAUqqB,OAAO,gBACpBzxB,KAAKujC,QAAQve,KAAK3L,iBAAeizB,QAG5BZ,kBAAP,SAAand,cACQ1lB,IAAf0lB,GAA4BvuB,KAAKoqC,QAAQlH,MAAMzgC,QAAQ,YACzDzC,KAAKoqC,QAAQtH,KAAK,CAAExgC,KAAM,UAEF,iBAAfisB,IACTvuB,KAAKob,KAAKmT,GACVvuB,KAAKoqC,QAAQtH,KAAK,CAAExgC,KAAM,qBAE5BtC,KAAKimB,OAAOrY,gCACRy+B,qBAAqB,QAAQ,GAC9BjlC,UAAUwa,IAAI,gBACjB5hB,KAAKujC,QAAQve,KAAK3L,iBAAekzB,QAG5Bb,mBAAP,SAAcnd,gBAAAA,KACZ9hB,QAAQC,KACN,gGAEF1M,KAAKob,KAAKmT,GACVvuB,KAAKujC,QAAQve,KAAK3L,iBAAemzB,SAG5Bd,sBAAP,SAAiB/K,GACf3gC,KAAKoqC,QAAQtH,KAAK,CAAExgC,KAAM,UAAWykB,QAAS,CAAE4Z,mBAG3C+K,qBAAP,SAAgBe,GAAhB,WACQlsB,EAAQvgB,KAAKyhC,OAAO4I,SACtBrqC,KAAKyhC,OAAO4I,SAASoC,GACpBA,EACDlE,GAAqBhoB,IACvBvgB,KAAKyrC,MAAMrkC,UAAUwa,IAAI,gBAE3B8qB,QAAQC,UAAUC,MAAK,WACrB,OAAAhvB,EAAKwsB,QAAQtH,KAAK,CAAExgC,KAAM,YAAaykB,QAAS,CAAExG,eAI/CmrB,2BAAP,WACE1rC,KAAKimB,OAAO9K,aAAa,YAAa,QACtCnb,KAAKimB,OAAO/Q,MAAM23B,cAAgB,QAG7BnB,4BAAP,WACE1rC,KAAKimB,OAAO9K,aAAa,YAAa,MACtCnb,KAAKimB,OAAO/Q,MAAM23B,cAAgB,QAO7BnB,uBAAP,WACE1rC,KAAKyZ,MAAQa,KAGPoxB,qBAAR,WACE1rC,KAAK8rC,QAAUhmC,SAASF,cAAc,OACtC5F,KAAK8rC,QAAQ1kC,UAAUwa,IAAI,oBAC3B5hB,KAAKyhC,OAAOkH,KAAMhtB,YAAY3b,KAAK8rC,SAEnC9rC,KAAKyrC,MAAQ3lC,SAASF,cAAc,OACpC5F,KAAKyrC,MAAMrkC,UAAUwa,IAAI,kBACzB5hB,KAAK8rC,QAAQnwB,YAAY3b,KAAKyrC,QAEA,IAA1BzrC,KAAKyhC,OAAO2H,YACdppC,KAAKopC,UAAYtjC,SAASF,cAAc,UACxC5F,KAAKopC,UAAUhiC,UAAUwa,IAAI,uBAC7B5hB,KAAKopC,UAAUl0B,MAAM02B,QAAU,UAC/B5rC,KAAK8rC,QAAQnwB,YAAY3b,KAAKopC,YAGhCppC,KAAKimB,OAASngB,SAASF,cAAc,UACrC,IAAMkE,EAAa,CAAC,qBAChB9J,KAAKyhC,OAAOyH,qBACdp/B,EAAWhJ,KAAK,iBAGlBd,KAAKimB,OAAO/Q,MAAM02B,QAAU,OAC5B5rC,KAAKimB,OAAO9K,aAAa,UAAWrR,EAAWvG,KAAK,MACpDvD,KAAK8sC,kBACL9sC,KAAK8rC,QAAQnwB,YAAY3b,KAAKimB,QAC1BjmB,KAAKimB,OAAO9U,eAAiBnR,KAAKimB,OAAOrY,kBAC3Cm/B,GACE/sC,KAAKimB,OAAO9U,cACZnR,KAAKimB,OAAOrY,iBAGd6S,GAASzgB,KAAKimB,OAAO9U,iBAIjBu6B,yBAAR,SAAqBsB,WACnBhtC,KAAKimB,OAAO/Q,MAAM02B,QAAU,cAC5B,IAAiB,IAAAzjC,EAAAlI,EAAA,CAACD,KAAKopC,UAAWppC,KAAKimB,uCAAS,CAA3C,IAAMne,UACJA,IAGLA,EAAGqT,aAAa,QAAS8xB,OAAOD,EAAUjiC,QAC1CjD,EAAGqT,aAAa,SAAU8xB,OAAOD,EAAU/hC,8GAIvCygC,qCAAR,SAAiCrH,eAC/B,IAAoB,IAAAE,EAAAtkC,EAAAokC,iCAAQ,CAAvB,IAAMI,UACT,OAAQA,EAAMniC,MACZ,KAAK0W,YAAU0iB,iBACf,KAAK1iB,YAAUsjB,KACf,KAAKtjB,YAAU6jB,OACb,SACF,KAAK7jB,YAAUshB,aACf,KAAKthB,YAAUiiB,KACf,KAAKjiB,YAAUmjB,OACb,MACF,KAAKnjB,YAAUuhB,oBACb,OAAQkK,EAAMl5B,KAAKuH,QACjB,KAAKmG,oBAAkB8iB,iBACrB,UAQO/7B,KAAKqjC,UAAUoB,GAAO,EACrCyI,qGAEEltC,KAAKmtC,UACPntC,KAAKotC,aACHptC,KAAKmtC,SAASriC,EACd9K,KAAKmtC,SAASniC,EACdhL,KAAKmtC,SAASvkC,IACd,EACA5I,KAAKmtC,SAASE,WAGlBrtC,KAAKmtC,SAAW,MACS,IAArBntC,KAAKstC,YACPttC,KAAKyrC,MAAMrkC,UAAUwa,IAAI,iBACK,IAArB5hB,KAAKstC,aACdttC,KAAKyrC,MAAMrkC,UAAUqqB,OAAO,gBAE9BzxB,KAAKstC,YAAc,MAGb5B,sBAAR,SAAkBnrB,EAAsBmlB,GAAxC,IACMwH,SACJ,oBAFsCxH,MAE9BnlB,EAAMje,MACZ,KAAK0W,YAAU0iB,iBACf,KAAK1iB,YAAUsjB,KACb,MACF,KAAKtjB,YAAU6jB,OACbqQ,EAAS,WAMPtvB,EAAK2lB,QAAQve,KAAK3L,iBAAek0B,YAAahtB,IAEhD,MACF,KAAKvH,YAAUiiB,KACbiS,EAAS,WACP,OAAAtvB,EAAK2lB,QAAQve,KAAK3L,iBAAeiwB,OAAQ,CACvCv+B,MAAOwV,EAAMhV,KAAKR,MAClBE,OAAQsV,EAAMhV,KAAKN,UAEvB,MACF,KAAK+N,YAAUshB,aACb4S,EAAS,WACP,GAAItvB,EAAKusB,mBACP,GAAIvsB,EAAKusB,oBAAsB5pB,EAG7B,YADA3C,EAAKusB,mBAAoB,QAK3BvsB,EAAKusB,mBAAoB,EAE3BvsB,EAAK4tB,oBAAoBjrB,EAAOmlB,GAChC9nB,EAAKqI,OAAO9U,cAAe+rB,SAAS3c,EAAMhV,KAAK6vB,gBAEjD,MACF,KAAKpiB,YAAUuhB,oBACb2S,EAAS,mBAEP,GADAtvB,EAAK4vB,iBAAiBjtB,EAAOmlB,IACzBA,IAIAnlB,IAAU3C,EAAK6vB,2BACjB7vB,EAAK6vB,yBAA2B,KAChC7vB,EAAK+tB,gBAEH/tB,EAAK6jB,OAAOoH,eAAiBjrB,EAAK6vB,0BAA0B,KAC9D,IAAqB,IAAAtlC,EAAAlI,EAAA2d,EAAKwsB,QAAQlH,MAAMxkB,QAAQ2lB,sCAAQ,CAAnD,IAAMqJ,UACT,KAAIA,EAAOzV,WAAc1X,EAAM0X,YAG3Bra,EAAK+vB,kBAAkBD,GAAS,CAEhCA,EAAOtN,MAAS7f,EAAM6f,MA5fZ,IA8fRxiB,EAAK8sB,aAAaxH,MAAMxkB,QAAQ4lB,MAAM1E,QAExChiB,EAAK6vB,yBAA2BC,GAElC,yGAGJ,GAAI9vB,EAAK6vB,yBAA0B,CACjC,IAAMG,EACJhwB,EAAK6vB,yBAAyBrN,MAAS7f,EAAM6f,MACzCrZ,EAAU,CACd6Y,MAAOv0B,KAAKC,IACVD,KAAKwiC,MAAMD,EAzgBF,KA0gBThwB,EAAK6jB,OAAOiH,WAGhB9qB,EAAK8sB,aAAa5H,KAAK,CAAExgC,KAAM,eAAgBykB,YAC/CnJ,EAAK2lB,QAAQve,KAAK3L,iBAAey0B,UAAW/mB,MA8CtD,OAvCsB,mBAChBmmB,GACFA,QAGF,IAAqB,IAAA/kC,EAAAlI,EAAA2d,EAAK6jB,OAAO9O,SAAW,kCAAI,SACvCvH,QAAQ7K,EAAOmlB,EAAQ,CAAEqI,SAAUnwB,sGAG5CA,EAAKwsB,QAAQtH,KAAK,CAAExgC,KAAM,aAAcykB,QAAS,CAAExG,WAGnD,IAAIytB,EAAapwB,EAAKwsB,QAAQlH,MAAMxkB,QAAQ2lB,OAAO3kC,OAAS,EAC5D,GAAI6gB,IAAU3C,EAAKwsB,QAAQlH,MAAMxkB,QAAQ2lB,OAAO2J,GAAa,CAC3D,IAAMC,EAAS,WACTD,EAAapwB,EAAKwsB,QAAQlH,MAAMxkB,QAAQ2lB,OAAO3kC,OAAS,IAI5Dke,EAAK+tB,eACL/tB,EAAKwsB,QAAQtH,KAAK,OAClBllB,EAAK2lB,QAAQve,KAAK3L,iBAAe60B,UAGjC3tB,EAAMje,OAAS0W,YAAUuhB,qBACzBha,EAAMhV,KAAKuH,SAAWmG,oBAAkB0V,WACxCpO,EAAMhV,KAAK6iB,UAAU1uB,OAGrB+R,YAAW,WACTw8B,MACC5iC,KAAK8iC,IAAI,EAAyC,GAArC5tB,EAAMhV,KAAK6iB,UAAU,GAAGG,aAExC0f,IAIJrwB,EAAK2lB,QAAQve,KAAK3L,iBAAe+0B,UAAW7tB,KAKxCmrB,gCAAR,SACEnrB,EACAmlB,kBAEA,gBAFAA,OAEK1lC,KAAKimB,OAAOrY,gBACf,OAAOnB,QAAQC,KAAK,gDAElBvN,OAAOgX,KAAKnW,KAAKquC,4BAA4B3uC,QAC/C+M,QAAQC,KACN,oCACA1M,KAAKquC,4BAGTruC,KAAKquC,2BAA6B,GAClC,IAAMC,EAA8B,GACpCtuC,KAAKqgB,OAAOhd,IAAMqZ,EAAQ6D,EAAMhV,KAAKxE,KAAM,CACzCvB,IAAKxF,KAAKimB,OAAOrY,gBACjBwO,YAAa,SAACmyB,GACZ3wB,EAAK4wB,+BAA+BF,EAAWC,IAEjD90B,MAAOzZ,KAAKyZ,QACX,kBACUg1B,EAAiBF,GAC5BG,EAAKC,uBAAuBF,EAAiBF,GAC7CG,EAAKE,iBAAmBF,EAAKE,iBAAiB70B,QAC5C,SAAC1Z,GAAM,OAAAA,IAAMouC,iBAHjB,IAA6C,IAAAI,EAAA5uC,EAAAquC,kCAAlC,IAAAnmC,6IAML,IAAAE,EAA4BrI,KAAKimB,OAAOrY,gBAAtC+R,oBAAiB+E,SACzB1kB,KAAKgpC,iBAAiBrpB,EAAiB+E,GAClC1kB,KAAKoqC,QAAQlH,MAAMzgC,QAAQ,YAC9BzC,KAAKimB,OAAOrY,gBACTy+B,qBAAqB,QAAQ,GAC7BjlC,UAAUwa,IAAI,gBAEnB5hB,KAAKujC,QAAQve,KAAK3L,iBAAey1B,sBAAuBvuB,GACnDmlB,GACH1lC,KAAK+uC,wBAEH/uC,KAAKyhC,OAAOyH,qBACdlpC,KAAKgvC,oBAIDtD,6BAAR,SACE/rB,EACA+E,GAEA,IAAMuqB,EAAUnpC,SAASF,cAAc,SACvC+Z,EAAiBosB,aAAakD,EAASvqB,GACvC,IHtrB6C3c,EGsrBvCmnC,GHtrBuCnnC,EGurB3C/H,KAAKyhC,OAAO15B,WHvrBsD,CACtE,WAAIA,mCACJ,2CGsrBIxG,OAAOvB,KAAKyhC,OAAOuH,kBACjBhpC,KAAKyhC,OAAO0H,gBACd+F,EAAkBpuC,KAChB,2HAGJ,IAAK,IAAIyiB,EAAM,EAAGA,EAAM2rB,EAAkBxvC,OAAQ6jB,IAC/C0rB,EAAQpnC,MAAyB+oB,WAAWse,EAAkB3rB,GAAMA,IAIjEmoB,mCAAR,SACExqB,EACAlQ,kBAEMs9B,EAA8B,GAEpC,IAAKt9B,EAASpD,gBAEZ,IADA,IAAIuhC,EAASn+B,EAASxJ,WACf2nC,GAAQ,CAEb,GAAInvC,KAAKypC,kBAAkB5rB,IAAKsxB,GAA8B,CAC5D,IAAMtF,EAAQsF,EACRC,EAAapvC,KAAKypC,kBAAkB7vB,IAAIiwB,GAC9C7pC,KAAK8pC,kBAAkBD,EAAMuF,GAC7B,MAEFD,EAASA,EAAO3nC,WAGpB2U,EAAgB+E,EAASna,KAAM,CAC7BvB,IAAKwL,EAASpD,gBACdvK,IAAKrD,KAAKqgB,OAAOhd,IACjBoX,SAAS,EACT3L,WAAW,EACXsN,YAAa,SAACmyB,GAEZ,GADA3wB,EAAK4wB,+BAA+BF,EAAWC,GAE7CA,EAAU7lC,KAAKpG,OAASrD,EAAS6O,SACQ,SAAzCygC,EAAU7lC,KAAKrG,QAAQgtC,cACvB,CACM,IAAAztC,EAA4BoP,EAASpD,gBAAnC+R,oBAAiB+E,SACzB9G,EAAKorB,iBAAiBrpB,EAAiB+E,KAG3CjL,MAAOzZ,KAAKyZ,uBAEDg1B,EAAiBF,GAC5Be,EAAKX,uBAAuBF,EAAiBF,GAC7Ce,EAAKV,iBAAmBU,EAAKV,iBAAiB70B,QAC5C,SAAC1Z,GAAM,OAAAA,IAAMouC,iBAHjB,IAA6C,IAAAc,EAAAtvC,EAAAquC,kCAAlC,IAAAnmC,+IAQLujC,2CAAR,SACE4C,EACAC,GAEA,GAAI3qB,GAAc2qB,GAAY,CAC5B,IAAME,EAAkBzuC,KAAK4uC,iBAAiBzkC,MAC5C,SAAC9J,GAAM,OAAAA,EAAEghB,WAAaktB,EAAU7lC,KAAKE,MAEnC6lC,GACFH,EAAUxtC,KAAK,CAAE2tC,kBAAiBF,gBAQhC7C,kCAAR,WAAA,aACQhnB,YAAO1kB,KAAKimB,OAAOrY,sCAAiB8W,KAC1C,GAAIA,EAAM,CACR,IACIhT,EADE89B,EAAqC,IAAI3sB,IAE3C4sB,EAAkBzvC,KAAKoqC,QAAQlH,MAC7BwM,EAAe,WACnBD,EAAkB7xB,EAAKwsB,QAAQlH,OAEjCljC,KAAKujC,QAAQrmB,GAAG7D,iBAAeizB,MAAOoD,GACtC1vC,KAAKujC,QAAQrmB,GAAG7D,iBAAekzB,MAAOmD,GACtC,IAAMC,EAAc,WAClB/xB,EAAK2lB,QAAQ7G,IAAIrjB,iBAAeizB,MAAOoD,GACvC9xB,EAAK2lB,QAAQ7G,IAAIrjB,iBAAekzB,MAAOmD,IAEzChrB,EACGmL,iBAAiB,0BACjBxZ,SAAQ,SAACpE,GACHA,EAAIpK,QACP2nC,EAAa5tB,IAAI3P,GACjBA,EAAIT,iBAAiB,QAAQ,WAC3Bg+B,EAAaxtB,OAAO/P,GAEM,IAAtBu9B,EAAaI,OAAyB,IAAXl+B,IACzB+9B,EAAgBhtC,QAAQ,YAC1Bmb,EAAKxC,KAAKwC,EAAKiyB,kBAEjBjyB,EAAK2lB,QAAQve,KAAK3L,iBAAey2B,mBAC7Bp+B,GACFC,aAAaD,GAEfi+B,YAMNH,EAAaI,KAAO,IAEtB5vC,KAAKoqC,QAAQtH,KAAK,CAAExgC,KAAM,UAC1BtC,KAAKujC,QAAQve,KAAK3L,iBAAe02B,qBACjCr+B,EAAQD,YAAW,WACbg+B,EAAgBhtC,QAAQ,YAC1Bmb,EAAKxC,KAAKwC,EAAKiyB,kBAGjBn+B,GAAS,EACTi+B,MACC3vC,KAAKyhC,OAAOmH,gBAKb8C,wBAAR,SAAoB/sB,eAClB,IAAkB,IAAAqxB,EAAA/vC,EAAA0e,iCAAM,CAAnB,IAAMN,UACT,GAAKA,GAAsB,iBAARA,EAEZ,GAAI,YAAaA,GAAO,SAAUA,GACvC,GAAIre,KAAKiwC,YAAY5xB,EAAIM,MAAO,OAAO,MAClC,CAAA,GAAI,YAAaN,GAAuB,qBAAhBA,EAAIuW,QACjC,OAAO,EACF,GAAIvW,aAAehd,OACpBrB,KAAKiwC,YAAY5xB,GAAM,OAAO,0GAGtC,OAAO,GAGDqtB,yBAAR,SAAqB/sB,WACbuxB,EAAmB,OACzB,IAAkB,IAAAC,EAAAlwC,EAAA0e,iCAAM,CAAnB,IAAMN,UACJA,GAAsB,iBAARA,IAER,YAAaA,GAAO,SAAUA,EACvC6xB,EAAOpvC,WAAPovC,SAAelwC,KAAKowC,aAAa/xB,EAAIM,YAC5B,YAAaN,GAAuB,qBAAhBA,EAAIuW,QACjCsb,EAAOpvC,KAAKud,EAAI1Q,KACP0Q,aAAehd,OACxB6uC,EAAOpvC,WAAPovC,SAAelwC,KAAKowC,aAAa/xB,4GAGrC,OAAO6xB,GAMDxE,6BAAR,0BACwB1rC,KAAKoqC,QAAQlH,MACnC,IAAMmN,EAAe,WACDzyB,EAAKwsB,QAAQlH,OAEjCljC,KAAKujC,QAAQrmB,GAAG7D,iBAAeizB,MAAO+D,GACtCrwC,KAAKujC,QAAQrmB,GAAG7D,iBAAekzB,MAAO8D,kBAC3BC,GAEPA,EAAMhuC,OAAS0W,YAAUuhB,qBACzB+V,EAAM/kC,KAAKuH,SAAWmG,oBAAkB+hB,iBAEpC,aAAcsV,EAAM/kC,KACtB+kC,EAAM/kC,KAAK+sB,SAASjiB,SAAQ,SAAC1P,GAAM,OAAAiX,EAAK2yB,cAAc5pC,EAAG2pC,MAEzDE,EAAKD,cAAcD,EAAM/kC,KAAM+kC,gBARrC,IAAoB,IAAAnoC,EAAAlI,EAAAD,KAAKoqC,QAAQlH,MAAMxkB,QAAQ2lB,sJAazCqH,0BAAR,SAAsBngC,EAA6BgV,GAAnD,WACE,GACoB,cAAlBhV,EAAKyE,UACmB,iBAAjBzE,EAAKoT,KAAK,IAChB3e,KAAKknC,SAASrpB,IAAI0C,GAQVvgB,KAAKiwC,YAAY1kC,EAAKoT,OAC/B3e,KAAKowC,aAAa7kC,EAAKoT,MAAMtI,SAAQ,SAAC5R,GACpC,IAAMyW,EAAQ,IAAIusB,MAClBvsB,EAAMvN,IAAMlJ,EACZmZ,EAAKspB,SAAS7sB,IAAI5V,EAAKyW,UAXzB,CACA,IAAMvQ,EAAS7E,SAASF,cAAc,UAChCgF,EAAMD,EAAOE,WAAW,MACxBusB,EAAOxsB,MAAAA,SAAAA,EAAK6lC,gBAAgB9lC,EAAOI,MAAOJ,EAAOM,QAC/CmsB,MAAAA,GAAAA,EAAM7rB,KACV6mB,KAAKpgB,MAAMzG,EAAKoT,KAAK,IACzB/T,MAAAA,GAAAA,EAAK8lC,aAAatZ,EAAO,EAAG,KAUxBsU,6BAAR,SACE9qC,EACA8kC,GAFF,eAIgB5mB,EAAMle,OACpB,OAAQke,EAAEhM,QACR,KAAKmG,oBAAkBsJ,SACjBmjB,IACF5mB,EAAE2D,KAAKpM,SAAQ,SAAChW,GAAM,OAAAud,EAAK4rB,UAAU5nB,IAAIvhB,MACzCye,EAAE0C,MAAMnL,SAAQ,SAAChW,GACf,IAAM+c,EAASQ,EAAKyC,OAAO3C,QAAQrd,EAAEuI,IAC/BoN,EAAUoH,MAAAA,SAAAA,EAAQ5V,WAGpBwO,GAAU4H,EAAK+rB,qBAAqB9rB,IAAI7H,IAC1C4H,EAAK+rB,qBAAqB3nB,OAAOhM,GAEnC4H,EAAK4rB,UAAUhnC,KAAKnC,MAEtBye,EAAEhV,WAAWuM,SAAQ,SAAChW,GAAM,OAAAud,EAAK4rB,UAAUxiB,UAAU3mB,MACrDye,EAAE0D,QAAQnM,SAAQ,SAAChW,GAAM,OAAAud,EAAK4rB,UAAU/X,OAAOpxB,EAAGud,EAAKyC,YAEzD,IACErgB,KAAK2wC,cAAc7xB,EAAG4mB,GACtB,MAAO3kC,GACPf,KAAK0M,KAAK,gCAAyB3L,EAAM6vC,SAAW7vC,GAAS+d,GAE/D,MAEF,KAAK7F,oBAAkBwV,KACvB,KAAKxV,oBAAkB2V,UACvB,KAAK3V,oBAAkB0V,UACrB,GAAI+W,EAAQ,CACV,IAAMmL,EAAe/xB,EAAEsP,UAAUtP,EAAEsP,UAAU1uB,OAAS,GACtDM,KAAKmtC,SAAW,CACdriC,EAAG+lC,EAAa/lC,EAChBE,EAAG6lC,EAAa7lC,EAChBpC,GAAIioC,EAAajoC,GACjBykC,UAAWvuB,QAGbA,EAAEsP,UAAU/X,SAAQ,SAAC1W,GACnB,IAAMmgC,EAAS,CACbO,SAAU,WACRziB,EAAKwvB,aAAaztC,EAAEmL,EAAGnL,EAAEqL,EAAGrL,EAAEiJ,GAAI88B,EAAQ5mB,IAE5CshB,MACEzgC,EAAE4uB,WACF3tB,EAAEq3B,UACFra,EAAKwsB,QAAQlH,MAAMxkB,QAAQiiB,cAE/B/iB,EAAK0mB,MAAMuB,UAAU/F,MAGvB9/B,KAAKskC,MAAMuB,UAAU,CACnBxF,sBACAD,MAAOx/B,EAAEw/B,iBAASthB,EAAEsP,UAAU,yBAAIG,cAGtC,MACF,KAAKtV,oBAAkB2iB,iBAIrB,IAAc,IAAV9c,EAAElW,GACJ,MAEF,IAAMk8B,EAAQ,IAAIgM,MAAM53B,oBAAkB4F,EAAExc,MAAMI,eAElD,KADM0a,EAASpd,KAAKqgB,OAAO3C,QAAQoB,EAAElW,KAEnC,OAAO5I,KAAK+wC,kBAAkBjyB,EAAGA,EAAElW,IAErC5I,KAAKujC,QAAQve,KAAK3L,iBAAeuiB,iBAAkB,CACjDt5B,KAAMwc,EAAExc,KACR8a,WAEM,IAAA6rB,EAAiBjpC,KAAKyhC,oBAC9B,OAAQ3iB,EAAExc,MACR,KAAK4W,oBAAkB83B,KACjB,SAAY5zB,GACZA,EAAgC6zB,OAEpC,MACF,KAAK/3B,oBAAkBg4B,MACjBjI,GAAkB7rB,EAAgC+zB,OAClD/zB,EAAgC+zB,MAAM,CACtCC,eAAe,IAGnB,MACF,KAAKl4B,oBAAkBm4B,MACvB,KAAKn4B,oBAAkBsvB,WACvB,KAAKtvB,oBAAkBo4B,SACjB5L,GACE5mB,EAAExc,OAAS4W,oBAAkBsvB,WAC/BxoC,KAAKstC,aAAc,EACVxuB,EAAExc,OAAS4W,oBAAkBo4B,WACtCtxC,KAAKstC,aAAc,GAErBttC,KAAKmtC,SAAW,CACdriC,EAAGgU,EAAEhU,EACLE,EAAG8T,EAAE9T,EACLpC,GAAIkW,EAAElW,GACNykC,UAAWvuB,KAGTA,EAAExc,OAAS4W,oBAAkBsvB,aAE/BxoC,KAAKuxC,cAAc7xC,OAAS,GAE9BM,KAAKotC,aAAatuB,EAAEhU,EAAGgU,EAAE9T,EAAG8T,EAAElW,GAAI88B,EAAQ5mB,GACtCA,EAAExc,OAAS4W,oBAAkBm4B,OAS/BrxC,KAAKyrC,MAAMrkC,UAAUqqB,OAAO,UAEvBzxB,KAAKyrC,MAAM+F,YAChBxxC,KAAKyrC,MAAMrkC,UAAUwa,IAAI,WAChB9C,EAAExc,OAAS4W,oBAAkBsvB,YACjCxoC,KAAKyrC,MAAM+F,YAChBxxC,KAAKyrC,MAAMrkC,UAAUwa,IAAI,iBAChB9C,EAAExc,OAAS4W,oBAAkBo4B,UACtCtxC,KAAKyrC,MAAMrkC,UAAUqqB,OAAO,iBAGhC,MACF,KAAKvY,oBAAkBu4B,YACjB/L,EACF1lC,KAAKstC,aAAc,EAEnBttC,KAAKyrC,MAAMrkC,UAAUqqB,OAAO,gBAE9B,MACF,QACErU,EAAOs0B,cAAc5M,GAEzB,MAEF,KAAK7rB,oBAAkB6hB,OAIrB,IAAc,IAAVhc,EAAElW,GACJ,MAEF,GAAI88B,EAAQ,CACV1lC,KAAKwpC,UAAU1d,OAAOhN,GACtB,MAEF9e,KAAKiqC,YAAYnrB,GAAG,GACpB,MAEF,KAAK7F,oBAAkB4iB,eACrB77B,KAAKujC,QAAQve,KAAK3L,iBAAeiwB,OAAQ,CACvCv+B,MAAO+T,EAAE/T,MACTE,OAAQ6T,EAAE7T,SAEZ,MACF,KAAKgO,oBAAkB6iB,MAOrB,IAAc,IAAVhd,EAAElW,GACJ,MAEF,GAAI88B,EAAQ,CACV1lC,KAAKwpC,UAAUvnC,MAAM6c,GACrB,MAEF9e,KAAKkqC,WAAWprB,GAChB,MAEF,KAAK7F,oBAAkB8iB,iBAErB,KADM3e,EAASpd,KAAKqgB,OAAO3C,QAAQoB,EAAElW,KAEnC,OAAO5I,KAAK+wC,kBAAkBjyB,EAAGA,EAAElW,IAErC,IAAM+oC,EAAWv0B,EACjB,IACM0B,EAAE7R,cACJ0kC,EAAQ1kC,YAAc6R,EAAE7R,aAEtB6R,EAAEyR,SACJohB,EAAQphB,OAASzR,EAAEyR,QAEjBzR,EAAE0R,QACJmhB,EAAQnhB,MAAQ1R,EAAE0R,WAEhB1R,EAAExc,MACJqvC,EAAQt2B,YAENyD,EAAExc,MAKJqvC,EAAQv2B,OAEV,MAAOra,GACHf,KAAKyhC,OAAOqH,aACdr8B,QAAQC,KACN,+CAAwC3L,EAAM6vC,SAAW7vC,IAI/D,MAEF,KAAKkY,oBAAkB+iB,eAErB,KADM5e,EAASpd,KAAKqgB,OAAO3C,QAAQoB,EAAElW,KAEnC,OAAO5I,KAAK+wC,kBAAkBjyB,EAAGA,EAAElW,IAGrC,IAUIgpC,EAVE3C,EAAW7xB,EACXy0B,EAAUz0B,EAAO5V,WACjBsqC,EAAqB9xC,KAAKypC,kBAAkB5rB,IAAIg0B,GAOhDE,EAAaD,EAAqB,KAAO7C,EAAQpnC,MAGlDkqC,IAOC/xC,KAAK2pC,qBAAqB9rB,IAAIT,GAChCw0B,EAAQ5xC,KAAK2pC,qBAAqB/vB,IAAIwD,IAEtCw0B,EAAQ,GACR5xC,KAAK2pC,qBAAqBtvB,IAAI+C,EAAQw0B,KAItC9yB,EAAE2D,MACJ3D,EAAE2D,KAAKpM,SAAQ,SAACzU,OAAE4B,SAAayiC,UAC7B,GAAI8L,EACF,IACE,GAAI1wC,MAAM+U,QAAQ6vB,GAAc,CACxB,IAAA99B,EAAuB69B,GAC3BC,GADM7X,cAAWpU,UAGA+rB,GACjBgM,EAAW3uC,SACXgrB,GAESwC,WAAWptB,EAAMwW,OACvB,CACCA,OACYnR,IAAhBo9B,OACIp9B,EACAwC,KAAKC,IAAI26B,EAAa8L,EAAW3uC,SAAS1D,QAChDqyC,EAAWnhB,WAAWptB,EAAMwW,IAE9B,MAAOpZ,SAWTgxC,MAAAA,GAAAA,EAAO9wC,KAAK,CACV4C,QAASF,EACTwW,MAAOisB,EACP3jC,KAAMwjC,GAAcO,YAMxBvnB,EAAE0D,SACJ1D,EAAE0D,QAAQnM,SAAQ,SAACzU,OAASqkC,UAC1B,GAAI6L,EACFF,MAAAA,GAAAA,EAAO9wC,KAAK,CAAEkZ,MAAOisB,EAAa3jC,KAAMwjC,GAAcQ,cAEtD,IACE,GAAIjlC,MAAM+U,QAAQ6vB,GAAc,CACxB,IAAA99B,EAAuB69B,GAC3BC,GADM7X,cAAWpU,UAGA+rB,GACjBgM,EAAY3uC,SACZgrB,GAES0C,WAAW9W,GAAS,QAE/B+3B,MAAAA,GAAAA,EAAYjhB,WAAWmV,GAEzB,MAAOrlC,QAQf,MAEF,KAAKqY,oBAAkBgjB,iBAGrB,KADM7e,EAASpd,KAAKqgB,OAAO3C,QAAQoB,EAAElW,KAEnC,OAAO5I,KAAK+wC,kBAAkBjyB,EAAGA,EAAElW,IAG/BqmC,EAAW7xB,EAAjB,IACM40B,EAAU50B,EAAO5V,WAGjB5D,EAFqB5D,KAAKypC,kBAAkB5rB,IAAIm0B,GAEd,KAAO/C,EAAQpnC,MACnD1E,EAA2B,GAW/B,GATKS,IACC5D,KAAK2pC,qBAAqB9rB,IAAIT,GAChCja,EAAQnD,KAAK2pC,qBAAqB/vB,IAAIwD,IAEtCja,EAAQ,GACRnD,KAAK2pC,qBAAqBtvB,IAAI+C,EAAQja,KAItC2b,EAAEzE,IACJ,GAAIzW,EACYmiC,GACZniC,EAAWT,MACX2b,EAAE9E,OAEC9E,MAAMmc,YAAYvS,EAAEzE,IAAIrK,SAAU8O,EAAEzE,IAAI9Z,MAAOue,EAAEzE,IAAIkX,eAE1DpuB,EAAMrC,QACJwB,KAAMwjC,GAAcgB,YACpB9sB,MAAO8E,EAAE9E,OACN8E,EAAEzE,MAKX,GAAIyE,EAAE2S,OACJ,GAAI7tB,EACYmiC,GACZniC,EAAWT,MACX2b,EAAE9E,OAEC9E,MAAMsc,eAAe1S,EAAE2S,OAAOzhB,eAEnC7M,EAAMrC,QACJwB,KAAMwjC,GAAciB,eACpB/sB,MAAO8E,EAAE9E,OACN8E,EAAE2S,SAIX,MAEF,KAAKxY,oBAAkB+hB,eACrB,IAAKh7B,KAAKyhC,OAAOyH,oBACf,OAEF,IAAM9rB,EACN,KADMA,EAASpd,KAAKqgB,OAAO3C,QAAQoB,EAAElW,KAEnC,OAAO5I,KAAK+wC,kBAAkBjyB,EAAGA,EAAElW,cClvCNhH,OACrC2e,UACAW,aACA9D,WACA8pB,aACAS,iBAQA,IACE,IAAM7iB,EACJ,aAAc5D,EAAWA,EAASoX,SAAW,CAACpX,GAE5C,CAAC/H,EAAcue,MAAOve,EAAcye,QAAQgQ,SAAS1mB,EAAS5e,MACzDwiB,EAAUzO,SAAQ,SAAC47B,GACxBvK,GAAc,CACZxmB,SAAU+wB,EACV3vC,KAAM4e,EAAS5e,KACf8a,SACA8pB,WACAS,oBAKC7iB,EAAUzO,SAAQ,SAAC47B,aCnCSrwC,OACrC2e,UACAW,aACA9D,WACA8pB,aACAS,iBAQA,IACE,IAAM/8B,EAAQwS,EAAyCvS,WAAW,MAElE,GAAIqW,EAAS6U,OAIX,YADCnrB,EAAYsW,EAASlR,UAAYkR,EAASvC,KAAK,IAGlD,IAAMK,EAAWpU,EACfsW,EAASlR,UAQX,GACwB,cAAtBkR,EAASlR,UACmB,iBAArBkR,EAASvC,KAAK,GACrB,CACA,IAAMzD,EAAQgsB,EAASttB,IAAI2G,GAC3BW,EAASvC,KAAK,GAAKzD,EACnB8D,EAASjf,MAAM6K,EAAKsW,EAASvC,WAE7BK,EAASjf,MAAM6K,EAAKsW,EAASvC,MAE/B,MAAO5d,GACP4mC,EAAazmB,EAAUngB,IDNrBmxC,CAAiB,CACf3xB,QACAW,SAAU+wB,EACV70B,SACA8pB,WACAS,oBAGJ,MAAO5mC,GACP4mC,EAAazmB,EAAUngB,ID8sCnB4sB,CAAe,CACbpN,MAAO3f,EACPsgB,SAAUpC,EACV1B,OAASA,EACT8pB,SAAUlnC,KAAKknC,SACfS,aAAc3nC,KAAKmyC,yBAAyBhoB,KAAKnqB,QAGnD,MAEF,KAAKiZ,oBAAkBijB,KACrB,IACE,IAAMhK,EAAW,IAAIH,SACnBjT,EAAEkT,OACFlT,EAAEtT,OAAS,IAAI8mB,WAAWF,KAAKpgB,MAAM8M,EAAEqT,aAAerT,EAAEqT,WACxDrT,EAAEmT,uBAEJjyB,KAAKimB,OAAOrY,gCAAiB4kB,MAAM5Q,IAAIsQ,GACvC,MAAOnxB,GACHf,KAAKyhC,OAAOqH,aACdr8B,QAAQC,KAAK3L,MASf2qC,0BAAR,SAAsB5sB,EAAiBszB,kBACrCtzB,EAAE0D,QAAQnM,SAAQ,SAAC6K,GACjB,IAAI9D,EAASQ,EAAKyC,OAAO3C,QAAQwD,EAAStY,IAC1C,IAAKwU,EAAQ,CACX,GAAI0B,EAAE0D,QAAQrY,MAAK,SAACxJ,GAAM,OAAAA,EAAEiI,KAAOsY,EAASG,YAE1C,OAEF,OAAOzD,EAAKy0B,iBAAiBvzB,EAAGoC,EAAStY,IAEvCgV,EAAK+rB,qBAAqB9rB,IAAIT,IAChCQ,EAAK+rB,qBAAqB3nB,OAAO5E,GAEnC,IAAIpH,EAAoC4H,EAAKyC,OAAO3C,QAClDwD,EAASG,UAEX,IAAKrL,EACH,OAAO4H,EAAKy0B,iBAAiBvzB,EAAGoC,EAASG,UAO3C,GALIH,EAASnQ,UAAYuT,GAActO,KACrCA,EAASA,EAAOjU,YAGlB6b,EAAKyC,OAAO1C,kBAAkBP,GAC1BpH,EAAQ,CACV,IAAIs8B,EAAa,KACXlD,EACJ,SAAUp5B,EAAS4H,EAAK6rB,kBAAkB7vB,IAAI5D,QAAUnN,EACtDumC,GAAcA,EAAW/nC,SAAS+V,GACpCpH,EAASo5B,EACAxxB,EAAK6rB,kBAAkB5rB,IAAIT,KAKpCk1B,EAAa10B,EAAK6rB,kBAAkB7vB,IAAIwD,GACxCQ,EAAK6rB,kBAAkBznB,OAAO5E,GAC9BA,EAASk1B,GAEX,IACEt8B,EAAO0F,YAAY0B,GACnB,MAAOrc,GACP,KAAIA,aAAiBwxC,cAUnB,MAAMxxC,EATN6c,EAAKlR,KACH,4CACAsJ,EACAo5B,EACAhyB,EACAk1B,EACAxzB,QAUV,IAAM0zB,OACDxyC,KAAKquC,4BAEJtrB,EAA6B,GAoB7B0vB,EAAa,SAACvxB,eAClB,IAAKtD,EAAKqI,OAAOrY,gBACf,OAAOnB,QAAQC,KAAK,gDAEtB,IAAIsJ,EAAoC4H,EAAKyC,OAAO3C,QAClDwD,EAASG,UAEX,IAAKrL,EACH,OAAIkL,EAASna,KAAKzE,OAASrD,EAAS+J,SAE3B4U,EAAKgxB,iBAAiB9tC,KAAKogB,GAE7B6B,EAAMjiB,KAAKogB,GAGpB,IAAIwxB,EAAmB,KACnB90B,EAAKqI,OAAOrY,gBAAgBvG,SAC9BqrC,EAAmB90B,EAAKqI,OAAOrY,gBAAgBvG,SAAS2O,GAC/C4H,EAAKqI,OAAOrY,gBAAgBiS,KAAKxY,WAG1CqrC,EAAmB90B,EAAKqI,OAAOrY,gBAAgBiS,KAAKxY,SAAS2O,IAG/D,IAAM28B,gBACF38B,GAAmCq2B,kDAAuB,UACzD3sC,QAAS,EAKd,GACE0yC,GACAM,IACC9uB,GAAc5N,KACd28B,EACD,CACA,IAAMC,EAAiB9sC,SAAS+sC,yBAOhC,IANAj1B,EAAKyC,OAAOhd,IAAI6d,EAASG,UAAYuxB,EACrCh1B,EAAK6rB,kBAAkBpvB,IAAIu4B,EAAe58B,GAG1C4H,EAAKk1B,WAAW98B,GAETA,EAAO8F,YACZ82B,EAAcj3B,YAAY3F,EAAO8F,YAEnC9F,EAAS48B,EAGP1xB,EAASna,KAAKgK,WAEXuT,GAActO,IACfA,EAAgC+F,aAAa,CAAEC,KAAM,SAElDhG,EAASA,EAAOjU,YAGzB,IAAIqc,EAAwB,KACxB9d,EAAoB,KAOxB,GANI4gB,EAAS6xB,aACX30B,EAAWR,EAAKyC,OAAO3C,QAAQwD,EAAS6xB,aAEtC7xB,EAASmC,SACX/iB,EAAOsd,EAAKyC,OAAO3C,QAAQwD,EAASmC,SAjFnB,SAACnC,GACpB,IAAI5gB,EAAoB,KAKxB,OAJI4gB,EAASmC,SACX/iB,EAAOsd,EAAKyC,OAAO3C,QAAQwD,EAASmC,SAIhB,OAApBnC,EAASmC,aACWxa,IAApBqY,EAASmC,SACY,IAArBnC,EAASmC,SACR/iB,EAyEC0yC,CAAa9xB,GACf,OAAO6B,EAAMjiB,KAAKogB,GAGpB,IAAIA,EAASna,KAAKa,QAAWgW,EAAKyC,OAAO3C,QAAQwD,EAASna,KAAKa,QAA/D,CAIA,IAAMqrC,EAAY/xB,EAASna,KAAKa,OAC5BgW,EAAKyC,OAAO3C,QAAQwD,EAASna,KAAKa,QAClCgW,EAAKqI,OAAOrY,gBAChB,GAAIgW,GAAc5N,GAChB4H,EAAK+wB,uBAAuBztB,EAAUlL,OADxC,CAIA,IAAMoH,EAASjB,EAAgB+E,EAASna,KAAM,CAC5CvB,IAAKytC,EACL5vC,IAAKua,EAAKyC,OAAOhd,IACjByL,WAAW,EACX2L,SAAS,EACThB,MAAOmE,EAAKnE,QAId,IAA6B,IAAzByH,EAAS6xB,aAA0C,IAArB7xB,EAASmC,OAA3C,CAQA,GACE,SAAUrN,GACVA,EAAOtN,KAAKpG,OAASrD,EAAS6O,SACN,aAAxBkI,EAAOtN,KAAKrG,SACZ6e,EAASna,KAAKzE,OAASrD,EAASqP,SAIhC,IAAgB,IAAAzE,EAAA5J,EAAAoB,MAAMH,KAAK8U,EAAO/M,2CAAa,CAA1C,IAAMtC,UACLA,EAAElF,WAAauU,EAAOvO,WACxBuO,EAAO0F,YAAY/U,qGAKzB,GAAIyX,GAAYA,EAAShQ,aAAegQ,EAAShQ,YAAY5G,WAC3DwO,EAAO+1B,aAAa3uB,EAAQgB,EAAShQ,kBAChC,GAAI9N,GAAQA,EAAKkH,WAGtBwO,EAAO3O,SAAS/G,GACZ0V,EAAO+1B,aAAa3uB,EAAQ9c,GAC5B0V,EAAO+1B,aAAa3uB,EAAQ,UAC3B,CAIL,GAAIpH,IAAWi9B,EACb,KAAOA,EAAUn3B,YACfm3B,EAAUv3B,YAAYu3B,EAAUn3B,YAIpC9F,EAAO2F,YAAYyB,GAGrB,GAAIwG,GAAcxG,GAAS,CACzB,IAAM81B,EAAkBt1B,EAAKgxB,iBAAiBzkC,MAC5C,SAAC9J,GAAM,OAAAA,EAAEghB,WAAajE,EAAO1U,KAAKE,MAEhCsqC,IACFt1B,EAAK+wB,uBAAuBuE,EAAiB91B,GAC7CQ,EAAKgxB,iBAAmBhxB,EAAKgxB,iBAAiB70B,QAC5C,SAAC1Z,GAAM,OAAAA,IAAM6yC,OAKfhyB,EAAS6xB,YAAc7xB,EAASmC,SAClCzF,EAAKu1B,0BACHX,EACAx8B,EACAoH,EACA8D,QA5DFsxB,EAAsBtxB,EAASna,KAAK6B,IAAM,CACxC7B,KAAMqW,EACN8D,eA+DNpC,EAAE2D,KAAKpM,SAAQ,SAAC6K,GACduxB,EAAWvxB,MAIb,IADA,IAAIke,EAAY7gB,KAAKD,MACdyE,EAAMrjB,QAAQ,CAEnB,IAAM0zC,EAAetwB,GAAoBC,GAEzC,GADAA,EAAMrjB,OAAS,EACX6e,KAAKD,MAAQ8gB,EAAY,IAAK,CAChCp/B,KAAK0M,KACH,2DACA0mC,GAEF,UAEF,IAAmB,IAAAC,YAAApzC,EAAAmzC,kCAAc,CAA5B,IAAM3xB,UACIzhB,KAAKqgB,OAAO3C,QAAQ+D,EAAKlhB,MAAM8gB,UAO1CqC,GAAmBjC,GAAM,SAACP,GACxBuxB,EAAWvxB,MANblhB,KAAKszC,MACH,gEACA7xB,sGAUJtiB,OAAOgX,KAAKq8B,GAAuB9yC,QACrCP,OAAOC,OAAOY,KAAKquC,2BAA4BmE,GAGjD1zB,EAAE0C,MAAMnL,SAAQ,SAAC6K,GACf,IAAI9D,EAASQ,EAAKyC,OAAO3C,QAAQwD,EAAStY,IAC1C,IAAKwU,EAAQ,CACX,GAAI0B,EAAE0D,QAAQrY,MAAK,SAACxJ,GAAM,OAAAA,EAAEiI,KAAOsY,EAAStY,MAE1C,OAEF,OAAOgV,EAAKy0B,iBAAiBvzB,EAAGoC,EAAStY,IAKvCgV,EAAK6rB,kBAAkB5rB,IAAIT,KAC7BA,EAASQ,EAAK6rB,kBAAkB7vB,IAAIwD,IAEtCA,EAAO7S,YAAc2W,EAAS3gB,SAEhCue,EAAEhV,WAAWuM,SAAQ,SAAC6K,GACpB,IAAI9D,EAASQ,EAAKyC,OAAO3C,QAAQwD,EAAStY,IAC1C,IAAKwU,EAAQ,CACX,GAAI0B,EAAE0D,QAAQrY,MAAK,SAACxJ,GAAM,OAAAA,EAAEiI,KAAOsY,EAAStY,MAE1C,OAEF,OAAOgV,EAAKy0B,iBAAiBvzB,EAAGoC,EAAStY,IAK3C,IAAK,IAAMye,KAHPzJ,EAAK6rB,kBAAkB5rB,IAAIT,KAC7BA,EAASQ,EAAK6rB,kBAAkB7vB,IAAIwD,IAEV8D,EAASpX,WACnC,GAA6B,iBAAlBud,EAA4B,CACrC,IAAM9mB,EAAQ2gB,EAASpX,WAAWud,GAClC,GAAc,OAAV9mB,EACA6c,EAA4Bm2B,gBAAgBlsB,QACzC,GAAqB,iBAAV9mB,EAChB,IACI6c,EAA4BjC,aAAakM,EAAe9mB,GAC1D,MAAOQ,GACH6c,EAAK6jB,OAAOqH,aACdr8B,QAAQC,KACN,qDACA3L,QAID,GAAsB,UAAlBsmB,EAA2B,CACpC,IAAImsB,EAAcjzC,EACZkzC,EAAYr2B,EAClB,IAAK,IAAI9d,KAAKk0C,EACZ,IAAuB,IAAnBA,EAAYl0C,GACdm0C,EAASv+B,MAAMsc,eAAelyB,QACzB,GAAIk0C,EAAYl0C,aAAc+B,MAAO,CAC1C,IAAMqyC,EAAMF,EAAYl0C,GACxBm0C,EAASv+B,MAAMmc,YAAY/xB,EAAGo0C,EAAI,GAAIA,EAAI,QACrC,CACL,IAAMC,EAAMH,EAAYl0C,GACxBm0C,EAASv+B,MAAMmc,YAAY/xB,EAAGq0C,UAepCjI,wBAAR,SAAoB5sB,EAAe4mB,GACjC,IAAMtoB,EAASpd,KAAKqgB,OAAO3C,QAAQoB,EAAElW,IACrC,IAAKwU,EACH,OAAOpd,KAAK+wC,kBAAkBjyB,EAAGA,EAAElW,IAErC,GAAKwU,IAAoBpd,KAAKimB,OAAOrY,gBACnC5N,KAAKimB,OAAO9U,cAAe+rB,SAAS,CAClC3B,IAAKzc,EAAE9T,EACPqwB,KAAMvc,EAAEhU,EACRizB,SAAU2H,EAAS,OAAS,gBAEzB,GAAItoB,EAAO1U,KAAKpG,OAASrD,EAAS+J,SAErCoU,EAAgC6G,YAAaiZ,SAAS,CACtD3B,IAAKzc,EAAE9T,EACPqwB,KAAMvc,EAAEhU,EACRizB,SAAU2H,EAAS,OAAS,gBAG9B,IACItoB,EAA4BhQ,UAAY0R,EAAE9T,EAC1CoS,EAA4BlQ,WAAa4R,EAAEhU,EAC7C,MAAO/J,MASL2qC,uBAAR,SAAmB5sB,GACjB,IAAM1B,EAASpd,KAAKqgB,OAAO3C,QAAQoB,EAAElW,IACrC,IAAKwU,EACH,OAAOpd,KAAK+wC,kBAAkBjyB,EAAGA,EAAElW,IAErC,IACIwU,EAAqC5S,QAAUsU,EAAE6Q,UACjDvS,EAAqC7c,MAAQue,EAAEtc,KACjD,MAAOzB,MAKH2qC,sBAAR,SAAkB5sB,EAAiBoC,GACjC,IAAM9D,EAASpd,KAAKqgB,OAAO3C,QAAQoB,EAAElW,IACrC,IAAKwU,EACH,OAAOpd,KAAK+wC,kBAAkB7vB,EAAUpC,EAAElW,IAE5C,IACIwU,EAAgC7S,YAAcuU,EAAEve,MAClD,MAAOQ,MAKH2qC,sCAAR,SACEroC,EACA2S,EACAoH,EACAw2B,GAEQ,IAAAb,EAAuBa,aAAXvwB,EAAWuwB,SACzBC,EAAgBd,GAAc1vC,EAAI0vC,GAClCe,EAAYzwB,GAAUhgB,EAAIggB,GAChC,GAAIwwB,EAAe,CACX,IAAAjyC,EAAqBiyC,EAAnB9sC,SAAMma,aACdlL,EAAO+1B,aAAahlC,EAAMqW,UACnB/Z,EAAI6d,EAASna,KAAK6B,WAClB5I,KAAKquC,2BAA2BntB,EAASna,KAAK6B,KACjDsY,EAAS6xB,YAAc7xB,EAASmC,SAClCrjB,KAAKmzC,0BAA0B9vC,EAAK2S,EAAQjP,EAAcma,GAG9D,GAAI4yB,EAAW,CACP,IAAA3rC,EAAqB2rC,EAAnB/sC,SAAMma,aACdlL,EAAO+1B,aAAahlC,EAAMqW,EAAOhP,oBAC1B/K,EAAI6d,EAASna,KAAK6B,WAClB5I,KAAKquC,2BAA2BntB,EAASna,KAAK6B,KACjDsY,EAAS6xB,YAAc7xB,EAASmC,SAClCrjB,KAAKmzC,0BAA0B9vC,EAAK2S,EAAQjP,EAAcma,KAKxDwqB,yBAAR,SACE5gC,EACAE,EACApC,EACA88B,EACA2H,GAEA,IAAMjwB,EAASpd,KAAKqgB,OAAO3C,QAAQ9U,GACnC,IAAKwU,EACH,OAAOpd,KAAK+wC,kBAAkB1D,EAAWzkC,GAG3C,IAAMmrC,EAAOlwB,GAAiBzG,EAAQpd,KAAKimB,QACrC+tB,EAAKlpC,EAAIipC,EAAK5vB,cAAgB4vB,EAAKjpC,EACnCmpC,EAAKjpC,EAAI+oC,EAAK5vB,cAAgB4vB,EAAK/oC,EAEzChL,KAAKyrC,MAAMv2B,MAAMmmB,KAAO,UAAG2Y,QAC3Bh0C,KAAKyrC,MAAMv2B,MAAMqmB,IAAM,UAAG0Y,QACrBvO,GACH1lC,KAAKk0C,cAAc,CAAEppC,EAAGkpC,EAAIhpC,EAAGipC,IAEjCj0C,KAAKm0C,cAAe/2B,IAGdsuB,0BAAR,SAAsBl5B,GAAtB,WACE,GAAKxS,KAAKopC,UAAV,CAIM,IAAAxnC,GACsB,IAA1B5B,KAAKyhC,OAAO2H,UACRlB,GACA/oC,OAAOC,OAAO,GAAI8oC,GAAwBloC,KAAKyhC,OAAO2H,WAHpDhB,YAASC,cAAWC,gBAAaH,aAKnCiM,EAAO,WACX,GAAKx2B,EAAKwrB,UAAV,CAGA,IAAMx+B,EAAMgT,EAAKwrB,UAAUv+B,WAAW,MACjCD,GAAQgT,EAAK2zB,cAAc7xC,SAGhCkL,EAAIypC,UAAU,EAAG,EAAGz2B,EAAKwrB,UAAUr+B,MAAO6S,EAAKwrB,UAAUn+B,QACzDL,EAAI0pC,YACJ1pC,EAAIy9B,UAAYA,EAChBz9B,EAAIw9B,QAAUA,EACdx9B,EAAI09B,YAAcA,EAClB19B,EAAI2pC,OAAO32B,EAAK2zB,cAAc,GAAGzmC,EAAG8S,EAAK2zB,cAAc,GAAGvmC,GAC1D4S,EAAK2zB,cAAcl7B,SAAQ,SAAC1W,GAAM,OAAAiL,EAAI4pC,OAAO70C,EAAEmL,EAAGnL,EAAEqL,MACpDJ,EAAI6pC,YAGNz0C,KAAKuxC,cAAczwC,KAAK0R,GACxB4hC,IACA3iC,YAAW,WACTmM,EAAK2zB,cAAgB3zB,EAAK2zB,cAAcx3B,QAAO,SAACpa,GAAM,OAAAA,IAAM6S,KAC5D4hC,MACCjM,EAAWnoC,KAAK0qC,aAAaxH,MAAMxkB,QAAQ4lB,MAAM1E,SAG9C8L,0BAAR,SAAsB5jC,mBACpB9H,KAAKimB,OAAOrY,gCACRiiB,iBAAiB,aAClBxZ,SAAQ,SAACq+B,GACRA,EAAUttC,UAAUqqB,OAAO,aAG/B,IADA,IAAIkjB,EAA4B7sC,EACzB6sC,GACDA,EAAUvtC,WACZutC,EAAUvtC,UAAUwa,IAAI,UAE1B+yB,EAAYA,EAAUjlB,eAIlBgc,8BAAR,SAA0BnrB,GACxB,OAAIA,EAAMje,OAAS0W,YAAUuhB,sBAI3Bha,EAAMhV,KAAKuH,OAASmG,oBAAkBsJ,UACtChC,EAAMhV,KAAKuH,QAAUmG,oBAAkB6iB,QAInC4P,yBAAR,WACE1rC,KAAKytC,yBAA2B,KAC5BztC,KAAK0qC,aAAaxH,MAAMzgC,QAAQ,YAGpCzC,KAAK0qC,aAAa5H,KAAK,CAAExgC,KAAM,mBAC/BtC,KAAKujC,QAAQve,KAAK3L,iBAAeu7B,QAAS,CACxChV,MAAO5/B,KAAK0qC,aAAaxH,MAAMxkB,QAAQisB,gBASnCe,8BAAR,SAA0B7B,EAAa7zB,GACrChW,KAAKqgB,OAAOhd,IAAI2S,EAAOtN,KAAKE,IAAMoN,EAMhCA,EAAOtN,KAAKpG,OAASrD,EAAS6O,SACN,aAAxBkI,EAAOtN,KAAKrG,SACZwnC,EAAKt/B,cAEHyL,EAA2CzV,MAAQspC,EAAKt/B,aAE5DyL,EAAO2F,YAAYkuB,GAEnB7pC,KAAK60C,aAAa7+B,IAQZ01B,uBAAR,SAAmB11B,WACjB,GAAIA,GACEA,EAAOvU,WAAauU,EAAOtU,aAAc,CAC3C,IAAMguB,EAAiB1Z,GACnB0Z,EAAcxiB,YAAcwiB,EAActiB,YAE5CpN,KAAK0pC,gBAAgBrvB,IAAIrE,EAAQ,CAC/B8V,OAAQ,CAAC4D,EAAcxiB,WAAYwiB,EAActiB,aAGvB,UAA1BsiB,EAAcrtB,kBFtqDxBqtB,EACAia,SAEA,IACE,IAAMnD,EAAWnlC,MAAMH,gBACpBwuB,EAAmC7nB,4BAAOzE,WAAY,IACvDC,KAAI,SAACG,GAAS,OAAAA,EAAKE,WACrBimC,EAAqBtvB,IAAKqV,EAAoC,CAC5D,CACEptB,KAAMwjC,GAAcS,SACpBC,cAGJ,MAAO5lC,KE0pDDk0C,CACEplB,EACA1vB,KAAK2pC,sBAET,IAAMpoB,EAAWmO,EAAcnO,aAC/B,IAAoB,IAAApZ,EAAAlI,EAAAoB,MAAMH,KAAKqgB,kCAAW,CAArC,IAAM/F,UACTxb,KAAK8yC,WAAYt3B,wGAUjBkwB,yBAAR,SAAqB11B,WACnB,GAAIA,EAAOvU,WAAauU,EAAOtU,aAAc,CAC3C,IAAMguB,EAAiB1Z,EACvB,GAAIhW,KAAK0pC,gBAAgB7rB,IAAI7H,GAAS,CACpC,IAAM++B,EAAc/0C,KAAK0pC,gBAAgB9vB,IAAI5D,GAEzC++B,EAAYjpB,SACd4D,EAAcxiB,WAAa6nC,EAAYjpB,OAAO,GAC9C4D,EAActiB,UAAY2nC,EAAYjpB,OAAO,IAE/C9rB,KAAK0pC,gBAAgB1nB,OAAOhM,GAE9B,IAAMuL,EAAWmO,EAAcnO,aAC/B,IAAoB,IAAApZ,EAAAlI,EAAAoB,MAAMH,KAAKqgB,kCAAW,CAArC,IAAM/F,UACTxb,KAAK60C,aAAcr5B,wGAKjBkwB,6BAAR,SAAyB3kC,GACvB,IAAMo/B,EAAcnmC,KAAK2pC,qBAAqB/vB,IAAI7S,GAC5B,UAAlBA,EAAKiuC,WAIJ7O,GAMLD,GAA6BC,EAFVp/B,KAKb2kC,6BAAR,SAAyB5sB,EAAoBlW,GACvC5I,KAAKwpC,UAAUyL,UAAUrsC,GAC3B5I,KAAK0M,KAAK,wBAAiB9D,gCAAgCkW,GAE3D9e,KAAK0M,KAAK,wBAAiB9D,mBAAmBkW,IAI1C4sB,qCAAR,SACE5sB,EACA/d,GAEAf,KAAK0M,KAAK,6BAA8B3L,EAAO,mBAAoB+d,IAG7D4sB,8BAAR,SAA0B5sB,EAAoBlW,GAOxC5I,KAAKwpC,UAAUyL,UAAUrsC,GAC3B5I,KAAKszC,MACHrL,GACA,wBAAiBr/B,gCACjBkW,GAGF9e,KAAKszC,MAAMrL,GAAuB,wBAAiBr/B,mBAAmBkW,IAIlE4sB,iBAAR,eAAa,aAAAxmC,mBAAAA,IAAAyZ,kBACN3e,KAAKyhC,OAAOqH,aAGjBr8B,QAAQC,WAARD,WAAaw7B,MAA0BtpB,SAGjC+sB,kBAAR,eAAc,aAAAxmC,mBAAAA,IAAAyZ,kBACP3e,KAAKyhC,OAAOsH,WAIjBt8B,QAAQyoC,UAARzoC,WAAYw7B,MAA0BtpB,cGl6DlCge,GAAmBnE,kBACnBsE,GAAetE"} +\ No newline at end of file +diff --git a/node_modules/rrweb/es/rrweb/_virtual/_rollup-plugin-web-worker-loader__helper__auto__createBase64WorkerFactory.js b/node_modules/rrweb/es/rrweb/_virtual/_rollup-plugin-web-worker-loader__helper__auto__createBase64WorkerFactory.js +new file mode 100755 +index 0000000..c41fe28 +--- /dev/null ++++ b/node_modules/rrweb/es/rrweb/_virtual/_rollup-plugin-web-worker-loader__helper__auto__createBase64WorkerFactory.js +@@ -0,0 +1,12 @@ ++import { createBase64WorkerFactory as createBase64WorkerFactory$1 } from './_rollup-plugin-web-worker-loader__helper__node__createBase64WorkerFactory.js'; ++import { createBase64WorkerFactory as createBase64WorkerFactory$2 } from './_rollup-plugin-web-worker-loader__helper__browser__createBase64WorkerFactory.js'; ++import { isNodeJS } from './_rollup-plugin-web-worker-loader__helper__auto__isNodeJS.js'; ++ ++function createBase64WorkerFactory(base64, sourcemapArg, enableUnicodeArg) { ++ if (isNodeJS()) { ++ return createBase64WorkerFactory$1(base64, sourcemapArg, enableUnicodeArg); ++ } ++ return createBase64WorkerFactory$2(base64, sourcemapArg, enableUnicodeArg); ++} ++ ++export { createBase64WorkerFactory }; +diff --git a/node_modules/rrweb/es/rrweb/_virtual/_rollup-plugin-web-worker-loader__helper__auto__isNodeJS.js b/node_modules/rrweb/es/rrweb/_virtual/_rollup-plugin-web-worker-loader__helper__auto__isNodeJS.js +new file mode 100755 +index 0000000..f6a92f1 +--- /dev/null ++++ b/node_modules/rrweb/es/rrweb/_virtual/_rollup-plugin-web-worker-loader__helper__auto__isNodeJS.js +@@ -0,0 +1,7 @@ ++var kIsNodeJS = Object.prototype.toString.call(typeof process !== 'undefined' ? process : 0) === '[object process]'; ++ ++function isNodeJS() { ++ return kIsNodeJS; ++} ++ ++export { isNodeJS }; +diff --git a/node_modules/rrweb/es/rrweb/_virtual/_rollup-plugin-web-worker-loader__helper__browser__createBase64WorkerFactory.js b/node_modules/rrweb/es/rrweb/_virtual/_rollup-plugin-web-worker-loader__helper__browser__createBase64WorkerFactory.js +new file mode 100755 +index 0000000..aac3997 +--- /dev/null ++++ b/node_modules/rrweb/es/rrweb/_virtual/_rollup-plugin-web-worker-loader__helper__browser__createBase64WorkerFactory.js +@@ -0,0 +1,31 @@ ++function decodeBase64(base64, enableUnicode) { ++ var binaryString = atob(base64); ++ if (enableUnicode) { ++ var binaryView = new Uint8Array(binaryString.length); ++ for (var i = 0, n = binaryString.length; i < n; ++i) { ++ binaryView[i] = binaryString.charCodeAt(i); ++ } ++ return String.fromCharCode.apply(null, new Uint16Array(binaryView.buffer)); ++ } ++ return binaryString; ++} ++ ++function createURL(base64, sourcemapArg, enableUnicodeArg) { ++ var sourcemap = sourcemapArg === undefined ? null : sourcemapArg; ++ var enableUnicode = enableUnicodeArg === undefined ? false : enableUnicodeArg; ++ var source = decodeBase64(base64, enableUnicode); ++ var start = source.indexOf('\n', 10) + 1; ++ var body = source.substring(start) + (sourcemap ? '\/\/# sourceMappingURL=' + sourcemap : ''); ++ var blob = new Blob([body], { type: 'application/javascript' }); ++ return URL.createObjectURL(blob); ++} ++ ++function createBase64WorkerFactory(base64, sourcemapArg, enableUnicodeArg) { ++ var url; ++ return function WorkerFactory(options) { ++ url = url || createURL(base64, sourcemapArg, enableUnicodeArg); ++ return new Worker(url, options); ++ }; ++} ++ ++export { createBase64WorkerFactory }; +diff --git a/node_modules/rrweb/es/rrweb/_virtual/_rollup-plugin-web-worker-loader__helper__node__WorkerClass.js b/node_modules/rrweb/es/rrweb/_virtual/_rollup-plugin-web-worker-loader__helper__node__WorkerClass.js +new file mode 100755 +index 0000000..426d9ab +--- /dev/null ++++ b/node_modules/rrweb/es/rrweb/_virtual/_rollup-plugin-web-worker-loader__helper__node__WorkerClass.js +@@ -0,0 +1,11 @@ ++var WorkerClass = null; ++ ++try { ++ var WorkerThreads = ++ typeof module !== 'undefined' && typeof module.require === 'function' && module.require('worker_threads') || ++ typeof __non_webpack_require__ === 'function' && __non_webpack_require__('worker_threads') || ++ typeof require === 'function' && require('worker_threads'); ++ WorkerClass = WorkerThreads.Worker; ++} catch(e) {} // eslint-disable-line ++ ++export { WorkerClass }; +diff --git a/node_modules/rrweb/es/rrweb/_virtual/_rollup-plugin-web-worker-loader__helper__node__createBase64WorkerFactory.js b/node_modules/rrweb/es/rrweb/_virtual/_rollup-plugin-web-worker-loader__helper__node__createBase64WorkerFactory.js +new file mode 100755 +index 0000000..32840eb +--- /dev/null ++++ b/node_modules/rrweb/es/rrweb/_virtual/_rollup-plugin-web-worker-loader__helper__node__createBase64WorkerFactory.js +@@ -0,0 +1,18 @@ ++import { WorkerClass } from './_rollup-plugin-web-worker-loader__helper__node__WorkerClass.js'; ++ ++function decodeBase64(base64, enableUnicode) { ++ return Buffer.from(base64, 'base64').toString(enableUnicode ? 'utf16' : 'utf8'); ++} ++ ++function createBase64WorkerFactory(base64, sourcemapArg, enableUnicodeArg) { ++ var sourcemap = sourcemapArg === undefined ? null : sourcemapArg; ++ var enableUnicode = enableUnicodeArg === undefined ? false : enableUnicodeArg; ++ var source = decodeBase64(base64, enableUnicode); ++ var start = source.indexOf('\n', 10) + 1; ++ var body = source.substring(start) + (sourcemap ? '\/\/# sourceMappingURL=' + sourcemap : ''); ++ return function WorkerFactory(options) { ++ return new WorkerClass(body, Object.assign({}, options, { eval: true })); ++ }; ++} ++ ++export { createBase64WorkerFactory }; +diff --git a/node_modules/rrweb/es/rrweb/_virtual/image-bitmap-data-url-worker.js b/node_modules/rrweb/es/rrweb/_virtual/image-bitmap-data-url-worker.js +new file mode 100755 +index 0000000..895c415 +--- /dev/null ++++ b/node_modules/rrweb/es/rrweb/_virtual/image-bitmap-data-url-worker.js +@@ -0,0 +1,6 @@ ++import { createBase64WorkerFactory } from './_rollup-plugin-web-worker-loader__helper__auto__createBase64WorkerFactory.js'; ++ ++var WorkerFactory = createBase64WorkerFactory('Lyogcm9sbHVwLXBsdWdpbi13ZWItd29ya2VyLWxvYWRlciAqLwooZnVuY3Rpb24gKCkgewogICAgJ3VzZSBzdHJpY3QnOwoKICAgIC8qISAqKioqKioqKioqKioqKioqKioqKioqKioqKioqKioqKioqKioqKioqKioqKioqKioqKioqKioqKioqKioqKioqKioqKioqKioqKioqKg0KICAgIENvcHlyaWdodCAoYykgTWljcm9zb2Z0IENvcnBvcmF0aW9uLg0KDQogICAgUGVybWlzc2lvbiB0byB1c2UsIGNvcHksIG1vZGlmeSwgYW5kL29yIGRpc3RyaWJ1dGUgdGhpcyBzb2Z0d2FyZSBmb3IgYW55DQogICAgcHVycG9zZSB3aXRoIG9yIHdpdGhvdXQgZmVlIGlzIGhlcmVieSBncmFudGVkLg0KDQogICAgVEhFIFNPRlRXQVJFIElTIFBST1ZJREVEICJBUyBJUyIgQU5EIFRIRSBBVVRIT1IgRElTQ0xBSU1TIEFMTCBXQVJSQU5USUVTIFdJVEgNCiAgICBSRUdBUkQgVE8gVEhJUyBTT0ZUV0FSRSBJTkNMVURJTkcgQUxMIElNUExJRUQgV0FSUkFOVElFUyBPRiBNRVJDSEFOVEFCSUxJVFkNCiAgICBBTkQgRklUTkVTUy4gSU4gTk8gRVZFTlQgU0hBTEwgVEhFIEFVVEhPUiBCRSBMSUFCTEUgRk9SIEFOWSBTUEVDSUFMLCBESVJFQ1QsDQogICAgSU5ESVJFQ1QsIE9SIENPTlNFUVVFTlRJQUwgREFNQUdFUyBPUiBBTlkgREFNQUdFUyBXSEFUU09FVkVSIFJFU1VMVElORyBGUk9NDQogICAgTE9TUyBPRiBVU0UsIERBVEEgT1IgUFJPRklUUywgV0hFVEhFUiBJTiBBTiBBQ1RJT04gT0YgQ09OVFJBQ1QsIE5FR0xJR0VOQ0UgT1INCiAgICBPVEhFUiBUT1JUSU9VUyBBQ1RJT04sIEFSSVNJTkcgT1VUIE9GIE9SIElOIENPTk5FQ1RJT04gV0lUSCBUSEUgVVNFIE9SDQogICAgUEVSRk9STUFOQ0UgT0YgVEhJUyBTT0ZUV0FSRS4NCiAgICAqKioqKioqKioqKioqKioqKioqKioqKioqKioqKioqKioqKioqKioqKioqKioqKioqKioqKioqKioqKioqKioqKioqKioqKioqKioqKiAqLw0KDQogICAgZnVuY3Rpb24gX19hd2FpdGVyKHRoaXNBcmcsIF9hcmd1bWVudHMsIFAsIGdlbmVyYXRvcikgew0KICAgICAgICBmdW5jdGlvbiBhZG9wdCh2YWx1ZSkgeyByZXR1cm4gdmFsdWUgaW5zdGFuY2VvZiBQID8gdmFsdWUgOiBuZXcgUChmdW5jdGlvbiAocmVzb2x2ZSkgeyByZXNvbHZlKHZhbHVlKTsgfSk7IH0NCiAgICAgICAgcmV0dXJuIG5ldyAoUCB8fCAoUCA9IFByb21pc2UpKShmdW5jdGlvbiAocmVzb2x2ZSwgcmVqZWN0KSB7DQogICAgICAgICAgICBmdW5jdGlvbiBmdWxmaWxsZWQodmFsdWUpIHsgdHJ5IHsgc3RlcChnZW5lcmF0b3IubmV4dCh2YWx1ZSkpOyB9IGNhdGNoIChlKSB7IHJlamVjdChlKTsgfSB9DQogICAgICAgICAgICBmdW5jdGlvbiByZWplY3RlZCh2YWx1ZSkgeyB0cnkgeyBzdGVwKGdlbmVyYXRvclsidGhyb3ciXSh2YWx1ZSkpOyB9IGNhdGNoIChlKSB7IHJlamVjdChlKTsgfSB9DQogICAgICAgICAgICBmdW5jdGlvbiBzdGVwKHJlc3VsdCkgeyByZXN1bHQuZG9uZSA/IHJlc29sdmUocmVzdWx0LnZhbHVlKSA6IGFkb3B0KHJlc3VsdC52YWx1ZSkudGhlbihmdWxmaWxsZWQsIHJlamVjdGVkKTsgfQ0KICAgICAgICAgICAgc3RlcCgoZ2VuZXJhdG9yID0gZ2VuZXJhdG9yLmFwcGx5KHRoaXNBcmcsIF9hcmd1bWVudHMgfHwgW10pKS5uZXh0KCkpOw0KICAgICAgICB9KTsNCiAgICB9CgogICAgLyoKICAgICAqIGJhc2U2NC1hcnJheWJ1ZmZlciAxLjAuMSA8aHR0cHM6Ly9naXRodWIuY29tL25pa2xhc3ZoL2Jhc2U2NC1hcnJheWJ1ZmZlcj4KICAgICAqIENvcHlyaWdodCAoYykgMjAyMSBOaWtsYXMgdm9uIEhlcnR6ZW4gPGh0dHBzOi8vaGVydHplbi5jb20+CiAgICAgKiBSZWxlYXNlZCB1bmRlciBNSVQgTGljZW5zZQogICAgICovCiAgICB2YXIgY2hhcnMgPSAnQUJDREVGR0hJSktMTU5PUFFSU1RVVldYWVphYmNkZWZnaGlqa2xtbm9wcXJzdHV2d3h5ejAxMjM0NTY3ODkrLyc7CiAgICAvLyBVc2UgYSBsb29rdXAgdGFibGUgdG8gZmluZCB0aGUgaW5kZXguCiAgICB2YXIgbG9va3VwID0gdHlwZW9mIFVpbnQ4QXJyYXkgPT09ICd1bmRlZmluZWQnID8gW10gOiBuZXcgVWludDhBcnJheSgyNTYpOwogICAgZm9yICh2YXIgaSA9IDA7IGkgPCBjaGFycy5sZW5ndGg7IGkrKykgewogICAgICAgIGxvb2t1cFtjaGFycy5jaGFyQ29kZUF0KGkpXSA9IGk7CiAgICB9CiAgICB2YXIgZW5jb2RlID0gZnVuY3Rpb24gKGFycmF5YnVmZmVyKSB7CiAgICAgICAgdmFyIGJ5dGVzID0gbmV3IFVpbnQ4QXJyYXkoYXJyYXlidWZmZXIpLCBpLCBsZW4gPSBieXRlcy5sZW5ndGgsIGJhc2U2NCA9ICcnOwogICAgICAgIGZvciAoaSA9IDA7IGkgPCBsZW47IGkgKz0gMykgewogICAgICAgICAgICBiYXNlNjQgKz0gY2hhcnNbYnl0ZXNbaV0gPj4gMl07CiAgICAgICAgICAgIGJhc2U2NCArPSBjaGFyc1soKGJ5dGVzW2ldICYgMykgPDwgNCkgfCAoYnl0ZXNbaSArIDFdID4+IDQpXTsKICAgICAgICAgICAgYmFzZTY0ICs9IGNoYXJzWygoYnl0ZXNbaSArIDFdICYgMTUpIDw8IDIpIHwgKGJ5dGVzW2kgKyAyXSA+PiA2KV07CiAgICAgICAgICAgIGJhc2U2NCArPSBjaGFyc1tieXRlc1tpICsgMl0gJiA2M107CiAgICAgICAgfQogICAgICAgIGlmIChsZW4gJSAzID09PSAyKSB7CiAgICAgICAgICAgIGJhc2U2NCA9IGJhc2U2NC5zdWJzdHJpbmcoMCwgYmFzZTY0Lmxlbmd0aCAtIDEpICsgJz0nOwogICAgICAgIH0KICAgICAgICBlbHNlIGlmIChsZW4gJSAzID09PSAxKSB7CiAgICAgICAgICAgIGJhc2U2NCA9IGJhc2U2NC5zdWJzdHJpbmcoMCwgYmFzZTY0Lmxlbmd0aCAtIDIpICsgJz09JzsKICAgICAgICB9CiAgICAgICAgcmV0dXJuIGJhc2U2NDsKICAgIH07CgogICAgY29uc3QgbGFzdEJsb2JNYXAgPSBuZXcgTWFwKCk7DQogICAgY29uc3QgdHJhbnNwYXJlbnRCbG9iTWFwID0gbmV3IE1hcCgpOw0KICAgIGZ1bmN0aW9uIGdldFRyYW5zcGFyZW50QmxvYkZvcih3aWR0aCwgaGVpZ2h0LCBkYXRhVVJMT3B0aW9ucykgew0KICAgICAgICByZXR1cm4gX19hd2FpdGVyKHRoaXMsIHZvaWQgMCwgdm9pZCAwLCBmdW5jdGlvbiogKCkgew0KICAgICAgICAgICAgY29uc3QgaWQgPSBgJHt3aWR0aH0tJHtoZWlnaHR9YDsNCiAgICAgICAgICAgIGlmICgnT2Zmc2NyZWVuQ2FudmFzJyBpbiBnbG9iYWxUaGlzKSB7DQogICAgICAgICAgICAgICAgaWYgKHRyYW5zcGFyZW50QmxvYk1hcC5oYXMoaWQpKQ0KICAgICAgICAgICAgICAgICAgICByZXR1cm4gdHJhbnNwYXJlbnRCbG9iTWFwLmdldChpZCk7DQogICAgICAgICAgICAgICAgY29uc3Qgb2Zmc2NyZWVuID0gbmV3IE9mZnNjcmVlbkNhbnZhcyh3aWR0aCwgaGVpZ2h0KTsNCiAgICAgICAgICAgICAgICBvZmZzY3JlZW4uZ2V0Q29udGV4dCgnMmQnKTsNCiAgICAgICAgICAgICAgICBjb25zdCBibG9iID0geWllbGQgb2Zmc2NyZWVuLmNvbnZlcnRUb0Jsb2IoZGF0YVVSTE9wdGlvbnMpOw0KICAgICAgICAgICAgICAgIGNvbnN0IGFycmF5QnVmZmVyID0geWllbGQgYmxvYi5hcnJheUJ1ZmZlcigpOw0KICAgICAgICAgICAgICAgIGNvbnN0IGJhc2U2NCA9IGVuY29kZShhcnJheUJ1ZmZlcik7DQogICAgICAgICAgICAgICAgdHJhbnNwYXJlbnRCbG9iTWFwLnNldChpZCwgYmFzZTY0KTsNCiAgICAgICAgICAgICAgICByZXR1cm4gYmFzZTY0Ow0KICAgICAgICAgICAgfQ0KICAgICAgICAgICAgZWxzZSB7DQogICAgICAgICAgICAgICAgcmV0dXJuICcnOw0KICAgICAgICAgICAgfQ0KICAgICAgICB9KTsNCiAgICB9DQogICAgY29uc3Qgd29ya2VyID0gc2VsZjsNCiAgICB3b3JrZXIub25tZXNzYWdlID0gZnVuY3Rpb24gKGUpIHsNCiAgICAgICAgcmV0dXJuIF9fYXdhaXRlcih0aGlzLCB2b2lkIDAsIHZvaWQgMCwgZnVuY3Rpb24qICgpIHsNCiAgICAgICAgICAgIGlmICgnT2Zmc2NyZWVuQ2FudmFzJyBpbiBnbG9iYWxUaGlzKSB7DQogICAgICAgICAgICAgICAgY29uc3QgeyBpZCwgYml0bWFwLCB3aWR0aCwgaGVpZ2h0LCBkYXRhVVJMT3B0aW9ucyB9ID0gZS5kYXRhOw0KICAgICAgICAgICAgICAgIGNvbnN0IHRyYW5zcGFyZW50QmFzZTY0ID0gZ2V0VHJhbnNwYXJlbnRCbG9iRm9yKHdpZHRoLCBoZWlnaHQsIGRhdGFVUkxPcHRpb25zKTsNCiAgICAgICAgICAgICAgICBjb25zdCBvZmZzY3JlZW4gPSBuZXcgT2Zmc2NyZWVuQ2FudmFzKHdpZHRoLCBoZWlnaHQpOw0KICAgICAgICAgICAgICAgIGNvbnN0IGN0eCA9IG9mZnNjcmVlbi5nZXRDb250ZXh0KCcyZCcpOw0KICAgICAgICAgICAgICAgIGN0eC5kcmF3SW1hZ2UoYml0bWFwLCAwLCAwKTsNCiAgICAgICAgICAgICAgICBiaXRtYXAuY2xvc2UoKTsNCiAgICAgICAgICAgICAgICBjb25zdCBibG9iID0geWllbGQgb2Zmc2NyZWVuLmNvbnZlcnRUb0Jsb2IoZGF0YVVSTE9wdGlvbnMpOw0KICAgICAgICAgICAgICAgIGNvbnN0IHR5cGUgPSBibG9iLnR5cGU7DQogICAgICAgICAgICAgICAgY29uc3QgYXJyYXlCdWZmZXIgPSB5aWVsZCBibG9iLmFycmF5QnVmZmVyKCk7DQogICAgICAgICAgICAgICAgY29uc3QgYmFzZTY0ID0gZW5jb2RlKGFycmF5QnVmZmVyKTsNCiAgICAgICAgICAgICAgICBpZiAoIWxhc3RCbG9iTWFwLmhhcyhpZCkgJiYgKHlpZWxkIHRyYW5zcGFyZW50QmFzZTY0KSA9PT0gYmFzZTY0KSB7DQogICAgICAgICAgICAgICAgICAgIGxhc3RCbG9iTWFwLnNldChpZCwgYmFzZTY0KTsNCiAgICAgICAgICAgICAgICAgICAgcmV0dXJuIHdvcmtlci5wb3N0TWVzc2FnZSh7IGlkIH0pOw0KICAgICAgICAgICAgICAgIH0NCiAgICAgICAgICAgICAgICBpZiAobGFzdEJsb2JNYXAuZ2V0KGlkKSA9PT0gYmFzZTY0KQ0KICAgICAgICAgICAgICAgICAgICByZXR1cm4gd29ya2VyLnBvc3RNZXNzYWdlKHsgaWQgfSk7DQogICAgICAgICAgICAgICAgd29ya2VyLnBvc3RNZXNzYWdlKHsNCiAgICAgICAgICAgICAgICAgICAgaWQsDQogICAgICAgICAgICAgICAgICAgIHR5cGUsDQogICAgICAgICAgICAgICAgICAgIGJhc2U2NCwNCiAgICAgICAgICAgICAgICAgICAgd2lkdGgsDQogICAgICAgICAgICAgICAgICAgIGhlaWdodCwNCiAgICAgICAgICAgICAgICB9KTsNCiAgICAgICAgICAgICAgICBsYXN0QmxvYk1hcC5zZXQoaWQsIGJhc2U2NCk7DQogICAgICAgICAgICB9DQogICAgICAgICAgICBlbHNlIHsNCiAgICAgICAgICAgICAgICByZXR1cm4gd29ya2VyLnBvc3RNZXNzYWdlKHsgaWQ6IGUuZGF0YS5pZCB9KTsNCiAgICAgICAgICAgIH0NCiAgICAgICAgfSk7DQogICAgfTsKCn0pKCk7Cgo=', null, false); ++/* eslint-enable */ ++ ++export { WorkerFactory as default }; +diff --git a/node_modules/rrweb/es/rrweb/ext/@xstate/fsm/es/index.js b/node_modules/rrweb/es/rrweb/ext/@xstate/fsm/es/index.js +old mode 100644 +new mode 100755 +diff --git a/node_modules/rrweb/es/rrweb/ext/base64-arraybuffer/dist/base64-arraybuffer.es5.js b/node_modules/rrweb/es/rrweb/ext/base64-arraybuffer/dist/base64-arraybuffer.es5.js +old mode 100644 +new mode 100755 +diff --git a/node_modules/rrweb/es/rrweb/ext/fflate/esm/browser.js b/node_modules/rrweb/es/rrweb/ext/fflate/esm/browser.js +old mode 100644 +new mode 100755 +diff --git a/node_modules/rrweb/es/rrweb/ext/mitt/dist/mitt.mjs.js b/node_modules/rrweb/es/rrweb/ext/mitt/dist/mitt.mjs.js +new file mode 100755 +index 0000000..bf3d753 +--- /dev/null ++++ b/node_modules/rrweb/es/rrweb/ext/mitt/dist/mitt.mjs.js +@@ -0,0 +1,3 @@ ++function mitt(n){return {all:n=n||new Map,on:function(t,e){var i=n.get(t);i?i.push(e):n.set(t,[e]);},off:function(t,e){var i=n.get(t);i&&(e?i.splice(i.indexOf(e)>>>0,1):n.set(t,[]));},emit:function(t,e){var i=n.get(t);i&&i.slice().map(function(n){n(e);}),(i=n.get("*"))&&i.slice().map(function(n){n(t,e);});}}} ++ ++export { mitt as default }; +diff --git a/node_modules/rrweb/es/rrweb/ext/tslib/tslib.es6.js b/node_modules/rrweb/es/rrweb/ext/tslib/tslib.es6.js +old mode 100644 +new mode 100755 +index af2c4fe..afefda9 +--- a/node_modules/rrweb/es/rrweb/ext/tslib/tslib.es6.js ++++ b/node_modules/rrweb/es/rrweb/ext/tslib/tslib.es6.js +@@ -13,17 +13,6 @@ OTHER TORTIOUS ACTION, ARISING OUT OF OR IN CONNECTION WITH THE USE OR + PERFORMANCE OF THIS SOFTWARE. + ***************************************************************************** */ + +-var __assign = function() { +- __assign = Object.assign || function __assign(t) { +- for (var s, i = 1, n = arguments.length; i < n; i++) { +- s = arguments[i]; +- for (var p in s) if (Object.prototype.hasOwnProperty.call(s, p)) t[p] = s[p]; +- } +- return t; +- }; +- return __assign.apply(this, arguments); +-}; +- + function __rest(s, e) { + var t = {}; + for (var p in s) if (Object.prototype.hasOwnProperty.call(s, p) && e.indexOf(p) < 0) +@@ -36,39 +25,14 @@ function __rest(s, e) { + return t; + } + +-function __values(o) { +- var s = typeof Symbol === "function" && Symbol.iterator, m = s && o[s], i = 0; +- if (m) return m.call(o); +- if (o && typeof o.length === "number") return { +- next: function () { +- if (o && i >= o.length) o = void 0; +- return { value: o && o[i++], done: !o }; +- } +- }; +- throw new TypeError(s ? "Object is not iterable." : "Symbol.iterator is not defined."); +-} +- +-function __read(o, n) { +- var m = typeof Symbol === "function" && o[Symbol.iterator]; +- if (!m) return o; +- var i = m.call(o), r, ar = [], e; +- try { +- while ((n === void 0 || n-- > 0) && !(r = i.next()).done) ar.push(r.value); +- } +- catch (error) { e = { error: error }; } +- finally { +- try { +- if (r && !r.done && (m = i["return"])) m.call(i); +- } +- finally { if (e) throw e.error; } +- } +- return ar; +-} +- +-function __spread() { +- for (var ar = [], i = 0; i < arguments.length; i++) +- ar = ar.concat(__read(arguments[i])); +- return ar; ++function __awaiter(thisArg, _arguments, P, generator) { ++ function adopt(value) { return value instanceof P ? value : new P(function (resolve) { resolve(value); }); } ++ return new (P || (P = Promise))(function (resolve, reject) { ++ function fulfilled(value) { try { step(generator.next(value)); } catch (e) { reject(e); } } ++ function rejected(value) { try { step(generator["throw"](value)); } catch (e) { reject(e); } } ++ function step(result) { result.done ? resolve(result.value) : adopt(result.value).then(fulfilled, rejected); } ++ step((generator = generator.apply(thisArg, _arguments || [])).next()); ++ }); + } + +-export { __assign, __read, __rest, __spread, __values }; ++export { __awaiter, __rest }; +diff --git a/node_modules/rrweb/es/rrweb/packages/rrdom/es/rrdom.js b/node_modules/rrweb/es/rrweb/packages/rrdom/es/rrdom.js +new file mode 100755 +index 0000000..3308f7b +--- /dev/null ++++ b/node_modules/rrweb/es/rrweb/packages/rrdom/es/rrdom.js +@@ -0,0 +1,1121 @@ ++var NodeType$1; ++(function (NodeType) { ++ NodeType[NodeType["Document"] = 0] = "Document"; ++ NodeType[NodeType["DocumentType"] = 1] = "DocumentType"; ++ NodeType[NodeType["Element"] = 2] = "Element"; ++ NodeType[NodeType["Text"] = 3] = "Text"; ++ NodeType[NodeType["CDATA"] = 4] = "CDATA"; ++ NodeType[NodeType["Comment"] = 5] = "Comment"; ++})(NodeType$1 || (NodeType$1 = {})); ++var Mirror$1 = (function () { ++ function Mirror() { ++ this.idNodeMap = new Map(); ++ this.nodeMetaMap = new WeakMap(); ++ } ++ Mirror.prototype.getId = function (n) { ++ var _a; ++ if (!n) ++ return -1; ++ var id = (_a = this.getMeta(n)) === null || _a === void 0 ? void 0 : _a.id; ++ return id !== null && id !== void 0 ? id : -1; ++ }; ++ Mirror.prototype.getNode = function (id) { ++ return this.idNodeMap.get(id) || null; ++ }; ++ Mirror.prototype.getIds = function () { ++ return Array.from(this.idNodeMap.keys()); ++ }; ++ Mirror.prototype.getMeta = function (n) { ++ return this.nodeMetaMap.get(n) || null; ++ }; ++ Mirror.prototype.removeNodeFromMap = function (n) { ++ var _this = this; ++ var id = this.getId(n); ++ this.idNodeMap["delete"](id); ++ if (n.childNodes) { ++ n.childNodes.forEach(function (childNode) { ++ return _this.removeNodeFromMap(childNode); ++ }); ++ } ++ }; ++ Mirror.prototype.has = function (id) { ++ return this.idNodeMap.has(id); ++ }; ++ Mirror.prototype.hasNode = function (node) { ++ return this.nodeMetaMap.has(node); ++ }; ++ Mirror.prototype.add = function (n, meta) { ++ var id = meta.id; ++ this.idNodeMap.set(id, n); ++ this.nodeMetaMap.set(n, meta); ++ }; ++ Mirror.prototype.replace = function (id, n) { ++ var oldNode = this.getNode(id); ++ if (oldNode) { ++ var meta = this.nodeMetaMap.get(oldNode); ++ if (meta) ++ this.nodeMetaMap.set(n, meta); ++ } ++ this.idNodeMap.set(id, n); ++ }; ++ Mirror.prototype.reset = function () { ++ this.idNodeMap = new Map(); ++ this.nodeMetaMap = new WeakMap(); ++ }; ++ return Mirror; ++}()); ++function createMirror$1() { ++ return new Mirror$1(); ++} ++ ++function parseCSSText(cssText) { ++ const res = {}; ++ const listDelimiter = /;(?![^(]*\))/g; ++ const propertyDelimiter = /:(.+)/; ++ const comment = /\/\*.*?\*\//g; ++ cssText ++ .replace(comment, '') ++ .split(listDelimiter) ++ .forEach(function (item) { ++ if (item) { ++ const tmp = item.split(propertyDelimiter); ++ tmp.length > 1 && (res[camelize(tmp[0].trim())] = tmp[1].trim()); ++ } ++ }); ++ return res; ++} ++function toCSSText(style) { ++ const properties = []; ++ for (const name in style) { ++ const value = style[name]; ++ if (typeof value !== 'string') ++ continue; ++ const normalizedName = hyphenate(name); ++ properties.push(`${normalizedName}: ${value};`); ++ } ++ return properties.join(' '); ++} ++const camelizeRE = /-([a-z])/g; ++const CUSTOM_PROPERTY_REGEX = /^--[a-zA-Z0-9-]+$/; ++const camelize = (str) => { ++ if (CUSTOM_PROPERTY_REGEX.test(str)) ++ return str; ++ return str.replace(camelizeRE, (_, c) => (c ? c.toUpperCase() : '')); ++}; ++const hyphenateRE = /\B([A-Z])/g; ++const hyphenate = (str) => { ++ return str.replace(hyphenateRE, '-$1').toLowerCase(); ++}; ++ ++class BaseRRNode { ++ constructor(..._args) { ++ this.childNodes = []; ++ this.parentElement = null; ++ this.parentNode = null; ++ this.ELEMENT_NODE = NodeType.ELEMENT_NODE; ++ this.TEXT_NODE = NodeType.TEXT_NODE; ++ } ++ get firstChild() { ++ return this.childNodes[0] || null; ++ } ++ get lastChild() { ++ return this.childNodes[this.childNodes.length - 1] || null; ++ } ++ get nextSibling() { ++ const parentNode = this.parentNode; ++ if (!parentNode) ++ return null; ++ const siblings = parentNode.childNodes; ++ const index = siblings.indexOf(this); ++ return siblings[index + 1] || null; ++ } ++ contains(node) { ++ if (node === this) ++ return true; ++ for (const child of this.childNodes) { ++ if (child.contains(node)) ++ return true; ++ } ++ return false; ++ } ++ appendChild(_newChild) { ++ throw new Error(`RRDomException: Failed to execute 'appendChild' on 'RRNode': This RRNode type does not support this method.`); ++ } ++ insertBefore(_newChild, _refChild) { ++ throw new Error(`RRDomException: Failed to execute 'insertBefore' on 'RRNode': This RRNode type does not support this method.`); ++ } ++ removeChild(_node) { ++ throw new Error(`RRDomException: Failed to execute 'removeChild' on 'RRNode': This RRNode type does not support this method.`); ++ } ++ toString() { ++ return 'RRNode'; ++ } ++} ++function BaseRRDocumentImpl(RRNodeClass) { ++ return class BaseRRDocument extends RRNodeClass { ++ constructor() { ++ super(...arguments); ++ this.nodeType = NodeType.DOCUMENT_NODE; ++ this.nodeName = '#document'; ++ this.compatMode = 'CSS1Compat'; ++ this.RRNodeType = NodeType$1.Document; ++ this.textContent = null; ++ } ++ get documentElement() { ++ return (this.childNodes.find((node) => node.RRNodeType === NodeType$1.Element && ++ node.tagName === 'HTML') || null); ++ } ++ get body() { ++ var _a; ++ return (((_a = this.documentElement) === null || _a === void 0 ? void 0 : _a.childNodes.find((node) => node.RRNodeType === NodeType$1.Element && ++ node.tagName === 'BODY')) || null); ++ } ++ get head() { ++ var _a; ++ return (((_a = this.documentElement) === null || _a === void 0 ? void 0 : _a.childNodes.find((node) => node.RRNodeType === NodeType$1.Element && ++ node.tagName === 'HEAD')) || null); ++ } ++ get implementation() { ++ return this; ++ } ++ get firstElementChild() { ++ return this.documentElement; ++ } ++ appendChild(childNode) { ++ const nodeType = childNode.RRNodeType; ++ if (nodeType === NodeType$1.Element || ++ nodeType === NodeType$1.DocumentType) { ++ if (this.childNodes.some((s) => s.RRNodeType === nodeType)) { ++ throw new Error(`RRDomException: Failed to execute 'appendChild' on 'RRNode': Only one ${nodeType === NodeType$1.Element ? 'RRElement' : 'RRDoctype'} on RRDocument allowed.`); ++ } ++ } ++ childNode.parentElement = null; ++ childNode.parentNode = this; ++ this.childNodes.push(childNode); ++ return childNode; ++ } ++ insertBefore(newChild, refChild) { ++ const nodeType = newChild.RRNodeType; ++ if (nodeType === NodeType$1.Element || ++ nodeType === NodeType$1.DocumentType) { ++ if (this.childNodes.some((s) => s.RRNodeType === nodeType)) { ++ throw new Error(`RRDomException: Failed to execute 'insertBefore' on 'RRNode': Only one ${nodeType === NodeType$1.Element ? 'RRElement' : 'RRDoctype'} on RRDocument allowed.`); ++ } ++ } ++ if (refChild === null) ++ return this.appendChild(newChild); ++ const childIndex = this.childNodes.indexOf(refChild); ++ if (childIndex == -1) ++ throw new Error("Failed to execute 'insertBefore' on 'RRNode': The RRNode before which the new node is to be inserted is not a child of this RRNode."); ++ this.childNodes.splice(childIndex, 0, newChild); ++ newChild.parentElement = null; ++ newChild.parentNode = this; ++ return newChild; ++ } ++ removeChild(node) { ++ const indexOfChild = this.childNodes.indexOf(node); ++ if (indexOfChild === -1) ++ throw new Error("Failed to execute 'removeChild' on 'RRDocument': The RRNode to be removed is not a child of this RRNode."); ++ this.childNodes.splice(indexOfChild, 1); ++ node.parentElement = null; ++ node.parentNode = null; ++ return node; ++ } ++ open() { ++ this.childNodes = []; ++ } ++ close() { ++ } ++ write(content) { ++ let publicId; ++ if (content === ++ '') ++ publicId = '-//W3C//DTD XHTML 1.0 Transitional//EN'; ++ else if (content === ++ '') ++ publicId = '-//W3C//DTD HTML 4.0 Transitional//EN'; ++ if (publicId) { ++ const doctype = this.createDocumentType('html', publicId, ''); ++ this.open(); ++ this.appendChild(doctype); ++ } ++ } ++ createDocument(_namespace, _qualifiedName, _doctype) { ++ return new BaseRRDocument(); ++ } ++ createDocumentType(qualifiedName, publicId, systemId) { ++ const doctype = new (BaseRRDocumentTypeImpl(BaseRRNode))(qualifiedName, publicId, systemId); ++ doctype.ownerDocument = this; ++ return doctype; ++ } ++ createElement(tagName) { ++ const element = new (BaseRRElementImpl(BaseRRNode))(tagName); ++ element.ownerDocument = this; ++ return element; ++ } ++ createElementNS(_namespaceURI, qualifiedName) { ++ return this.createElement(qualifiedName); ++ } ++ createTextNode(data) { ++ const text = new (BaseRRTextImpl(BaseRRNode))(data); ++ text.ownerDocument = this; ++ return text; ++ } ++ createComment(data) { ++ const comment = new (BaseRRCommentImpl(BaseRRNode))(data); ++ comment.ownerDocument = this; ++ return comment; ++ } ++ createCDATASection(data) { ++ const CDATASection = new (BaseRRCDATASectionImpl(BaseRRNode))(data); ++ CDATASection.ownerDocument = this; ++ return CDATASection; ++ } ++ toString() { ++ return 'RRDocument'; ++ } ++ }; ++} ++function BaseRRDocumentTypeImpl(RRNodeClass) { ++ return class BaseRRDocumentType extends RRNodeClass { ++ constructor(qualifiedName, publicId, systemId) { ++ super(); ++ this.nodeType = NodeType.DOCUMENT_TYPE_NODE; ++ this.RRNodeType = NodeType$1.DocumentType; ++ this.textContent = null; ++ this.name = qualifiedName; ++ this.publicId = publicId; ++ this.systemId = systemId; ++ this.nodeName = qualifiedName; ++ } ++ toString() { ++ return 'RRDocumentType'; ++ } ++ }; ++} ++function BaseRRElementImpl(RRNodeClass) { ++ return class BaseRRElement extends RRNodeClass { ++ constructor(tagName) { ++ super(); ++ this.nodeType = NodeType.ELEMENT_NODE; ++ this.RRNodeType = NodeType$1.Element; ++ this.attributes = {}; ++ this.shadowRoot = null; ++ this.tagName = tagName.toUpperCase(); ++ this.nodeName = tagName.toUpperCase(); ++ } ++ get textContent() { ++ let result = ''; ++ this.childNodes.forEach((node) => (result += node.textContent)); ++ return result; ++ } ++ set textContent(textContent) { ++ this.childNodes = [this.ownerDocument.createTextNode(textContent)]; ++ } ++ get classList() { ++ return new ClassList(this.attributes.class, (newClassName) => { ++ this.attributes.class = newClassName; ++ }); ++ } ++ get id() { ++ return this.attributes.id || ''; ++ } ++ get className() { ++ return this.attributes.class || ''; ++ } ++ get style() { ++ const style = (this.attributes.style ++ ? parseCSSText(this.attributes.style) ++ : {}); ++ const hyphenateRE = /\B([A-Z])/g; ++ style.setProperty = (name, value, priority) => { ++ if (hyphenateRE.test(name)) ++ return; ++ const normalizedName = camelize(name); ++ if (!value) ++ delete style[normalizedName]; ++ else ++ style[normalizedName] = value; ++ if (priority === 'important') ++ style[normalizedName] += ' !important'; ++ this.attributes.style = toCSSText(style); ++ }; ++ style.removeProperty = (name) => { ++ if (hyphenateRE.test(name)) ++ return ''; ++ const normalizedName = camelize(name); ++ const value = style[normalizedName] || ''; ++ delete style[normalizedName]; ++ this.attributes.style = toCSSText(style); ++ return value; ++ }; ++ return style; ++ } ++ getAttribute(name) { ++ return this.attributes[name] || null; ++ } ++ setAttribute(name, attribute) { ++ this.attributes[name] = attribute; ++ } ++ setAttributeNS(_namespace, qualifiedName, value) { ++ this.setAttribute(qualifiedName, value); ++ } ++ removeAttribute(name) { ++ delete this.attributes[name]; ++ } ++ appendChild(newChild) { ++ this.childNodes.push(newChild); ++ newChild.parentNode = this; ++ newChild.parentElement = this; ++ return newChild; ++ } ++ insertBefore(newChild, refChild) { ++ if (refChild === null) ++ return this.appendChild(newChild); ++ const childIndex = this.childNodes.indexOf(refChild); ++ if (childIndex == -1) ++ throw new Error("Failed to execute 'insertBefore' on 'RRNode': The RRNode before which the new node is to be inserted is not a child of this RRNode."); ++ this.childNodes.splice(childIndex, 0, newChild); ++ newChild.parentElement = this; ++ newChild.parentNode = this; ++ return newChild; ++ } ++ removeChild(node) { ++ const indexOfChild = this.childNodes.indexOf(node); ++ if (indexOfChild === -1) ++ throw new Error("Failed to execute 'removeChild' on 'RRElement': The RRNode to be removed is not a child of this RRNode."); ++ this.childNodes.splice(indexOfChild, 1); ++ node.parentElement = null; ++ node.parentNode = null; ++ return node; ++ } ++ attachShadow(_init) { ++ const shadowRoot = this.ownerDocument.createElement('SHADOWROOT'); ++ this.shadowRoot = shadowRoot; ++ return shadowRoot; ++ } ++ dispatchEvent(_event) { ++ return true; ++ } ++ toString() { ++ let attributeString = ''; ++ for (const attribute in this.attributes) { ++ attributeString += `${attribute}="${this.attributes[attribute]}" `; ++ } ++ return `${this.tagName} ${attributeString}`; ++ } ++ }; ++} ++function BaseRRMediaElementImpl(RRElementClass) { ++ return class BaseRRMediaElement extends RRElementClass { ++ attachShadow(_init) { ++ throw new Error(`RRDomException: Failed to execute 'attachShadow' on 'RRElement': This RRElement does not support attachShadow`); ++ } ++ play() { ++ this.paused = false; ++ } ++ pause() { ++ this.paused = true; ++ } ++ }; ++} ++function BaseRRTextImpl(RRNodeClass) { ++ return class BaseRRText extends RRNodeClass { ++ constructor(data) { ++ super(); ++ this.nodeType = NodeType.TEXT_NODE; ++ this.nodeName = '#text'; ++ this.RRNodeType = NodeType$1.Text; ++ this.data = data; ++ } ++ get textContent() { ++ return this.data; ++ } ++ set textContent(textContent) { ++ this.data = textContent; ++ } ++ toString() { ++ return `RRText text=${JSON.stringify(this.data)}`; ++ } ++ }; ++} ++function BaseRRCommentImpl(RRNodeClass) { ++ return class BaseRRComment extends RRNodeClass { ++ constructor(data) { ++ super(); ++ this.nodeType = NodeType.COMMENT_NODE; ++ this.nodeName = '#comment'; ++ this.RRNodeType = NodeType$1.Comment; ++ this.data = data; ++ } ++ get textContent() { ++ return this.data; ++ } ++ set textContent(textContent) { ++ this.data = textContent; ++ } ++ toString() { ++ return `RRComment text=${JSON.stringify(this.data)}`; ++ } ++ }; ++} ++function BaseRRCDATASectionImpl(RRNodeClass) { ++ return class BaseRRCDATASection extends RRNodeClass { ++ constructor(data) { ++ super(); ++ this.nodeName = '#cdata-section'; ++ this.nodeType = NodeType.CDATA_SECTION_NODE; ++ this.RRNodeType = NodeType$1.CDATA; ++ this.data = data; ++ } ++ get textContent() { ++ return this.data; ++ } ++ set textContent(textContent) { ++ this.data = textContent; ++ } ++ toString() { ++ return `RRCDATASection data=${JSON.stringify(this.data)}`; ++ } ++ }; ++} ++class ClassList { ++ constructor(classText, onChange) { ++ this.classes = []; ++ this.add = (...classNames) => { ++ for (const item of classNames) { ++ const className = String(item); ++ if (this.classes.indexOf(className) >= 0) ++ continue; ++ this.classes.push(className); ++ } ++ this.onChange && this.onChange(this.classes.join(' ')); ++ }; ++ this.remove = (...classNames) => { ++ this.classes = this.classes.filter((item) => classNames.indexOf(item) === -1); ++ this.onChange && this.onChange(this.classes.join(' ')); ++ }; ++ if (classText) { ++ const classes = classText.trim().split(/\s+/); ++ this.classes.push(...classes); ++ } ++ this.onChange = onChange; ++ } ++} ++var NodeType; ++(function (NodeType) { ++ NodeType[NodeType["PLACEHOLDER"] = 0] = "PLACEHOLDER"; ++ NodeType[NodeType["ELEMENT_NODE"] = 1] = "ELEMENT_NODE"; ++ NodeType[NodeType["ATTRIBUTE_NODE"] = 2] = "ATTRIBUTE_NODE"; ++ NodeType[NodeType["TEXT_NODE"] = 3] = "TEXT_NODE"; ++ NodeType[NodeType["CDATA_SECTION_NODE"] = 4] = "CDATA_SECTION_NODE"; ++ NodeType[NodeType["ENTITY_REFERENCE_NODE"] = 5] = "ENTITY_REFERENCE_NODE"; ++ NodeType[NodeType["ENTITY_NODE"] = 6] = "ENTITY_NODE"; ++ NodeType[NodeType["PROCESSING_INSTRUCTION_NODE"] = 7] = "PROCESSING_INSTRUCTION_NODE"; ++ NodeType[NodeType["COMMENT_NODE"] = 8] = "COMMENT_NODE"; ++ NodeType[NodeType["DOCUMENT_NODE"] = 9] = "DOCUMENT_NODE"; ++ NodeType[NodeType["DOCUMENT_TYPE_NODE"] = 10] = "DOCUMENT_TYPE_NODE"; ++ NodeType[NodeType["DOCUMENT_FRAGMENT_NODE"] = 11] = "DOCUMENT_FRAGMENT_NODE"; ++})(NodeType || (NodeType = {})); ++ ++const NAMESPACES = { ++ svg: 'http://www.w3.org/2000/svg', ++ 'xlink:href': 'http://www.w3.org/1999/xlink', ++ xmlns: 'http://www.w3.org/2000/xmlns/', ++}; ++const SVGTagMap = { ++ altglyph: 'altGlyph', ++ altglyphdef: 'altGlyphDef', ++ altglyphitem: 'altGlyphItem', ++ animatecolor: 'animateColor', ++ animatemotion: 'animateMotion', ++ animatetransform: 'animateTransform', ++ clippath: 'clipPath', ++ feblend: 'feBlend', ++ fecolormatrix: 'feColorMatrix', ++ fecomponenttransfer: 'feComponentTransfer', ++ fecomposite: 'feComposite', ++ feconvolvematrix: 'feConvolveMatrix', ++ fediffuselighting: 'feDiffuseLighting', ++ fedisplacementmap: 'feDisplacementMap', ++ fedistantlight: 'feDistantLight', ++ fedropshadow: 'feDropShadow', ++ feflood: 'feFlood', ++ fefunca: 'feFuncA', ++ fefuncb: 'feFuncB', ++ fefuncg: 'feFuncG', ++ fefuncr: 'feFuncR', ++ fegaussianblur: 'feGaussianBlur', ++ feimage: 'feImage', ++ femerge: 'feMerge', ++ femergenode: 'feMergeNode', ++ femorphology: 'feMorphology', ++ feoffset: 'feOffset', ++ fepointlight: 'fePointLight', ++ fespecularlighting: 'feSpecularLighting', ++ fespotlight: 'feSpotLight', ++ fetile: 'feTile', ++ feturbulence: 'feTurbulence', ++ foreignobject: 'foreignObject', ++ glyphref: 'glyphRef', ++ lineargradient: 'linearGradient', ++ radialgradient: 'radialGradient', ++}; ++function diff(oldTree, newTree, replayer, rrnodeMirror) { ++ const oldChildren = oldTree.childNodes; ++ const newChildren = newTree.childNodes; ++ rrnodeMirror = ++ rrnodeMirror || ++ newTree.mirror || ++ newTree.ownerDocument.mirror; ++ if (oldChildren.length > 0 || newChildren.length > 0) { ++ diffChildren(Array.from(oldChildren), newChildren, oldTree, replayer, rrnodeMirror); ++ } ++ let inputDataToApply = null, scrollDataToApply = null; ++ switch (newTree.RRNodeType) { ++ case NodeType$1.Document: { ++ const newRRDocument = newTree; ++ scrollDataToApply = newRRDocument.scrollData; ++ break; ++ } ++ case NodeType$1.Element: { ++ const oldElement = oldTree; ++ const newRRElement = newTree; ++ diffProps(oldElement, newRRElement, rrnodeMirror); ++ scrollDataToApply = newRRElement.scrollData; ++ inputDataToApply = newRRElement.inputData; ++ switch (newRRElement.tagName) { ++ case 'AUDIO': ++ case 'VIDEO': { ++ const oldMediaElement = oldTree; ++ const newMediaRRElement = newRRElement; ++ if (newMediaRRElement.paused !== undefined) ++ newMediaRRElement.paused ++ ? void oldMediaElement.pause() ++ : void oldMediaElement.play(); ++ if (newMediaRRElement.muted !== undefined) ++ oldMediaElement.muted = newMediaRRElement.muted; ++ if (newMediaRRElement.volume !== undefined) ++ oldMediaElement.volume = newMediaRRElement.volume; ++ if (newMediaRRElement.currentTime !== undefined) ++ oldMediaElement.currentTime = newMediaRRElement.currentTime; ++ if (newMediaRRElement.playbackRate !== undefined) ++ oldMediaElement.playbackRate = newMediaRRElement.playbackRate; ++ break; ++ } ++ case 'CANVAS': ++ { ++ const rrCanvasElement = newTree; ++ if (rrCanvasElement.rr_dataURL !== null) { ++ const image = document.createElement('img'); ++ image.onload = () => { ++ const ctx = oldElement.getContext('2d'); ++ if (ctx) { ++ ctx.drawImage(image, 0, 0, image.width, image.height); ++ } ++ }; ++ image.src = rrCanvasElement.rr_dataURL; ++ } ++ rrCanvasElement.canvasMutations.forEach((canvasMutation) => replayer.applyCanvas(canvasMutation.event, canvasMutation.mutation, oldTree)); ++ } ++ break; ++ case 'STYLE': ++ { ++ const styleSheet = oldElement.sheet; ++ styleSheet && ++ newTree.rules.forEach((data) => replayer.applyStyleSheetMutation(data, styleSheet)); ++ } ++ break; ++ } ++ if (newRRElement.shadowRoot) { ++ if (!oldElement.shadowRoot) ++ oldElement.attachShadow({ mode: 'open' }); ++ const oldChildren = oldElement.shadowRoot.childNodes; ++ const newChildren = newRRElement.shadowRoot.childNodes; ++ if (oldChildren.length > 0 || newChildren.length > 0) ++ diffChildren(Array.from(oldChildren), newChildren, oldElement.shadowRoot, replayer, rrnodeMirror); ++ } ++ break; ++ } ++ case NodeType$1.Text: ++ case NodeType$1.Comment: ++ case NodeType$1.CDATA: ++ if (oldTree.textContent !== ++ newTree.data) ++ oldTree.textContent = newTree.data; ++ break; ++ } ++ scrollDataToApply && replayer.applyScroll(scrollDataToApply, true); ++ inputDataToApply && replayer.applyInput(inputDataToApply); ++ if (newTree.nodeName === 'IFRAME') { ++ const oldContentDocument = oldTree.contentDocument; ++ const newIFrameElement = newTree; ++ if (oldContentDocument) { ++ const sn = rrnodeMirror.getMeta(newIFrameElement.contentDocument); ++ if (sn) { ++ replayer.mirror.add(oldContentDocument, Object.assign({}, sn)); ++ } ++ diff(oldContentDocument, newIFrameElement.contentDocument, replayer, rrnodeMirror); ++ } ++ } ++} ++function diffProps(oldTree, newTree, rrnodeMirror) { ++ const oldAttributes = oldTree.attributes; ++ const newAttributes = newTree.attributes; ++ for (const name in newAttributes) { ++ const newValue = newAttributes[name]; ++ const sn = rrnodeMirror.getMeta(newTree); ++ if (sn && 'isSVG' in sn && sn.isSVG && NAMESPACES[name]) ++ oldTree.setAttributeNS(NAMESPACES[name], name, newValue); ++ else if (newTree.tagName === 'CANVAS' && name === 'rr_dataURL') { ++ const image = document.createElement('img'); ++ image.src = newValue; ++ image.onload = () => { ++ const ctx = oldTree.getContext('2d'); ++ if (ctx) { ++ ctx.drawImage(image, 0, 0, image.width, image.height); ++ } ++ }; ++ } ++ else ++ oldTree.setAttribute(name, newValue); ++ } ++ for (const { name } of Array.from(oldAttributes)) ++ if (!(name in newAttributes)) ++ oldTree.removeAttribute(name); ++ newTree.scrollLeft && (oldTree.scrollLeft = newTree.scrollLeft); ++ newTree.scrollTop && (oldTree.scrollTop = newTree.scrollTop); ++} ++function diffChildren(oldChildren, newChildren, parentNode, replayer, rrnodeMirror) { ++ var _a; ++ let oldStartIndex = 0, oldEndIndex = oldChildren.length - 1, newStartIndex = 0, newEndIndex = newChildren.length - 1; ++ let oldStartNode = oldChildren[oldStartIndex], oldEndNode = oldChildren[oldEndIndex], newStartNode = newChildren[newStartIndex], newEndNode = newChildren[newEndIndex]; ++ let oldIdToIndex = undefined, indexInOld; ++ while (oldStartIndex <= oldEndIndex && newStartIndex <= newEndIndex) { ++ const oldStartId = replayer.mirror.getId(oldStartNode); ++ const oldEndId = replayer.mirror.getId(oldEndNode); ++ const newStartId = rrnodeMirror.getId(newStartNode); ++ const newEndId = rrnodeMirror.getId(newEndNode); ++ if (oldStartNode === undefined) { ++ oldStartNode = oldChildren[++oldStartIndex]; ++ } ++ else if (oldEndNode === undefined) { ++ oldEndNode = oldChildren[--oldEndIndex]; ++ } ++ else if (oldStartId !== -1 && ++ oldStartId === newStartId) { ++ diff(oldStartNode, newStartNode, replayer, rrnodeMirror); ++ oldStartNode = oldChildren[++oldStartIndex]; ++ newStartNode = newChildren[++newStartIndex]; ++ } ++ else if (oldEndId !== -1 && ++ oldEndId === newEndId) { ++ diff(oldEndNode, newEndNode, replayer, rrnodeMirror); ++ oldEndNode = oldChildren[--oldEndIndex]; ++ newEndNode = newChildren[--newEndIndex]; ++ } ++ else if (oldStartId !== -1 && ++ oldStartId === newEndId) { ++ parentNode.insertBefore(oldStartNode, oldEndNode.nextSibling); ++ diff(oldStartNode, newEndNode, replayer, rrnodeMirror); ++ oldStartNode = oldChildren[++oldStartIndex]; ++ newEndNode = newChildren[--newEndIndex]; ++ } ++ else if (oldEndId !== -1 && ++ oldEndId === newStartId) { ++ parentNode.insertBefore(oldEndNode, oldStartNode); ++ diff(oldEndNode, newStartNode, replayer, rrnodeMirror); ++ oldEndNode = oldChildren[--oldEndIndex]; ++ newStartNode = newChildren[++newStartIndex]; ++ } ++ else { ++ if (!oldIdToIndex) { ++ oldIdToIndex = {}; ++ for (let i = oldStartIndex; i <= oldEndIndex; i++) { ++ const oldChild = oldChildren[i]; ++ if (oldChild && replayer.mirror.hasNode(oldChild)) ++ oldIdToIndex[replayer.mirror.getId(oldChild)] = i; ++ } ++ } ++ indexInOld = oldIdToIndex[rrnodeMirror.getId(newStartNode)]; ++ if (indexInOld) { ++ const nodeToMove = oldChildren[indexInOld]; ++ parentNode.insertBefore(nodeToMove, oldStartNode); ++ diff(nodeToMove, newStartNode, replayer, rrnodeMirror); ++ oldChildren[indexInOld] = undefined; ++ } ++ else { ++ const newNode = createOrGetNode(newStartNode, replayer.mirror, rrnodeMirror); ++ if (parentNode.nodeName === '#document' && ++ ((_a = replayer.mirror.getMeta(newNode)) === null || _a === void 0 ? void 0 : _a.type) === NodeType$1.Element && ++ parentNode.documentElement) { ++ parentNode.removeChild(parentNode.documentElement); ++ oldChildren[oldStartIndex] = undefined; ++ oldStartNode = undefined; ++ } ++ parentNode.insertBefore(newNode, oldStartNode || null); ++ diff(newNode, newStartNode, replayer, rrnodeMirror); ++ } ++ newStartNode = newChildren[++newStartIndex]; ++ } ++ } ++ if (oldStartIndex > oldEndIndex) { ++ const referenceRRNode = newChildren[newEndIndex + 1]; ++ let referenceNode = null; ++ if (referenceRRNode) ++ parentNode.childNodes.forEach((child) => { ++ if (replayer.mirror.getId(child) === rrnodeMirror.getId(referenceRRNode)) ++ referenceNode = child; ++ }); ++ for (; newStartIndex <= newEndIndex; ++newStartIndex) { ++ const newNode = createOrGetNode(newChildren[newStartIndex], replayer.mirror, rrnodeMirror); ++ parentNode.insertBefore(newNode, referenceNode); ++ diff(newNode, newChildren[newStartIndex], replayer, rrnodeMirror); ++ } ++ } ++ else if (newStartIndex > newEndIndex) { ++ for (; oldStartIndex <= oldEndIndex; oldStartIndex++) { ++ const node = oldChildren[oldStartIndex]; ++ if (node) { ++ parentNode.removeChild(node); ++ replayer.mirror.removeNodeFromMap(node); ++ } ++ } ++ } ++} ++function createOrGetNode(rrNode, domMirror, rrnodeMirror) { ++ const nodeId = rrnodeMirror.getId(rrNode); ++ const sn = rrnodeMirror.getMeta(rrNode); ++ let node = null; ++ if (nodeId > -1) ++ node = domMirror.getNode(nodeId); ++ if (node !== null) ++ return node; ++ switch (rrNode.RRNodeType) { ++ case NodeType$1.Document: ++ node = new Document(); ++ break; ++ case NodeType$1.DocumentType: ++ node = document.implementation.createDocumentType(rrNode.name, rrNode.publicId, rrNode.systemId); ++ break; ++ case NodeType$1.Element: { ++ let tagName = rrNode.tagName.toLowerCase(); ++ tagName = SVGTagMap[tagName] || tagName; ++ if (sn && 'isSVG' in sn && (sn === null || sn === void 0 ? void 0 : sn.isSVG)) { ++ node = document.createElementNS(NAMESPACES['svg'], tagName); ++ } ++ else ++ node = document.createElement(rrNode.tagName); ++ break; ++ } ++ case NodeType$1.Text: ++ node = document.createTextNode(rrNode.data); ++ break; ++ case NodeType$1.Comment: ++ node = document.createComment(rrNode.data); ++ break; ++ case NodeType$1.CDATA: ++ node = document.createCDATASection(rrNode.data); ++ break; ++ } ++ if (sn) ++ domMirror.add(node, Object.assign({}, sn)); ++ return node; ++} ++ ++class RRDocument extends BaseRRDocumentImpl(BaseRRNode) { ++ constructor(mirror) { ++ super(); ++ this.UNSERIALIZED_STARTING_ID = -2; ++ this._unserializedId = this.UNSERIALIZED_STARTING_ID; ++ this.mirror = createMirror(); ++ this.scrollData = null; ++ if (mirror) { ++ this.mirror = mirror; ++ } ++ } ++ get unserializedId() { ++ return this._unserializedId--; ++ } ++ createDocument(_namespace, _qualifiedName, _doctype) { ++ return new RRDocument(); ++ } ++ createDocumentType(qualifiedName, publicId, systemId) { ++ const documentTypeNode = new RRDocumentType(qualifiedName, publicId, systemId); ++ documentTypeNode.ownerDocument = this; ++ return documentTypeNode; ++ } ++ createElement(tagName) { ++ const upperTagName = tagName.toUpperCase(); ++ let element; ++ switch (upperTagName) { ++ case 'AUDIO': ++ case 'VIDEO': ++ element = new RRMediaElement(upperTagName); ++ break; ++ case 'IFRAME': ++ element = new RRIFrameElement(upperTagName, this.mirror); ++ break; ++ case 'CANVAS': ++ element = new RRCanvasElement(upperTagName); ++ break; ++ case 'STYLE': ++ element = new RRStyleElement(upperTagName); ++ break; ++ default: ++ element = new RRElement(upperTagName); ++ break; ++ } ++ element.ownerDocument = this; ++ return element; ++ } ++ createComment(data) { ++ const commentNode = new RRComment(data); ++ commentNode.ownerDocument = this; ++ return commentNode; ++ } ++ createCDATASection(data) { ++ const sectionNode = new RRCDATASection(data); ++ sectionNode.ownerDocument = this; ++ return sectionNode; ++ } ++ createTextNode(data) { ++ const textNode = new RRText(data); ++ textNode.ownerDocument = this; ++ return textNode; ++ } ++ destroyTree() { ++ this.childNodes = []; ++ this.mirror.reset(); ++ } ++ open() { ++ super.open(); ++ this._unserializedId = this.UNSERIALIZED_STARTING_ID; ++ } ++} ++const RRDocumentType = BaseRRDocumentTypeImpl(BaseRRNode); ++class RRElement extends BaseRRElementImpl(BaseRRNode) { ++ constructor() { ++ super(...arguments); ++ this.inputData = null; ++ this.scrollData = null; ++ } ++} ++class RRMediaElement extends BaseRRMediaElementImpl(RRElement) { ++} ++class RRCanvasElement extends RRElement { ++ constructor() { ++ super(...arguments); ++ this.rr_dataURL = null; ++ this.canvasMutations = []; ++ } ++ getContext() { ++ return null; ++ } ++} ++class RRStyleElement extends RRElement { ++ constructor() { ++ super(...arguments); ++ this.rules = []; ++ } ++} ++class RRIFrameElement extends RRElement { ++ constructor(upperTagName, mirror) { ++ super(upperTagName); ++ this.contentDocument = new RRDocument(); ++ this.contentDocument.mirror = mirror; ++ } ++} ++const RRText = BaseRRTextImpl(BaseRRNode); ++const RRComment = BaseRRCommentImpl(BaseRRNode); ++const RRCDATASection = BaseRRCDATASectionImpl(BaseRRNode); ++function getValidTagName(element) { ++ if (element instanceof HTMLFormElement) { ++ return 'FORM'; ++ } ++ return element.tagName.toUpperCase(); ++} ++function buildFromNode(node, rrdom, domMirror, parentRRNode) { ++ let rrNode; ++ switch (node.nodeType) { ++ case NodeType.DOCUMENT_NODE: ++ if (parentRRNode && parentRRNode.nodeName === 'IFRAME') ++ rrNode = parentRRNode.contentDocument; ++ else { ++ rrNode = rrdom; ++ rrNode.compatMode = node.compatMode; ++ } ++ break; ++ case NodeType.DOCUMENT_TYPE_NODE: { ++ const documentType = node; ++ rrNode = rrdom.createDocumentType(documentType.name, documentType.publicId, documentType.systemId); ++ break; ++ } ++ case NodeType.ELEMENT_NODE: { ++ const elementNode = node; ++ const tagName = getValidTagName(elementNode); ++ rrNode = rrdom.createElement(tagName); ++ const rrElement = rrNode; ++ for (const { name, value } of Array.from(elementNode.attributes)) { ++ rrElement.attributes[name] = value; ++ } ++ elementNode.scrollLeft && (rrElement.scrollLeft = elementNode.scrollLeft); ++ elementNode.scrollTop && (rrElement.scrollTop = elementNode.scrollTop); ++ break; ++ } ++ case NodeType.TEXT_NODE: ++ rrNode = rrdom.createTextNode(node.textContent || ''); ++ break; ++ case NodeType.CDATA_SECTION_NODE: ++ rrNode = rrdom.createCDATASection(node.data); ++ break; ++ case NodeType.COMMENT_NODE: ++ rrNode = rrdom.createComment(node.textContent || ''); ++ break; ++ case NodeType.DOCUMENT_FRAGMENT_NODE: ++ rrNode = parentRRNode.attachShadow({ mode: 'open' }); ++ break; ++ default: ++ return null; ++ } ++ let sn = domMirror.getMeta(node); ++ if (rrdom instanceof RRDocument) { ++ if (!sn) { ++ sn = getDefaultSN(rrNode, rrdom.unserializedId); ++ domMirror.add(node, sn); ++ } ++ rrdom.mirror.add(rrNode, Object.assign({}, sn)); ++ } ++ return rrNode; ++} ++function buildFromDom(dom, domMirror = createMirror$1(), rrdom = new RRDocument()) { ++ function walk(node, parentRRNode) { ++ const rrNode = buildFromNode(node, rrdom, domMirror, parentRRNode); ++ if (rrNode === null) ++ return; ++ if ((parentRRNode === null || parentRRNode === void 0 ? void 0 : parentRRNode.nodeName) !== 'IFRAME' && ++ node.nodeType !== NodeType.DOCUMENT_FRAGMENT_NODE) { ++ parentRRNode === null || parentRRNode === void 0 ? void 0 : parentRRNode.appendChild(rrNode); ++ rrNode.parentNode = parentRRNode; ++ rrNode.parentElement = parentRRNode; ++ } ++ if (node.nodeName === 'IFRAME') { ++ const iframeDoc = node.contentDocument; ++ iframeDoc && walk(iframeDoc, rrNode); ++ } ++ else if (node.nodeType === NodeType.DOCUMENT_NODE || ++ node.nodeType === NodeType.ELEMENT_NODE || ++ node.nodeType === NodeType.DOCUMENT_FRAGMENT_NODE) { ++ if (node.nodeType === NodeType.ELEMENT_NODE && ++ node.shadowRoot) ++ walk(node.shadowRoot, rrNode); ++ node.childNodes.forEach((childNode) => walk(childNode, rrNode)); ++ } ++ } ++ walk(dom, null); ++ return rrdom; ++} ++function createMirror() { ++ return new Mirror(); ++} ++class Mirror { ++ constructor() { ++ this.idNodeMap = new Map(); ++ this.nodeMetaMap = new WeakMap(); ++ } ++ getId(n) { ++ var _a; ++ if (!n) ++ return -1; ++ const id = (_a = this.getMeta(n)) === null || _a === void 0 ? void 0 : _a.id; ++ return id !== null && id !== void 0 ? id : -1; ++ } ++ getNode(id) { ++ return this.idNodeMap.get(id) || null; ++ } ++ getIds() { ++ return Array.from(this.idNodeMap.keys()); ++ } ++ getMeta(n) { ++ return this.nodeMetaMap.get(n) || null; ++ } ++ removeNodeFromMap(n) { ++ const id = this.getId(n); ++ this.idNodeMap.delete(id); ++ if (n.childNodes) { ++ n.childNodes.forEach((childNode) => this.removeNodeFromMap(childNode)); ++ } ++ } ++ has(id) { ++ return this.idNodeMap.has(id); ++ } ++ hasNode(node) { ++ return this.nodeMetaMap.has(node); ++ } ++ add(n, meta) { ++ const id = meta.id; ++ this.idNodeMap.set(id, n); ++ this.nodeMetaMap.set(n, meta); ++ } ++ replace(id, n) { ++ const oldNode = this.getNode(id); ++ if (oldNode) { ++ const meta = this.nodeMetaMap.get(oldNode); ++ if (meta) ++ this.nodeMetaMap.set(n, meta); ++ } ++ this.idNodeMap.set(id, n); ++ } ++ reset() { ++ this.idNodeMap = new Map(); ++ this.nodeMetaMap = new WeakMap(); ++ } ++} ++function getDefaultSN(node, id) { ++ switch (node.RRNodeType) { ++ case NodeType$1.Document: ++ return { ++ id, ++ type: node.RRNodeType, ++ childNodes: [], ++ }; ++ case NodeType$1.DocumentType: { ++ const doctype = node; ++ return { ++ id, ++ type: node.RRNodeType, ++ name: doctype.name, ++ publicId: doctype.publicId, ++ systemId: doctype.systemId, ++ }; ++ } ++ case NodeType$1.Element: ++ return { ++ id, ++ type: node.RRNodeType, ++ tagName: node.tagName.toLowerCase(), ++ attributes: {}, ++ childNodes: [], ++ }; ++ case NodeType$1.Text: ++ return { ++ id, ++ type: node.RRNodeType, ++ textContent: node.textContent || '', ++ }; ++ case NodeType$1.Comment: ++ return { ++ id, ++ type: node.RRNodeType, ++ textContent: node.textContent || '', ++ }; ++ case NodeType$1.CDATA: ++ return { ++ id, ++ type: node.RRNodeType, ++ textContent: '', ++ }; ++ } ++} ++ ++export { BaseRRCDATASectionImpl, BaseRRCommentImpl, BaseRRDocumentImpl, BaseRRDocumentTypeImpl, BaseRRElementImpl, BaseRRMediaElementImpl, BaseRRNode, BaseRRTextImpl, ClassList, Mirror, NodeType, RRCDATASection, RRCanvasElement, RRComment, RRDocument, RRDocumentType, RRElement, RRIFrameElement, RRMediaElement, BaseRRNode as RRNode, RRStyleElement, RRText, buildFromDom, buildFromNode, createMirror, createOrGetNode, diff, getDefaultSN }; +diff --git a/node_modules/rrweb/es/rrweb/packages/rrweb-snapshot/es/rrweb-snapshot.js b/node_modules/rrweb/es/rrweb/packages/rrweb-snapshot/es/rrweb-snapshot.js +old mode 100644 +new mode 100755 +index 2259070..b292b2b +--- a/node_modules/rrweb/es/rrweb/packages/rrweb-snapshot/es/rrweb-snapshot.js ++++ b/node_modules/rrweb/es/rrweb/packages/rrweb-snapshot/es/rrweb-snapshot.js +@@ -17,10 +17,14 @@ function isShadowRoot(n) { + return Boolean(host && host.shadowRoot && host.shadowRoot === n); + } + function maskInputValue(_a) { +- var maskInputOptions = _a.maskInputOptions, tagName = _a.tagName, type = _a.type, value = _a.value, maskInputFn = _a.maskInputFn; ++ var input = _a.input, maskInputSelector = _a.maskInputSelector, unmaskInputSelector = _a.unmaskInputSelector, maskInputOptions = _a.maskInputOptions, tagName = _a.tagName, type = _a.type, value = _a.value, maskInputFn = _a.maskInputFn; + var text = value || ''; ++ if (unmaskInputSelector && input.matches(unmaskInputSelector)) { ++ return text; ++ } + if (maskInputOptions[tagName.toLowerCase()] || +- maskInputOptions[type]) { ++ maskInputOptions[type] || ++ (maskInputSelector && input.matches(maskInputSelector))) { + if (maskInputFn) { + text = maskInputFn(text); + } +@@ -247,7 +251,10 @@ function transformAttribute(doc, tagName, name, value) { + return value; + } + } +-function _isBlockedElement(element, blockClass, blockSelector) { ++function _isBlockedElement(element, blockClass, blockSelector, unblockSelector) { ++ if (unblockSelector && element.matches(unblockSelector)) { ++ return false; ++ } + if (typeof blockClass === 'string') { + if (element.classList.contains(blockClass)) { + return true; +@@ -266,11 +273,16 @@ function _isBlockedElement(element, blockClass, blockSelector) { + } + return false; + } +-function needMaskingText(node, maskTextClass, maskTextSelector) { ++function needMaskingText(node, maskTextClass, maskTextSelector, unmaskTextSelector) { + if (!node) { + return false; + } + if (node.nodeType === node.ELEMENT_NODE) { ++ if (unmaskTextSelector) { ++ if (node.matches(unmaskTextSelector) || node.closest(unmaskTextSelector)) { ++ return false; ++ } ++ } + if (typeof maskTextClass === 'string') { + if (node.classList.contains(maskTextClass)) { + return true; +@@ -289,12 +301,12 @@ function needMaskingText(node, maskTextClass, maskTextSelector) { + return true; + } + } +- return needMaskingText(node.parentNode, maskTextClass, maskTextSelector); ++ return needMaskingText(node.parentNode, maskTextClass, maskTextSelector, unmaskTextSelector); + } + if (node.nodeType === node.TEXT_NODE) { +- return needMaskingText(node.parentNode, maskTextClass, maskTextSelector); ++ return needMaskingText(node.parentNode, maskTextClass, maskTextSelector, unmaskTextSelector); + } +- return needMaskingText(node.parentNode, maskTextClass, maskTextSelector); ++ return needMaskingText(node.parentNode, maskTextClass, maskTextSelector, unmaskTextSelector); + } + function onceIframeLoaded(iframeEl, listener, iframeLoadTimeout) { + var win = iframeEl.contentWindow; +@@ -334,7 +346,7 @@ function onceIframeLoaded(iframeEl, listener, iframeLoadTimeout) { + } + function serializeNode(n, options) { + var _a; +- var doc = options.doc, blockClass = options.blockClass, blockSelector = options.blockSelector, maskTextClass = options.maskTextClass, maskTextSelector = options.maskTextSelector, inlineStylesheet = options.inlineStylesheet, _b = options.maskInputOptions, maskInputOptions = _b === void 0 ? {} : _b, maskTextFn = options.maskTextFn, maskInputFn = options.maskInputFn, _c = options.dataURLOptions, dataURLOptions = _c === void 0 ? {} : _c, inlineImages = options.inlineImages, recordCanvas = options.recordCanvas, keepIframeSrcFn = options.keepIframeSrcFn; ++ var doc = options.doc, blockClass = options.blockClass, blockSelector = options.blockSelector, unblockSelector = options.unblockSelector, maskTextClass = options.maskTextClass, maskTextSelector = options.maskTextSelector, unmaskTextSelector = options.unmaskTextSelector, inlineStylesheet = options.inlineStylesheet, maskInputSelector = options.maskInputSelector, unmaskInputSelector = options.unmaskInputSelector, _b = options.maskInputOptions, maskInputOptions = _b === void 0 ? {} : _b, maskTextFn = options.maskTextFn, maskInputFn = options.maskInputFn, _c = options.dataURLOptions, dataURLOptions = _c === void 0 ? {} : _c, inlineImages = options.inlineImages, recordCanvas = options.recordCanvas, keepIframeSrcFn = options.keepIframeSrcFn; + var rootId; + if (doc.__sn) { + var docId = doc.__sn.id; +@@ -366,7 +378,7 @@ function serializeNode(n, options) { + rootId: rootId + }; + case n.ELEMENT_NODE: +- var needBlock = _isBlockedElement(n, blockClass, blockSelector); ++ var needBlock = _isBlockedElement(n, blockClass, blockSelector, unblockSelector); + var tagName = getValidTagName(n); + var attributes_1 = {}; + for (var _i = 0, _d = Array.from(n.attributes); _i < _d.length; _i++) { +@@ -407,9 +419,12 @@ function serializeNode(n, options) { + attributes_1.type !== 'button' && + value) { + attributes_1.value = maskInputValue({ ++ input: n, + type: attributes_1.type, + tagName: tagName, + value: value, ++ maskInputSelector: maskInputSelector, ++ unmaskInputSelector: unmaskInputSelector, + maskInputOptions: maskInputOptions, + maskInputFn: maskInputFn + }); +@@ -528,7 +543,7 @@ function serializeNode(n, options) { + } + if (!isStyle && + !isScript && +- needMaskingText(n, maskTextClass, maskTextSelector) && ++ needMaskingText(n, maskTextClass, maskTextSelector, unmaskTextSelector) && + textContent) { + textContent = maskTextFn + ? maskTextFn(textContent) +@@ -636,15 +651,19 @@ function slimDOMExcluded(sn, slimDOMOptions) { + return false; + } + function serializeNodeWithId(n, options) { +- var doc = options.doc, map = options.map, blockClass = options.blockClass, blockSelector = options.blockSelector, maskTextClass = options.maskTextClass, maskTextSelector = options.maskTextSelector, _a = options.skipChild, skipChild = _a === void 0 ? false : _a, _b = options.inlineStylesheet, inlineStylesheet = _b === void 0 ? true : _b, _c = options.maskInputOptions, maskInputOptions = _c === void 0 ? {} : _c, maskTextFn = options.maskTextFn, maskInputFn = options.maskInputFn, slimDOMOptions = options.slimDOMOptions, _d = options.dataURLOptions, dataURLOptions = _d === void 0 ? {} : _d, _e = options.inlineImages, inlineImages = _e === void 0 ? false : _e, _f = options.recordCanvas, recordCanvas = _f === void 0 ? false : _f, onSerialize = options.onSerialize, onIframeLoad = options.onIframeLoad, _g = options.iframeLoadTimeout, iframeLoadTimeout = _g === void 0 ? 5000 : _g, _h = options.keepIframeSrcFn, keepIframeSrcFn = _h === void 0 ? function () { return false; } : _h; ++ var doc = options.doc, map = options.map, blockClass = options.blockClass, blockSelector = options.blockSelector, unblockSelector = options.unblockSelector, maskTextClass = options.maskTextClass, maskTextSelector = options.maskTextSelector, unmaskTextSelector = options.unmaskTextSelector, _a = options.skipChild, skipChild = _a === void 0 ? false : _a, _b = options.inlineStylesheet, inlineStylesheet = _b === void 0 ? true : _b, maskInputSelector = options.maskInputSelector, unmaskInputSelector = options.unmaskInputSelector, _c = options.maskInputOptions, maskInputOptions = _c === void 0 ? {} : _c, maskTextFn = options.maskTextFn, maskInputFn = options.maskInputFn, slimDOMOptions = options.slimDOMOptions, _d = options.dataURLOptions, dataURLOptions = _d === void 0 ? {} : _d, _e = options.inlineImages, inlineImages = _e === void 0 ? false : _e, _f = options.recordCanvas, recordCanvas = _f === void 0 ? false : _f, onSerialize = options.onSerialize, onIframeLoad = options.onIframeLoad, _g = options.iframeLoadTimeout, iframeLoadTimeout = _g === void 0 ? 5000 : _g, _h = options.keepIframeSrcFn, keepIframeSrcFn = _h === void 0 ? function () { return false; } : _h; + var _j = options.preserveWhiteSpace, preserveWhiteSpace = _j === void 0 ? true : _j; + var _serializedNode = serializeNode(n, { + doc: doc, + blockClass: blockClass, + blockSelector: blockSelector, ++ unblockSelector: unblockSelector, + maskTextClass: maskTextClass, + maskTextSelector: maskTextSelector, ++ unmaskTextSelector: unmaskTextSelector, + inlineStylesheet: inlineStylesheet, ++ maskInputSelector: maskInputSelector, ++ unmaskInputSelector: unmaskInputSelector, + maskInputOptions: maskInputOptions, + maskTextFn: maskTextFn, + maskInputFn: maskInputFn, +@@ -700,10 +719,14 @@ function serializeNodeWithId(n, options) { + map: map, + blockClass: blockClass, + blockSelector: blockSelector, ++ unblockSelector: unblockSelector, + maskTextClass: maskTextClass, + maskTextSelector: maskTextSelector, ++ unmaskTextSelector: unmaskTextSelector, + skipChild: skipChild, + inlineStylesheet: inlineStylesheet, ++ maskInputSelector: maskInputSelector, ++ unmaskInputSelector: unmaskInputSelector, + maskInputOptions: maskInputOptions, + maskTextFn: maskTextFn, + maskInputFn: maskInputFn, +@@ -748,10 +771,14 @@ function serializeNodeWithId(n, options) { + map: map, + blockClass: blockClass, + blockSelector: blockSelector, ++ unblockSelector: unblockSelector, + maskTextClass: maskTextClass, + maskTextSelector: maskTextSelector, ++ unmaskTextSelector: unmaskTextSelector, + skipChild: false, + inlineStylesheet: inlineStylesheet, ++ maskInputSelector: maskInputSelector, ++ unmaskInputSelector: unmaskInputSelector, + maskInputOptions: maskInputOptions, + maskTextFn: maskTextFn, + maskInputFn: maskInputFn, +@@ -774,7 +801,7 @@ function serializeNodeWithId(n, options) { + return serializedNode; + } + function snapshot(n, options) { +- var _a = options || {}, _b = _a.blockClass, blockClass = _b === void 0 ? 'rr-block' : _b, _c = _a.blockSelector, blockSelector = _c === void 0 ? null : _c, _d = _a.maskTextClass, maskTextClass = _d === void 0 ? 'rr-mask' : _d, _e = _a.maskTextSelector, maskTextSelector = _e === void 0 ? null : _e, _f = _a.inlineStylesheet, inlineStylesheet = _f === void 0 ? true : _f, _g = _a.inlineImages, inlineImages = _g === void 0 ? false : _g, _h = _a.recordCanvas, recordCanvas = _h === void 0 ? false : _h, _j = _a.maskAllInputs, maskAllInputs = _j === void 0 ? false : _j, maskTextFn = _a.maskTextFn, maskInputFn = _a.maskInputFn, _k = _a.slimDOM, slimDOM = _k === void 0 ? false : _k, dataURLOptions = _a.dataURLOptions, preserveWhiteSpace = _a.preserveWhiteSpace, onSerialize = _a.onSerialize, onIframeLoad = _a.onIframeLoad, iframeLoadTimeout = _a.iframeLoadTimeout, _l = _a.keepIframeSrcFn, keepIframeSrcFn = _l === void 0 ? function () { return false; } : _l; ++ var _a = options || {}, _b = _a.blockClass, blockClass = _b === void 0 ? 'rr-block' : _b, _c = _a.blockSelector, blockSelector = _c === void 0 ? null : _c, _d = _a.unblockSelector, unblockSelector = _d === void 0 ? null : _d, _e = _a.maskTextClass, maskTextClass = _e === void 0 ? 'rr-mask' : _e, _f = _a.maskTextSelector, maskTextSelector = _f === void 0 ? null : _f, _g = _a.unmaskTextSelector, unmaskTextSelector = _g === void 0 ? null : _g, _h = _a.inlineStylesheet, inlineStylesheet = _h === void 0 ? true : _h, _j = _a.inlineImages, inlineImages = _j === void 0 ? false : _j, _k = _a.recordCanvas, recordCanvas = _k === void 0 ? false : _k, _l = _a.maskInputSelector, maskInputSelector = _l === void 0 ? null : _l, _m = _a.unmaskInputSelector, unmaskInputSelector = _m === void 0 ? null : _m, _o = _a.maskAllInputs, maskAllInputs = _o === void 0 ? false : _o, maskTextFn = _a.maskTextFn, maskInputFn = _a.maskInputFn, _p = _a.slimDOM, slimDOM = _p === void 0 ? false : _p, dataURLOptions = _a.dataURLOptions, preserveWhiteSpace = _a.preserveWhiteSpace, onSerialize = _a.onSerialize, onIframeLoad = _a.onIframeLoad, iframeLoadTimeout = _a.iframeLoadTimeout, _q = _a.keepIframeSrcFn, keepIframeSrcFn = _q === void 0 ? function () { return false; } : _q; + var idNodeMap = {}; + var maskInputOptions = maskAllInputs === true + ? { +@@ -823,10 +850,14 @@ function snapshot(n, options) { + map: idNodeMap, + blockClass: blockClass, + blockSelector: blockSelector, ++ unblockSelector: unblockSelector, + maskTextClass: maskTextClass, + maskTextSelector: maskTextSelector, ++ unmaskTextSelector: unmaskTextSelector, + skipChild: false, + inlineStylesheet: inlineStylesheet, ++ maskInputSelector: maskInputSelector, ++ unmaskInputSelector: unmaskInputSelector, + maskInputOptions: maskInputOptions, + maskTextFn: maskTextFn, + maskInputFn: maskInputFn, +diff --git a/node_modules/rrweb/es/rrweb/packages/rrweb/src/entries/all.js b/node_modules/rrweb/es/rrweb/packages/rrweb/src/entries/all.js +old mode 100644 +new mode 100755 +diff --git a/node_modules/rrweb/es/rrweb/packages/rrweb/src/index.js b/node_modules/rrweb/es/rrweb/packages/rrweb/src/index.js +old mode 100644 +new mode 100755 +diff --git a/node_modules/rrweb/es/rrweb/packages/rrweb/src/packer/base.js b/node_modules/rrweb/es/rrweb/packages/rrweb/src/packer/base.js +old mode 100644 +new mode 100755 +diff --git a/node_modules/rrweb/es/rrweb/packages/rrweb/src/packer/pack.js b/node_modules/rrweb/es/rrweb/packages/rrweb/src/packer/pack.js +old mode 100644 +new mode 100755 +diff --git a/node_modules/rrweb/es/rrweb/packages/rrweb/src/packer/unpack.js b/node_modules/rrweb/es/rrweb/packages/rrweb/src/packer/unpack.js +old mode 100644 +new mode 100755 +diff --git a/node_modules/rrweb/es/rrweb/packages/rrweb/src/plugins/console/record/error-stack-parser.js b/node_modules/rrweb/es/rrweb/packages/rrweb/src/plugins/console/record/error-stack-parser.js +old mode 100644 +new mode 100755 +diff --git a/node_modules/rrweb/es/rrweb/packages/rrweb/src/plugins/console/record/index.js b/node_modules/rrweb/es/rrweb/packages/rrweb/src/plugins/console/record/index.js +old mode 100644 +new mode 100755 +diff --git a/node_modules/rrweb/es/rrweb/packages/rrweb/src/plugins/console/record/stringify.js b/node_modules/rrweb/es/rrweb/packages/rrweb/src/plugins/console/record/stringify.js +old mode 100644 +new mode 100755 +diff --git a/node_modules/rrweb/es/rrweb/packages/rrweb/src/plugins/console/replay/index.js b/node_modules/rrweb/es/rrweb/packages/rrweb/src/plugins/console/replay/index.js +old mode 100644 +new mode 100755 +diff --git a/node_modules/rrweb/es/rrweb/packages/rrweb/src/record/cross-origin-iframe-mirror.js b/node_modules/rrweb/es/rrweb/packages/rrweb/src/record/cross-origin-iframe-mirror.js +new file mode 100755 +index 0000000..3bb031f +--- /dev/null ++++ b/node_modules/rrweb/es/rrweb/packages/rrweb/src/record/cross-origin-iframe-mirror.js +@@ -0,0 +1,63 @@ ++class CrossOriginIframeMirror { ++ constructor(generateIdFn) { ++ this.generateIdFn = generateIdFn; ++ this.iframeIdToRemoteIdMap = new WeakMap(); ++ this.iframeRemoteIdToIdMap = new WeakMap(); ++ } ++ getId(iframe, remoteId, idToRemoteMap, remoteToIdMap) { ++ const idToRemoteIdMap = idToRemoteMap || this.getIdToRemoteIdMap(iframe); ++ const remoteIdToIdMap = remoteToIdMap || this.getRemoteIdToIdMap(iframe); ++ let id = idToRemoteIdMap.get(remoteId); ++ if (!id) { ++ id = this.generateIdFn(); ++ idToRemoteIdMap.set(remoteId, id); ++ remoteIdToIdMap.set(id, remoteId); ++ } ++ return id; ++ } ++ getIds(iframe, remoteId) { ++ const idToRemoteIdMap = this.getIdToRemoteIdMap(iframe); ++ const remoteIdToIdMap = this.getRemoteIdToIdMap(iframe); ++ return remoteId.map((id) => this.getId(iframe, id, idToRemoteIdMap, remoteIdToIdMap)); ++ } ++ getRemoteId(iframe, id, map) { ++ const remoteIdToIdMap = map || this.getRemoteIdToIdMap(iframe); ++ if (typeof id !== 'number') ++ return id; ++ const remoteId = remoteIdToIdMap.get(id); ++ if (!remoteId) ++ return -1; ++ return remoteId; ++ } ++ getRemoteIds(iframe, ids) { ++ const remoteIdToIdMap = this.getRemoteIdToIdMap(iframe); ++ return ids.map((id) => this.getRemoteId(iframe, id, remoteIdToIdMap)); ++ } ++ reset(iframe) { ++ if (!iframe) { ++ this.iframeIdToRemoteIdMap = new WeakMap(); ++ this.iframeRemoteIdToIdMap = new WeakMap(); ++ return; ++ } ++ this.iframeIdToRemoteIdMap.delete(iframe); ++ this.iframeRemoteIdToIdMap.delete(iframe); ++ } ++ getIdToRemoteIdMap(iframe) { ++ let idToRemoteIdMap = this.iframeIdToRemoteIdMap.get(iframe); ++ if (!idToRemoteIdMap) { ++ idToRemoteIdMap = new Map(); ++ this.iframeIdToRemoteIdMap.set(iframe, idToRemoteIdMap); ++ } ++ return idToRemoteIdMap; ++ } ++ getRemoteIdToIdMap(iframe) { ++ let remoteIdToIdMap = this.iframeRemoteIdToIdMap.get(iframe); ++ if (!remoteIdToIdMap) { ++ remoteIdToIdMap = new Map(); ++ this.iframeRemoteIdToIdMap.set(iframe, remoteIdToIdMap); ++ } ++ return remoteIdToIdMap; ++ } ++} ++ ++export { CrossOriginIframeMirror as default }; +diff --git a/node_modules/rrweb/es/rrweb/packages/rrweb/src/record/iframe-manager.js b/node_modules/rrweb/es/rrweb/packages/rrweb/src/record/iframe-manager.js +old mode 100644 +new mode 100755 diff --git a/node_modules/rrweb/es/rrweb/packages/rrweb/src/record/index.js b/node_modules/rrweb/es/rrweb/packages/rrweb/src/record/index.js -index 8091399..48e8321 100644 +old mode 100644 +new mode 100755 +index 8091399..68af537 --- a/node_modules/rrweb/es/rrweb/packages/rrweb/src/record/index.js +++ b/node_modules/rrweb/es/rrweb/packages/rrweb/src/record/index.js -@@ -325,7 +325,11 @@ function record(options) { +@@ -15,7 +15,7 @@ var takeFullSnapshot; + var mirror = createMirror(); + function record(options) { + if (options === void 0) { options = {}; } +- var emit = options.emit, checkoutEveryNms = options.checkoutEveryNms, checkoutEveryNth = options.checkoutEveryNth, _a = options.blockClass, blockClass = _a === void 0 ? 'rr-block' : _a, _b = options.blockSelector, blockSelector = _b === void 0 ? null : _b, _c = options.ignoreClass, ignoreClass = _c === void 0 ? 'rr-ignore' : _c, _d = options.maskTextClass, maskTextClass = _d === void 0 ? 'rr-mask' : _d, _e = options.maskTextSelector, maskTextSelector = _e === void 0 ? null : _e, _f = options.inlineStylesheet, inlineStylesheet = _f === void 0 ? true : _f, maskAllInputs = options.maskAllInputs, _maskInputOptions = options.maskInputOptions, _slimDOMOptions = options.slimDOMOptions, maskInputFn = options.maskInputFn, maskTextFn = options.maskTextFn, hooks = options.hooks, packFn = options.packFn, _g = options.sampling, sampling = _g === void 0 ? {} : _g, mousemoveWait = options.mousemoveWait, _h = options.recordCanvas, recordCanvas = _h === void 0 ? false : _h, _j = options.userTriggeredOnInput, userTriggeredOnInput = _j === void 0 ? false : _j, _k = options.collectFonts, collectFonts = _k === void 0 ? false : _k, _l = options.inlineImages, inlineImages = _l === void 0 ? false : _l, plugins = options.plugins, _m = options.keepIframeSrcFn, keepIframeSrcFn = _m === void 0 ? function () { return false; } : _m; ++ var emit = options.emit, checkoutEveryNms = options.checkoutEveryNms, checkoutEveryNth = options.checkoutEveryNth, _a = options.blockClass, blockClass = _a === void 0 ? 'rr-block' : _a, _b = options.blockSelector, blockSelector = _b === void 0 ? null : _b, _c = options.unblockSelector, unblockSelector = _c === void 0 ? null : _c, _d = options.ignoreClass, ignoreClass = _d === void 0 ? 'rr-ignore' : _d, _e = options.ignoreSelector, ignoreSelector = _e === void 0 ? null : _e, _f = options.maskTextClass, maskTextClass = _f === void 0 ? 'rr-mask' : _f, _g = options.maskTextSelector, maskTextSelector = _g === void 0 ? null : _g, _h = options.maskInputSelector, maskInputSelector = _h === void 0 ? null : _h, _j = options.unmaskTextSelector, unmaskTextSelector = _j === void 0 ? null : _j, _k = options.unmaskInputSelector, unmaskInputSelector = _k === void 0 ? null : _k, _l = options.inlineStylesheet, inlineStylesheet = _l === void 0 ? true : _l, maskAllInputs = options.maskAllInputs, _maskInputOptions = options.maskInputOptions, _slimDOMOptions = options.slimDOMOptions, maskInputFn = options.maskInputFn, maskTextFn = options.maskTextFn, hooks = options.hooks, packFn = options.packFn, _m = options.sampling, sampling = _m === void 0 ? {} : _m, mousemoveWait = options.mousemoveWait, _o = options.recordCanvas, recordCanvas = _o === void 0 ? false : _o, _p = options.userTriggeredOnInput, userTriggeredOnInput = _p === void 0 ? false : _p, _q = options.collectFonts, collectFonts = _q === void 0 ? false : _q, _r = options.inlineImages, inlineImages = _r === void 0 ? false : _r, plugins = options.plugins, _s = options.keepIframeSrcFn, keepIframeSrcFn = _s === void 0 ? function () { return false; } : _s; + if (!emit) { + throw new Error('emit function is required'); + } +@@ -146,8 +146,12 @@ function record(options) { + bypassOptions: { + blockClass: blockClass, + blockSelector: blockSelector, ++ unblockSelector: unblockSelector, + maskTextClass: maskTextClass, + maskTextSelector: maskTextSelector, ++ unmaskTextSelector: unmaskTextSelector, ++ maskInputSelector: maskInputSelector, ++ unmaskInputSelector: unmaskInputSelector, + inlineStylesheet: inlineStylesheet, + maskInputOptions: maskInputOptions, + maskTextFn: maskTextFn, +@@ -176,8 +180,12 @@ function record(options) { + var _e = __read(snapshot(document, { + blockClass: blockClass, + blockSelector: blockSelector, ++ unblockSelector: unblockSelector, + maskTextClass: maskTextClass, + maskTextSelector: maskTextSelector, ++ unmaskTextSelector: unmaskTextSelector, ++ maskInputSelector: maskInputSelector, ++ unmaskInputSelector: unmaskInputSelector, + inlineStylesheet: inlineStylesheet, + maskAllInputs: maskInputOptions, + maskTextFn: maskTextFn, +@@ -291,8 +299,12 @@ function record(options) { + }, + blockClass: blockClass, + ignoreClass: ignoreClass, ++ ignoreSelector: ignoreSelector, + maskTextClass: maskTextClass, + maskTextSelector: maskTextSelector, ++ unmaskTextSelector: unmaskTextSelector, ++ maskInputSelector: maskInputSelector, ++ unmaskInputSelector: unmaskInputSelector, + maskInputOptions: maskInputOptions, + inlineStylesheet: inlineStylesheet, + sampling: sampling, +@@ -304,6 +316,7 @@ function record(options) { + maskInputFn: maskInputFn, + maskTextFn: maskTextFn, + blockSelector: blockSelector, ++ unblockSelector: unblockSelector, + slimDOMOptions: slimDOMOptions, + mirror: mirror, + iframeManager: iframeManager, +@@ -325,7 +338,12 @@ function record(options) { + }, hooks); + }; + iframeManager.addLoadListener(function (iframeEl) { +- handlers_1.push(observe_1(iframeEl.contentDocument)); ++ try { ++ handlers_1.push(observe_1(iframeEl.contentDocument)); ++ } ++ catch (error) { ++ console.warn(error); ++ } + }); + var init_1 = function () { + takeFullSnapshot(); +diff --git a/node_modules/rrweb/es/rrweb/packages/rrweb/src/record/mutation.js b/node_modules/rrweb/es/rrweb/packages/rrweb/src/record/mutation.js +old mode 100644 +new mode 100755 +index fd183b9..02ba7b8 +--- a/node_modules/rrweb/es/rrweb/packages/rrweb/src/record/mutation.js ++++ b/node_modules/rrweb/es/rrweb/packages/rrweb/src/record/mutation.js +@@ -144,8 +144,12 @@ var MutationBuffer = (function () { + map: _this.mirror.map, + blockClass: _this.blockClass, + blockSelector: _this.blockSelector, ++ unblockSelector: _this.unblockSelector, + maskTextClass: _this.maskTextClass, + maskTextSelector: _this.maskTextSelector, ++ unmaskTextSelector: _this.unmaskTextSelector, ++ maskInputSelector: _this.maskInputSelector, ++ unmaskInputSelector: _this.unmaskInputSelector, + skipChild: true, + inlineStylesheet: _this.inlineStylesheet, + maskInputOptions: _this.maskInputOptions, +@@ -291,7 +295,7 @@ var MutationBuffer = (function () { + var value = m.target.textContent; + if (!isBlocked(m.target, _this.blockClass) && value !== m.oldValue) { + _this.texts.push({ +- value: needMaskingText(m.target, _this.maskTextClass, _this.maskTextSelector) && value ++ value: needMaskingText(m.target, _this.maskTextClass, _this.maskTextSelector, _this.unmaskTextSelector) && value + ? _this.maskTextFn + ? _this.maskTextFn(value) + : value.replace(/[\S]/g, '*') +@@ -306,6 +310,9 @@ var MutationBuffer = (function () { + var value = m.target.getAttribute(m.attributeName); + if (m.attributeName === 'value') { + value = maskInputValue({ ++ input: target, ++ maskInputSelector: _this.maskInputSelector, ++ unmaskInputSelector: _this.unmaskInputSelector, + maskInputOptions: _this.maskInputOptions, + tagName: m.target.tagName, + type: m.target.getAttribute('type'), +@@ -442,8 +449,12 @@ var MutationBuffer = (function () { + 'mutationCb', + 'blockClass', + 'blockSelector', ++ 'unblockSelector', + 'maskTextClass', + 'maskTextSelector', ++ 'unmaskTextSelector', ++ 'maskInputSelector', ++ 'unmaskInputSelector', + 'inlineStylesheet', + 'maskInputOptions', + 'maskTextFn', +diff --git a/node_modules/rrweb/es/rrweb/packages/rrweb/src/record/observer.js b/node_modules/rrweb/es/rrweb/packages/rrweb/src/record/observer.js +old mode 100644 +new mode 100755 +index 9895009..3436ede +--- a/node_modules/rrweb/es/rrweb/packages/rrweb/src/record/observer.js ++++ b/node_modules/rrweb/es/rrweb/packages/rrweb/src/record/observer.js +@@ -1,4 +1,4 @@ +-import { __read, __values, __spreadArray, __assign } from '../../ext/tslib/tslib.es6.js'; ++import { __values, __spreadArray, __read, __assign } from '../../ext/tslib/tslib.es6.js'; + import { maskInputValue } from '../../../rrweb-snapshot/es/rrweb-snapshot.js'; + import { on, throttle, isTouchEvent, isBlocked, getWindowHeight, getWindowWidth, hookSetter, patch } from '../utils.js'; + import { IncrementalSource, MouseInteractions } from '../types.js'; +@@ -198,7 +198,7 @@ function wrapEventWithUserTriggeredFlag(v, enable) { + var INPUT_TAGS = ['INPUT', 'TEXTAREA', 'SELECT']; + var lastInputValueMap = new WeakMap(); + function initInputObserver(_a) { +- var inputCb = _a.inputCb, doc = _a.doc, mirror = _a.mirror, blockClass = _a.blockClass, ignoreClass = _a.ignoreClass, maskInputOptions = _a.maskInputOptions, maskInputFn = _a.maskInputFn, sampling = _a.sampling, userTriggeredOnInput = _a.userTriggeredOnInput; ++ var inputCb = _a.inputCb, doc = _a.doc, mirror = _a.mirror, blockClass = _a.blockClass, ignoreClass = _a.ignoreClass, ignoreSelector = _a.ignoreSelector, maskInputSelector = _a.maskInputSelector, unmaskInputSelector = _a.unmaskInputSelector, maskInputOptions = _a.maskInputOptions, maskInputFn = _a.maskInputFn, sampling = _a.sampling, userTriggeredOnInput = _a.userTriggeredOnInput; + function eventHandler(event) { + var target = getEventTarget(event); + var userTriggered = event.isTrusted; +@@ -211,7 +211,7 @@ function initInputObserver(_a) { + return; + } + var type = target.type; +- if (target.classList.contains(ignoreClass)) { ++ if (target.classList.contains(ignoreClass) || (ignoreSelector && target.matches(ignoreSelector))) { + return; + } + var text = target.value; +@@ -222,7 +222,10 @@ function initInputObserver(_a) { + else if (maskInputOptions[target.tagName.toLowerCase()] || + maskInputOptions[type]) { + text = maskInputValue({ ++ input: target, + maskInputOptions: maskInputOptions, ++ maskInputSelector: maskInputSelector, ++ unmaskInputSelector: unmaskInputSelector, + tagName: target.tagName, + type: type, + value: text, +@@ -306,6 +309,9 @@ function getNestedCSSRulePositions(rule) { + function initStyleSheetObserver(_a, _b) { + var styleSheetRuleCb = _a.styleSheetRuleCb, mirror = _a.mirror; + var win = _b.win; ++ if (!win.CSSStyleSheet || !win.CSSStyleSheet.prototype) { ++ return function () { }; ++ } + var insertRule = win.CSSStyleSheet.prototype.insertRule; + win.CSSStyleSheet.prototype.insertRule = function (rule, index) { + var id = mirror.getId(this.ownerNode); +diff --git a/node_modules/rrweb/es/rrweb/packages/rrweb/src/record/observers/canvas/2d.js b/node_modules/rrweb/es/rrweb/packages/rrweb/src/record/observers/canvas/2d.js +old mode 100644 +new mode 100755 +diff --git a/node_modules/rrweb/es/rrweb/packages/rrweb/src/record/observers/canvas/canvas-manager.js b/node_modules/rrweb/es/rrweb/packages/rrweb/src/record/observers/canvas/canvas-manager.js +old mode 100644 +new mode 100755 +diff --git a/node_modules/rrweb/es/rrweb/packages/rrweb/src/record/observers/canvas/canvas.js b/node_modules/rrweb/es/rrweb/packages/rrweb/src/record/observers/canvas/canvas.js +old mode 100644 +new mode 100755 +diff --git a/node_modules/rrweb/es/rrweb/packages/rrweb/src/record/observers/canvas/serialize-args.js b/node_modules/rrweb/es/rrweb/packages/rrweb/src/record/observers/canvas/serialize-args.js +old mode 100644 +new mode 100755 +diff --git a/node_modules/rrweb/es/rrweb/packages/rrweb/src/record/observers/canvas/webgl.js b/node_modules/rrweb/es/rrweb/packages/rrweb/src/record/observers/canvas/webgl.js +old mode 100644 +new mode 100755 +diff --git a/node_modules/rrweb/es/rrweb/packages/rrweb/src/record/shadow-dom-manager.js b/node_modules/rrweb/es/rrweb/packages/rrweb/src/record/shadow-dom-manager.js +old mode 100644 +new mode 100755 +diff --git a/node_modules/rrweb/es/rrweb/packages/rrweb/src/record/stylesheet-manager.js b/node_modules/rrweb/es/rrweb/packages/rrweb/src/record/stylesheet-manager.js +new file mode 100755 +index 0000000..0165f4b +--- /dev/null ++++ b/node_modules/rrweb/es/rrweb/packages/rrweb/src/record/stylesheet-manager.js +@@ -0,0 +1,72 @@ ++import { getCssRuleString } from '../../../rrweb-snapshot/es/rrweb-snapshot.js'; ++import { StyleSheetMirror } from '../utils.js'; ++ ++class StylesheetManager { ++ constructor(options) { ++ this.trackedLinkElements = new WeakSet(); ++ this.styleMirror = new StyleSheetMirror(); ++ this.mutationCb = options.mutationCb; ++ this.adoptedStyleSheetCb = options.adoptedStyleSheetCb; ++ } ++ attachLinkElement(linkEl, childSn) { ++ if ('_cssText' in childSn.attributes) ++ this.mutationCb({ ++ adds: [], ++ removes: [], ++ texts: [], ++ attributes: [ ++ { ++ id: childSn.id, ++ attributes: childSn ++ .attributes, ++ }, ++ ], ++ }); ++ this.trackLinkElement(linkEl); ++ } ++ trackLinkElement(linkEl) { ++ if (this.trackedLinkElements.has(linkEl)) ++ return; ++ this.trackedLinkElements.add(linkEl); ++ this.trackStylesheetInLinkElement(linkEl); ++ } ++ adoptStyleSheets(sheets, hostId) { ++ if (sheets.length === 0) ++ return; ++ const adoptedStyleSheetData = { ++ id: hostId, ++ styleIds: [], ++ }; ++ const styles = []; ++ for (const sheet of sheets) { ++ let styleId; ++ if (!this.styleMirror.has(sheet)) { ++ styleId = this.styleMirror.add(sheet); ++ const rules = Array.from(sheet.rules || CSSRule); ++ styles.push({ ++ styleId, ++ rules: rules.map((r, index) => { ++ return { ++ rule: getCssRuleString(r), ++ index, ++ }; ++ }), ++ }); ++ } ++ else ++ styleId = this.styleMirror.getId(sheet); ++ adoptedStyleSheetData.styleIds.push(styleId); ++ } ++ if (styles.length > 0) ++ adoptedStyleSheetData.styles = styles; ++ this.adoptedStyleSheetCb(adoptedStyleSheetData); ++ } ++ reset() { ++ this.styleMirror.reset(); ++ this.trackedLinkElements = new WeakSet(); ++ } ++ trackStylesheetInLinkElement(linkEl) { ++ } ++} ++ ++export { StylesheetManager }; +diff --git a/node_modules/rrweb/es/rrweb/packages/rrweb/src/replay/canvas/2d.js b/node_modules/rrweb/es/rrweb/packages/rrweb/src/replay/canvas/2d.js +old mode 100644 +new mode 100755 +diff --git a/node_modules/rrweb/es/rrweb/packages/rrweb/src/replay/canvas/deserialize-args.js b/node_modules/rrweb/es/rrweb/packages/rrweb/src/replay/canvas/deserialize-args.js +new file mode 100755 +index 0000000..67cf152 +--- /dev/null ++++ b/node_modules/rrweb/es/rrweb/packages/rrweb/src/replay/canvas/deserialize-args.js +@@ -0,0 +1,67 @@ ++import { __awaiter } from './../../../../../ext/tslib/tslib.es6.js'; ++import { decode } from './../../../../../ext/base64-arraybuffer/dist/base64-arraybuffer.es5.js'; ++ ++const webGLVarMap = new Map(); ++function variableListFor(ctx, ctor) { ++ let contextMap = webGLVarMap.get(ctx); ++ if (!contextMap) { ++ contextMap = new Map(); ++ webGLVarMap.set(ctx, contextMap); ++ } ++ if (!contextMap.has(ctor)) { ++ contextMap.set(ctor, []); ++ } ++ return contextMap.get(ctor); ++} ++function deserializeArg(imageMap, ctx, preload) { ++ return (arg) => __awaiter(this, void 0, void 0, function* () { ++ if (arg && typeof arg === 'object' && 'rr_type' in arg) { ++ if (preload) ++ preload.isUnchanged = false; ++ if (arg.rr_type === 'ImageBitmap' && 'args' in arg) { ++ const args = yield deserializeArg(imageMap, ctx, preload)(arg.args); ++ return yield createImageBitmap.apply(null, args); ++ } ++ else if ('index' in arg) { ++ if (preload || ctx === null) ++ return arg; ++ const { rr_type: name, index } = arg; ++ return variableListFor(ctx, name)[index]; ++ } ++ else if ('args' in arg) { ++ const { rr_type: name, args } = arg; ++ const ctor = window[name]; ++ return new ctor(...(yield Promise.all(args.map(deserializeArg(imageMap, ctx, preload))))); ++ } ++ else if ('base64' in arg) { ++ return decode(arg.base64); ++ } ++ else if ('src' in arg) { ++ const image = imageMap.get(arg.src); ++ if (image) { ++ return image; ++ } ++ else { ++ const image = new Image(); ++ image.src = arg.src; ++ imageMap.set(arg.src, image); ++ return image; ++ } ++ } ++ else if ('data' in arg && arg.rr_type === 'Blob') { ++ const blobContents = yield Promise.all(arg.data.map(deserializeArg(imageMap, ctx, preload))); ++ const blob = new Blob(blobContents, { ++ type: arg.type, ++ }); ++ return blob; ++ } ++ } ++ else if (Array.isArray(arg)) { ++ const result = yield Promise.all(arg.map(deserializeArg(imageMap, ctx, preload))); ++ return result; ++ } ++ return arg; ++ }); ++} ++ ++export { deserializeArg, variableListFor }; +diff --git a/node_modules/rrweb/es/rrweb/packages/rrweb/src/replay/canvas/index.js b/node_modules/rrweb/es/rrweb/packages/rrweb/src/replay/canvas/index.js +old mode 100644 +new mode 100755 +diff --git a/node_modules/rrweb/es/rrweb/packages/rrweb/src/replay/canvas/webgl.js b/node_modules/rrweb/es/rrweb/packages/rrweb/src/replay/canvas/webgl.js +old mode 100644 +new mode 100755 +diff --git a/node_modules/rrweb/es/rrweb/packages/rrweb/src/replay/index.js b/node_modules/rrweb/es/rrweb/packages/rrweb/src/replay/index.js +old mode 100644 +new mode 100755 +diff --git a/node_modules/rrweb/es/rrweb/packages/rrweb/src/replay/machine.js b/node_modules/rrweb/es/rrweb/packages/rrweb/src/replay/machine.js +old mode 100644 +new mode 100755 +diff --git a/node_modules/rrweb/es/rrweb/packages/rrweb/src/replay/smoothscroll.js b/node_modules/rrweb/es/rrweb/packages/rrweb/src/replay/smoothscroll.js +old mode 100644 +new mode 100755 +diff --git a/node_modules/rrweb/es/rrweb/packages/rrweb/src/replay/styles/inject-style.js b/node_modules/rrweb/es/rrweb/packages/rrweb/src/replay/styles/inject-style.js +old mode 100644 +new mode 100755 +diff --git a/node_modules/rrweb/es/rrweb/packages/rrweb/src/replay/timer.js b/node_modules/rrweb/es/rrweb/packages/rrweb/src/replay/timer.js +old mode 100644 +new mode 100755 +diff --git a/node_modules/rrweb/es/rrweb/packages/rrweb/src/utils.js b/node_modules/rrweb/es/rrweb/packages/rrweb/src/utils.js +old mode 100644 +new mode 100755 +diff --git a/node_modules/rrweb/es/rrweb/packages/types/dist/types.js b/node_modules/rrweb/es/rrweb/packages/types/dist/types.js +new file mode 100755 +index 0000000..12675ed +--- /dev/null ++++ b/node_modules/rrweb/es/rrweb/packages/types/dist/types.js +@@ -0,0 +1,71 @@ ++var EventType = /* @__PURE__ */ ((EventType2) => { ++ EventType2[EventType2["DomContentLoaded"] = 0] = "DomContentLoaded"; ++ EventType2[EventType2["Load"] = 1] = "Load"; ++ EventType2[EventType2["FullSnapshot"] = 2] = "FullSnapshot"; ++ EventType2[EventType2["IncrementalSnapshot"] = 3] = "IncrementalSnapshot"; ++ EventType2[EventType2["Meta"] = 4] = "Meta"; ++ EventType2[EventType2["Custom"] = 5] = "Custom"; ++ EventType2[EventType2["Plugin"] = 6] = "Plugin"; ++ return EventType2; ++})(EventType || {}); ++var IncrementalSource = /* @__PURE__ */ ((IncrementalSource2) => { ++ IncrementalSource2[IncrementalSource2["Mutation"] = 0] = "Mutation"; ++ IncrementalSource2[IncrementalSource2["MouseMove"] = 1] = "MouseMove"; ++ IncrementalSource2[IncrementalSource2["MouseInteraction"] = 2] = "MouseInteraction"; ++ IncrementalSource2[IncrementalSource2["Scroll"] = 3] = "Scroll"; ++ IncrementalSource2[IncrementalSource2["ViewportResize"] = 4] = "ViewportResize"; ++ IncrementalSource2[IncrementalSource2["Input"] = 5] = "Input"; ++ IncrementalSource2[IncrementalSource2["TouchMove"] = 6] = "TouchMove"; ++ IncrementalSource2[IncrementalSource2["MediaInteraction"] = 7] = "MediaInteraction"; ++ IncrementalSource2[IncrementalSource2["StyleSheetRule"] = 8] = "StyleSheetRule"; ++ IncrementalSource2[IncrementalSource2["CanvasMutation"] = 9] = "CanvasMutation"; ++ IncrementalSource2[IncrementalSource2["Font"] = 10] = "Font"; ++ IncrementalSource2[IncrementalSource2["Log"] = 11] = "Log"; ++ IncrementalSource2[IncrementalSource2["Drag"] = 12] = "Drag"; ++ IncrementalSource2[IncrementalSource2["StyleDeclaration"] = 13] = "StyleDeclaration"; ++ IncrementalSource2[IncrementalSource2["Selection"] = 14] = "Selection"; ++ IncrementalSource2[IncrementalSource2["AdoptedStyleSheet"] = 15] = "AdoptedStyleSheet"; ++ return IncrementalSource2; ++})(IncrementalSource || {}); ++var MouseInteractions = /* @__PURE__ */ ((MouseInteractions2) => { ++ MouseInteractions2[MouseInteractions2["MouseUp"] = 0] = "MouseUp"; ++ MouseInteractions2[MouseInteractions2["MouseDown"] = 1] = "MouseDown"; ++ MouseInteractions2[MouseInteractions2["Click"] = 2] = "Click"; ++ MouseInteractions2[MouseInteractions2["ContextMenu"] = 3] = "ContextMenu"; ++ MouseInteractions2[MouseInteractions2["DblClick"] = 4] = "DblClick"; ++ MouseInteractions2[MouseInteractions2["Focus"] = 5] = "Focus"; ++ MouseInteractions2[MouseInteractions2["Blur"] = 6] = "Blur"; ++ MouseInteractions2[MouseInteractions2["TouchStart"] = 7] = "TouchStart"; ++ MouseInteractions2[MouseInteractions2["TouchMove_Departed"] = 8] = "TouchMove_Departed"; ++ MouseInteractions2[MouseInteractions2["TouchEnd"] = 9] = "TouchEnd"; ++ MouseInteractions2[MouseInteractions2["TouchCancel"] = 10] = "TouchCancel"; ++ return MouseInteractions2; ++})(MouseInteractions || {}); ++var CanvasContext = /* @__PURE__ */ ((CanvasContext2) => { ++ CanvasContext2[CanvasContext2["2D"] = 0] = "2D"; ++ CanvasContext2[CanvasContext2["WebGL"] = 1] = "WebGL"; ++ CanvasContext2[CanvasContext2["WebGL2"] = 2] = "WebGL2"; ++ return CanvasContext2; ++})(CanvasContext || {}); ++var ReplayerEvents = /* @__PURE__ */ ((ReplayerEvents2) => { ++ ReplayerEvents2["Start"] = "start"; ++ ReplayerEvents2["Pause"] = "pause"; ++ ReplayerEvents2["Resume"] = "resume"; ++ ReplayerEvents2["Resize"] = "resize"; ++ ReplayerEvents2["Finish"] = "finish"; ++ ReplayerEvents2["FullsnapshotRebuilded"] = "fullsnapshot-rebuilded"; ++ ReplayerEvents2["LoadStylesheetStart"] = "load-stylesheet-start"; ++ ReplayerEvents2["LoadStylesheetEnd"] = "load-stylesheet-end"; ++ ReplayerEvents2["SkipStart"] = "skip-start"; ++ ReplayerEvents2["SkipEnd"] = "skip-end"; ++ ReplayerEvents2["MouseInteraction"] = "mouse-interaction"; ++ ReplayerEvents2["EventCast"] = "event-cast"; ++ ReplayerEvents2["CustomEvent"] = "custom-event"; ++ ReplayerEvents2["Flush"] = "flush"; ++ ReplayerEvents2["StateChange"] = "state-change"; ++ ReplayerEvents2["PlayBack"] = "play-back"; ++ ReplayerEvents2["Destroy"] = "destroy"; ++ return ReplayerEvents2; ++})(ReplayerEvents || {}); ++ ++export { CanvasContext, EventType, IncrementalSource, MouseInteractions, ReplayerEvents }; +diff --git a/node_modules/rrweb/lib/plugins/canvas-webrtc-record.js b/node_modules/rrweb/lib/plugins/canvas-webrtc-record.js +new file mode 100755 +index 0000000..c71ccef +--- /dev/null ++++ b/node_modules/rrweb/lib/plugins/canvas-webrtc-record.js +@@ -0,0 +1,1403 @@ ++'use strict'; ++ ++Object.defineProperty(exports, '__esModule', { value: true }); ++ ++/*! simple-peer. MIT License. Feross Aboukhadijeh */ ++const MAX_BUFFERED_AMOUNT = 64 * 1024; ++const ICECOMPLETE_TIMEOUT = 5 * 1000; ++const CHANNEL_CLOSING_TIMEOUT = 5 * 1000; ++ ++function randombytes (size) { ++ const array = new Uint8Array(size); ++ for (let i = 0; i < size; i++) { ++ array[i] = (Math.random() * 256) | 0; ++ } ++ return array ++} ++ ++function getBrowserRTC () { ++ if (typeof globalThis === 'undefined') return null ++ const wrtc = { ++ RTCPeerConnection: ++ globalThis.RTCPeerConnection || ++ globalThis.mozRTCPeerConnection || ++ globalThis.webkitRTCPeerConnection, ++ RTCSessionDescription: ++ globalThis.RTCSessionDescription || ++ globalThis.mozRTCSessionDescription || ++ globalThis.webkitRTCSessionDescription, ++ RTCIceCandidate: ++ globalThis.RTCIceCandidate || ++ globalThis.mozRTCIceCandidate || ++ globalThis.webkitRTCIceCandidate ++ }; ++ if (!wrtc.RTCPeerConnection) return null ++ return wrtc ++} ++ ++function errCode (err, code) { ++ Object.defineProperty(err, 'code', { ++ value: code, ++ enumerable: true, ++ configurable: true ++ }); ++ return err ++} ++ ++// HACK: Filter trickle lines when trickle is disabled #354 ++function filterTrickle (sdp) { ++ return sdp.replace(/a=ice-options:trickle\s\n/g, '') ++} ++ ++function warn (message) { ++ console.warn(message); ++} ++ ++/** ++ * WebRTC peer connection. ++ * @param {Object} opts ++ */ ++class Peer { ++ constructor (opts = {}) { ++ this._map = new Map(); // for event emitter ++ ++ this._id = randombytes(4).toString('hex').slice(0, 7); ++ this._doDebug = opts.debug; ++ this._debug('new peer %o', opts); ++ ++ this.channelName = opts.initiator ++ ? opts.channelName || randombytes(20).toString('hex') ++ : null; ++ ++ this.initiator = opts.initiator || false; ++ this.channelConfig = opts.channelConfig || Peer.channelConfig; ++ this.channelNegotiated = this.channelConfig.negotiated; ++ this.config = Object.assign({}, Peer.config, opts.config); ++ this.offerOptions = opts.offerOptions || {}; ++ this.answerOptions = opts.answerOptions || {}; ++ this.sdpTransform = opts.sdpTransform || (sdp => sdp); ++ this.streams = opts.streams || (opts.stream ? [opts.stream] : []); // support old "stream" option ++ this.trickle = opts.trickle !== undefined ? opts.trickle : true; ++ this.allowHalfTrickle = ++ opts.allowHalfTrickle !== undefined ? opts.allowHalfTrickle : false; ++ this.iceCompleteTimeout = opts.iceCompleteTimeout || ICECOMPLETE_TIMEOUT; ++ ++ this.destroyed = false; ++ this.destroying = false; ++ this._connected = false; ++ ++ this.remoteAddress = undefined; ++ this.remoteFamily = undefined; ++ this.remotePort = undefined; ++ this.localAddress = undefined; ++ this.localFamily = undefined; ++ this.localPort = undefined; ++ ++ this._wrtc = ++ opts.wrtc && typeof opts.wrtc === 'object' ? opts.wrtc : getBrowserRTC(); ++ ++ if (!this._wrtc) { ++ if (typeof window === 'undefined') { ++ throw errCode( ++ new Error( ++ 'No WebRTC support: Specify `opts.wrtc` option in this environment' ++ ), ++ 'ERR_WEBRTC_SUPPORT' ++ ) ++ } else { ++ throw errCode( ++ new Error('No WebRTC support: Not a supported browser'), ++ 'ERR_WEBRTC_SUPPORT' ++ ) ++ } ++ } ++ ++ this._pcReady = false; ++ this._channelReady = false; ++ this._iceComplete = false; // ice candidate trickle done (got null candidate) ++ this._iceCompleteTimer = null; // send an offer/answer anyway after some timeout ++ this._channel = null; ++ this._pendingCandidates = []; ++ ++ this._isNegotiating = false; // is this peer waiting for negotiation to complete? ++ this._firstNegotiation = true; ++ this._batchedNegotiation = false; // batch synchronous negotiations ++ this._queuedNegotiation = false; // is there a queued negotiation request? ++ this._sendersAwaitingStable = []; ++ this._senderMap = new Map(); ++ this._closingInterval = null; ++ ++ this._remoteTracks = []; ++ this._remoteStreams = []; ++ ++ this._chunk = null; ++ this._cb = null; ++ this._interval = null; ++ ++ try { ++ this._pc = new this._wrtc.RTCPeerConnection(this.config); ++ } catch (err) { ++ this.destroy(errCode(err, 'ERR_PC_CONSTRUCTOR')); ++ return ++ } ++ ++ // We prefer feature detection whenever possible, but sometimes that's not ++ // possible for certain implementations. ++ this._isReactNativeWebrtc = typeof this._pc._peerConnectionId === 'number'; ++ ++ this._pc.oniceconnectionstatechange = () => { ++ this._onIceStateChange(); ++ }; ++ this._pc.onicegatheringstatechange = () => { ++ this._onIceStateChange(); ++ }; ++ this._pc.onconnectionstatechange = () => { ++ this._onConnectionStateChange(); ++ }; ++ this._pc.onsignalingstatechange = () => { ++ this._onSignalingStateChange(); ++ }; ++ this._pc.onicecandidate = event => { ++ this._onIceCandidate(event); ++ }; ++ ++ // HACK: Fix for odd Firefox behavior, see: https://github.com/feross/simple-peer/pull/783 ++ if (typeof this._pc.peerIdentity === 'object') { ++ this._pc.peerIdentity.catch(err => { ++ this.destroy(errCode(err, 'ERR_PC_PEER_IDENTITY')); ++ }); ++ } ++ ++ // Other spec events, unused by this implementation: ++ // - onconnectionstatechange ++ // - onicecandidateerror ++ // - onfingerprintfailure ++ // - onnegotiationneeded ++ ++ if (this.initiator || this.channelNegotiated) { ++ this._setupData({ ++ channel: this._pc.createDataChannel( ++ this.channelName, ++ this.channelConfig ++ ) ++ }); ++ } else { ++ this._pc.ondatachannel = event => { ++ this._setupData(event); ++ }; ++ } ++ ++ if (this.streams) { ++ this.streams.forEach(stream => { ++ this.addStream(stream); ++ }); ++ } ++ this._pc.ontrack = event => { ++ this._onTrack(event); ++ }; ++ ++ this._debug('initial negotiation'); ++ this._needsNegotiation(); ++ } ++ ++ get bufferSize () { ++ return (this._channel && this._channel.bufferedAmount) || 0 ++ } ++ ++ // HACK: it's possible channel.readyState is "closing" before peer.destroy() fires ++ // https://bugs.chromium.org/p/chromium/issues/detail?id=882743 ++ get connected () { ++ return this._connected && this._channel.readyState === 'open' ++ } ++ ++ address () { ++ return { ++ port: this.localPort, ++ family: this.localFamily, ++ address: this.localAddress ++ } ++ } ++ ++ signal (data) { ++ if (this.destroying) return ++ if (this.destroyed) throw errCode(new Error('cannot signal after peer is destroyed'), 'ERR_DESTROYED') ++ if (typeof data === 'string') { ++ try { ++ data = JSON.parse(data); ++ } catch (err) { ++ data = {}; ++ } ++ } ++ this._debug('signal()'); ++ ++ if (data.renegotiate && this.initiator) { ++ this._debug('got request to renegotiate'); ++ this._needsNegotiation(); ++ } ++ if (data.transceiverRequest && this.initiator) { ++ this._debug('got request for transceiver'); ++ this.addTransceiver( ++ data.transceiverRequest.kind, ++ data.transceiverRequest.init ++ ); ++ } ++ if (data.candidate) { ++ if (this._pc.remoteDescription && this._pc.remoteDescription.type) { ++ this._addIceCandidate(data.candidate); ++ } else { ++ this._pendingCandidates.push(data.candidate); ++ } ++ } ++ if (data.sdp) { ++ this._pc ++ .setRemoteDescription(new this._wrtc.RTCSessionDescription(data)) ++ .then(() => { ++ if (this.destroyed) return ++ ++ this._pendingCandidates.forEach(candidate => { ++ this._addIceCandidate(candidate); ++ }); ++ this._pendingCandidates = []; ++ ++ if (this._pc.remoteDescription.type === 'offer') this._createAnswer(); ++ }) ++ .catch(err => { ++ this.destroy(errCode(err, 'ERR_SET_REMOTE_DESCRIPTION')); ++ }); ++ } ++ if ( ++ !data.sdp && ++ !data.candidate && ++ !data.renegotiate && ++ !data.transceiverRequest ++ ) { ++ this.destroy( ++ errCode( ++ new Error('signal() called with invalid signal data'), ++ 'ERR_SIGNALING' ++ ) ++ ); ++ } ++ } ++ ++ _addIceCandidate (candidate) { ++ const iceCandidateObj = new this._wrtc.RTCIceCandidate(candidate); ++ this._pc.addIceCandidate(iceCandidateObj).catch(err => { ++ if ( ++ !iceCandidateObj.address || ++ iceCandidateObj.address.endsWith('.local') ++ ) { ++ warn('Ignoring unsupported ICE candidate.'); ++ } else { ++ this.destroy(errCode(err, 'ERR_ADD_ICE_CANDIDATE')); ++ } ++ }); ++ } ++ ++ /** ++ * Send text/binary data to the remote peer. ++ * @param {ArrayBufferView|ArrayBuffer|string|Blob} chunk ++ */ ++ send (chunk) { ++ if (this.destroying) return ++ if (this.destroyed) throw errCode(new Error('cannot send after peer is destroyed'), 'ERR_DESTROYED') ++ this._channel.send(chunk); ++ } ++ ++ /** ++ * Add a Transceiver to the connection. ++ * @param {String} kind ++ * @param {Object} init ++ */ ++ addTransceiver (kind, init) { ++ if (this.destroying) return ++ if (this.destroyed) throw errCode(new Error('cannot addTransceiver after peer is destroyed'), 'ERR_DESTROYED') ++ this._debug('addTransceiver()'); ++ ++ if (this.initiator) { ++ try { ++ this._pc.addTransceiver(kind, init); ++ this._needsNegotiation(); ++ } catch (err) { ++ this.destroy(errCode(err, 'ERR_ADD_TRANSCEIVER')); ++ } ++ } else { ++ this.emit('signal', { ++ // request initiator to renegotiate ++ type: 'transceiverRequest', ++ transceiverRequest: { kind, init } ++ }); ++ } ++ } ++ ++ /** ++ * Add a MediaStream to the connection. ++ * @param {MediaStream} stream ++ */ ++ addStream (stream) { ++ if (this.destroying) return ++ if (this.destroyed) throw errCode(new Error('cannot addStream after peer is destroyed'), 'ERR_DESTROYED') ++ this._debug('addStream()'); ++ ++ stream.getTracks().forEach(track => { ++ this.addTrack(track, stream); ++ }); ++ } ++ ++ /** ++ * Add a MediaStreamTrack to the connection. ++ * @param {MediaStreamTrack} track ++ * @param {MediaStream} stream ++ */ ++ addTrack (track, stream) { ++ if (this.destroying) return ++ if (this.destroyed) throw errCode(new Error('cannot addTrack after peer is destroyed'), 'ERR_DESTROYED') ++ this._debug('addTrack()'); ++ ++ const submap = this._senderMap.get(track) || new Map(); // nested Maps map [track, stream] to sender ++ let sender = submap.get(stream); ++ if (!sender) { ++ sender = this._pc.addTrack(track, stream); ++ submap.set(stream, sender); ++ this._senderMap.set(track, submap); ++ this._needsNegotiation(); ++ } else if (sender.removed) { ++ throw errCode( ++ new Error( ++ 'Track has been removed. You should enable/disable tracks that you want to re-add.' ++ ), ++ 'ERR_SENDER_REMOVED' ++ ) ++ } else { ++ throw errCode( ++ new Error('Track has already been added to that stream.'), ++ 'ERR_SENDER_ALREADY_ADDED' ++ ) ++ } ++ } ++ ++ /** ++ * Replace a MediaStreamTrack by another in the connection. ++ * @param {MediaStreamTrack} oldTrack ++ * @param {MediaStreamTrack} newTrack ++ * @param {MediaStream} stream ++ */ ++ replaceTrack (oldTrack, newTrack, stream) { ++ if (this.destroying) return ++ if (this.destroyed) throw errCode(new Error('cannot replaceTrack after peer is destroyed'), 'ERR_DESTROYED') ++ this._debug('replaceTrack()'); ++ ++ const submap = this._senderMap.get(oldTrack); ++ const sender = submap ? submap.get(stream) : null; ++ if (!sender) { ++ throw errCode( ++ new Error('Cannot replace track that was never added.'), ++ 'ERR_TRACK_NOT_ADDED' ++ ) ++ } ++ if (newTrack) this._senderMap.set(newTrack, submap); ++ ++ if (sender.replaceTrack != null) { ++ sender.replaceTrack(newTrack); ++ } else { ++ this.destroy( ++ errCode( ++ new Error('replaceTrack is not supported in this browser'), ++ 'ERR_UNSUPPORTED_REPLACETRACK' ++ ) ++ ); ++ } ++ } ++ ++ /** ++ * Remove a MediaStreamTrack from the connection. ++ * @param {MediaStreamTrack} track ++ * @param {MediaStream} stream ++ */ ++ removeTrack (track, stream) { ++ if (this.destroying) return ++ if (this.destroyed) throw errCode(new Error('cannot removeTrack after peer is destroyed'), 'ERR_DESTROYED') ++ this._debug('removeSender()'); ++ ++ const submap = this._senderMap.get(track); ++ const sender = submap ? submap.get(stream) : null; ++ if (!sender) { ++ throw errCode( ++ new Error('Cannot remove track that was never added.'), ++ 'ERR_TRACK_NOT_ADDED' ++ ) ++ } ++ try { ++ sender.removed = true; ++ this._pc.removeTrack(sender); ++ } catch (err) { ++ if (err.name === 'NS_ERROR_UNEXPECTED') { ++ this._sendersAwaitingStable.push(sender); // HACK: Firefox must wait until (signalingState === stable) https://bugzilla.mozilla.org/show_bug.cgi?id=1133874 ++ } else { ++ this.destroy(errCode(err, 'ERR_REMOVE_TRACK')); ++ } ++ } ++ this._needsNegotiation(); ++ } ++ ++ /** ++ * Remove a MediaStream from the connection. ++ * @param {MediaStream} stream ++ */ ++ removeStream (stream) { ++ if (this.destroying) return ++ if (this.destroyed) throw errCode(new Error('cannot removeStream after peer is destroyed'), 'ERR_DESTROYED') ++ this._debug('removeSenders()'); ++ ++ stream.getTracks().forEach(track => { ++ this.removeTrack(track, stream); ++ }); ++ } ++ ++ _needsNegotiation () { ++ this._debug('_needsNegotiation'); ++ if (this._batchedNegotiation) return // batch synchronous renegotiations ++ this._batchedNegotiation = true; ++ queueMicrotask(() => { ++ this._batchedNegotiation = false; ++ if (this.initiator || !this._firstNegotiation) { ++ this._debug('starting batched negotiation'); ++ this.negotiate(); ++ } else { ++ this._debug('non-initiator initial negotiation request discarded'); ++ } ++ this._firstNegotiation = false; ++ }); ++ } ++ ++ negotiate () { ++ if (this.destroying) return ++ if (this.destroyed) throw errCode(new Error('cannot negotiate after peer is destroyed'), 'ERR_DESTROYED') ++ ++ if (this.initiator) { ++ if (this._isNegotiating) { ++ this._queuedNegotiation = true; ++ this._debug('already negotiating, queueing'); ++ } else { ++ this._debug('start negotiation'); ++ setTimeout(() => { ++ // HACK: Chrome crashes if we immediately call createOffer ++ this._createOffer(); ++ }, 0); ++ } ++ } else { ++ if (this._isNegotiating) { ++ this._queuedNegotiation = true; ++ this._debug('already negotiating, queueing'); ++ } else { ++ this._debug('requesting negotiation from initiator'); ++ this.emit('signal', { ++ // request initiator to renegotiate ++ type: 'renegotiate', ++ renegotiate: true ++ }); ++ } ++ } ++ this._isNegotiating = true; ++ } ++ ++ destroy (err) { ++ if (this.destroyed || this.destroying) return ++ this.destroying = true; ++ ++ this._debug('destroying (error: %s)', err && (err.message || err)); ++ ++ queueMicrotask(() => { ++ // allow events concurrent with the call to _destroy() to fire (see #692) ++ this.destroyed = true; ++ this.destroying = false; ++ ++ this._debug('destroy (error: %s)', err && (err.message || err)); ++ ++ this._connected = false; ++ this._pcReady = false; ++ this._channelReady = false; ++ this._remoteTracks = null; ++ this._remoteStreams = null; ++ this._senderMap = null; ++ ++ clearInterval(this._closingInterval); ++ this._closingInterval = null; ++ ++ clearInterval(this._interval); ++ this._interval = null; ++ this._chunk = null; ++ this._cb = null; ++ ++ if (this._channel) { ++ try { ++ this._channel.close(); ++ } catch (err) {} ++ ++ // allow events concurrent with destruction to be handled ++ this._channel.onmessage = null; ++ this._channel.onopen = null; ++ this._channel.onclose = null; ++ this._channel.onerror = null; ++ } ++ if (this._pc) { ++ try { ++ this._pc.close(); ++ } catch (err) {} ++ ++ // allow events concurrent with destruction to be handled ++ this._pc.oniceconnectionstatechange = null; ++ this._pc.onicegatheringstatechange = null; ++ this._pc.onsignalingstatechange = null; ++ this._pc.onicecandidate = null; ++ this._pc.ontrack = null; ++ this._pc.ondatachannel = null; ++ } ++ this._pc = null; ++ this._channel = null; ++ ++ if (err) this.emit('error', err); ++ this.emit('close'); ++ }); ++ } ++ ++ _setupData (event) { ++ if (!event.channel) { ++ // In some situations `pc.createDataChannel()` returns `undefined` (in wrtc), ++ // which is invalid behavior. Handle it gracefully. ++ // See: https://github.com/feross/simple-peer/issues/163 ++ return this.destroy( ++ errCode( ++ new Error('Data channel event is missing `channel` property'), ++ 'ERR_DATA_CHANNEL' ++ ) ++ ) ++ } ++ ++ this._channel = event.channel; ++ this._channel.binaryType = 'arraybuffer'; ++ ++ if (typeof this._channel.bufferedAmountLowThreshold === 'number') { ++ this._channel.bufferedAmountLowThreshold = MAX_BUFFERED_AMOUNT; ++ } ++ ++ this.channelName = this._channel.label; ++ ++ this._channel.onmessage = event => { ++ this._onChannelMessage(event); ++ }; ++ this._channel.onbufferedamountlow = () => { ++ this._onChannelBufferedAmountLow(); ++ }; ++ this._channel.onopen = () => { ++ this._onChannelOpen(); ++ }; ++ this._channel.onclose = () => { ++ this._onChannelClose(); ++ }; ++ this._channel.onerror = err => { ++ this.destroy(errCode(err, 'ERR_DATA_CHANNEL')); ++ }; ++ ++ // HACK: Chrome will sometimes get stuck in readyState "closing", let's check for this condition ++ // https://bugs.chromium.org/p/chromium/issues/detail?id=882743 ++ let isClosing = false; ++ this._closingInterval = setInterval(() => { ++ // No "onclosing" event ++ if (this._channel && this._channel.readyState === 'closing') { ++ if (isClosing) this._onChannelClose(); // closing timed out: equivalent to onclose firing ++ isClosing = true; ++ } else { ++ isClosing = false; ++ } ++ }, CHANNEL_CLOSING_TIMEOUT); ++ } ++ ++ _startIceCompleteTimeout () { ++ if (this.destroyed) return ++ if (this._iceCompleteTimer) return ++ this._debug('started iceComplete timeout'); ++ this._iceCompleteTimer = setTimeout(() => { ++ if (!this._iceComplete) { ++ this._iceComplete = true; ++ this._debug('iceComplete timeout completed'); ++ this.emit('iceTimeout'); ++ this.emit('_iceComplete'); ++ } ++ }, this.iceCompleteTimeout); ++ } ++ ++ _createOffer () { ++ if (this.destroyed) return ++ ++ this._pc ++ .createOffer(this.offerOptions) ++ .then(offer => { ++ if (this.destroyed) return ++ if (!this.trickle && !this.allowHalfTrickle) { offer.sdp = filterTrickle(offer.sdp); } ++ offer.sdp = this.sdpTransform(offer.sdp); ++ ++ const sendOffer = () => { ++ if (this.destroyed) return ++ const signal = this._pc.localDescription || offer; ++ this._debug('signal'); ++ this.emit('signal', { ++ type: signal.type, ++ sdp: signal.sdp ++ }); ++ }; ++ ++ const onSuccess = () => { ++ this._debug('createOffer success'); ++ if (this.destroyed) return ++ if (this.trickle || this._iceComplete) sendOffer(); ++ else this.once('_iceComplete', sendOffer); // wait for candidates ++ }; ++ ++ const onError = err => { ++ this.destroy(errCode(err, 'ERR_SET_LOCAL_DESCRIPTION')); ++ }; ++ ++ this._pc.setLocalDescription(offer).then(onSuccess).catch(onError); ++ }) ++ .catch(err => { ++ this.destroy(errCode(err, 'ERR_CREATE_OFFER')); ++ }); ++ } ++ ++ _requestMissingTransceivers () { ++ if (this._pc.getTransceivers) { ++ this._pc.getTransceivers().forEach(transceiver => { ++ if ( ++ !transceiver.mid && ++ transceiver.sender.track && ++ !transceiver.requested ++ ) { ++ transceiver.requested = true; // HACK: Safari returns negotiated transceivers with a null mid ++ this.addTransceiver(transceiver.sender.track.kind); ++ } ++ }); ++ } ++ } ++ ++ _createAnswer () { ++ if (this.destroyed) return ++ ++ this._pc ++ .createAnswer(this.answerOptions) ++ .then(answer => { ++ if (this.destroyed) return ++ if (!this.trickle && !this.allowHalfTrickle) { answer.sdp = filterTrickle(answer.sdp); } ++ answer.sdp = this.sdpTransform(answer.sdp); ++ ++ const sendAnswer = () => { ++ if (this.destroyed) return ++ const signal = this._pc.localDescription || answer; ++ this._debug('signal'); ++ this.emit('signal', { ++ type: signal.type, ++ sdp: signal.sdp ++ }); ++ if (!this.initiator) this._requestMissingTransceivers(); ++ }; ++ ++ const onSuccess = () => { ++ if (this.destroyed) return ++ if (this.trickle || this._iceComplete) sendAnswer(); ++ else this.once('_iceComplete', sendAnswer); ++ }; ++ ++ const onError = err => { ++ this.destroy(errCode(err, 'ERR_SET_LOCAL_DESCRIPTION')); ++ }; ++ ++ this._pc.setLocalDescription(answer).then(onSuccess).catch(onError); ++ }) ++ .catch(err => { ++ this.destroy(errCode(err, 'ERR_CREATE_ANSWER')); ++ }); ++ } ++ ++ _onConnectionStateChange () { ++ if (this.destroyed) return ++ if (this._pc.connectionState === 'failed') { ++ this.destroy( ++ errCode(new Error('Connection failed.'), 'ERR_CONNECTION_FAILURE') ++ ); ++ } ++ } ++ ++ _onIceStateChange () { ++ if (this.destroyed) return ++ const iceConnectionState = this._pc.iceConnectionState; ++ const iceGatheringState = this._pc.iceGatheringState; ++ ++ this._debug( ++ 'iceStateChange (connection: %s) (gathering: %s)', ++ iceConnectionState, ++ iceGatheringState ++ ); ++ this.emit('iceStateChange', iceConnectionState, iceGatheringState); ++ ++ if ( ++ iceConnectionState === 'connected' || ++ iceConnectionState === 'completed' ++ ) { ++ this._pcReady = true; ++ this._maybeReady(); ++ } ++ if (iceConnectionState === 'failed') { ++ this.destroy( ++ errCode( ++ new Error('Ice connection failed.'), ++ 'ERR_ICE_CONNECTION_FAILURE' ++ ) ++ ); ++ } ++ if (iceConnectionState === 'closed') { ++ this.destroy( ++ errCode( ++ new Error('Ice connection closed.'), ++ 'ERR_ICE_CONNECTION_CLOSED' ++ ) ++ ); ++ } ++ } ++ ++ getStats (cb) { ++ // statreports can come with a value array instead of properties ++ const flattenValues = report => { ++ if (Object.prototype.toString.call(report.values) === '[object Array]') { ++ report.values.forEach(value => { ++ Object.assign(report, value); ++ }); ++ } ++ return report ++ }; ++ ++ // Promise-based getStats() (standard) ++ if (this._pc.getStats.length === 0 || this._isReactNativeWebrtc) { ++ this._pc.getStats().then( ++ res => { ++ const reports = []; ++ res.forEach(report => { ++ reports.push(flattenValues(report)); ++ }); ++ cb(null, reports); ++ }, ++ err => cb(err) ++ ); ++ ++ // Single-parameter callback-based getStats() (non-standard) ++ } else if (this._pc.getStats.length > 0) { ++ this._pc.getStats( ++ res => { ++ // If we destroy connection in `connect` callback this code might happen to run when actual connection is already closed ++ if (this.destroyed) return ++ ++ const reports = []; ++ res.result().forEach(result => { ++ const report = {}; ++ result.names().forEach(name => { ++ report[name] = result.stat(name); ++ }); ++ report.id = result.id; ++ report.type = result.type; ++ report.timestamp = result.timestamp; ++ reports.push(flattenValues(report)); ++ }); ++ cb(null, reports); ++ }, ++ err => cb(err) ++ ); ++ ++ // Unknown browser, skip getStats() since it's anyone's guess which style of ++ // getStats() they implement. ++ } else { ++ cb(null, []); ++ } ++ } ++ ++ _maybeReady () { ++ this._debug( ++ 'maybeReady pc %s channel %s', ++ this._pcReady, ++ this._channelReady ++ ); ++ if ( ++ this._connected || ++ this._connecting || ++ !this._pcReady || ++ !this._channelReady ++ ) { return } ++ ++ this._connecting = true; ++ ++ // HACK: We can't rely on order here, for details see https://github.com/js-platform/node-webrtc/issues/339 ++ const findCandidatePair = () => { ++ if (this.destroyed) return ++ ++ this.getStats((err, items) => { ++ if (this.destroyed) return ++ ++ // Treat getStats error as non-fatal. It's not essential. ++ if (err) items = []; ++ ++ const remoteCandidates = {}; ++ const localCandidates = {}; ++ const candidatePairs = {}; ++ let foundSelectedCandidatePair = false; ++ ++ items.forEach(item => { ++ // TODO: Once all browsers support the hyphenated stats report types, remove ++ // the non-hypenated ones ++ if ( ++ item.type === 'remotecandidate' || ++ item.type === 'remote-candidate' ++ ) { ++ remoteCandidates[item.id] = item; ++ } ++ if ( ++ item.type === 'localcandidate' || ++ item.type === 'local-candidate' ++ ) { ++ localCandidates[item.id] = item; ++ } ++ if (item.type === 'candidatepair' || item.type === 'candidate-pair') { ++ candidatePairs[item.id] = item; ++ } ++ }); ++ ++ const setSelectedCandidatePair = selectedCandidatePair => { ++ foundSelectedCandidatePair = true; ++ ++ let local = localCandidates[selectedCandidatePair.localCandidateId]; ++ ++ if (local && (local.ip || local.address)) { ++ // Spec ++ this.localAddress = local.ip || local.address; ++ this.localPort = Number(local.port); ++ } else if (local && local.ipAddress) { ++ // Firefox ++ this.localAddress = local.ipAddress; ++ this.localPort = Number(local.portNumber); ++ } else if ( ++ typeof selectedCandidatePair.googLocalAddress === 'string' ++ ) { ++ // TODO: remove this once Chrome 58 is released ++ local = selectedCandidatePair.googLocalAddress.split(':'); ++ this.localAddress = local[0]; ++ this.localPort = Number(local[1]); ++ } ++ if (this.localAddress) { ++ this.localFamily = this.localAddress.includes(':') ++ ? 'IPv6' ++ : 'IPv4'; ++ } ++ ++ let remote = ++ remoteCandidates[selectedCandidatePair.remoteCandidateId]; ++ ++ if (remote && (remote.ip || remote.address)) { ++ // Spec ++ this.remoteAddress = remote.ip || remote.address; ++ this.remotePort = Number(remote.port); ++ } else if (remote && remote.ipAddress) { ++ // Firefox ++ this.remoteAddress = remote.ipAddress; ++ this.remotePort = Number(remote.portNumber); ++ } else if ( ++ typeof selectedCandidatePair.googRemoteAddress === 'string' ++ ) { ++ // TODO: remove this once Chrome 58 is released ++ remote = selectedCandidatePair.googRemoteAddress.split(':'); ++ this.remoteAddress = remote[0]; ++ this.remotePort = Number(remote[1]); ++ } ++ if (this.remoteAddress) { ++ this.remoteFamily = this.remoteAddress.includes(':') ++ ? 'IPv6' ++ : 'IPv4'; ++ } ++ ++ this._debug( ++ 'connect local: %s:%s remote: %s:%s', ++ this.localAddress, ++ this.localPort, ++ this.remoteAddress, ++ this.remotePort ++ ); ++ }; ++ ++ items.forEach(item => { ++ // Spec-compliant ++ if (item.type === 'transport' && item.selectedCandidatePairId) { ++ setSelectedCandidatePair( ++ candidatePairs[item.selectedCandidatePairId] ++ ); ++ } ++ ++ // Old implementations ++ if ( ++ (item.type === 'googCandidatePair' && ++ item.googActiveConnection === 'true') || ++ ((item.type === 'candidatepair' || ++ item.type === 'candidate-pair') && ++ item.selected) ++ ) { ++ setSelectedCandidatePair(item); ++ } ++ }); ++ ++ // Ignore candidate pair selection in browsers like Safari 11 that do not have any local or remote candidates ++ // But wait until at least 1 candidate pair is available ++ if ( ++ !foundSelectedCandidatePair && ++ (!Object.keys(candidatePairs).length || ++ Object.keys(localCandidates).length) ++ ) { ++ setTimeout(findCandidatePair, 100); ++ return ++ } else { ++ this._connecting = false; ++ this._connected = true; ++ } ++ ++ if (this._chunk) { ++ try { ++ this.send(this._chunk); ++ } catch (err) { ++ return this.destroy(errCode(err, 'ERR_DATA_CHANNEL')) ++ } ++ this._chunk = null; ++ this._debug('sent chunk from "write before connect"'); ++ ++ const cb = this._cb; ++ this._cb = null; ++ cb(null); ++ } ++ ++ // If `bufferedAmountLowThreshold` and 'onbufferedamountlow' are unsupported, ++ // fallback to using setInterval to implement backpressure. ++ if (typeof this._channel.bufferedAmountLowThreshold !== 'number') { ++ this._interval = setInterval(() => this._onInterval(), 150); ++ if (this._interval.unref) this._interval.unref(); ++ } ++ ++ this._debug('connect'); ++ this.emit('connect'); ++ }); ++ }; ++ findCandidatePair(); ++ } ++ ++ _onInterval () { ++ if ( ++ !this._cb || ++ !this._channel || ++ this._channel.bufferedAmount > MAX_BUFFERED_AMOUNT ++ ) { ++ return ++ } ++ this._onChannelBufferedAmountLow(); ++ } ++ ++ _onSignalingStateChange () { ++ if (this.destroyed) return ++ ++ if (this._pc.signalingState === 'stable') { ++ this._isNegotiating = false; ++ ++ // HACK: Firefox doesn't yet support removing tracks when signalingState !== 'stable' ++ this._debug('flushing sender queue', this._sendersAwaitingStable); ++ this._sendersAwaitingStable.forEach(sender => { ++ this._pc.removeTrack(sender); ++ this._queuedNegotiation = true; ++ }); ++ this._sendersAwaitingStable = []; ++ ++ if (this._queuedNegotiation) { ++ this._debug('flushing negotiation queue'); ++ this._queuedNegotiation = false; ++ this._needsNegotiation(); // negotiate again ++ } else { ++ this._debug('negotiated'); ++ this.emit('negotiated'); ++ } ++ } ++ ++ this._debug('signalingStateChange %s', this._pc.signalingState); ++ this.emit('signalingStateChange', this._pc.signalingState); ++ } ++ ++ _onIceCandidate (event) { ++ if (this.destroyed) return ++ if (event.candidate && this.trickle) { ++ this.emit('signal', { ++ type: 'candidate', ++ candidate: { ++ candidate: event.candidate.candidate, ++ sdpMLineIndex: event.candidate.sdpMLineIndex, ++ sdpMid: event.candidate.sdpMid ++ } ++ }); ++ } else if (!event.candidate && !this._iceComplete) { ++ this._iceComplete = true; ++ this.emit('_iceComplete'); ++ } ++ // as soon as we've received one valid candidate start timeout ++ if (event.candidate) { ++ this._startIceCompleteTimeout(); ++ } ++ } ++ ++ _onChannelMessage (event) { ++ if (this.destroyed) return ++ let data = event.data; ++ if (data instanceof ArrayBuffer) data = new Uint8Array(data); ++ this.emit('data', data); ++ } ++ ++ _onChannelBufferedAmountLow () { ++ if (this.destroyed || !this._cb) return ++ this._debug( ++ 'ending backpressure: bufferedAmount %d', ++ this._channel.bufferedAmount ++ ); ++ const cb = this._cb; ++ this._cb = null; ++ cb(null); ++ } ++ ++ _onChannelOpen () { ++ if (this._connected || this.destroyed) return ++ this._debug('on channel open'); ++ this._channelReady = true; ++ this._maybeReady(); ++ } ++ ++ _onChannelClose () { ++ if (this.destroyed) return ++ this._debug('on channel close'); ++ this.destroy(); ++ } ++ ++ _onTrack (event) { ++ if (this.destroyed) return ++ ++ event.streams.forEach(eventStream => { ++ this._debug('on track'); ++ this.emit('track', event.track, eventStream); ++ ++ this._remoteTracks.push({ ++ track: event.track, ++ stream: eventStream ++ }); ++ ++ if ( ++ this._remoteStreams.some(remoteStream => { ++ return remoteStream.id === eventStream.id ++ }) ++ ) { return } // Only fire one 'stream' event, even though there may be multiple tracks per stream ++ ++ this._remoteStreams.push(eventStream); ++ queueMicrotask(() => { ++ this._debug('on stream'); ++ this.emit('stream', eventStream); // ensure all tracks have been added ++ }); ++ }); ++ } ++ ++ _debug (...args) { ++ if (!this._doDebug) return ++ args[0] = '[' + this._id + '] ' + args[0]; ++ console.log(...args); ++ } ++ ++ // event emitter ++ on (key, listener) { ++ const map = this._map; ++ if (!map.has(key)) map.set(key, new Set()); ++ map.get(key).add(listener); ++ } ++ ++ off (key, listener) { ++ const map = this._map; ++ const listeners = map.get(key); ++ if (!listeners) return ++ listeners.delete(listener); ++ if (listeners.size === 0) map.delete(key); ++ } ++ ++ once (key, listener) { ++ const listener_ = (...args) => { ++ this.off(key, listener_); ++ listener(...args); ++ }; ++ this.on(key, listener_); ++ } ++ ++ emit (key, ...args) { ++ const map = this._map; ++ if (!map.has(key)) return ++ for (const listener of map.get(key)) { ++ try { ++ listener(...args); ++ } catch (err) { ++ console.error(err); ++ } ++ } ++ } ++} ++ ++Peer.WEBRTC_SUPPORT = !!getBrowserRTC(); ++ ++/** ++ * Expose peer and data channel config for overriding all Peer ++ * instances. Otherwise, just set opts.config or opts.channelConfig ++ * when constructing a Peer. ++ */ ++Peer.config = { ++ iceServers: [ ++ { ++ urls: [ ++ 'stun:stun.l.google.com:19302', ++ 'stun:global.stun.twilio.com:3478' ++ ] ++ } ++ ], ++ sdpSemantics: 'unified-plan' ++}; ++ ++Peer.channelConfig = {}; ++ ++const PLUGIN_NAME = 'rrweb/canvas-webrtc@1'; ++class RRWebPluginCanvasWebRTCRecord { ++ constructor({ signalSendCallback, peer, }) { ++ this.peer = null; ++ this.streamMap = new Map(); ++ this.incomingStreams = new Set(); ++ this.outgoingStreams = new Set(); ++ this.streamNodeMap = new Map(); ++ this.canvasWindowMap = new Map(); ++ this.windowPeerMap = new WeakMap(); ++ this.peerWindowMap = new WeakMap(); ++ this.signalSendCallback = signalSendCallback; ++ window.addEventListener('message', this.windowPostMessageHandler.bind(this)); ++ if (peer) ++ this.peer = peer; ++ } ++ initPlugin() { ++ return { ++ name: PLUGIN_NAME, ++ getMirror: ({ nodeMirror, crossOriginIframeMirror }) => { ++ this.mirror = nodeMirror; ++ this.crossOriginIframeMirror = crossOriginIframeMirror; ++ }, ++ options: {}, ++ }; ++ } ++ signalReceive(signal) { ++ var _a; ++ if (!this.peer) ++ this.setupPeer(); ++ (_a = this.peer) === null || _a === void 0 ? void 0 : _a.signal(signal); ++ } ++ signalReceiveFromCrossOriginIframe(signal, source) { ++ const peer = this.setupPeer(source); ++ peer.signal(signal); ++ } ++ startStream(id, stream) { ++ var _a, _b; ++ if (!this.peer) ++ this.setupPeer(); ++ const data = { ++ nodeId: id, ++ streamId: stream.id, ++ }; ++ (_a = this.peer) === null || _a === void 0 ? void 0 : _a.send(JSON.stringify(data)); ++ if (!this.outgoingStreams.has(stream)) ++ (_b = this.peer) === null || _b === void 0 ? void 0 : _b.addStream(stream); ++ this.outgoingStreams.add(stream); ++ } ++ setupPeer(source) { ++ let peer; ++ if (!source) { ++ if (this.peer) ++ return this.peer; ++ peer = this.peer = new Peer({ ++ initiator: true, ++ }); ++ } ++ else { ++ const peerFromMap = this.windowPeerMap.get(source); ++ if (peerFromMap) ++ return peerFromMap; ++ peer = new Peer({ ++ initiator: false, ++ }); ++ this.windowPeerMap.set(source, peer); ++ this.peerWindowMap.set(peer, source); ++ } ++ const resetPeer = (source) => { ++ if (!source) ++ return (this.peer = null); ++ this.windowPeerMap.delete(source); ++ this.peerWindowMap.delete(peer); ++ }; ++ peer.on('error', (err) => { ++ resetPeer(source); ++ console.log('error', err); ++ }); ++ peer.on('close', () => { ++ resetPeer(source); ++ console.log('closing'); ++ }); ++ peer.on('signal', (data) => { ++ var _a, _b; ++ if (this.inRootFrame()) { ++ if (peer === this.peer) { ++ this.signalSendCallback(data); ++ } ++ else { ++ (_a = this.peerWindowMap.get(peer)) === null || _a === void 0 ? void 0 : _a.postMessage({ ++ type: 'rrweb-canvas-webrtc', ++ data: { ++ type: 'signal', ++ signal: data, ++ }, ++ }, '*'); ++ } ++ } ++ else { ++ (_b = window.top) === null || _b === void 0 ? void 0 : _b.postMessage({ ++ type: 'rrweb-canvas-webrtc', ++ data: { ++ type: 'signal', ++ signal: data, ++ }, ++ }, '*'); ++ } ++ }); ++ peer.on('connect', () => { ++ if (this.inRootFrame() && peer !== this.peer) ++ return; ++ for (const [id, stream] of this.streamMap) { ++ this.startStream(id, stream); ++ } ++ }); ++ if (!this.inRootFrame()) ++ return peer; ++ peer.on('data', (data) => { ++ try { ++ const json = JSON.parse(data); ++ this.streamNodeMap.set(json.streamId, json.nodeId); ++ } ++ catch (error) { ++ console.error('Could not parse data', error); ++ } ++ this.flushStreams(); ++ }); ++ peer.on('stream', (stream) => { ++ this.incomingStreams.add(stream); ++ this.flushStreams(); ++ }); ++ return peer; ++ } ++ setupStream(id, rootId) { ++ var _a; ++ if (id === -1) ++ return false; ++ let stream = this.streamMap.get(rootId || id); ++ if (stream) ++ return stream; ++ const el = this.mirror.getNode(id); ++ if (!el || !('captureStream' in el)) ++ return this.setupStreamInCrossOriginIframe(id, rootId || id); ++ if (!this.inRootFrame()) { ++ (_a = window.top) === null || _a === void 0 ? void 0 : _a.postMessage({ ++ type: 'rrweb-canvas-webrtc', ++ data: { ++ type: 'i-have-canvas', ++ rootId: rootId || id, ++ }, ++ }, '*'); ++ } ++ stream = el.captureStream(); ++ this.streamMap.set(rootId || id, stream); ++ this.setupPeer(); ++ return stream; ++ } ++ flushStreams() { ++ this.incomingStreams.forEach((stream) => { ++ const nodeId = this.streamNodeMap.get(stream.id); ++ if (!nodeId) ++ return; ++ this.startStream(nodeId, stream); ++ }); ++ } ++ inRootFrame() { ++ return Boolean(window.top && window.top === window); ++ } ++ setupStreamInCrossOriginIframe(id, rootId) { ++ let found = false; ++ document.querySelectorAll('iframe').forEach((iframe) => { ++ var _a; ++ if (found) ++ return; ++ const remoteId = this.crossOriginIframeMirror.getRemoteId(iframe, id); ++ if (remoteId === -1) ++ return; ++ found = true; ++ (_a = iframe.contentWindow) === null || _a === void 0 ? void 0 : _a.postMessage({ ++ type: 'rrweb-canvas-webrtc', ++ data: { ++ type: 'who-has-canvas', ++ id: remoteId, ++ rootId, ++ }, ++ }, '*'); ++ }); ++ return found; ++ } ++ isCrossOriginIframeMessageEventContent(event) { ++ return Boolean(event.data && ++ typeof event.data === 'object' && ++ 'type' in event.data && ++ 'data' in event.data && ++ event.data.type === ++ 'rrweb-canvas-webrtc' && ++ event.data.data); ++ } ++ windowPostMessageHandler(event) { ++ if (!this.isCrossOriginIframeMessageEventContent(event)) ++ return; ++ const { type } = event.data.data; ++ if (type === 'who-has-canvas') { ++ const { id, rootId } = event.data.data; ++ this.setupStream(id, rootId); ++ } ++ else if (type === 'signal') { ++ const { signal } = event.data.data; ++ const { source } = event; ++ if (!source || !('self' in source)) ++ return; ++ if (this.inRootFrame()) { ++ this.signalReceiveFromCrossOriginIframe(signal, source); ++ } ++ else { ++ this.signalReceive(signal); ++ } ++ } ++ else if (type === 'i-have-canvas') { ++ const { rootId } = event.data.data; ++ const { source } = event; ++ if (!source || !('self' in source)) ++ return; ++ this.canvasWindowMap.set(rootId, source); ++ } ++ } ++} ++ ++exports.PLUGIN_NAME = PLUGIN_NAME; ++exports.RRWebPluginCanvasWebRTCRecord = RRWebPluginCanvasWebRTCRecord; +diff --git a/node_modules/rrweb/lib/plugins/canvas-webrtc-replay.js b/node_modules/rrweb/lib/plugins/canvas-webrtc-replay.js +new file mode 100755 +index 0000000..6381199 +--- /dev/null ++++ b/node_modules/rrweb/lib/plugins/canvas-webrtc-replay.js +@@ -0,0 +1,1290 @@ ++'use strict'; ++ ++Object.defineProperty(exports, '__esModule', { value: true }); ++ ++/*! simple-peer. MIT License. Feross Aboukhadijeh */ ++const MAX_BUFFERED_AMOUNT = 64 * 1024; ++const ICECOMPLETE_TIMEOUT = 5 * 1000; ++const CHANNEL_CLOSING_TIMEOUT = 5 * 1000; ++ ++function randombytes (size) { ++ const array = new Uint8Array(size); ++ for (let i = 0; i < size; i++) { ++ array[i] = (Math.random() * 256) | 0; ++ } ++ return array ++} ++ ++function getBrowserRTC () { ++ if (typeof globalThis === 'undefined') return null ++ const wrtc = { ++ RTCPeerConnection: ++ globalThis.RTCPeerConnection || ++ globalThis.mozRTCPeerConnection || ++ globalThis.webkitRTCPeerConnection, ++ RTCSessionDescription: ++ globalThis.RTCSessionDescription || ++ globalThis.mozRTCSessionDescription || ++ globalThis.webkitRTCSessionDescription, ++ RTCIceCandidate: ++ globalThis.RTCIceCandidate || ++ globalThis.mozRTCIceCandidate || ++ globalThis.webkitRTCIceCandidate ++ }; ++ if (!wrtc.RTCPeerConnection) return null ++ return wrtc ++} ++ ++function errCode (err, code) { ++ Object.defineProperty(err, 'code', { ++ value: code, ++ enumerable: true, ++ configurable: true ++ }); ++ return err ++} ++ ++// HACK: Filter trickle lines when trickle is disabled #354 ++function filterTrickle (sdp) { ++ return sdp.replace(/a=ice-options:trickle\s\n/g, '') ++} ++ ++function warn (message) { ++ console.warn(message); ++} ++ ++/** ++ * WebRTC peer connection. ++ * @param {Object} opts ++ */ ++class Peer { ++ constructor (opts = {}) { ++ this._map = new Map(); // for event emitter ++ ++ this._id = randombytes(4).toString('hex').slice(0, 7); ++ this._doDebug = opts.debug; ++ this._debug('new peer %o', opts); ++ ++ this.channelName = opts.initiator ++ ? opts.channelName || randombytes(20).toString('hex') ++ : null; ++ ++ this.initiator = opts.initiator || false; ++ this.channelConfig = opts.channelConfig || Peer.channelConfig; ++ this.channelNegotiated = this.channelConfig.negotiated; ++ this.config = Object.assign({}, Peer.config, opts.config); ++ this.offerOptions = opts.offerOptions || {}; ++ this.answerOptions = opts.answerOptions || {}; ++ this.sdpTransform = opts.sdpTransform || (sdp => sdp); ++ this.streams = opts.streams || (opts.stream ? [opts.stream] : []); // support old "stream" option ++ this.trickle = opts.trickle !== undefined ? opts.trickle : true; ++ this.allowHalfTrickle = ++ opts.allowHalfTrickle !== undefined ? opts.allowHalfTrickle : false; ++ this.iceCompleteTimeout = opts.iceCompleteTimeout || ICECOMPLETE_TIMEOUT; ++ ++ this.destroyed = false; ++ this.destroying = false; ++ this._connected = false; ++ ++ this.remoteAddress = undefined; ++ this.remoteFamily = undefined; ++ this.remotePort = undefined; ++ this.localAddress = undefined; ++ this.localFamily = undefined; ++ this.localPort = undefined; ++ ++ this._wrtc = ++ opts.wrtc && typeof opts.wrtc === 'object' ? opts.wrtc : getBrowserRTC(); ++ ++ if (!this._wrtc) { ++ if (typeof window === 'undefined') { ++ throw errCode( ++ new Error( ++ 'No WebRTC support: Specify `opts.wrtc` option in this environment' ++ ), ++ 'ERR_WEBRTC_SUPPORT' ++ ) ++ } else { ++ throw errCode( ++ new Error('No WebRTC support: Not a supported browser'), ++ 'ERR_WEBRTC_SUPPORT' ++ ) ++ } ++ } ++ ++ this._pcReady = false; ++ this._channelReady = false; ++ this._iceComplete = false; // ice candidate trickle done (got null candidate) ++ this._iceCompleteTimer = null; // send an offer/answer anyway after some timeout ++ this._channel = null; ++ this._pendingCandidates = []; ++ ++ this._isNegotiating = false; // is this peer waiting for negotiation to complete? ++ this._firstNegotiation = true; ++ this._batchedNegotiation = false; // batch synchronous negotiations ++ this._queuedNegotiation = false; // is there a queued negotiation request? ++ this._sendersAwaitingStable = []; ++ this._senderMap = new Map(); ++ this._closingInterval = null; ++ ++ this._remoteTracks = []; ++ this._remoteStreams = []; ++ ++ this._chunk = null; ++ this._cb = null; ++ this._interval = null; ++ ++ try { ++ this._pc = new this._wrtc.RTCPeerConnection(this.config); ++ } catch (err) { ++ this.destroy(errCode(err, 'ERR_PC_CONSTRUCTOR')); ++ return ++ } ++ ++ // We prefer feature detection whenever possible, but sometimes that's not ++ // possible for certain implementations. ++ this._isReactNativeWebrtc = typeof this._pc._peerConnectionId === 'number'; ++ ++ this._pc.oniceconnectionstatechange = () => { ++ this._onIceStateChange(); ++ }; ++ this._pc.onicegatheringstatechange = () => { ++ this._onIceStateChange(); ++ }; ++ this._pc.onconnectionstatechange = () => { ++ this._onConnectionStateChange(); ++ }; ++ this._pc.onsignalingstatechange = () => { ++ this._onSignalingStateChange(); ++ }; ++ this._pc.onicecandidate = event => { ++ this._onIceCandidate(event); ++ }; ++ ++ // HACK: Fix for odd Firefox behavior, see: https://github.com/feross/simple-peer/pull/783 ++ if (typeof this._pc.peerIdentity === 'object') { ++ this._pc.peerIdentity.catch(err => { ++ this.destroy(errCode(err, 'ERR_PC_PEER_IDENTITY')); ++ }); ++ } ++ ++ // Other spec events, unused by this implementation: ++ // - onconnectionstatechange ++ // - onicecandidateerror ++ // - onfingerprintfailure ++ // - onnegotiationneeded ++ ++ if (this.initiator || this.channelNegotiated) { ++ this._setupData({ ++ channel: this._pc.createDataChannel( ++ this.channelName, ++ this.channelConfig ++ ) ++ }); ++ } else { ++ this._pc.ondatachannel = event => { ++ this._setupData(event); ++ }; ++ } ++ ++ if (this.streams) { ++ this.streams.forEach(stream => { ++ this.addStream(stream); ++ }); ++ } ++ this._pc.ontrack = event => { ++ this._onTrack(event); ++ }; ++ ++ this._debug('initial negotiation'); ++ this._needsNegotiation(); ++ } ++ ++ get bufferSize () { ++ return (this._channel && this._channel.bufferedAmount) || 0 ++ } ++ ++ // HACK: it's possible channel.readyState is "closing" before peer.destroy() fires ++ // https://bugs.chromium.org/p/chromium/issues/detail?id=882743 ++ get connected () { ++ return this._connected && this._channel.readyState === 'open' ++ } ++ ++ address () { ++ return { ++ port: this.localPort, ++ family: this.localFamily, ++ address: this.localAddress ++ } ++ } ++ ++ signal (data) { ++ if (this.destroying) return ++ if (this.destroyed) throw errCode(new Error('cannot signal after peer is destroyed'), 'ERR_DESTROYED') ++ if (typeof data === 'string') { ++ try { ++ data = JSON.parse(data); ++ } catch (err) { ++ data = {}; ++ } ++ } ++ this._debug('signal()'); ++ ++ if (data.renegotiate && this.initiator) { ++ this._debug('got request to renegotiate'); ++ this._needsNegotiation(); ++ } ++ if (data.transceiverRequest && this.initiator) { ++ this._debug('got request for transceiver'); ++ this.addTransceiver( ++ data.transceiverRequest.kind, ++ data.transceiverRequest.init ++ ); ++ } ++ if (data.candidate) { ++ if (this._pc.remoteDescription && this._pc.remoteDescription.type) { ++ this._addIceCandidate(data.candidate); ++ } else { ++ this._pendingCandidates.push(data.candidate); ++ } ++ } ++ if (data.sdp) { ++ this._pc ++ .setRemoteDescription(new this._wrtc.RTCSessionDescription(data)) ++ .then(() => { ++ if (this.destroyed) return ++ ++ this._pendingCandidates.forEach(candidate => { ++ this._addIceCandidate(candidate); ++ }); ++ this._pendingCandidates = []; ++ ++ if (this._pc.remoteDescription.type === 'offer') this._createAnswer(); ++ }) ++ .catch(err => { ++ this.destroy(errCode(err, 'ERR_SET_REMOTE_DESCRIPTION')); ++ }); ++ } ++ if ( ++ !data.sdp && ++ !data.candidate && ++ !data.renegotiate && ++ !data.transceiverRequest ++ ) { ++ this.destroy( ++ errCode( ++ new Error('signal() called with invalid signal data'), ++ 'ERR_SIGNALING' ++ ) ++ ); ++ } ++ } ++ ++ _addIceCandidate (candidate) { ++ const iceCandidateObj = new this._wrtc.RTCIceCandidate(candidate); ++ this._pc.addIceCandidate(iceCandidateObj).catch(err => { ++ if ( ++ !iceCandidateObj.address || ++ iceCandidateObj.address.endsWith('.local') ++ ) { ++ warn('Ignoring unsupported ICE candidate.'); ++ } else { ++ this.destroy(errCode(err, 'ERR_ADD_ICE_CANDIDATE')); ++ } ++ }); ++ } ++ ++ /** ++ * Send text/binary data to the remote peer. ++ * @param {ArrayBufferView|ArrayBuffer|string|Blob} chunk ++ */ ++ send (chunk) { ++ if (this.destroying) return ++ if (this.destroyed) throw errCode(new Error('cannot send after peer is destroyed'), 'ERR_DESTROYED') ++ this._channel.send(chunk); ++ } ++ ++ /** ++ * Add a Transceiver to the connection. ++ * @param {String} kind ++ * @param {Object} init ++ */ ++ addTransceiver (kind, init) { ++ if (this.destroying) return ++ if (this.destroyed) throw errCode(new Error('cannot addTransceiver after peer is destroyed'), 'ERR_DESTROYED') ++ this._debug('addTransceiver()'); ++ ++ if (this.initiator) { ++ try { ++ this._pc.addTransceiver(kind, init); ++ this._needsNegotiation(); ++ } catch (err) { ++ this.destroy(errCode(err, 'ERR_ADD_TRANSCEIVER')); ++ } ++ } else { ++ this.emit('signal', { ++ // request initiator to renegotiate ++ type: 'transceiverRequest', ++ transceiverRequest: { kind, init } ++ }); ++ } ++ } ++ ++ /** ++ * Add a MediaStream to the connection. ++ * @param {MediaStream} stream ++ */ ++ addStream (stream) { ++ if (this.destroying) return ++ if (this.destroyed) throw errCode(new Error('cannot addStream after peer is destroyed'), 'ERR_DESTROYED') ++ this._debug('addStream()'); ++ ++ stream.getTracks().forEach(track => { ++ this.addTrack(track, stream); ++ }); ++ } ++ ++ /** ++ * Add a MediaStreamTrack to the connection. ++ * @param {MediaStreamTrack} track ++ * @param {MediaStream} stream ++ */ ++ addTrack (track, stream) { ++ if (this.destroying) return ++ if (this.destroyed) throw errCode(new Error('cannot addTrack after peer is destroyed'), 'ERR_DESTROYED') ++ this._debug('addTrack()'); ++ ++ const submap = this._senderMap.get(track) || new Map(); // nested Maps map [track, stream] to sender ++ let sender = submap.get(stream); ++ if (!sender) { ++ sender = this._pc.addTrack(track, stream); ++ submap.set(stream, sender); ++ this._senderMap.set(track, submap); ++ this._needsNegotiation(); ++ } else if (sender.removed) { ++ throw errCode( ++ new Error( ++ 'Track has been removed. You should enable/disable tracks that you want to re-add.' ++ ), ++ 'ERR_SENDER_REMOVED' ++ ) ++ } else { ++ throw errCode( ++ new Error('Track has already been added to that stream.'), ++ 'ERR_SENDER_ALREADY_ADDED' ++ ) ++ } ++ } ++ ++ /** ++ * Replace a MediaStreamTrack by another in the connection. ++ * @param {MediaStreamTrack} oldTrack ++ * @param {MediaStreamTrack} newTrack ++ * @param {MediaStream} stream ++ */ ++ replaceTrack (oldTrack, newTrack, stream) { ++ if (this.destroying) return ++ if (this.destroyed) throw errCode(new Error('cannot replaceTrack after peer is destroyed'), 'ERR_DESTROYED') ++ this._debug('replaceTrack()'); ++ ++ const submap = this._senderMap.get(oldTrack); ++ const sender = submap ? submap.get(stream) : null; ++ if (!sender) { ++ throw errCode( ++ new Error('Cannot replace track that was never added.'), ++ 'ERR_TRACK_NOT_ADDED' ++ ) ++ } ++ if (newTrack) this._senderMap.set(newTrack, submap); ++ ++ if (sender.replaceTrack != null) { ++ sender.replaceTrack(newTrack); ++ } else { ++ this.destroy( ++ errCode( ++ new Error('replaceTrack is not supported in this browser'), ++ 'ERR_UNSUPPORTED_REPLACETRACK' ++ ) ++ ); ++ } ++ } ++ ++ /** ++ * Remove a MediaStreamTrack from the connection. ++ * @param {MediaStreamTrack} track ++ * @param {MediaStream} stream ++ */ ++ removeTrack (track, stream) { ++ if (this.destroying) return ++ if (this.destroyed) throw errCode(new Error('cannot removeTrack after peer is destroyed'), 'ERR_DESTROYED') ++ this._debug('removeSender()'); ++ ++ const submap = this._senderMap.get(track); ++ const sender = submap ? submap.get(stream) : null; ++ if (!sender) { ++ throw errCode( ++ new Error('Cannot remove track that was never added.'), ++ 'ERR_TRACK_NOT_ADDED' ++ ) ++ } ++ try { ++ sender.removed = true; ++ this._pc.removeTrack(sender); ++ } catch (err) { ++ if (err.name === 'NS_ERROR_UNEXPECTED') { ++ this._sendersAwaitingStable.push(sender); // HACK: Firefox must wait until (signalingState === stable) https://bugzilla.mozilla.org/show_bug.cgi?id=1133874 ++ } else { ++ this.destroy(errCode(err, 'ERR_REMOVE_TRACK')); ++ } ++ } ++ this._needsNegotiation(); ++ } ++ ++ /** ++ * Remove a MediaStream from the connection. ++ * @param {MediaStream} stream ++ */ ++ removeStream (stream) { ++ if (this.destroying) return ++ if (this.destroyed) throw errCode(new Error('cannot removeStream after peer is destroyed'), 'ERR_DESTROYED') ++ this._debug('removeSenders()'); ++ ++ stream.getTracks().forEach(track => { ++ this.removeTrack(track, stream); ++ }); ++ } ++ ++ _needsNegotiation () { ++ this._debug('_needsNegotiation'); ++ if (this._batchedNegotiation) return // batch synchronous renegotiations ++ this._batchedNegotiation = true; ++ queueMicrotask(() => { ++ this._batchedNegotiation = false; ++ if (this.initiator || !this._firstNegotiation) { ++ this._debug('starting batched negotiation'); ++ this.negotiate(); ++ } else { ++ this._debug('non-initiator initial negotiation request discarded'); ++ } ++ this._firstNegotiation = false; ++ }); ++ } ++ ++ negotiate () { ++ if (this.destroying) return ++ if (this.destroyed) throw errCode(new Error('cannot negotiate after peer is destroyed'), 'ERR_DESTROYED') ++ ++ if (this.initiator) { ++ if (this._isNegotiating) { ++ this._queuedNegotiation = true; ++ this._debug('already negotiating, queueing'); ++ } else { ++ this._debug('start negotiation'); ++ setTimeout(() => { ++ // HACK: Chrome crashes if we immediately call createOffer ++ this._createOffer(); ++ }, 0); ++ } ++ } else { ++ if (this._isNegotiating) { ++ this._queuedNegotiation = true; ++ this._debug('already negotiating, queueing'); ++ } else { ++ this._debug('requesting negotiation from initiator'); ++ this.emit('signal', { ++ // request initiator to renegotiate ++ type: 'renegotiate', ++ renegotiate: true ++ }); ++ } ++ } ++ this._isNegotiating = true; ++ } ++ ++ destroy (err) { ++ if (this.destroyed || this.destroying) return ++ this.destroying = true; ++ ++ this._debug('destroying (error: %s)', err && (err.message || err)); ++ ++ queueMicrotask(() => { ++ // allow events concurrent with the call to _destroy() to fire (see #692) ++ this.destroyed = true; ++ this.destroying = false; ++ ++ this._debug('destroy (error: %s)', err && (err.message || err)); ++ ++ this._connected = false; ++ this._pcReady = false; ++ this._channelReady = false; ++ this._remoteTracks = null; ++ this._remoteStreams = null; ++ this._senderMap = null; ++ ++ clearInterval(this._closingInterval); ++ this._closingInterval = null; ++ ++ clearInterval(this._interval); ++ this._interval = null; ++ this._chunk = null; ++ this._cb = null; ++ ++ if (this._channel) { ++ try { ++ this._channel.close(); ++ } catch (err) {} ++ ++ // allow events concurrent with destruction to be handled ++ this._channel.onmessage = null; ++ this._channel.onopen = null; ++ this._channel.onclose = null; ++ this._channel.onerror = null; ++ } ++ if (this._pc) { ++ try { ++ this._pc.close(); ++ } catch (err) {} ++ ++ // allow events concurrent with destruction to be handled ++ this._pc.oniceconnectionstatechange = null; ++ this._pc.onicegatheringstatechange = null; ++ this._pc.onsignalingstatechange = null; ++ this._pc.onicecandidate = null; ++ this._pc.ontrack = null; ++ this._pc.ondatachannel = null; ++ } ++ this._pc = null; ++ this._channel = null; ++ ++ if (err) this.emit('error', err); ++ this.emit('close'); ++ }); ++ } ++ ++ _setupData (event) { ++ if (!event.channel) { ++ // In some situations `pc.createDataChannel()` returns `undefined` (in wrtc), ++ // which is invalid behavior. Handle it gracefully. ++ // See: https://github.com/feross/simple-peer/issues/163 ++ return this.destroy( ++ errCode( ++ new Error('Data channel event is missing `channel` property'), ++ 'ERR_DATA_CHANNEL' ++ ) ++ ) ++ } ++ ++ this._channel = event.channel; ++ this._channel.binaryType = 'arraybuffer'; ++ ++ if (typeof this._channel.bufferedAmountLowThreshold === 'number') { ++ this._channel.bufferedAmountLowThreshold = MAX_BUFFERED_AMOUNT; ++ } ++ ++ this.channelName = this._channel.label; ++ ++ this._channel.onmessage = event => { ++ this._onChannelMessage(event); ++ }; ++ this._channel.onbufferedamountlow = () => { ++ this._onChannelBufferedAmountLow(); ++ }; ++ this._channel.onopen = () => { ++ this._onChannelOpen(); ++ }; ++ this._channel.onclose = () => { ++ this._onChannelClose(); ++ }; ++ this._channel.onerror = err => { ++ this.destroy(errCode(err, 'ERR_DATA_CHANNEL')); ++ }; ++ ++ // HACK: Chrome will sometimes get stuck in readyState "closing", let's check for this condition ++ // https://bugs.chromium.org/p/chromium/issues/detail?id=882743 ++ let isClosing = false; ++ this._closingInterval = setInterval(() => { ++ // No "onclosing" event ++ if (this._channel && this._channel.readyState === 'closing') { ++ if (isClosing) this._onChannelClose(); // closing timed out: equivalent to onclose firing ++ isClosing = true; ++ } else { ++ isClosing = false; ++ } ++ }, CHANNEL_CLOSING_TIMEOUT); ++ } ++ ++ _startIceCompleteTimeout () { ++ if (this.destroyed) return ++ if (this._iceCompleteTimer) return ++ this._debug('started iceComplete timeout'); ++ this._iceCompleteTimer = setTimeout(() => { ++ if (!this._iceComplete) { ++ this._iceComplete = true; ++ this._debug('iceComplete timeout completed'); ++ this.emit('iceTimeout'); ++ this.emit('_iceComplete'); ++ } ++ }, this.iceCompleteTimeout); ++ } ++ ++ _createOffer () { ++ if (this.destroyed) return ++ ++ this._pc ++ .createOffer(this.offerOptions) ++ .then(offer => { ++ if (this.destroyed) return ++ if (!this.trickle && !this.allowHalfTrickle) { offer.sdp = filterTrickle(offer.sdp); } ++ offer.sdp = this.sdpTransform(offer.sdp); ++ ++ const sendOffer = () => { ++ if (this.destroyed) return ++ const signal = this._pc.localDescription || offer; ++ this._debug('signal'); ++ this.emit('signal', { ++ type: signal.type, ++ sdp: signal.sdp ++ }); ++ }; ++ ++ const onSuccess = () => { ++ this._debug('createOffer success'); ++ if (this.destroyed) return ++ if (this.trickle || this._iceComplete) sendOffer(); ++ else this.once('_iceComplete', sendOffer); // wait for candidates ++ }; ++ ++ const onError = err => { ++ this.destroy(errCode(err, 'ERR_SET_LOCAL_DESCRIPTION')); ++ }; ++ ++ this._pc.setLocalDescription(offer).then(onSuccess).catch(onError); ++ }) ++ .catch(err => { ++ this.destroy(errCode(err, 'ERR_CREATE_OFFER')); ++ }); ++ } ++ ++ _requestMissingTransceivers () { ++ if (this._pc.getTransceivers) { ++ this._pc.getTransceivers().forEach(transceiver => { ++ if ( ++ !transceiver.mid && ++ transceiver.sender.track && ++ !transceiver.requested ++ ) { ++ transceiver.requested = true; // HACK: Safari returns negotiated transceivers with a null mid ++ this.addTransceiver(transceiver.sender.track.kind); ++ } ++ }); ++ } ++ } ++ ++ _createAnswer () { ++ if (this.destroyed) return ++ ++ this._pc ++ .createAnswer(this.answerOptions) ++ .then(answer => { ++ if (this.destroyed) return ++ if (!this.trickle && !this.allowHalfTrickle) { answer.sdp = filterTrickle(answer.sdp); } ++ answer.sdp = this.sdpTransform(answer.sdp); ++ ++ const sendAnswer = () => { ++ if (this.destroyed) return ++ const signal = this._pc.localDescription || answer; ++ this._debug('signal'); ++ this.emit('signal', { ++ type: signal.type, ++ sdp: signal.sdp ++ }); ++ if (!this.initiator) this._requestMissingTransceivers(); ++ }; ++ ++ const onSuccess = () => { ++ if (this.destroyed) return ++ if (this.trickle || this._iceComplete) sendAnswer(); ++ else this.once('_iceComplete', sendAnswer); ++ }; ++ ++ const onError = err => { ++ this.destroy(errCode(err, 'ERR_SET_LOCAL_DESCRIPTION')); ++ }; ++ ++ this._pc.setLocalDescription(answer).then(onSuccess).catch(onError); ++ }) ++ .catch(err => { ++ this.destroy(errCode(err, 'ERR_CREATE_ANSWER')); ++ }); ++ } ++ ++ _onConnectionStateChange () { ++ if (this.destroyed) return ++ if (this._pc.connectionState === 'failed') { ++ this.destroy( ++ errCode(new Error('Connection failed.'), 'ERR_CONNECTION_FAILURE') ++ ); ++ } ++ } ++ ++ _onIceStateChange () { ++ if (this.destroyed) return ++ const iceConnectionState = this._pc.iceConnectionState; ++ const iceGatheringState = this._pc.iceGatheringState; ++ ++ this._debug( ++ 'iceStateChange (connection: %s) (gathering: %s)', ++ iceConnectionState, ++ iceGatheringState ++ ); ++ this.emit('iceStateChange', iceConnectionState, iceGatheringState); ++ ++ if ( ++ iceConnectionState === 'connected' || ++ iceConnectionState === 'completed' ++ ) { ++ this._pcReady = true; ++ this._maybeReady(); ++ } ++ if (iceConnectionState === 'failed') { ++ this.destroy( ++ errCode( ++ new Error('Ice connection failed.'), ++ 'ERR_ICE_CONNECTION_FAILURE' ++ ) ++ ); ++ } ++ if (iceConnectionState === 'closed') { ++ this.destroy( ++ errCode( ++ new Error('Ice connection closed.'), ++ 'ERR_ICE_CONNECTION_CLOSED' ++ ) ++ ); ++ } ++ } ++ ++ getStats (cb) { ++ // statreports can come with a value array instead of properties ++ const flattenValues = report => { ++ if (Object.prototype.toString.call(report.values) === '[object Array]') { ++ report.values.forEach(value => { ++ Object.assign(report, value); ++ }); ++ } ++ return report ++ }; ++ ++ // Promise-based getStats() (standard) ++ if (this._pc.getStats.length === 0 || this._isReactNativeWebrtc) { ++ this._pc.getStats().then( ++ res => { ++ const reports = []; ++ res.forEach(report => { ++ reports.push(flattenValues(report)); ++ }); ++ cb(null, reports); ++ }, ++ err => cb(err) ++ ); ++ ++ // Single-parameter callback-based getStats() (non-standard) ++ } else if (this._pc.getStats.length > 0) { ++ this._pc.getStats( ++ res => { ++ // If we destroy connection in `connect` callback this code might happen to run when actual connection is already closed ++ if (this.destroyed) return ++ ++ const reports = []; ++ res.result().forEach(result => { ++ const report = {}; ++ result.names().forEach(name => { ++ report[name] = result.stat(name); ++ }); ++ report.id = result.id; ++ report.type = result.type; ++ report.timestamp = result.timestamp; ++ reports.push(flattenValues(report)); ++ }); ++ cb(null, reports); ++ }, ++ err => cb(err) ++ ); ++ ++ // Unknown browser, skip getStats() since it's anyone's guess which style of ++ // getStats() they implement. ++ } else { ++ cb(null, []); ++ } ++ } ++ ++ _maybeReady () { ++ this._debug( ++ 'maybeReady pc %s channel %s', ++ this._pcReady, ++ this._channelReady ++ ); ++ if ( ++ this._connected || ++ this._connecting || ++ !this._pcReady || ++ !this._channelReady ++ ) { return } ++ ++ this._connecting = true; ++ ++ // HACK: We can't rely on order here, for details see https://github.com/js-platform/node-webrtc/issues/339 ++ const findCandidatePair = () => { ++ if (this.destroyed) return ++ ++ this.getStats((err, items) => { ++ if (this.destroyed) return ++ ++ // Treat getStats error as non-fatal. It's not essential. ++ if (err) items = []; ++ ++ const remoteCandidates = {}; ++ const localCandidates = {}; ++ const candidatePairs = {}; ++ let foundSelectedCandidatePair = false; ++ ++ items.forEach(item => { ++ // TODO: Once all browsers support the hyphenated stats report types, remove ++ // the non-hypenated ones ++ if ( ++ item.type === 'remotecandidate' || ++ item.type === 'remote-candidate' ++ ) { ++ remoteCandidates[item.id] = item; ++ } ++ if ( ++ item.type === 'localcandidate' || ++ item.type === 'local-candidate' ++ ) { ++ localCandidates[item.id] = item; ++ } ++ if (item.type === 'candidatepair' || item.type === 'candidate-pair') { ++ candidatePairs[item.id] = item; ++ } ++ }); ++ ++ const setSelectedCandidatePair = selectedCandidatePair => { ++ foundSelectedCandidatePair = true; ++ ++ let local = localCandidates[selectedCandidatePair.localCandidateId]; ++ ++ if (local && (local.ip || local.address)) { ++ // Spec ++ this.localAddress = local.ip || local.address; ++ this.localPort = Number(local.port); ++ } else if (local && local.ipAddress) { ++ // Firefox ++ this.localAddress = local.ipAddress; ++ this.localPort = Number(local.portNumber); ++ } else if ( ++ typeof selectedCandidatePair.googLocalAddress === 'string' ++ ) { ++ // TODO: remove this once Chrome 58 is released ++ local = selectedCandidatePair.googLocalAddress.split(':'); ++ this.localAddress = local[0]; ++ this.localPort = Number(local[1]); ++ } ++ if (this.localAddress) { ++ this.localFamily = this.localAddress.includes(':') ++ ? 'IPv6' ++ : 'IPv4'; ++ } ++ ++ let remote = ++ remoteCandidates[selectedCandidatePair.remoteCandidateId]; ++ ++ if (remote && (remote.ip || remote.address)) { ++ // Spec ++ this.remoteAddress = remote.ip || remote.address; ++ this.remotePort = Number(remote.port); ++ } else if (remote && remote.ipAddress) { ++ // Firefox ++ this.remoteAddress = remote.ipAddress; ++ this.remotePort = Number(remote.portNumber); ++ } else if ( ++ typeof selectedCandidatePair.googRemoteAddress === 'string' ++ ) { ++ // TODO: remove this once Chrome 58 is released ++ remote = selectedCandidatePair.googRemoteAddress.split(':'); ++ this.remoteAddress = remote[0]; ++ this.remotePort = Number(remote[1]); ++ } ++ if (this.remoteAddress) { ++ this.remoteFamily = this.remoteAddress.includes(':') ++ ? 'IPv6' ++ : 'IPv4'; ++ } ++ ++ this._debug( ++ 'connect local: %s:%s remote: %s:%s', ++ this.localAddress, ++ this.localPort, ++ this.remoteAddress, ++ this.remotePort ++ ); ++ }; ++ ++ items.forEach(item => { ++ // Spec-compliant ++ if (item.type === 'transport' && item.selectedCandidatePairId) { ++ setSelectedCandidatePair( ++ candidatePairs[item.selectedCandidatePairId] ++ ); ++ } ++ ++ // Old implementations ++ if ( ++ (item.type === 'googCandidatePair' && ++ item.googActiveConnection === 'true') || ++ ((item.type === 'candidatepair' || ++ item.type === 'candidate-pair') && ++ item.selected) ++ ) { ++ setSelectedCandidatePair(item); ++ } ++ }); ++ ++ // Ignore candidate pair selection in browsers like Safari 11 that do not have any local or remote candidates ++ // But wait until at least 1 candidate pair is available ++ if ( ++ !foundSelectedCandidatePair && ++ (!Object.keys(candidatePairs).length || ++ Object.keys(localCandidates).length) ++ ) { ++ setTimeout(findCandidatePair, 100); ++ return ++ } else { ++ this._connecting = false; ++ this._connected = true; ++ } ++ ++ if (this._chunk) { ++ try { ++ this.send(this._chunk); ++ } catch (err) { ++ return this.destroy(errCode(err, 'ERR_DATA_CHANNEL')) ++ } ++ this._chunk = null; ++ this._debug('sent chunk from "write before connect"'); ++ ++ const cb = this._cb; ++ this._cb = null; ++ cb(null); ++ } ++ ++ // If `bufferedAmountLowThreshold` and 'onbufferedamountlow' are unsupported, ++ // fallback to using setInterval to implement backpressure. ++ if (typeof this._channel.bufferedAmountLowThreshold !== 'number') { ++ this._interval = setInterval(() => this._onInterval(), 150); ++ if (this._interval.unref) this._interval.unref(); ++ } ++ ++ this._debug('connect'); ++ this.emit('connect'); ++ }); ++ }; ++ findCandidatePair(); ++ } ++ ++ _onInterval () { ++ if ( ++ !this._cb || ++ !this._channel || ++ this._channel.bufferedAmount > MAX_BUFFERED_AMOUNT ++ ) { ++ return ++ } ++ this._onChannelBufferedAmountLow(); ++ } ++ ++ _onSignalingStateChange () { ++ if (this.destroyed) return ++ ++ if (this._pc.signalingState === 'stable') { ++ this._isNegotiating = false; ++ ++ // HACK: Firefox doesn't yet support removing tracks when signalingState !== 'stable' ++ this._debug('flushing sender queue', this._sendersAwaitingStable); ++ this._sendersAwaitingStable.forEach(sender => { ++ this._pc.removeTrack(sender); ++ this._queuedNegotiation = true; ++ }); ++ this._sendersAwaitingStable = []; ++ ++ if (this._queuedNegotiation) { ++ this._debug('flushing negotiation queue'); ++ this._queuedNegotiation = false; ++ this._needsNegotiation(); // negotiate again ++ } else { ++ this._debug('negotiated'); ++ this.emit('negotiated'); ++ } ++ } ++ ++ this._debug('signalingStateChange %s', this._pc.signalingState); ++ this.emit('signalingStateChange', this._pc.signalingState); ++ } ++ ++ _onIceCandidate (event) { ++ if (this.destroyed) return ++ if (event.candidate && this.trickle) { ++ this.emit('signal', { ++ type: 'candidate', ++ candidate: { ++ candidate: event.candidate.candidate, ++ sdpMLineIndex: event.candidate.sdpMLineIndex, ++ sdpMid: event.candidate.sdpMid ++ } ++ }); ++ } else if (!event.candidate && !this._iceComplete) { ++ this._iceComplete = true; ++ this.emit('_iceComplete'); ++ } ++ // as soon as we've received one valid candidate start timeout ++ if (event.candidate) { ++ this._startIceCompleteTimeout(); ++ } ++ } ++ ++ _onChannelMessage (event) { ++ if (this.destroyed) return ++ let data = event.data; ++ if (data instanceof ArrayBuffer) data = new Uint8Array(data); ++ this.emit('data', data); ++ } ++ ++ _onChannelBufferedAmountLow () { ++ if (this.destroyed || !this._cb) return ++ this._debug( ++ 'ending backpressure: bufferedAmount %d', ++ this._channel.bufferedAmount ++ ); ++ const cb = this._cb; ++ this._cb = null; ++ cb(null); ++ } ++ ++ _onChannelOpen () { ++ if (this._connected || this.destroyed) return ++ this._debug('on channel open'); ++ this._channelReady = true; ++ this._maybeReady(); ++ } ++ ++ _onChannelClose () { ++ if (this.destroyed) return ++ this._debug('on channel close'); ++ this.destroy(); ++ } ++ ++ _onTrack (event) { ++ if (this.destroyed) return ++ ++ event.streams.forEach(eventStream => { ++ this._debug('on track'); ++ this.emit('track', event.track, eventStream); ++ ++ this._remoteTracks.push({ ++ track: event.track, ++ stream: eventStream ++ }); ++ ++ if ( ++ this._remoteStreams.some(remoteStream => { ++ return remoteStream.id === eventStream.id ++ }) ++ ) { return } // Only fire one 'stream' event, even though there may be multiple tracks per stream ++ ++ this._remoteStreams.push(eventStream); ++ queueMicrotask(() => { ++ this._debug('on stream'); ++ this.emit('stream', eventStream); // ensure all tracks have been added ++ }); ++ }); ++ } ++ ++ _debug (...args) { ++ if (!this._doDebug) return ++ args[0] = '[' + this._id + '] ' + args[0]; ++ console.log(...args); ++ } ++ ++ // event emitter ++ on (key, listener) { ++ const map = this._map; ++ if (!map.has(key)) map.set(key, new Set()); ++ map.get(key).add(listener); ++ } ++ ++ off (key, listener) { ++ const map = this._map; ++ const listeners = map.get(key); ++ if (!listeners) return ++ listeners.delete(listener); ++ if (listeners.size === 0) map.delete(key); ++ } ++ ++ once (key, listener) { ++ const listener_ = (...args) => { ++ this.off(key, listener_); ++ listener(...args); ++ }; ++ this.on(key, listener_); ++ } ++ ++ emit (key, ...args) { ++ const map = this._map; ++ if (!map.has(key)) return ++ for (const listener of map.get(key)) { ++ try { ++ listener(...args); ++ } catch (err) { ++ console.error(err); ++ } ++ } ++ } ++} ++ ++Peer.WEBRTC_SUPPORT = !!getBrowserRTC(); ++ ++/** ++ * Expose peer and data channel config for overriding all Peer ++ * instances. Otherwise, just set opts.config or opts.channelConfig ++ * when constructing a Peer. ++ */ ++Peer.config = { ++ iceServers: [ ++ { ++ urls: [ ++ 'stun:stun.l.google.com:19302', ++ 'stun:global.stun.twilio.com:3478' ++ ] ++ } ++ ], ++ sdpSemantics: 'unified-plan' ++}; ++ ++Peer.channelConfig = {}; ++ ++class RRWebPluginCanvasWebRTCReplay { ++ constructor({ canvasFoundCallback, signalSendCallback, }) { ++ this.peer = null; ++ this.streamNodeMap = new Map(); ++ this.streams = new Set(); ++ this.runningStreams = new WeakSet(); ++ this.canvasFoundCallback = canvasFoundCallback; ++ this.signalSendCallback = signalSendCallback; ++ } ++ initPlugin() { ++ return { ++ onBuild: (node, context) => { ++ if (node.nodeName === 'CANVAS') { ++ this.canvasFoundCallback(node, context); ++ } ++ }, ++ getMirror: (options) => { ++ this.mirror = options.nodeMirror; ++ }, ++ }; ++ } ++ startStream(target, stream) { ++ if (this.runningStreams.has(stream)) ++ return; ++ if (target.tagName === 'VIDEO') { ++ const remoteVideo = target; ++ remoteVideo.srcObject = stream; ++ void remoteVideo.play(); ++ this.runningStreams.add(stream); ++ return; ++ } ++ if ('MediaStreamTrackProcessor' in window) { ++ const canvas = target; ++ const ctx = canvas.getContext('2d'); ++ if (!ctx) ++ throw new Error(`startStream: Could not get 2d canvas context for ${canvas.outerHTML}`); ++ const track = stream.getVideoTracks()[0]; ++ const processor = new MediaStreamTrackProcessor({ track: track }); ++ const reader = processor.readable.getReader(); ++ const readChunk = function () { ++ void reader.read().then(({ done, value }) => { ++ if (!value) ++ return; ++ if (canvas.width !== value.displayWidth || ++ canvas.height !== value.displayHeight) { ++ canvas.width = value.displayWidth; ++ canvas.height = value.displayHeight; ++ } ++ ctx.clearRect(0, 0, canvas.width, canvas.height); ++ ctx.drawImage(value, 0, 0); ++ value.close(); ++ if (!done) { ++ readChunk(); ++ } ++ }); ++ }; ++ readChunk(); ++ this.runningStreams.add(stream); ++ } ++ else { ++ const remoteVideo = document.createElement('video'); ++ remoteVideo.setAttribute('autoplay', 'true'); ++ remoteVideo.setAttribute('playsinline', 'true'); ++ remoteVideo.setAttribute('width', target.width.toString()); ++ remoteVideo.setAttribute('height', target.height.toString()); ++ target.replaceWith(remoteVideo); ++ this.startStream(remoteVideo, stream); ++ } ++ } ++ signalReceive(msg) { ++ if (!this.peer) { ++ this.peer = new Peer({ ++ initiator: false, ++ }); ++ this.peer.on('error', (err) => { ++ this.peer = null; ++ console.log('error', err); ++ }); ++ this.peer.on('close', () => { ++ this.peer = null; ++ console.log('closing'); ++ }); ++ this.peer.on('signal', (data) => { ++ this.signalSendCallback(data); ++ }); ++ this.peer.on('connect', () => { ++ }); ++ this.peer.on('data', (data) => { ++ try { ++ const json = JSON.parse(data); ++ this.streamNodeMap.set(json.streamId, json.nodeId); ++ } ++ catch (error) { ++ console.error('Could not parse data', error); ++ } ++ this.flushStreams(); ++ }); ++ this.peer.on('stream', (stream) => { ++ this.streams.add(stream); ++ this.flushStreams(); ++ }); ++ } ++ this.peer.signal(msg); ++ } ++ flushStreams() { ++ this.streams.forEach((stream) => { ++ const nodeId = this.streamNodeMap.get(stream.id); ++ if (!nodeId) ++ return; ++ const target = this.mirror.getNode(nodeId); ++ if (target) ++ this.startStream(target, stream); ++ }); ++ } ++} ++ ++exports.RRWebPluginCanvasWebRTCReplay = RRWebPluginCanvasWebRTCReplay; +diff --git a/node_modules/rrweb/lib/plugins/console-record.js b/node_modules/rrweb/lib/plugins/console-record.js +old mode 100644 +new mode 100755 +diff --git a/node_modules/rrweb/lib/plugins/console-replay.js b/node_modules/rrweb/lib/plugins/console-replay.js +old mode 100644 +new mode 100755 +diff --git a/node_modules/rrweb/lib/plugins/sequential-id-record.js b/node_modules/rrweb/lib/plugins/sequential-id-record.js +old mode 100644 +new mode 100755 +diff --git a/node_modules/rrweb/lib/plugins/sequential-id-replay.js b/node_modules/rrweb/lib/plugins/sequential-id-replay.js +old mode 100644 +new mode 100755 +diff --git a/node_modules/rrweb/lib/record/rrweb-record-pack.js b/node_modules/rrweb/lib/record/rrweb-record-pack.js +old mode 100644 +new mode 100755 +diff --git a/node_modules/rrweb/lib/record/rrweb-record.js b/node_modules/rrweb/lib/record/rrweb-record.js +old mode 100644 +new mode 100755 +index 2a2a3ca..2264570 +--- a/node_modules/rrweb/lib/record/rrweb-record.js ++++ b/node_modules/rrweb/lib/record/rrweb-record.js +@@ -96,10 +96,14 @@ function isShadowRoot(n) { + return Boolean(host && host.shadowRoot && host.shadowRoot === n); + } + function maskInputValue(_a) { +- var maskInputOptions = _a.maskInputOptions, tagName = _a.tagName, type = _a.type, value = _a.value, maskInputFn = _a.maskInputFn; ++ var input = _a.input, maskInputSelector = _a.maskInputSelector, unmaskInputSelector = _a.unmaskInputSelector, maskInputOptions = _a.maskInputOptions, tagName = _a.tagName, type = _a.type, value = _a.value, maskInputFn = _a.maskInputFn; + var text = value || ''; ++ if (unmaskInputSelector && input.matches(unmaskInputSelector)) { ++ return text; ++ } + if (maskInputOptions[tagName.toLowerCase()] || +- maskInputOptions[type]) { ++ maskInputOptions[type] || ++ (maskInputSelector && input.matches(maskInputSelector))) { + if (maskInputFn) { + text = maskInputFn(text); + } +@@ -326,7 +330,10 @@ function transformAttribute(doc, tagName, name, value) { + return value; + } + } +-function _isBlockedElement(element, blockClass, blockSelector) { ++function _isBlockedElement(element, blockClass, blockSelector, unblockSelector) { ++ if (unblockSelector && element.matches(unblockSelector)) { ++ return false; ++ } + if (typeof blockClass === 'string') { + if (element.classList.contains(blockClass)) { + return true; +@@ -345,11 +352,16 @@ function _isBlockedElement(element, blockClass, blockSelector) { + } + return false; + } +-function needMaskingText(node, maskTextClass, maskTextSelector) { ++function needMaskingText(node, maskTextClass, maskTextSelector, unmaskTextSelector) { + if (!node) { + return false; + } + if (node.nodeType === node.ELEMENT_NODE) { ++ if (unmaskTextSelector) { ++ if (node.matches(unmaskTextSelector) || node.closest(unmaskTextSelector)) { ++ return false; ++ } ++ } + if (typeof maskTextClass === 'string') { + if (node.classList.contains(maskTextClass)) { + return true; +@@ -368,12 +380,12 @@ function needMaskingText(node, maskTextClass, maskTextSelector) { + return true; + } + } +- return needMaskingText(node.parentNode, maskTextClass, maskTextSelector); ++ return needMaskingText(node.parentNode, maskTextClass, maskTextSelector, unmaskTextSelector); + } + if (node.nodeType === node.TEXT_NODE) { +- return needMaskingText(node.parentNode, maskTextClass, maskTextSelector); ++ return needMaskingText(node.parentNode, maskTextClass, maskTextSelector, unmaskTextSelector); + } +- return needMaskingText(node.parentNode, maskTextClass, maskTextSelector); ++ return needMaskingText(node.parentNode, maskTextClass, maskTextSelector, unmaskTextSelector); + } + function onceIframeLoaded(iframeEl, listener, iframeLoadTimeout) { + var win = iframeEl.contentWindow; +@@ -413,7 +425,7 @@ function onceIframeLoaded(iframeEl, listener, iframeLoadTimeout) { + } + function serializeNode(n, options) { + var _a; +- var doc = options.doc, blockClass = options.blockClass, blockSelector = options.blockSelector, maskTextClass = options.maskTextClass, maskTextSelector = options.maskTextSelector, inlineStylesheet = options.inlineStylesheet, _b = options.maskInputOptions, maskInputOptions = _b === void 0 ? {} : _b, maskTextFn = options.maskTextFn, maskInputFn = options.maskInputFn, _c = options.dataURLOptions, dataURLOptions = _c === void 0 ? {} : _c, inlineImages = options.inlineImages, recordCanvas = options.recordCanvas, keepIframeSrcFn = options.keepIframeSrcFn; ++ var doc = options.doc, blockClass = options.blockClass, blockSelector = options.blockSelector, unblockSelector = options.unblockSelector, maskTextClass = options.maskTextClass, maskTextSelector = options.maskTextSelector, unmaskTextSelector = options.unmaskTextSelector, inlineStylesheet = options.inlineStylesheet, maskInputSelector = options.maskInputSelector, unmaskInputSelector = options.unmaskInputSelector, _b = options.maskInputOptions, maskInputOptions = _b === void 0 ? {} : _b, maskTextFn = options.maskTextFn, maskInputFn = options.maskInputFn, _c = options.dataURLOptions, dataURLOptions = _c === void 0 ? {} : _c, inlineImages = options.inlineImages, recordCanvas = options.recordCanvas, keepIframeSrcFn = options.keepIframeSrcFn; + var rootId; + if (doc.__sn) { + var docId = doc.__sn.id; +@@ -445,7 +457,7 @@ function serializeNode(n, options) { + rootId: rootId + }; + case n.ELEMENT_NODE: +- var needBlock = _isBlockedElement(n, blockClass, blockSelector); ++ var needBlock = _isBlockedElement(n, blockClass, blockSelector, unblockSelector); + var tagName = getValidTagName(n); + var attributes_1 = {}; + for (var _i = 0, _d = Array.from(n.attributes); _i < _d.length; _i++) { +@@ -486,9 +498,12 @@ function serializeNode(n, options) { + attributes_1.type !== 'button' && + value) { + attributes_1.value = maskInputValue({ ++ input: n, + type: attributes_1.type, + tagName: tagName, + value: value, ++ maskInputSelector: maskInputSelector, ++ unmaskInputSelector: unmaskInputSelector, + maskInputOptions: maskInputOptions, + maskInputFn: maskInputFn + }); +@@ -607,7 +622,7 @@ function serializeNode(n, options) { + } + if (!isStyle && + !isScript && +- needMaskingText(n, maskTextClass, maskTextSelector) && ++ needMaskingText(n, maskTextClass, maskTextSelector, unmaskTextSelector) && + textContent) { + textContent = maskTextFn + ? maskTextFn(textContent) +@@ -715,15 +730,19 @@ function slimDOMExcluded(sn, slimDOMOptions) { + return false; + } + function serializeNodeWithId(n, options) { +- var doc = options.doc, map = options.map, blockClass = options.blockClass, blockSelector = options.blockSelector, maskTextClass = options.maskTextClass, maskTextSelector = options.maskTextSelector, _a = options.skipChild, skipChild = _a === void 0 ? false : _a, _b = options.inlineStylesheet, inlineStylesheet = _b === void 0 ? true : _b, _c = options.maskInputOptions, maskInputOptions = _c === void 0 ? {} : _c, maskTextFn = options.maskTextFn, maskInputFn = options.maskInputFn, slimDOMOptions = options.slimDOMOptions, _d = options.dataURLOptions, dataURLOptions = _d === void 0 ? {} : _d, _e = options.inlineImages, inlineImages = _e === void 0 ? false : _e, _f = options.recordCanvas, recordCanvas = _f === void 0 ? false : _f, onSerialize = options.onSerialize, onIframeLoad = options.onIframeLoad, _g = options.iframeLoadTimeout, iframeLoadTimeout = _g === void 0 ? 5000 : _g, _h = options.keepIframeSrcFn, keepIframeSrcFn = _h === void 0 ? function () { return false; } : _h; ++ var doc = options.doc, map = options.map, blockClass = options.blockClass, blockSelector = options.blockSelector, unblockSelector = options.unblockSelector, maskTextClass = options.maskTextClass, maskTextSelector = options.maskTextSelector, unmaskTextSelector = options.unmaskTextSelector, _a = options.skipChild, skipChild = _a === void 0 ? false : _a, _b = options.inlineStylesheet, inlineStylesheet = _b === void 0 ? true : _b, maskInputSelector = options.maskInputSelector, unmaskInputSelector = options.unmaskInputSelector, _c = options.maskInputOptions, maskInputOptions = _c === void 0 ? {} : _c, maskTextFn = options.maskTextFn, maskInputFn = options.maskInputFn, slimDOMOptions = options.slimDOMOptions, _d = options.dataURLOptions, dataURLOptions = _d === void 0 ? {} : _d, _e = options.inlineImages, inlineImages = _e === void 0 ? false : _e, _f = options.recordCanvas, recordCanvas = _f === void 0 ? false : _f, onSerialize = options.onSerialize, onIframeLoad = options.onIframeLoad, _g = options.iframeLoadTimeout, iframeLoadTimeout = _g === void 0 ? 5000 : _g, _h = options.keepIframeSrcFn, keepIframeSrcFn = _h === void 0 ? function () { return false; } : _h; + var _j = options.preserveWhiteSpace, preserveWhiteSpace = _j === void 0 ? true : _j; + var _serializedNode = serializeNode(n, { + doc: doc, + blockClass: blockClass, + blockSelector: blockSelector, ++ unblockSelector: unblockSelector, + maskTextClass: maskTextClass, + maskTextSelector: maskTextSelector, ++ unmaskTextSelector: unmaskTextSelector, + inlineStylesheet: inlineStylesheet, ++ maskInputSelector: maskInputSelector, ++ unmaskInputSelector: unmaskInputSelector, + maskInputOptions: maskInputOptions, + maskTextFn: maskTextFn, + maskInputFn: maskInputFn, +@@ -779,10 +798,14 @@ function serializeNodeWithId(n, options) { + map: map, + blockClass: blockClass, + blockSelector: blockSelector, ++ unblockSelector: unblockSelector, + maskTextClass: maskTextClass, + maskTextSelector: maskTextSelector, ++ unmaskTextSelector: unmaskTextSelector, + skipChild: skipChild, + inlineStylesheet: inlineStylesheet, ++ maskInputSelector: maskInputSelector, ++ unmaskInputSelector: unmaskInputSelector, + maskInputOptions: maskInputOptions, + maskTextFn: maskTextFn, + maskInputFn: maskInputFn, +@@ -827,10 +850,14 @@ function serializeNodeWithId(n, options) { + map: map, + blockClass: blockClass, + blockSelector: blockSelector, ++ unblockSelector: unblockSelector, + maskTextClass: maskTextClass, + maskTextSelector: maskTextSelector, ++ unmaskTextSelector: unmaskTextSelector, + skipChild: false, + inlineStylesheet: inlineStylesheet, ++ maskInputSelector: maskInputSelector, ++ unmaskInputSelector: unmaskInputSelector, + maskInputOptions: maskInputOptions, + maskTextFn: maskTextFn, + maskInputFn: maskInputFn, +@@ -853,7 +880,7 @@ function serializeNodeWithId(n, options) { + return serializedNode; + } + function snapshot(n, options) { +- var _a = options || {}, _b = _a.blockClass, blockClass = _b === void 0 ? 'rr-block' : _b, _c = _a.blockSelector, blockSelector = _c === void 0 ? null : _c, _d = _a.maskTextClass, maskTextClass = _d === void 0 ? 'rr-mask' : _d, _e = _a.maskTextSelector, maskTextSelector = _e === void 0 ? null : _e, _f = _a.inlineStylesheet, inlineStylesheet = _f === void 0 ? true : _f, _g = _a.inlineImages, inlineImages = _g === void 0 ? false : _g, _h = _a.recordCanvas, recordCanvas = _h === void 0 ? false : _h, _j = _a.maskAllInputs, maskAllInputs = _j === void 0 ? false : _j, maskTextFn = _a.maskTextFn, maskInputFn = _a.maskInputFn, _k = _a.slimDOM, slimDOM = _k === void 0 ? false : _k, dataURLOptions = _a.dataURLOptions, preserveWhiteSpace = _a.preserveWhiteSpace, onSerialize = _a.onSerialize, onIframeLoad = _a.onIframeLoad, iframeLoadTimeout = _a.iframeLoadTimeout, _l = _a.keepIframeSrcFn, keepIframeSrcFn = _l === void 0 ? function () { return false; } : _l; ++ var _a = options || {}, _b = _a.blockClass, blockClass = _b === void 0 ? 'rr-block' : _b, _c = _a.blockSelector, blockSelector = _c === void 0 ? null : _c, _d = _a.unblockSelector, unblockSelector = _d === void 0 ? null : _d, _e = _a.maskTextClass, maskTextClass = _e === void 0 ? 'rr-mask' : _e, _f = _a.maskTextSelector, maskTextSelector = _f === void 0 ? null : _f, _g = _a.unmaskTextSelector, unmaskTextSelector = _g === void 0 ? null : _g, _h = _a.inlineStylesheet, inlineStylesheet = _h === void 0 ? true : _h, _j = _a.inlineImages, inlineImages = _j === void 0 ? false : _j, _k = _a.recordCanvas, recordCanvas = _k === void 0 ? false : _k, _l = _a.maskInputSelector, maskInputSelector = _l === void 0 ? null : _l, _m = _a.unmaskInputSelector, unmaskInputSelector = _m === void 0 ? null : _m, _o = _a.maskAllInputs, maskAllInputs = _o === void 0 ? false : _o, maskTextFn = _a.maskTextFn, maskInputFn = _a.maskInputFn, _p = _a.slimDOM, slimDOM = _p === void 0 ? false : _p, dataURLOptions = _a.dataURLOptions, preserveWhiteSpace = _a.preserveWhiteSpace, onSerialize = _a.onSerialize, onIframeLoad = _a.onIframeLoad, iframeLoadTimeout = _a.iframeLoadTimeout, _q = _a.keepIframeSrcFn, keepIframeSrcFn = _q === void 0 ? function () { return false; } : _q; + var idNodeMap = {}; + var maskInputOptions = maskAllInputs === true + ? { +@@ -902,10 +929,14 @@ function snapshot(n, options) { + map: idNodeMap, + blockClass: blockClass, + blockSelector: blockSelector, ++ unblockSelector: unblockSelector, + maskTextClass: maskTextClass, + maskTextSelector: maskTextSelector, ++ unmaskTextSelector: unmaskTextSelector, + skipChild: false, + inlineStylesheet: inlineStylesheet, ++ maskInputSelector: maskInputSelector, ++ unmaskInputSelector: unmaskInputSelector, + maskInputOptions: maskInputOptions, + maskTextFn: maskTextFn, + maskInputFn: maskInputFn, +@@ -1381,8 +1412,12 @@ var MutationBuffer = (function () { + map: _this.mirror.map, + blockClass: _this.blockClass, + blockSelector: _this.blockSelector, ++ unblockSelector: _this.unblockSelector, + maskTextClass: _this.maskTextClass, + maskTextSelector: _this.maskTextSelector, ++ unmaskTextSelector: _this.unmaskTextSelector, ++ maskInputSelector: _this.maskInputSelector, ++ unmaskInputSelector: _this.unmaskInputSelector, + skipChild: true, + inlineStylesheet: _this.inlineStylesheet, + maskInputOptions: _this.maskInputOptions, +@@ -1528,7 +1563,7 @@ var MutationBuffer = (function () { + var value = m.target.textContent; + if (!isBlocked(m.target, _this.blockClass) && value !== m.oldValue) { + _this.texts.push({ +- value: needMaskingText(m.target, _this.maskTextClass, _this.maskTextSelector) && value ++ value: needMaskingText(m.target, _this.maskTextClass, _this.maskTextSelector, _this.unmaskTextSelector) && value + ? _this.maskTextFn + ? _this.maskTextFn(value) + : value.replace(/[\S]/g, '*') +@@ -1543,6 +1578,9 @@ var MutationBuffer = (function () { + var value = m.target.getAttribute(m.attributeName); + if (m.attributeName === 'value') { + value = maskInputValue({ ++ input: target, ++ maskInputSelector: _this.maskInputSelector, ++ unmaskInputSelector: _this.unmaskInputSelector, + maskInputOptions: _this.maskInputOptions, + tagName: m.target.tagName, + type: m.target.getAttribute('type'), +@@ -1679,8 +1717,12 @@ var MutationBuffer = (function () { + 'mutationCb', + 'blockClass', + 'blockSelector', ++ 'unblockSelector', + 'maskTextClass', + 'maskTextSelector', ++ 'unmaskTextSelector', ++ 'maskInputSelector', ++ 'unmaskInputSelector', + 'inlineStylesheet', + 'maskInputOptions', + 'maskTextFn', +@@ -1944,7 +1986,7 @@ function wrapEventWithUserTriggeredFlag(v, enable) { + var INPUT_TAGS = ['INPUT', 'TEXTAREA', 'SELECT']; + var lastInputValueMap = new WeakMap(); + function initInputObserver(_a) { +- var inputCb = _a.inputCb, doc = _a.doc, mirror = _a.mirror, blockClass = _a.blockClass, ignoreClass = _a.ignoreClass, maskInputOptions = _a.maskInputOptions, maskInputFn = _a.maskInputFn, sampling = _a.sampling, userTriggeredOnInput = _a.userTriggeredOnInput; ++ var inputCb = _a.inputCb, doc = _a.doc, mirror = _a.mirror, blockClass = _a.blockClass, ignoreClass = _a.ignoreClass, ignoreSelector = _a.ignoreSelector, maskInputSelector = _a.maskInputSelector, unmaskInputSelector = _a.unmaskInputSelector, maskInputOptions = _a.maskInputOptions, maskInputFn = _a.maskInputFn, sampling = _a.sampling, userTriggeredOnInput = _a.userTriggeredOnInput; + function eventHandler(event) { + var target = getEventTarget(event); + var userTriggered = event.isTrusted; +@@ -1957,7 +1999,7 @@ function initInputObserver(_a) { + return; + } + var type = target.type; +- if (target.classList.contains(ignoreClass)) { ++ if (target.classList.contains(ignoreClass) || (ignoreSelector && target.matches(ignoreSelector))) { + return; + } + var text = target.value; +@@ -1968,7 +2010,10 @@ function initInputObserver(_a) { + else if (maskInputOptions[target.tagName.toLowerCase()] || + maskInputOptions[type]) { + text = maskInputValue({ ++ input: target, + maskInputOptions: maskInputOptions, ++ maskInputSelector: maskInputSelector, ++ unmaskInputSelector: unmaskInputSelector, + tagName: target.tagName, + type: type, + value: text, +@@ -2052,6 +2097,9 @@ function getNestedCSSRulePositions(rule) { + function initStyleSheetObserver(_a, _b) { + var styleSheetRuleCb = _a.styleSheetRuleCb, mirror = _a.mirror; + var win = _b.win; ++ if (!win.CSSStyleSheet || !win.CSSStyleSheet.prototype) { ++ return function () { }; ++ } + var insertRule = win.CSSStyleSheet.prototype.insertRule; + win.CSSStyleSheet.prototype.insertRule = function (rule, index) { + var id = mirror.getId(this.ownerNode); +@@ -2884,7 +2932,7 @@ var takeFullSnapshot; + var mirror = createMirror(); + function record(options) { + if (options === void 0) { options = {}; } +- var emit = options.emit, checkoutEveryNms = options.checkoutEveryNms, checkoutEveryNth = options.checkoutEveryNth, _a = options.blockClass, blockClass = _a === void 0 ? 'rr-block' : _a, _b = options.blockSelector, blockSelector = _b === void 0 ? null : _b, _c = options.ignoreClass, ignoreClass = _c === void 0 ? 'rr-ignore' : _c, _d = options.maskTextClass, maskTextClass = _d === void 0 ? 'rr-mask' : _d, _e = options.maskTextSelector, maskTextSelector = _e === void 0 ? null : _e, _f = options.inlineStylesheet, inlineStylesheet = _f === void 0 ? true : _f, maskAllInputs = options.maskAllInputs, _maskInputOptions = options.maskInputOptions, _slimDOMOptions = options.slimDOMOptions, maskInputFn = options.maskInputFn, maskTextFn = options.maskTextFn, hooks = options.hooks, packFn = options.packFn, _g = options.sampling, sampling = _g === void 0 ? {} : _g, mousemoveWait = options.mousemoveWait, _h = options.recordCanvas, recordCanvas = _h === void 0 ? false : _h, _j = options.userTriggeredOnInput, userTriggeredOnInput = _j === void 0 ? false : _j, _k = options.collectFonts, collectFonts = _k === void 0 ? false : _k, _l = options.inlineImages, inlineImages = _l === void 0 ? false : _l, plugins = options.plugins, _m = options.keepIframeSrcFn, keepIframeSrcFn = _m === void 0 ? function () { return false; } : _m; ++ var emit = options.emit, checkoutEveryNms = options.checkoutEveryNms, checkoutEveryNth = options.checkoutEveryNth, _a = options.blockClass, blockClass = _a === void 0 ? 'rr-block' : _a, _b = options.blockSelector, blockSelector = _b === void 0 ? null : _b, _c = options.unblockSelector, unblockSelector = _c === void 0 ? null : _c, _d = options.ignoreClass, ignoreClass = _d === void 0 ? 'rr-ignore' : _d, _e = options.ignoreSelector, ignoreSelector = _e === void 0 ? null : _e, _f = options.maskTextClass, maskTextClass = _f === void 0 ? 'rr-mask' : _f, _g = options.maskTextSelector, maskTextSelector = _g === void 0 ? null : _g, _h = options.maskInputSelector, maskInputSelector = _h === void 0 ? null : _h, _j = options.unmaskTextSelector, unmaskTextSelector = _j === void 0 ? null : _j, _k = options.unmaskInputSelector, unmaskInputSelector = _k === void 0 ? null : _k, _l = options.inlineStylesheet, inlineStylesheet = _l === void 0 ? true : _l, maskAllInputs = options.maskAllInputs, _maskInputOptions = options.maskInputOptions, _slimDOMOptions = options.slimDOMOptions, maskInputFn = options.maskInputFn, maskTextFn = options.maskTextFn, hooks = options.hooks, packFn = options.packFn, _m = options.sampling, sampling = _m === void 0 ? {} : _m, mousemoveWait = options.mousemoveWait, _o = options.recordCanvas, recordCanvas = _o === void 0 ? false : _o, _p = options.userTriggeredOnInput, userTriggeredOnInput = _p === void 0 ? false : _p, _q = options.collectFonts, collectFonts = _q === void 0 ? false : _q, _r = options.inlineImages, inlineImages = _r === void 0 ? false : _r, plugins = options.plugins, _s = options.keepIframeSrcFn, keepIframeSrcFn = _s === void 0 ? function () { return false; } : _s; + if (!emit) { + throw new Error('emit function is required'); + } +@@ -3015,8 +3063,12 @@ function record(options) { + bypassOptions: { + blockClass: blockClass, + blockSelector: blockSelector, ++ unblockSelector: unblockSelector, + maskTextClass: maskTextClass, + maskTextSelector: maskTextSelector, ++ unmaskTextSelector: unmaskTextSelector, ++ maskInputSelector: maskInputSelector, ++ unmaskInputSelector: unmaskInputSelector, + inlineStylesheet: inlineStylesheet, + maskInputOptions: maskInputOptions, + maskTextFn: maskTextFn, +@@ -3045,8 +3097,12 @@ function record(options) { + var _e = __read(snapshot(document, { + blockClass: blockClass, + blockSelector: blockSelector, ++ unblockSelector: unblockSelector, + maskTextClass: maskTextClass, + maskTextSelector: maskTextSelector, ++ unmaskTextSelector: unmaskTextSelector, ++ maskInputSelector: maskInputSelector, ++ unmaskInputSelector: unmaskInputSelector, + inlineStylesheet: inlineStylesheet, + maskAllInputs: maskInputOptions, + maskTextFn: maskTextFn, +@@ -3160,8 +3216,12 @@ function record(options) { + }, + blockClass: blockClass, + ignoreClass: ignoreClass, ++ ignoreSelector: ignoreSelector, + maskTextClass: maskTextClass, + maskTextSelector: maskTextSelector, ++ unmaskTextSelector: unmaskTextSelector, ++ maskInputSelector: maskInputSelector, ++ unmaskInputSelector: unmaskInputSelector, + maskInputOptions: maskInputOptions, + inlineStylesheet: inlineStylesheet, + sampling: sampling, +@@ -3173,6 +3233,7 @@ function record(options) { + maskInputFn: maskInputFn, + maskTextFn: maskTextFn, + blockSelector: blockSelector, ++ unblockSelector: unblockSelector, + slimDOMOptions: slimDOMOptions, + mirror: mirror, + iframeManager: iframeManager, +@@ -3194,7 +3255,12 @@ function record(options) { }, hooks); }; iframeManager.addLoadListener(function (iframeEl) { - handlers_1.push(observe_1(iframeEl.contentDocument)); + try { + handlers_1.push(observe_1(iframeEl.contentDocument)); -+ } catch (error) { -+ console.warn('error in rrweb iframe observer', error); ++ } ++ catch (error) { ++ console.warn(error); ++ } + }); + var init_1 = function () { + takeFullSnapshot(); +diff --git a/node_modules/rrweb/lib/replay/rrweb-replay-unpack.js b/node_modules/rrweb/lib/replay/rrweb-replay-unpack.js +old mode 100644 +new mode 100755 +diff --git a/node_modules/rrweb/lib/replay/rrweb-replay.js b/node_modules/rrweb/lib/replay/rrweb-replay.js +old mode 100644 +new mode 100755 +diff --git a/node_modules/rrweb/lib/rrweb-all.js b/node_modules/rrweb/lib/rrweb-all.js +old mode 100644 +new mode 100755 +index e905195..71bd8e3 +--- a/node_modules/rrweb/lib/rrweb-all.js ++++ b/node_modules/rrweb/lib/rrweb-all.js +@@ -98,10 +98,14 @@ function isShadowRoot(n) { + return Boolean(host && host.shadowRoot && host.shadowRoot === n); + } + function maskInputValue(_a) { +- var maskInputOptions = _a.maskInputOptions, tagName = _a.tagName, type = _a.type, value = _a.value, maskInputFn = _a.maskInputFn; ++ var input = _a.input, maskInputSelector = _a.maskInputSelector, unmaskInputSelector = _a.unmaskInputSelector, maskInputOptions = _a.maskInputOptions, tagName = _a.tagName, type = _a.type, value = _a.value, maskInputFn = _a.maskInputFn; + var text = value || ''; ++ if (unmaskInputSelector && input.matches(unmaskInputSelector)) { ++ return text; ++ } + if (maskInputOptions[tagName.toLowerCase()] || +- maskInputOptions[type]) { ++ maskInputOptions[type] || ++ (maskInputSelector && input.matches(maskInputSelector))) { + if (maskInputFn) { + text = maskInputFn(text); + } +@@ -328,7 +332,10 @@ function transformAttribute(doc, tagName, name, value) { + return value; + } + } +-function _isBlockedElement(element, blockClass, blockSelector) { ++function _isBlockedElement(element, blockClass, blockSelector, unblockSelector) { ++ if (unblockSelector && element.matches(unblockSelector)) { ++ return false; ++ } + if (typeof blockClass === 'string') { + if (element.classList.contains(blockClass)) { + return true; +@@ -347,11 +354,16 @@ function _isBlockedElement(element, blockClass, blockSelector) { + } + return false; + } +-function needMaskingText(node, maskTextClass, maskTextSelector) { ++function needMaskingText(node, maskTextClass, maskTextSelector, unmaskTextSelector) { + if (!node) { + return false; + } + if (node.nodeType === node.ELEMENT_NODE) { ++ if (unmaskTextSelector) { ++ if (node.matches(unmaskTextSelector) || node.closest(unmaskTextSelector)) { ++ return false; ++ } ++ } + if (typeof maskTextClass === 'string') { + if (node.classList.contains(maskTextClass)) { + return true; +@@ -370,12 +382,12 @@ function needMaskingText(node, maskTextClass, maskTextSelector) { + return true; + } + } +- return needMaskingText(node.parentNode, maskTextClass, maskTextSelector); ++ return needMaskingText(node.parentNode, maskTextClass, maskTextSelector, unmaskTextSelector); + } + if (node.nodeType === node.TEXT_NODE) { +- return needMaskingText(node.parentNode, maskTextClass, maskTextSelector); ++ return needMaskingText(node.parentNode, maskTextClass, maskTextSelector, unmaskTextSelector); + } +- return needMaskingText(node.parentNode, maskTextClass, maskTextSelector); ++ return needMaskingText(node.parentNode, maskTextClass, maskTextSelector, unmaskTextSelector); + } + function onceIframeLoaded(iframeEl, listener, iframeLoadTimeout) { + var win = iframeEl.contentWindow; +@@ -415,7 +427,7 @@ function onceIframeLoaded(iframeEl, listener, iframeLoadTimeout) { + } + function serializeNode(n, options) { + var _a; +- var doc = options.doc, blockClass = options.blockClass, blockSelector = options.blockSelector, maskTextClass = options.maskTextClass, maskTextSelector = options.maskTextSelector, inlineStylesheet = options.inlineStylesheet, _b = options.maskInputOptions, maskInputOptions = _b === void 0 ? {} : _b, maskTextFn = options.maskTextFn, maskInputFn = options.maskInputFn, _c = options.dataURLOptions, dataURLOptions = _c === void 0 ? {} : _c, inlineImages = options.inlineImages, recordCanvas = options.recordCanvas, keepIframeSrcFn = options.keepIframeSrcFn; ++ var doc = options.doc, blockClass = options.blockClass, blockSelector = options.blockSelector, unblockSelector = options.unblockSelector, maskTextClass = options.maskTextClass, maskTextSelector = options.maskTextSelector, unmaskTextSelector = options.unmaskTextSelector, inlineStylesheet = options.inlineStylesheet, maskInputSelector = options.maskInputSelector, unmaskInputSelector = options.unmaskInputSelector, _b = options.maskInputOptions, maskInputOptions = _b === void 0 ? {} : _b, maskTextFn = options.maskTextFn, maskInputFn = options.maskInputFn, _c = options.dataURLOptions, dataURLOptions = _c === void 0 ? {} : _c, inlineImages = options.inlineImages, recordCanvas = options.recordCanvas, keepIframeSrcFn = options.keepIframeSrcFn; + var rootId; + if (doc.__sn) { + var docId = doc.__sn.id; +@@ -447,7 +459,7 @@ function serializeNode(n, options) { + rootId: rootId + }; + case n.ELEMENT_NODE: +- var needBlock = _isBlockedElement(n, blockClass, blockSelector); ++ var needBlock = _isBlockedElement(n, blockClass, blockSelector, unblockSelector); + var tagName = getValidTagName(n); + var attributes_1 = {}; + for (var _i = 0, _d = Array.from(n.attributes); _i < _d.length; _i++) { +@@ -488,9 +500,12 @@ function serializeNode(n, options) { + attributes_1.type !== 'button' && + value) { + attributes_1.value = maskInputValue({ ++ input: n, + type: attributes_1.type, + tagName: tagName, + value: value, ++ maskInputSelector: maskInputSelector, ++ unmaskInputSelector: unmaskInputSelector, + maskInputOptions: maskInputOptions, + maskInputFn: maskInputFn + }); +@@ -609,7 +624,7 @@ function serializeNode(n, options) { + } + if (!isStyle && + !isScript && +- needMaskingText(n, maskTextClass, maskTextSelector) && ++ needMaskingText(n, maskTextClass, maskTextSelector, unmaskTextSelector) && + textContent) { + textContent = maskTextFn + ? maskTextFn(textContent) +@@ -717,15 +732,19 @@ function slimDOMExcluded(sn, slimDOMOptions) { + return false; + } + function serializeNodeWithId(n, options) { +- var doc = options.doc, map = options.map, blockClass = options.blockClass, blockSelector = options.blockSelector, maskTextClass = options.maskTextClass, maskTextSelector = options.maskTextSelector, _a = options.skipChild, skipChild = _a === void 0 ? false : _a, _b = options.inlineStylesheet, inlineStylesheet = _b === void 0 ? true : _b, _c = options.maskInputOptions, maskInputOptions = _c === void 0 ? {} : _c, maskTextFn = options.maskTextFn, maskInputFn = options.maskInputFn, slimDOMOptions = options.slimDOMOptions, _d = options.dataURLOptions, dataURLOptions = _d === void 0 ? {} : _d, _e = options.inlineImages, inlineImages = _e === void 0 ? false : _e, _f = options.recordCanvas, recordCanvas = _f === void 0 ? false : _f, onSerialize = options.onSerialize, onIframeLoad = options.onIframeLoad, _g = options.iframeLoadTimeout, iframeLoadTimeout = _g === void 0 ? 5000 : _g, _h = options.keepIframeSrcFn, keepIframeSrcFn = _h === void 0 ? function () { return false; } : _h; ++ var doc = options.doc, map = options.map, blockClass = options.blockClass, blockSelector = options.blockSelector, unblockSelector = options.unblockSelector, maskTextClass = options.maskTextClass, maskTextSelector = options.maskTextSelector, unmaskTextSelector = options.unmaskTextSelector, _a = options.skipChild, skipChild = _a === void 0 ? false : _a, _b = options.inlineStylesheet, inlineStylesheet = _b === void 0 ? true : _b, maskInputSelector = options.maskInputSelector, unmaskInputSelector = options.unmaskInputSelector, _c = options.maskInputOptions, maskInputOptions = _c === void 0 ? {} : _c, maskTextFn = options.maskTextFn, maskInputFn = options.maskInputFn, slimDOMOptions = options.slimDOMOptions, _d = options.dataURLOptions, dataURLOptions = _d === void 0 ? {} : _d, _e = options.inlineImages, inlineImages = _e === void 0 ? false : _e, _f = options.recordCanvas, recordCanvas = _f === void 0 ? false : _f, onSerialize = options.onSerialize, onIframeLoad = options.onIframeLoad, _g = options.iframeLoadTimeout, iframeLoadTimeout = _g === void 0 ? 5000 : _g, _h = options.keepIframeSrcFn, keepIframeSrcFn = _h === void 0 ? function () { return false; } : _h; + var _j = options.preserveWhiteSpace, preserveWhiteSpace = _j === void 0 ? true : _j; + var _serializedNode = serializeNode(n, { + doc: doc, + blockClass: blockClass, + blockSelector: blockSelector, ++ unblockSelector: unblockSelector, + maskTextClass: maskTextClass, + maskTextSelector: maskTextSelector, ++ unmaskTextSelector: unmaskTextSelector, + inlineStylesheet: inlineStylesheet, ++ maskInputSelector: maskInputSelector, ++ unmaskInputSelector: unmaskInputSelector, + maskInputOptions: maskInputOptions, + maskTextFn: maskTextFn, + maskInputFn: maskInputFn, +@@ -781,10 +800,14 @@ function serializeNodeWithId(n, options) { + map: map, + blockClass: blockClass, + blockSelector: blockSelector, ++ unblockSelector: unblockSelector, + maskTextClass: maskTextClass, + maskTextSelector: maskTextSelector, ++ unmaskTextSelector: unmaskTextSelector, + skipChild: skipChild, + inlineStylesheet: inlineStylesheet, ++ maskInputSelector: maskInputSelector, ++ unmaskInputSelector: unmaskInputSelector, + maskInputOptions: maskInputOptions, + maskTextFn: maskTextFn, + maskInputFn: maskInputFn, +@@ -829,10 +852,14 @@ function serializeNodeWithId(n, options) { + map: map, + blockClass: blockClass, + blockSelector: blockSelector, ++ unblockSelector: unblockSelector, + maskTextClass: maskTextClass, + maskTextSelector: maskTextSelector, ++ unmaskTextSelector: unmaskTextSelector, + skipChild: false, + inlineStylesheet: inlineStylesheet, ++ maskInputSelector: maskInputSelector, ++ unmaskInputSelector: unmaskInputSelector, + maskInputOptions: maskInputOptions, + maskTextFn: maskTextFn, + maskInputFn: maskInputFn, +@@ -855,7 +882,7 @@ function serializeNodeWithId(n, options) { + return serializedNode; + } + function snapshot(n, options) { +- var _a = options || {}, _b = _a.blockClass, blockClass = _b === void 0 ? 'rr-block' : _b, _c = _a.blockSelector, blockSelector = _c === void 0 ? null : _c, _d = _a.maskTextClass, maskTextClass = _d === void 0 ? 'rr-mask' : _d, _e = _a.maskTextSelector, maskTextSelector = _e === void 0 ? null : _e, _f = _a.inlineStylesheet, inlineStylesheet = _f === void 0 ? true : _f, _g = _a.inlineImages, inlineImages = _g === void 0 ? false : _g, _h = _a.recordCanvas, recordCanvas = _h === void 0 ? false : _h, _j = _a.maskAllInputs, maskAllInputs = _j === void 0 ? false : _j, maskTextFn = _a.maskTextFn, maskInputFn = _a.maskInputFn, _k = _a.slimDOM, slimDOM = _k === void 0 ? false : _k, dataURLOptions = _a.dataURLOptions, preserveWhiteSpace = _a.preserveWhiteSpace, onSerialize = _a.onSerialize, onIframeLoad = _a.onIframeLoad, iframeLoadTimeout = _a.iframeLoadTimeout, _l = _a.keepIframeSrcFn, keepIframeSrcFn = _l === void 0 ? function () { return false; } : _l; ++ var _a = options || {}, _b = _a.blockClass, blockClass = _b === void 0 ? 'rr-block' : _b, _c = _a.blockSelector, blockSelector = _c === void 0 ? null : _c, _d = _a.unblockSelector, unblockSelector = _d === void 0 ? null : _d, _e = _a.maskTextClass, maskTextClass = _e === void 0 ? 'rr-mask' : _e, _f = _a.maskTextSelector, maskTextSelector = _f === void 0 ? null : _f, _g = _a.unmaskTextSelector, unmaskTextSelector = _g === void 0 ? null : _g, _h = _a.inlineStylesheet, inlineStylesheet = _h === void 0 ? true : _h, _j = _a.inlineImages, inlineImages = _j === void 0 ? false : _j, _k = _a.recordCanvas, recordCanvas = _k === void 0 ? false : _k, _l = _a.maskInputSelector, maskInputSelector = _l === void 0 ? null : _l, _m = _a.unmaskInputSelector, unmaskInputSelector = _m === void 0 ? null : _m, _o = _a.maskAllInputs, maskAllInputs = _o === void 0 ? false : _o, maskTextFn = _a.maskTextFn, maskInputFn = _a.maskInputFn, _p = _a.slimDOM, slimDOM = _p === void 0 ? false : _p, dataURLOptions = _a.dataURLOptions, preserveWhiteSpace = _a.preserveWhiteSpace, onSerialize = _a.onSerialize, onIframeLoad = _a.onIframeLoad, iframeLoadTimeout = _a.iframeLoadTimeout, _q = _a.keepIframeSrcFn, keepIframeSrcFn = _q === void 0 ? function () { return false; } : _q; + var idNodeMap = {}; + var maskInputOptions = maskAllInputs === true + ? { +@@ -904,10 +931,14 @@ function snapshot(n, options) { + map: idNodeMap, + blockClass: blockClass, + blockSelector: blockSelector, ++ unblockSelector: unblockSelector, + maskTextClass: maskTextClass, + maskTextSelector: maskTextSelector, ++ unmaskTextSelector: unmaskTextSelector, + skipChild: false, + inlineStylesheet: inlineStylesheet, ++ maskInputSelector: maskInputSelector, ++ unmaskInputSelector: unmaskInputSelector, + maskInputOptions: maskInputOptions, + maskTextFn: maskTextFn, + maskInputFn: maskInputFn, +@@ -2443,8 +2474,12 @@ var MutationBuffer = (function () { + map: _this.mirror.map, + blockClass: _this.blockClass, + blockSelector: _this.blockSelector, ++ unblockSelector: _this.unblockSelector, + maskTextClass: _this.maskTextClass, + maskTextSelector: _this.maskTextSelector, ++ unmaskTextSelector: _this.unmaskTextSelector, ++ maskInputSelector: _this.maskInputSelector, ++ unmaskInputSelector: _this.unmaskInputSelector, + skipChild: true, + inlineStylesheet: _this.inlineStylesheet, + maskInputOptions: _this.maskInputOptions, +@@ -2590,7 +2625,7 @@ var MutationBuffer = (function () { + var value = m.target.textContent; + if (!isBlocked(m.target, _this.blockClass) && value !== m.oldValue) { + _this.texts.push({ +- value: needMaskingText(m.target, _this.maskTextClass, _this.maskTextSelector) && value ++ value: needMaskingText(m.target, _this.maskTextClass, _this.maskTextSelector, _this.unmaskTextSelector) && value + ? _this.maskTextFn + ? _this.maskTextFn(value) + : value.replace(/[\S]/g, '*') +@@ -2605,6 +2640,9 @@ var MutationBuffer = (function () { + var value = m.target.getAttribute(m.attributeName); + if (m.attributeName === 'value') { + value = maskInputValue({ ++ input: target, ++ maskInputSelector: _this.maskInputSelector, ++ unmaskInputSelector: _this.unmaskInputSelector, + maskInputOptions: _this.maskInputOptions, + tagName: m.target.tagName, + type: m.target.getAttribute('type'), +@@ -2741,8 +2779,12 @@ var MutationBuffer = (function () { + 'mutationCb', + 'blockClass', + 'blockSelector', ++ 'unblockSelector', + 'maskTextClass', + 'maskTextSelector', ++ 'unmaskTextSelector', ++ 'maskInputSelector', ++ 'unmaskInputSelector', + 'inlineStylesheet', + 'maskInputOptions', + 'maskTextFn', +@@ -3006,7 +3048,7 @@ function wrapEventWithUserTriggeredFlag(v, enable) { + var INPUT_TAGS = ['INPUT', 'TEXTAREA', 'SELECT']; + var lastInputValueMap = new WeakMap(); + function initInputObserver(_a) { +- var inputCb = _a.inputCb, doc = _a.doc, mirror = _a.mirror, blockClass = _a.blockClass, ignoreClass = _a.ignoreClass, maskInputOptions = _a.maskInputOptions, maskInputFn = _a.maskInputFn, sampling = _a.sampling, userTriggeredOnInput = _a.userTriggeredOnInput; ++ var inputCb = _a.inputCb, doc = _a.doc, mirror = _a.mirror, blockClass = _a.blockClass, ignoreClass = _a.ignoreClass, ignoreSelector = _a.ignoreSelector, maskInputSelector = _a.maskInputSelector, unmaskInputSelector = _a.unmaskInputSelector, maskInputOptions = _a.maskInputOptions, maskInputFn = _a.maskInputFn, sampling = _a.sampling, userTriggeredOnInput = _a.userTriggeredOnInput; + function eventHandler(event) { + var target = getEventTarget(event); + var userTriggered = event.isTrusted; +@@ -3019,7 +3061,7 @@ function initInputObserver(_a) { + return; + } + var type = target.type; +- if (target.classList.contains(ignoreClass)) { ++ if (target.classList.contains(ignoreClass) || (ignoreSelector && target.matches(ignoreSelector))) { + return; + } + var text = target.value; +@@ -3030,7 +3072,10 @@ function initInputObserver(_a) { + else if (maskInputOptions[target.tagName.toLowerCase()] || + maskInputOptions[type]) { + text = maskInputValue({ ++ input: target, + maskInputOptions: maskInputOptions, ++ maskInputSelector: maskInputSelector, ++ unmaskInputSelector: unmaskInputSelector, + tagName: target.tagName, + type: type, + value: text, +@@ -3114,6 +3159,9 @@ function getNestedCSSRulePositions(rule) { + function initStyleSheetObserver(_a, _b) { + var styleSheetRuleCb = _a.styleSheetRuleCb, mirror = _a.mirror; + var win = _b.win; ++ if (!win.CSSStyleSheet || !win.CSSStyleSheet.prototype) { ++ return function () { }; ++ } + var insertRule = win.CSSStyleSheet.prototype.insertRule; + win.CSSStyleSheet.prototype.insertRule = function (rule, index) { + var id = mirror.getId(this.ownerNode); +@@ -3966,7 +4014,7 @@ var takeFullSnapshot; + var mirror = createMirror(); + function record(options) { + if (options === void 0) { options = {}; } +- var emit = options.emit, checkoutEveryNms = options.checkoutEveryNms, checkoutEveryNth = options.checkoutEveryNth, _a = options.blockClass, blockClass = _a === void 0 ? 'rr-block' : _a, _b = options.blockSelector, blockSelector = _b === void 0 ? null : _b, _c = options.ignoreClass, ignoreClass = _c === void 0 ? 'rr-ignore' : _c, _d = options.maskTextClass, maskTextClass = _d === void 0 ? 'rr-mask' : _d, _e = options.maskTextSelector, maskTextSelector = _e === void 0 ? null : _e, _f = options.inlineStylesheet, inlineStylesheet = _f === void 0 ? true : _f, maskAllInputs = options.maskAllInputs, _maskInputOptions = options.maskInputOptions, _slimDOMOptions = options.slimDOMOptions, maskInputFn = options.maskInputFn, maskTextFn = options.maskTextFn, hooks = options.hooks, packFn = options.packFn, _g = options.sampling, sampling = _g === void 0 ? {} : _g, mousemoveWait = options.mousemoveWait, _h = options.recordCanvas, recordCanvas = _h === void 0 ? false : _h, _j = options.userTriggeredOnInput, userTriggeredOnInput = _j === void 0 ? false : _j, _k = options.collectFonts, collectFonts = _k === void 0 ? false : _k, _l = options.inlineImages, inlineImages = _l === void 0 ? false : _l, plugins = options.plugins, _m = options.keepIframeSrcFn, keepIframeSrcFn = _m === void 0 ? function () { return false; } : _m; ++ var emit = options.emit, checkoutEveryNms = options.checkoutEveryNms, checkoutEveryNth = options.checkoutEveryNth, _a = options.blockClass, blockClass = _a === void 0 ? 'rr-block' : _a, _b = options.blockSelector, blockSelector = _b === void 0 ? null : _b, _c = options.unblockSelector, unblockSelector = _c === void 0 ? null : _c, _d = options.ignoreClass, ignoreClass = _d === void 0 ? 'rr-ignore' : _d, _e = options.ignoreSelector, ignoreSelector = _e === void 0 ? null : _e, _f = options.maskTextClass, maskTextClass = _f === void 0 ? 'rr-mask' : _f, _g = options.maskTextSelector, maskTextSelector = _g === void 0 ? null : _g, _h = options.maskInputSelector, maskInputSelector = _h === void 0 ? null : _h, _j = options.unmaskTextSelector, unmaskTextSelector = _j === void 0 ? null : _j, _k = options.unmaskInputSelector, unmaskInputSelector = _k === void 0 ? null : _k, _l = options.inlineStylesheet, inlineStylesheet = _l === void 0 ? true : _l, maskAllInputs = options.maskAllInputs, _maskInputOptions = options.maskInputOptions, _slimDOMOptions = options.slimDOMOptions, maskInputFn = options.maskInputFn, maskTextFn = options.maskTextFn, hooks = options.hooks, packFn = options.packFn, _m = options.sampling, sampling = _m === void 0 ? {} : _m, mousemoveWait = options.mousemoveWait, _o = options.recordCanvas, recordCanvas = _o === void 0 ? false : _o, _p = options.userTriggeredOnInput, userTriggeredOnInput = _p === void 0 ? false : _p, _q = options.collectFonts, collectFonts = _q === void 0 ? false : _q, _r = options.inlineImages, inlineImages = _r === void 0 ? false : _r, plugins = options.plugins, _s = options.keepIframeSrcFn, keepIframeSrcFn = _s === void 0 ? function () { return false; } : _s; + if (!emit) { + throw new Error('emit function is required'); + } +@@ -4097,8 +4145,12 @@ function record(options) { + bypassOptions: { + blockClass: blockClass, + blockSelector: blockSelector, ++ unblockSelector: unblockSelector, + maskTextClass: maskTextClass, + maskTextSelector: maskTextSelector, ++ unmaskTextSelector: unmaskTextSelector, ++ maskInputSelector: maskInputSelector, ++ unmaskInputSelector: unmaskInputSelector, + inlineStylesheet: inlineStylesheet, + maskInputOptions: maskInputOptions, + maskTextFn: maskTextFn, +@@ -4127,8 +4179,12 @@ function record(options) { + var _e = __read(snapshot(document, { + blockClass: blockClass, + blockSelector: blockSelector, ++ unblockSelector: unblockSelector, + maskTextClass: maskTextClass, + maskTextSelector: maskTextSelector, ++ unmaskTextSelector: unmaskTextSelector, ++ maskInputSelector: maskInputSelector, ++ unmaskInputSelector: unmaskInputSelector, + inlineStylesheet: inlineStylesheet, + maskAllInputs: maskInputOptions, + maskTextFn: maskTextFn, +@@ -4242,8 +4298,12 @@ function record(options) { + }, + blockClass: blockClass, + ignoreClass: ignoreClass, ++ ignoreSelector: ignoreSelector, + maskTextClass: maskTextClass, + maskTextSelector: maskTextSelector, ++ unmaskTextSelector: unmaskTextSelector, ++ maskInputSelector: maskInputSelector, ++ unmaskInputSelector: unmaskInputSelector, + maskInputOptions: maskInputOptions, + inlineStylesheet: inlineStylesheet, + sampling: sampling, +@@ -4255,6 +4315,7 @@ function record(options) { + maskInputFn: maskInputFn, + maskTextFn: maskTextFn, + blockSelector: blockSelector, ++ unblockSelector: unblockSelector, + slimDOMOptions: slimDOMOptions, + mirror: mirror, + iframeManager: iframeManager, +@@ -4276,7 +4337,12 @@ function record(options) { + }, hooks); + }; + iframeManager.addLoadListener(function (iframeEl) { +- handlers_1.push(observe_1(iframeEl.contentDocument)); ++ try { ++ handlers_1.push(observe_1(iframeEl.contentDocument)); ++ } ++ catch (error) { ++ console.warn(error); ++ } + }); + var init_1 = function () { + takeFullSnapshot(); +diff --git a/node_modules/rrweb/lib/rrweb.js b/node_modules/rrweb/lib/rrweb.js +old mode 100644 +new mode 100755 +index a6992d6..8aff2a8 +--- a/node_modules/rrweb/lib/rrweb.js ++++ b/node_modules/rrweb/lib/rrweb.js +@@ -98,10 +98,14 @@ function isShadowRoot(n) { + return Boolean(host && host.shadowRoot && host.shadowRoot === n); + } + function maskInputValue(_a) { +- var maskInputOptions = _a.maskInputOptions, tagName = _a.tagName, type = _a.type, value = _a.value, maskInputFn = _a.maskInputFn; ++ var input = _a.input, maskInputSelector = _a.maskInputSelector, unmaskInputSelector = _a.unmaskInputSelector, maskInputOptions = _a.maskInputOptions, tagName = _a.tagName, type = _a.type, value = _a.value, maskInputFn = _a.maskInputFn; + var text = value || ''; ++ if (unmaskInputSelector && input.matches(unmaskInputSelector)) { ++ return text; ++ } + if (maskInputOptions[tagName.toLowerCase()] || +- maskInputOptions[type]) { ++ maskInputOptions[type] || ++ (maskInputSelector && input.matches(maskInputSelector))) { + if (maskInputFn) { + text = maskInputFn(text); + } +@@ -328,7 +332,10 @@ function transformAttribute(doc, tagName, name, value) { + return value; + } + } +-function _isBlockedElement(element, blockClass, blockSelector) { ++function _isBlockedElement(element, blockClass, blockSelector, unblockSelector) { ++ if (unblockSelector && element.matches(unblockSelector)) { ++ return false; ++ } + if (typeof blockClass === 'string') { + if (element.classList.contains(blockClass)) { + return true; +@@ -347,11 +354,16 @@ function _isBlockedElement(element, blockClass, blockSelector) { + } + return false; + } +-function needMaskingText(node, maskTextClass, maskTextSelector) { ++function needMaskingText(node, maskTextClass, maskTextSelector, unmaskTextSelector) { + if (!node) { + return false; + } + if (node.nodeType === node.ELEMENT_NODE) { ++ if (unmaskTextSelector) { ++ if (node.matches(unmaskTextSelector) || node.closest(unmaskTextSelector)) { ++ return false; ++ } ++ } + if (typeof maskTextClass === 'string') { + if (node.classList.contains(maskTextClass)) { + return true; +@@ -370,12 +382,12 @@ function needMaskingText(node, maskTextClass, maskTextSelector) { + return true; + } + } +- return needMaskingText(node.parentNode, maskTextClass, maskTextSelector); ++ return needMaskingText(node.parentNode, maskTextClass, maskTextSelector, unmaskTextSelector); + } + if (node.nodeType === node.TEXT_NODE) { +- return needMaskingText(node.parentNode, maskTextClass, maskTextSelector); ++ return needMaskingText(node.parentNode, maskTextClass, maskTextSelector, unmaskTextSelector); + } +- return needMaskingText(node.parentNode, maskTextClass, maskTextSelector); ++ return needMaskingText(node.parentNode, maskTextClass, maskTextSelector, unmaskTextSelector); + } + function onceIframeLoaded(iframeEl, listener, iframeLoadTimeout) { + var win = iframeEl.contentWindow; +@@ -415,7 +427,7 @@ function onceIframeLoaded(iframeEl, listener, iframeLoadTimeout) { + } + function serializeNode(n, options) { + var _a; +- var doc = options.doc, blockClass = options.blockClass, blockSelector = options.blockSelector, maskTextClass = options.maskTextClass, maskTextSelector = options.maskTextSelector, inlineStylesheet = options.inlineStylesheet, _b = options.maskInputOptions, maskInputOptions = _b === void 0 ? {} : _b, maskTextFn = options.maskTextFn, maskInputFn = options.maskInputFn, _c = options.dataURLOptions, dataURLOptions = _c === void 0 ? {} : _c, inlineImages = options.inlineImages, recordCanvas = options.recordCanvas, keepIframeSrcFn = options.keepIframeSrcFn; ++ var doc = options.doc, blockClass = options.blockClass, blockSelector = options.blockSelector, unblockSelector = options.unblockSelector, maskTextClass = options.maskTextClass, maskTextSelector = options.maskTextSelector, unmaskTextSelector = options.unmaskTextSelector, inlineStylesheet = options.inlineStylesheet, maskInputSelector = options.maskInputSelector, unmaskInputSelector = options.unmaskInputSelector, _b = options.maskInputOptions, maskInputOptions = _b === void 0 ? {} : _b, maskTextFn = options.maskTextFn, maskInputFn = options.maskInputFn, _c = options.dataURLOptions, dataURLOptions = _c === void 0 ? {} : _c, inlineImages = options.inlineImages, recordCanvas = options.recordCanvas, keepIframeSrcFn = options.keepIframeSrcFn; + var rootId; + if (doc.__sn) { + var docId = doc.__sn.id; +@@ -447,7 +459,7 @@ function serializeNode(n, options) { + rootId: rootId + }; + case n.ELEMENT_NODE: +- var needBlock = _isBlockedElement(n, blockClass, blockSelector); ++ var needBlock = _isBlockedElement(n, blockClass, blockSelector, unblockSelector); + var tagName = getValidTagName(n); + var attributes_1 = {}; + for (var _i = 0, _d = Array.from(n.attributes); _i < _d.length; _i++) { +@@ -488,9 +500,12 @@ function serializeNode(n, options) { + attributes_1.type !== 'button' && + value) { + attributes_1.value = maskInputValue({ ++ input: n, + type: attributes_1.type, + tagName: tagName, + value: value, ++ maskInputSelector: maskInputSelector, ++ unmaskInputSelector: unmaskInputSelector, + maskInputOptions: maskInputOptions, + maskInputFn: maskInputFn + }); +@@ -609,7 +624,7 @@ function serializeNode(n, options) { + } + if (!isStyle && + !isScript && +- needMaskingText(n, maskTextClass, maskTextSelector) && ++ needMaskingText(n, maskTextClass, maskTextSelector, unmaskTextSelector) && + textContent) { + textContent = maskTextFn + ? maskTextFn(textContent) +@@ -717,15 +732,19 @@ function slimDOMExcluded(sn, slimDOMOptions) { + return false; + } + function serializeNodeWithId(n, options) { +- var doc = options.doc, map = options.map, blockClass = options.blockClass, blockSelector = options.blockSelector, maskTextClass = options.maskTextClass, maskTextSelector = options.maskTextSelector, _a = options.skipChild, skipChild = _a === void 0 ? false : _a, _b = options.inlineStylesheet, inlineStylesheet = _b === void 0 ? true : _b, _c = options.maskInputOptions, maskInputOptions = _c === void 0 ? {} : _c, maskTextFn = options.maskTextFn, maskInputFn = options.maskInputFn, slimDOMOptions = options.slimDOMOptions, _d = options.dataURLOptions, dataURLOptions = _d === void 0 ? {} : _d, _e = options.inlineImages, inlineImages = _e === void 0 ? false : _e, _f = options.recordCanvas, recordCanvas = _f === void 0 ? false : _f, onSerialize = options.onSerialize, onIframeLoad = options.onIframeLoad, _g = options.iframeLoadTimeout, iframeLoadTimeout = _g === void 0 ? 5000 : _g, _h = options.keepIframeSrcFn, keepIframeSrcFn = _h === void 0 ? function () { return false; } : _h; ++ var doc = options.doc, map = options.map, blockClass = options.blockClass, blockSelector = options.blockSelector, unblockSelector = options.unblockSelector, maskTextClass = options.maskTextClass, maskTextSelector = options.maskTextSelector, unmaskTextSelector = options.unmaskTextSelector, _a = options.skipChild, skipChild = _a === void 0 ? false : _a, _b = options.inlineStylesheet, inlineStylesheet = _b === void 0 ? true : _b, maskInputSelector = options.maskInputSelector, unmaskInputSelector = options.unmaskInputSelector, _c = options.maskInputOptions, maskInputOptions = _c === void 0 ? {} : _c, maskTextFn = options.maskTextFn, maskInputFn = options.maskInputFn, slimDOMOptions = options.slimDOMOptions, _d = options.dataURLOptions, dataURLOptions = _d === void 0 ? {} : _d, _e = options.inlineImages, inlineImages = _e === void 0 ? false : _e, _f = options.recordCanvas, recordCanvas = _f === void 0 ? false : _f, onSerialize = options.onSerialize, onIframeLoad = options.onIframeLoad, _g = options.iframeLoadTimeout, iframeLoadTimeout = _g === void 0 ? 5000 : _g, _h = options.keepIframeSrcFn, keepIframeSrcFn = _h === void 0 ? function () { return false; } : _h; + var _j = options.preserveWhiteSpace, preserveWhiteSpace = _j === void 0 ? true : _j; + var _serializedNode = serializeNode(n, { + doc: doc, + blockClass: blockClass, + blockSelector: blockSelector, ++ unblockSelector: unblockSelector, + maskTextClass: maskTextClass, + maskTextSelector: maskTextSelector, ++ unmaskTextSelector: unmaskTextSelector, + inlineStylesheet: inlineStylesheet, ++ maskInputSelector: maskInputSelector, ++ unmaskInputSelector: unmaskInputSelector, + maskInputOptions: maskInputOptions, + maskTextFn: maskTextFn, + maskInputFn: maskInputFn, +@@ -781,10 +800,14 @@ function serializeNodeWithId(n, options) { + map: map, + blockClass: blockClass, + blockSelector: blockSelector, ++ unblockSelector: unblockSelector, + maskTextClass: maskTextClass, + maskTextSelector: maskTextSelector, ++ unmaskTextSelector: unmaskTextSelector, + skipChild: skipChild, + inlineStylesheet: inlineStylesheet, ++ maskInputSelector: maskInputSelector, ++ unmaskInputSelector: unmaskInputSelector, + maskInputOptions: maskInputOptions, + maskTextFn: maskTextFn, + maskInputFn: maskInputFn, +@@ -829,10 +852,14 @@ function serializeNodeWithId(n, options) { + map: map, + blockClass: blockClass, + blockSelector: blockSelector, ++ unblockSelector: unblockSelector, + maskTextClass: maskTextClass, + maskTextSelector: maskTextSelector, ++ unmaskTextSelector: unmaskTextSelector, + skipChild: false, + inlineStylesheet: inlineStylesheet, ++ maskInputSelector: maskInputSelector, ++ unmaskInputSelector: unmaskInputSelector, + maskInputOptions: maskInputOptions, + maskTextFn: maskTextFn, + maskInputFn: maskInputFn, +@@ -855,7 +882,7 @@ function serializeNodeWithId(n, options) { + return serializedNode; + } + function snapshot(n, options) { +- var _a = options || {}, _b = _a.blockClass, blockClass = _b === void 0 ? 'rr-block' : _b, _c = _a.blockSelector, blockSelector = _c === void 0 ? null : _c, _d = _a.maskTextClass, maskTextClass = _d === void 0 ? 'rr-mask' : _d, _e = _a.maskTextSelector, maskTextSelector = _e === void 0 ? null : _e, _f = _a.inlineStylesheet, inlineStylesheet = _f === void 0 ? true : _f, _g = _a.inlineImages, inlineImages = _g === void 0 ? false : _g, _h = _a.recordCanvas, recordCanvas = _h === void 0 ? false : _h, _j = _a.maskAllInputs, maskAllInputs = _j === void 0 ? false : _j, maskTextFn = _a.maskTextFn, maskInputFn = _a.maskInputFn, _k = _a.slimDOM, slimDOM = _k === void 0 ? false : _k, dataURLOptions = _a.dataURLOptions, preserveWhiteSpace = _a.preserveWhiteSpace, onSerialize = _a.onSerialize, onIframeLoad = _a.onIframeLoad, iframeLoadTimeout = _a.iframeLoadTimeout, _l = _a.keepIframeSrcFn, keepIframeSrcFn = _l === void 0 ? function () { return false; } : _l; ++ var _a = options || {}, _b = _a.blockClass, blockClass = _b === void 0 ? 'rr-block' : _b, _c = _a.blockSelector, blockSelector = _c === void 0 ? null : _c, _d = _a.unblockSelector, unblockSelector = _d === void 0 ? null : _d, _e = _a.maskTextClass, maskTextClass = _e === void 0 ? 'rr-mask' : _e, _f = _a.maskTextSelector, maskTextSelector = _f === void 0 ? null : _f, _g = _a.unmaskTextSelector, unmaskTextSelector = _g === void 0 ? null : _g, _h = _a.inlineStylesheet, inlineStylesheet = _h === void 0 ? true : _h, _j = _a.inlineImages, inlineImages = _j === void 0 ? false : _j, _k = _a.recordCanvas, recordCanvas = _k === void 0 ? false : _k, _l = _a.maskInputSelector, maskInputSelector = _l === void 0 ? null : _l, _m = _a.unmaskInputSelector, unmaskInputSelector = _m === void 0 ? null : _m, _o = _a.maskAllInputs, maskAllInputs = _o === void 0 ? false : _o, maskTextFn = _a.maskTextFn, maskInputFn = _a.maskInputFn, _p = _a.slimDOM, slimDOM = _p === void 0 ? false : _p, dataURLOptions = _a.dataURLOptions, preserveWhiteSpace = _a.preserveWhiteSpace, onSerialize = _a.onSerialize, onIframeLoad = _a.onIframeLoad, iframeLoadTimeout = _a.iframeLoadTimeout, _q = _a.keepIframeSrcFn, keepIframeSrcFn = _q === void 0 ? function () { return false; } : _q; + var idNodeMap = {}; + var maskInputOptions = maskAllInputs === true + ? { +@@ -904,10 +931,14 @@ function snapshot(n, options) { + map: idNodeMap, + blockClass: blockClass, + blockSelector: blockSelector, ++ unblockSelector: unblockSelector, + maskTextClass: maskTextClass, + maskTextSelector: maskTextSelector, ++ unmaskTextSelector: unmaskTextSelector, + skipChild: false, + inlineStylesheet: inlineStylesheet, ++ maskInputSelector: maskInputSelector, ++ unmaskInputSelector: unmaskInputSelector, + maskInputOptions: maskInputOptions, + maskTextFn: maskTextFn, + maskInputFn: maskInputFn, +@@ -2443,8 +2474,12 @@ var MutationBuffer = (function () { + map: _this.mirror.map, + blockClass: _this.blockClass, + blockSelector: _this.blockSelector, ++ unblockSelector: _this.unblockSelector, + maskTextClass: _this.maskTextClass, + maskTextSelector: _this.maskTextSelector, ++ unmaskTextSelector: _this.unmaskTextSelector, ++ maskInputSelector: _this.maskInputSelector, ++ unmaskInputSelector: _this.unmaskInputSelector, + skipChild: true, + inlineStylesheet: _this.inlineStylesheet, + maskInputOptions: _this.maskInputOptions, +@@ -2590,7 +2625,7 @@ var MutationBuffer = (function () { + var value = m.target.textContent; + if (!isBlocked(m.target, _this.blockClass) && value !== m.oldValue) { + _this.texts.push({ +- value: needMaskingText(m.target, _this.maskTextClass, _this.maskTextSelector) && value ++ value: needMaskingText(m.target, _this.maskTextClass, _this.maskTextSelector, _this.unmaskTextSelector) && value + ? _this.maskTextFn + ? _this.maskTextFn(value) + : value.replace(/[\S]/g, '*') +@@ -2605,6 +2640,9 @@ var MutationBuffer = (function () { + var value = m.target.getAttribute(m.attributeName); + if (m.attributeName === 'value') { + value = maskInputValue({ ++ input: target, ++ maskInputSelector: _this.maskInputSelector, ++ unmaskInputSelector: _this.unmaskInputSelector, + maskInputOptions: _this.maskInputOptions, + tagName: m.target.tagName, + type: m.target.getAttribute('type'), +@@ -2741,8 +2779,12 @@ var MutationBuffer = (function () { + 'mutationCb', + 'blockClass', + 'blockSelector', ++ 'unblockSelector', + 'maskTextClass', + 'maskTextSelector', ++ 'unmaskTextSelector', ++ 'maskInputSelector', ++ 'unmaskInputSelector', + 'inlineStylesheet', + 'maskInputOptions', + 'maskTextFn', +@@ -3006,7 +3048,7 @@ function wrapEventWithUserTriggeredFlag(v, enable) { + var INPUT_TAGS = ['INPUT', 'TEXTAREA', 'SELECT']; + var lastInputValueMap = new WeakMap(); + function initInputObserver(_a) { +- var inputCb = _a.inputCb, doc = _a.doc, mirror = _a.mirror, blockClass = _a.blockClass, ignoreClass = _a.ignoreClass, maskInputOptions = _a.maskInputOptions, maskInputFn = _a.maskInputFn, sampling = _a.sampling, userTriggeredOnInput = _a.userTriggeredOnInput; ++ var inputCb = _a.inputCb, doc = _a.doc, mirror = _a.mirror, blockClass = _a.blockClass, ignoreClass = _a.ignoreClass, ignoreSelector = _a.ignoreSelector, maskInputSelector = _a.maskInputSelector, unmaskInputSelector = _a.unmaskInputSelector, maskInputOptions = _a.maskInputOptions, maskInputFn = _a.maskInputFn, sampling = _a.sampling, userTriggeredOnInput = _a.userTriggeredOnInput; + function eventHandler(event) { + var target = getEventTarget(event); + var userTriggered = event.isTrusted; +@@ -3019,7 +3061,7 @@ function initInputObserver(_a) { + return; + } + var type = target.type; +- if (target.classList.contains(ignoreClass)) { ++ if (target.classList.contains(ignoreClass) || (ignoreSelector && target.matches(ignoreSelector))) { + return; + } + var text = target.value; +@@ -3030,7 +3072,10 @@ function initInputObserver(_a) { + else if (maskInputOptions[target.tagName.toLowerCase()] || + maskInputOptions[type]) { + text = maskInputValue({ ++ input: target, + maskInputOptions: maskInputOptions, ++ maskInputSelector: maskInputSelector, ++ unmaskInputSelector: unmaskInputSelector, + tagName: target.tagName, + type: type, + value: text, +@@ -3114,6 +3159,9 @@ function getNestedCSSRulePositions(rule) { + function initStyleSheetObserver(_a, _b) { + var styleSheetRuleCb = _a.styleSheetRuleCb, mirror = _a.mirror; + var win = _b.win; ++ if (!win.CSSStyleSheet || !win.CSSStyleSheet.prototype) { ++ return function () { }; ++ } + var insertRule = win.CSSStyleSheet.prototype.insertRule; + win.CSSStyleSheet.prototype.insertRule = function (rule, index) { + var id = mirror.getId(this.ownerNode); +@@ -3966,7 +4014,7 @@ var takeFullSnapshot; + var mirror = createMirror(); + function record(options) { + if (options === void 0) { options = {}; } +- var emit = options.emit, checkoutEveryNms = options.checkoutEveryNms, checkoutEveryNth = options.checkoutEveryNth, _a = options.blockClass, blockClass = _a === void 0 ? 'rr-block' : _a, _b = options.blockSelector, blockSelector = _b === void 0 ? null : _b, _c = options.ignoreClass, ignoreClass = _c === void 0 ? 'rr-ignore' : _c, _d = options.maskTextClass, maskTextClass = _d === void 0 ? 'rr-mask' : _d, _e = options.maskTextSelector, maskTextSelector = _e === void 0 ? null : _e, _f = options.inlineStylesheet, inlineStylesheet = _f === void 0 ? true : _f, maskAllInputs = options.maskAllInputs, _maskInputOptions = options.maskInputOptions, _slimDOMOptions = options.slimDOMOptions, maskInputFn = options.maskInputFn, maskTextFn = options.maskTextFn, hooks = options.hooks, packFn = options.packFn, _g = options.sampling, sampling = _g === void 0 ? {} : _g, mousemoveWait = options.mousemoveWait, _h = options.recordCanvas, recordCanvas = _h === void 0 ? false : _h, _j = options.userTriggeredOnInput, userTriggeredOnInput = _j === void 0 ? false : _j, _k = options.collectFonts, collectFonts = _k === void 0 ? false : _k, _l = options.inlineImages, inlineImages = _l === void 0 ? false : _l, plugins = options.plugins, _m = options.keepIframeSrcFn, keepIframeSrcFn = _m === void 0 ? function () { return false; } : _m; ++ var emit = options.emit, checkoutEveryNms = options.checkoutEveryNms, checkoutEveryNth = options.checkoutEveryNth, _a = options.blockClass, blockClass = _a === void 0 ? 'rr-block' : _a, _b = options.blockSelector, blockSelector = _b === void 0 ? null : _b, _c = options.unblockSelector, unblockSelector = _c === void 0 ? null : _c, _d = options.ignoreClass, ignoreClass = _d === void 0 ? 'rr-ignore' : _d, _e = options.ignoreSelector, ignoreSelector = _e === void 0 ? null : _e, _f = options.maskTextClass, maskTextClass = _f === void 0 ? 'rr-mask' : _f, _g = options.maskTextSelector, maskTextSelector = _g === void 0 ? null : _g, _h = options.maskInputSelector, maskInputSelector = _h === void 0 ? null : _h, _j = options.unmaskTextSelector, unmaskTextSelector = _j === void 0 ? null : _j, _k = options.unmaskInputSelector, unmaskInputSelector = _k === void 0 ? null : _k, _l = options.inlineStylesheet, inlineStylesheet = _l === void 0 ? true : _l, maskAllInputs = options.maskAllInputs, _maskInputOptions = options.maskInputOptions, _slimDOMOptions = options.slimDOMOptions, maskInputFn = options.maskInputFn, maskTextFn = options.maskTextFn, hooks = options.hooks, packFn = options.packFn, _m = options.sampling, sampling = _m === void 0 ? {} : _m, mousemoveWait = options.mousemoveWait, _o = options.recordCanvas, recordCanvas = _o === void 0 ? false : _o, _p = options.userTriggeredOnInput, userTriggeredOnInput = _p === void 0 ? false : _p, _q = options.collectFonts, collectFonts = _q === void 0 ? false : _q, _r = options.inlineImages, inlineImages = _r === void 0 ? false : _r, plugins = options.plugins, _s = options.keepIframeSrcFn, keepIframeSrcFn = _s === void 0 ? function () { return false; } : _s; + if (!emit) { + throw new Error('emit function is required'); + } +@@ -4097,8 +4145,12 @@ function record(options) { + bypassOptions: { + blockClass: blockClass, + blockSelector: blockSelector, ++ unblockSelector: unblockSelector, + maskTextClass: maskTextClass, + maskTextSelector: maskTextSelector, ++ unmaskTextSelector: unmaskTextSelector, ++ maskInputSelector: maskInputSelector, ++ unmaskInputSelector: unmaskInputSelector, + inlineStylesheet: inlineStylesheet, + maskInputOptions: maskInputOptions, + maskTextFn: maskTextFn, +@@ -4127,8 +4179,12 @@ function record(options) { + var _e = __read(snapshot(document, { + blockClass: blockClass, + blockSelector: blockSelector, ++ unblockSelector: unblockSelector, + maskTextClass: maskTextClass, + maskTextSelector: maskTextSelector, ++ unmaskTextSelector: unmaskTextSelector, ++ maskInputSelector: maskInputSelector, ++ unmaskInputSelector: unmaskInputSelector, + inlineStylesheet: inlineStylesheet, + maskAllInputs: maskInputOptions, + maskTextFn: maskTextFn, +@@ -4242,8 +4298,12 @@ function record(options) { + }, + blockClass: blockClass, + ignoreClass: ignoreClass, ++ ignoreSelector: ignoreSelector, + maskTextClass: maskTextClass, + maskTextSelector: maskTextSelector, ++ unmaskTextSelector: unmaskTextSelector, ++ maskInputSelector: maskInputSelector, ++ unmaskInputSelector: unmaskInputSelector, + maskInputOptions: maskInputOptions, + inlineStylesheet: inlineStylesheet, + sampling: sampling, +@@ -4255,6 +4315,7 @@ function record(options) { + maskInputFn: maskInputFn, + maskTextFn: maskTextFn, + blockSelector: blockSelector, ++ unblockSelector: unblockSelector, + slimDOMOptions: slimDOMOptions, + mirror: mirror, + iframeManager: iframeManager, +@@ -4276,7 +4337,12 @@ function record(options) { + }, hooks); + }; + iframeManager.addLoadListener(function (iframeEl) { +- handlers_1.push(observe_1(iframeEl.contentDocument)); ++ try { ++ handlers_1.push(observe_1(iframeEl.contentDocument)); ++ } ++ catch (error) { ++ console.warn(error); + } }); var init_1 = function () { takeFullSnapshot(); +diff --git a/node_modules/rrweb/typings/record/mutation.d.ts b/node_modules/rrweb/typings/record/mutation.d.ts +index 5f88a66..444ea07 100644 +--- a/node_modules/rrweb/typings/record/mutation.d.ts ++++ b/node_modules/rrweb/typings/record/mutation.d.ts +@@ -13,8 +13,12 @@ export default class MutationBuffer { + private mutationCb; + private blockClass; + private blockSelector; ++ private unblockSelector; + private maskTextClass; + private maskTextSelector; ++ private unmaskTextSelector; ++ private maskInputSelector; ++ private unmaskInputSelector; + private inlineStylesheet; + private maskInputOptions; + private maskTextFn; +diff --git a/node_modules/rrweb/typings/types.d.ts b/node_modules/rrweb/typings/types.d.ts +index ae3aa94..bf529fa 100644 +--- a/node_modules/rrweb/typings/types.d.ts ++++ b/node_modules/rrweb/typings/types.d.ts +@@ -137,13 +137,18 @@ export declare type recordOptions = { + checkoutEveryNms?: number; + blockClass?: blockClass; + blockSelector?: string; ++ unblockSelector?: string; + ignoreClass?: string; ++ ignoreSelector?: string; + maskTextClass?: maskTextClass; + maskTextSelector?: string; + maskAllInputs?: boolean; ++ maskInputSelector?: string; + maskInputOptions?: MaskInputOptions; + maskInputFn?: MaskInputFn; + maskTextFn?: MaskTextFn; ++ unmaskTextSelector?: string; ++ unmaskInputSelector?: string; + slimDOMOptions?: SlimDOMOptions | 'all' | true; + inlineStylesheet?: boolean; + hooks?: hooksParam; +@@ -167,9 +172,14 @@ export declare type observerParam = { + mediaInteractionCb: mediaInteractionCallback; + blockClass: blockClass; + blockSelector: string | null; ++ unblockSelector: string | null; + ignoreClass: string; ++ ignoreSelector: string | null; + maskTextClass: maskTextClass; + maskTextSelector: string | null; ++ unmaskTextSelector: string | null; ++ maskInputSelector: string | null; ++ unmaskInputSelector: string | null; + maskInputOptions: MaskInputOptions; + maskInputFn?: MaskInputFn; + maskTextFn?: MaskTextFn; +@@ -195,7 +205,7 @@ export declare type observerParam = { + options: unknown; + }>; + }; +-export declare type MutationBufferParam = Pick; ++export declare type MutationBufferParam = Pick; + export declare type hooksParam = { + mutation?: mutationCallBack; + mousemove?: mousemoveCallBack; diff --git a/patches/rrweb-snapshot+1.1.14.patch b/patches/rrweb-snapshot+1.1.14.patch new file mode 100644 index 000000000000..102cdb884a0c --- /dev/null +++ b/patches/rrweb-snapshot+1.1.14.patch @@ -0,0 +1,651 @@ +diff --git a/node_modules/rrweb-snapshot/dist/rrweb-snapshot.js b/node_modules/rrweb-snapshot/dist/rrweb-snapshot.js +old mode 100644 +new mode 100755 +index 4ece2ab..86a9b7a +--- a/node_modules/rrweb-snapshot/dist/rrweb-snapshot.js ++++ b/node_modules/rrweb-snapshot/dist/rrweb-snapshot.js +@@ -20,10 +20,14 @@ var rrwebSnapshot = (function (exports) { + return Boolean(host && host.shadowRoot && host.shadowRoot === n); + } + function maskInputValue(_a) { +- var maskInputOptions = _a.maskInputOptions, tagName = _a.tagName, type = _a.type, value = _a.value, maskInputFn = _a.maskInputFn; ++ var input = _a.input, maskInputSelector = _a.maskInputSelector, unmaskInputSelector = _a.unmaskInputSelector, maskInputOptions = _a.maskInputOptions, tagName = _a.tagName, type = _a.type, value = _a.value, maskInputFn = _a.maskInputFn; + var text = value || ''; ++ if (unmaskInputSelector && input.matches(unmaskInputSelector)) { ++ return text; ++ } + if (maskInputOptions[tagName.toLowerCase()] || +- maskInputOptions[type]) { ++ maskInputOptions[type] || ++ (maskInputSelector && input.matches(maskInputSelector))) { + if (maskInputFn) { + text = maskInputFn(text); + } +@@ -250,7 +254,10 @@ var rrwebSnapshot = (function (exports) { + return value; + } + } +- function _isBlockedElement(element, blockClass, blockSelector) { ++ function _isBlockedElement(element, blockClass, blockSelector, unblockSelector) { ++ if (unblockSelector && element.matches(unblockSelector)) { ++ return false; ++ } + if (typeof blockClass === 'string') { + if (element.classList.contains(blockClass)) { + return true; +@@ -269,11 +276,16 @@ var rrwebSnapshot = (function (exports) { + } + return false; + } +- function needMaskingText(node, maskTextClass, maskTextSelector) { ++ function needMaskingText(node, maskTextClass, maskTextSelector, unmaskTextSelector) { + if (!node) { + return false; + } + if (node.nodeType === node.ELEMENT_NODE) { ++ if (unmaskTextSelector) { ++ if (node.matches(unmaskTextSelector) || node.closest(unmaskTextSelector)) { ++ return false; ++ } ++ } + if (typeof maskTextClass === 'string') { + if (node.classList.contains(maskTextClass)) { + return true; +@@ -292,12 +304,12 @@ var rrwebSnapshot = (function (exports) { + return true; + } + } +- return needMaskingText(node.parentNode, maskTextClass, maskTextSelector); ++ return needMaskingText(node.parentNode, maskTextClass, maskTextSelector, unmaskTextSelector); + } + if (node.nodeType === node.TEXT_NODE) { +- return needMaskingText(node.parentNode, maskTextClass, maskTextSelector); ++ return needMaskingText(node.parentNode, maskTextClass, maskTextSelector, unmaskTextSelector); + } +- return needMaskingText(node.parentNode, maskTextClass, maskTextSelector); ++ return needMaskingText(node.parentNode, maskTextClass, maskTextSelector, unmaskTextSelector); + } + function onceIframeLoaded(iframeEl, listener, iframeLoadTimeout) { + var win = iframeEl.contentWindow; +@@ -337,7 +349,7 @@ var rrwebSnapshot = (function (exports) { + } + function serializeNode(n, options) { + var _a; +- var doc = options.doc, blockClass = options.blockClass, blockSelector = options.blockSelector, maskTextClass = options.maskTextClass, maskTextSelector = options.maskTextSelector, inlineStylesheet = options.inlineStylesheet, _b = options.maskInputOptions, maskInputOptions = _b === void 0 ? {} : _b, maskTextFn = options.maskTextFn, maskInputFn = options.maskInputFn, _c = options.dataURLOptions, dataURLOptions = _c === void 0 ? {} : _c, inlineImages = options.inlineImages, recordCanvas = options.recordCanvas, keepIframeSrcFn = options.keepIframeSrcFn; ++ var doc = options.doc, blockClass = options.blockClass, blockSelector = options.blockSelector, unblockSelector = options.unblockSelector, maskTextClass = options.maskTextClass, maskTextSelector = options.maskTextSelector, unmaskTextSelector = options.unmaskTextSelector, inlineStylesheet = options.inlineStylesheet, maskInputSelector = options.maskInputSelector, unmaskInputSelector = options.unmaskInputSelector, _b = options.maskInputOptions, maskInputOptions = _b === void 0 ? {} : _b, maskTextFn = options.maskTextFn, maskInputFn = options.maskInputFn, _c = options.dataURLOptions, dataURLOptions = _c === void 0 ? {} : _c, inlineImages = options.inlineImages, recordCanvas = options.recordCanvas, keepIframeSrcFn = options.keepIframeSrcFn; + var rootId; + if (doc.__sn) { + var docId = doc.__sn.id; +@@ -369,7 +381,7 @@ var rrwebSnapshot = (function (exports) { + rootId: rootId + }; + case n.ELEMENT_NODE: +- var needBlock = _isBlockedElement(n, blockClass, blockSelector); ++ var needBlock = _isBlockedElement(n, blockClass, blockSelector, unblockSelector); + var tagName = getValidTagName(n); + var attributes_1 = {}; + for (var _i = 0, _d = Array.from(n.attributes); _i < _d.length; _i++) { +@@ -410,9 +422,12 @@ var rrwebSnapshot = (function (exports) { + attributes_1.type !== 'button' && + value) { + attributes_1.value = maskInputValue({ ++ input: n, + type: attributes_1.type, + tagName: tagName, + value: value, ++ maskInputSelector: maskInputSelector, ++ unmaskInputSelector: unmaskInputSelector, + maskInputOptions: maskInputOptions, + maskInputFn: maskInputFn + }); +@@ -531,7 +546,7 @@ var rrwebSnapshot = (function (exports) { + } + if (!isStyle && + !isScript && +- needMaskingText(n, maskTextClass, maskTextSelector) && ++ needMaskingText(n, maskTextClass, maskTextSelector, unmaskTextSelector) && + textContent) { + textContent = maskTextFn + ? maskTextFn(textContent) +@@ -639,15 +654,19 @@ var rrwebSnapshot = (function (exports) { + return false; + } + function serializeNodeWithId(n, options) { +- var doc = options.doc, map = options.map, blockClass = options.blockClass, blockSelector = options.blockSelector, maskTextClass = options.maskTextClass, maskTextSelector = options.maskTextSelector, _a = options.skipChild, skipChild = _a === void 0 ? false : _a, _b = options.inlineStylesheet, inlineStylesheet = _b === void 0 ? true : _b, _c = options.maskInputOptions, maskInputOptions = _c === void 0 ? {} : _c, maskTextFn = options.maskTextFn, maskInputFn = options.maskInputFn, slimDOMOptions = options.slimDOMOptions, _d = options.dataURLOptions, dataURLOptions = _d === void 0 ? {} : _d, _e = options.inlineImages, inlineImages = _e === void 0 ? false : _e, _f = options.recordCanvas, recordCanvas = _f === void 0 ? false : _f, onSerialize = options.onSerialize, onIframeLoad = options.onIframeLoad, _g = options.iframeLoadTimeout, iframeLoadTimeout = _g === void 0 ? 5000 : _g, _h = options.keepIframeSrcFn, keepIframeSrcFn = _h === void 0 ? function () { return false; } : _h; ++ var doc = options.doc, map = options.map, blockClass = options.blockClass, blockSelector = options.blockSelector, unblockSelector = options.unblockSelector, maskTextClass = options.maskTextClass, maskTextSelector = options.maskTextSelector, unmaskTextSelector = options.unmaskTextSelector, _a = options.skipChild, skipChild = _a === void 0 ? false : _a, _b = options.inlineStylesheet, inlineStylesheet = _b === void 0 ? true : _b, maskInputSelector = options.maskInputSelector, unmaskInputSelector = options.unmaskInputSelector, _c = options.maskInputOptions, maskInputOptions = _c === void 0 ? {} : _c, maskTextFn = options.maskTextFn, maskInputFn = options.maskInputFn, slimDOMOptions = options.slimDOMOptions, _d = options.dataURLOptions, dataURLOptions = _d === void 0 ? {} : _d, _e = options.inlineImages, inlineImages = _e === void 0 ? false : _e, _f = options.recordCanvas, recordCanvas = _f === void 0 ? false : _f, onSerialize = options.onSerialize, onIframeLoad = options.onIframeLoad, _g = options.iframeLoadTimeout, iframeLoadTimeout = _g === void 0 ? 5000 : _g, _h = options.keepIframeSrcFn, keepIframeSrcFn = _h === void 0 ? function () { return false; } : _h; + var _j = options.preserveWhiteSpace, preserveWhiteSpace = _j === void 0 ? true : _j; + var _serializedNode = serializeNode(n, { + doc: doc, + blockClass: blockClass, + blockSelector: blockSelector, ++ unblockSelector: unblockSelector, + maskTextClass: maskTextClass, + maskTextSelector: maskTextSelector, ++ unmaskTextSelector: unmaskTextSelector, + inlineStylesheet: inlineStylesheet, ++ maskInputSelector: maskInputSelector, ++ unmaskInputSelector: unmaskInputSelector, + maskInputOptions: maskInputOptions, + maskTextFn: maskTextFn, + maskInputFn: maskInputFn, +@@ -703,10 +722,14 @@ var rrwebSnapshot = (function (exports) { + map: map, + blockClass: blockClass, + blockSelector: blockSelector, ++ unblockSelector: unblockSelector, + maskTextClass: maskTextClass, + maskTextSelector: maskTextSelector, ++ unmaskTextSelector: unmaskTextSelector, + skipChild: skipChild, + inlineStylesheet: inlineStylesheet, ++ maskInputSelector: maskInputSelector, ++ unmaskInputSelector: unmaskInputSelector, + maskInputOptions: maskInputOptions, + maskTextFn: maskTextFn, + maskInputFn: maskInputFn, +@@ -751,10 +774,14 @@ var rrwebSnapshot = (function (exports) { + map: map, + blockClass: blockClass, + blockSelector: blockSelector, ++ unblockSelector: unblockSelector, + maskTextClass: maskTextClass, + maskTextSelector: maskTextSelector, ++ unmaskTextSelector: unmaskTextSelector, + skipChild: false, + inlineStylesheet: inlineStylesheet, ++ maskInputSelector: maskInputSelector, ++ unmaskInputSelector: unmaskInputSelector, + maskInputOptions: maskInputOptions, + maskTextFn: maskTextFn, + maskInputFn: maskInputFn, +@@ -777,7 +804,7 @@ var rrwebSnapshot = (function (exports) { + return serializedNode; + } + function snapshot(n, options) { +- var _a = options || {}, _b = _a.blockClass, blockClass = _b === void 0 ? 'rr-block' : _b, _c = _a.blockSelector, blockSelector = _c === void 0 ? null : _c, _d = _a.maskTextClass, maskTextClass = _d === void 0 ? 'rr-mask' : _d, _e = _a.maskTextSelector, maskTextSelector = _e === void 0 ? null : _e, _f = _a.inlineStylesheet, inlineStylesheet = _f === void 0 ? true : _f, _g = _a.inlineImages, inlineImages = _g === void 0 ? false : _g, _h = _a.recordCanvas, recordCanvas = _h === void 0 ? false : _h, _j = _a.maskAllInputs, maskAllInputs = _j === void 0 ? false : _j, maskTextFn = _a.maskTextFn, maskInputFn = _a.maskInputFn, _k = _a.slimDOM, slimDOM = _k === void 0 ? false : _k, dataURLOptions = _a.dataURLOptions, preserveWhiteSpace = _a.preserveWhiteSpace, onSerialize = _a.onSerialize, onIframeLoad = _a.onIframeLoad, iframeLoadTimeout = _a.iframeLoadTimeout, _l = _a.keepIframeSrcFn, keepIframeSrcFn = _l === void 0 ? function () { return false; } : _l; ++ var _a = options || {}, _b = _a.blockClass, blockClass = _b === void 0 ? 'rr-block' : _b, _c = _a.blockSelector, blockSelector = _c === void 0 ? null : _c, _d = _a.unblockSelector, unblockSelector = _d === void 0 ? null : _d, _e = _a.maskTextClass, maskTextClass = _e === void 0 ? 'rr-mask' : _e, _f = _a.maskTextSelector, maskTextSelector = _f === void 0 ? null : _f, _g = _a.unmaskTextSelector, unmaskTextSelector = _g === void 0 ? null : _g, _h = _a.inlineStylesheet, inlineStylesheet = _h === void 0 ? true : _h, _j = _a.inlineImages, inlineImages = _j === void 0 ? false : _j, _k = _a.recordCanvas, recordCanvas = _k === void 0 ? false : _k, _l = _a.maskInputSelector, maskInputSelector = _l === void 0 ? null : _l, _m = _a.unmaskInputSelector, unmaskInputSelector = _m === void 0 ? null : _m, _o = _a.maskAllInputs, maskAllInputs = _o === void 0 ? false : _o, maskTextFn = _a.maskTextFn, maskInputFn = _a.maskInputFn, _p = _a.slimDOM, slimDOM = _p === void 0 ? false : _p, dataURLOptions = _a.dataURLOptions, preserveWhiteSpace = _a.preserveWhiteSpace, onSerialize = _a.onSerialize, onIframeLoad = _a.onIframeLoad, iframeLoadTimeout = _a.iframeLoadTimeout, _q = _a.keepIframeSrcFn, keepIframeSrcFn = _q === void 0 ? function () { return false; } : _q; + var idNodeMap = {}; + var maskInputOptions = maskAllInputs === true + ? { +@@ -826,10 +853,14 @@ var rrwebSnapshot = (function (exports) { + map: idNodeMap, + blockClass: blockClass, + blockSelector: blockSelector, ++ unblockSelector: unblockSelector, + maskTextClass: maskTextClass, + maskTextSelector: maskTextSelector, ++ unmaskTextSelector: unmaskTextSelector, + skipChild: false, + inlineStylesheet: inlineStylesheet, ++ maskInputSelector: maskInputSelector, ++ unmaskInputSelector: unmaskInputSelector, + maskInputOptions: maskInputOptions, + maskTextFn: maskTextFn, + maskInputFn: maskInputFn, +diff --git a/node_modules/rrweb-snapshot/dist/rrweb-snapshot.min.js b/node_modules/rrweb-snapshot/dist/rrweb-snapshot.min.js +old mode 100644 +new mode 100755 +index e1259cb..5bd5559 +--- a/node_modules/rrweb-snapshot/dist/rrweb-snapshot.min.js ++++ b/node_modules/rrweb-snapshot/dist/rrweb-snapshot.min.js +@@ -1,2 +1,2 @@ +-var rrwebSnapshot=function(e){"use strict";var t;function r(e){return e.nodeType===e.ELEMENT_NODE}function n(e){var t,r=null===(t=e)||void 0===t?void 0:t.host;return Boolean(r&&r.shadowRoot&&r.shadowRoot===e)}function a(e){var t=e.maskInputOptions,r=e.tagName,n=e.type,a=e.value,i=e.maskInputFn,o=a||"";return(t[r.toLowerCase()]||t[n])&&(o=i?i(o):"*".repeat(o.length)),o}e.NodeType=void 0,(t=e.NodeType||(e.NodeType={}))[t.Document=0]="Document",t[t.DocumentType=1]="DocumentType",t[t.Element=2]="Element",t[t.Text=3]="Text",t[t.CDATA=4]="CDATA",t[t.Comment=5]="Comment";var i="__rrweb_original__";function o(e){var t=e.getContext("2d");if(!t)return!0;for(var r=0;r-1?s.split("/").slice(0,3).join("/"):s.split("/")[0]).split("?")[0]+c)+l+")";var u=t.split("/"),f=c.split("/");u.pop();for(var d=0,p=f;d=t.length);){var i=n(y);if(","===i.slice(-1))i=T(e,i.substring(0,i.length-1)),a.push(i);else{var o="";i=T(e,i);for(var s=!1;;){var c=t.charAt(r);if(""===c){a.push((i+o).trim());break}if(s)")"===c&&(s=!1);else{if(","===c){r+=1,a.push((i+o).trim());break}"("===c&&(s=!0)}o+=c,r+=1}}}return a.join(", ")}(e,n):"style"===r&&n?v(n,b()):"object"===t&&"data"===r&&n?T(e,n):n:T(e,n)}function C(e,t,r){if(!e)return!1;if(e.nodeType===e.ELEMENT_NODE){if("string"==typeof t){if(e.classList.contains(t))return!0}else for(var n=0;n'):a.write('')),d=a),d.__sn=t,i[t.id]=d,(t.type===e.NodeType.Document||t.type===e.NodeType.Element)&&!s)for(var p=0,m=t.childNodes;p-1?s.split("/").slice(0,3).join("/"):s.split("/")[0]).split("?")[0]+c)+l+")";var u=t.split("/"),p=c.split("/");u.pop();for(var f=0,m=p;f=t.length);){var o=n(y);if(","===o.slice(-1))o=k(e,o.substring(0,o.length-1)),a.push(o);else{var i="";o=k(e,o);for(var s=!1;;){var c=t.charAt(r);if(""===c){a.push((o+i).trim());break}if(s)")"===c&&(s=!1);else{if(","===c){r+=1,a.push((o+i).trim());break}"("===c&&(s=!0)}i+=c,r+=1}}}return a.join(", ")}(e,n):"style"===r&&n?v(n,T()):"object"===t&&"data"===r&&n?k(e,n):n:k(e,n)}function S(e,t,r,n){if(!e)return!1;if(e.nodeType===e.ELEMENT_NODE){if(n&&(e.matches(n)||e.closest(n)))return!1;if("string"==typeof t){if(e.classList.contains(t))return!0}else for(var a=0;a'):a.write('')),f=a),f.__sn=t,o[t.id]=f,(t.type===e.NodeType.Document||t.type===e.NodeType.Element)&&!s)for(var m=0,d=t.childNodes;m;\n\nexport type SlimDOMOptions = Partial<{\n script: boolean;\n comment: boolean;\n headFavicon: boolean;\n headWhitespace: boolean;\n headMetaDescKeywords: boolean;\n headMetaSocial: boolean;\n headMetaRobots: boolean;\n headMetaHttpEquiv: boolean;\n headMetaAuthorship: boolean;\n headMetaVerification: boolean;\n}>;\n\nexport type DataURLOptions = Partial<{\n type: string;\n quality: number;\n}>;\n\nexport type MaskTextFn = (text: string) => string;\nexport type MaskInputFn = (text: string) => string;\n\nexport type KeepIframeSrcFn = (src: string) => boolean;\n\nexport type BuildCache = {\n stylesWithHoverClass: Map;\n};\n","import { INode, MaskInputFn, MaskInputOptions } from './types';\n\nexport function isElement(n: Node | INode): n is Element {\n return n.nodeType === n.ELEMENT_NODE;\n}\n\nexport function isShadowRoot(n: Node): n is ShadowRoot {\n const host: Element | null = (n as ShadowRoot)?.host;\n return Boolean(host && host.shadowRoot && host.shadowRoot === n);\n}\n\nexport function maskInputValue({\n maskInputOptions,\n tagName,\n type,\n value,\n maskInputFn,\n}: {\n maskInputOptions: MaskInputOptions;\n tagName: string;\n type: string | number | boolean | null;\n value: string | null;\n maskInputFn?: MaskInputFn;\n}): string {\n let text = value || '';\n if (\n maskInputOptions[tagName.toLowerCase() as keyof MaskInputOptions] ||\n maskInputOptions[type as keyof MaskInputOptions]\n ) {\n if (maskInputFn) {\n text = maskInputFn(text);\n } else {\n text = '*'.repeat(text.length);\n }\n }\n return text;\n}\n\nconst ORIGINAL_ATTRIBUTE_NAME = '__rrweb_original__';\ntype PatchedGetImageData = {\n [ORIGINAL_ATTRIBUTE_NAME]: CanvasImageData['getImageData'];\n} & CanvasImageData['getImageData'];\n\nexport function is2DCanvasBlank(canvas: HTMLCanvasElement): boolean {\n const ctx = canvas.getContext('2d');\n if (!ctx) return true;\n\n const chunkSize = 50;\n\n // get chunks of the canvas and check if it is blank\n for (let x = 0; x < canvas.width; x += chunkSize) {\n for (let y = 0; y < canvas.height; y += chunkSize) {\n const getImageData = ctx.getImageData as PatchedGetImageData;\n const originalGetImageData =\n ORIGINAL_ATTRIBUTE_NAME in getImageData\n ? getImageData[ORIGINAL_ATTRIBUTE_NAME]\n : getImageData;\n // by getting the canvas in chunks we avoid an expensive\n // `getImageData` call that retrieves everything\n // even if we can already tell from the first chunk(s) that\n // the canvas isn't blank\n const pixelBuffer = new Uint32Array(\n originalGetImageData.call(\n ctx,\n x,\n y,\n Math.min(chunkSize, canvas.width - x),\n Math.min(chunkSize, canvas.height - y),\n ).data.buffer,\n );\n if (pixelBuffer.some((pixel) => pixel !== 0)) return false;\n }\n }\n return true;\n}\n","import {\n serializedNode,\n serializedNodeWithId,\n NodeType,\n attributes,\n INode,\n idNodeMap,\n MaskInputOptions,\n SlimDOMOptions,\n DataURLOptions,\n MaskTextFn,\n MaskInputFn,\n KeepIframeSrcFn,\n ICanvas,\n} from './types';\nimport {\n is2DCanvasBlank,\n isElement,\n isShadowRoot,\n maskInputValue,\n} from './utils';\n\nlet _id = 1;\nconst tagNameRegex = new RegExp('[^a-z0-9-_:]');\n\nexport const IGNORED_NODE = -2;\n\nfunction genId(): number {\n return _id++;\n}\n\nfunction getValidTagName(element: HTMLElement): string {\n if (element instanceof HTMLFormElement) {\n return 'form';\n }\n\n const processedTagName = element.tagName.toLowerCase().trim();\n\n if (tagNameRegex.test(processedTagName)) {\n // if the tag name is odd and we cannot extract\n // anything from the string, then we return a\n // generic div\n return 'div';\n }\n\n return processedTagName;\n}\n\nfunction getCssRulesString(s: CSSStyleSheet): string | null {\n try {\n const rules = s.rules || s.cssRules;\n return rules ? Array.from(rules).map(getCssRuleString).join('') : null;\n } catch (error) {\n return null;\n }\n}\n\nfunction getCssRuleString(rule: CSSRule): string {\n let cssStringified = rule.cssText;\n if (isCSSImportRule(rule)) {\n try {\n cssStringified = getCssRulesString(rule.styleSheet) || cssStringified;\n } catch {\n // ignore\n }\n }\n return cssStringified;\n}\n\nfunction isCSSImportRule(rule: CSSRule): rule is CSSImportRule {\n return 'styleSheet' in rule;\n}\n\nfunction stringifyStyleSheet(sheet: CSSStyleSheet): string {\n return sheet.cssRules\n ? Array.from(sheet.cssRules)\n .map((rule) => rule.cssText || '')\n .join('')\n : '';\n}\n\nfunction extractOrigin(url: string): string {\n let origin = '';\n if (url.indexOf('//') > -1) {\n origin = url.split('/').slice(0, 3).join('/');\n } else {\n origin = url.split('/')[0];\n }\n origin = origin.split('?')[0];\n return origin;\n}\n\nlet canvasService: HTMLCanvasElement | null;\nlet canvasCtx: CanvasRenderingContext2D | null;\n\nconst URL_IN_CSS_REF = /url\\((?:(')([^']*)'|(\")(.*?)\"|([^)]*))\\)/gm;\nconst RELATIVE_PATH = /^(?!www\\.|(?:http|ftp)s?:\\/\\/|[A-Za-z]:\\\\|\\/\\/|#).*/;\nconst DATA_URI = /^(data:)([^,]*),(.*)/i;\nexport function absoluteToStylesheet(\n cssText: string | null,\n href: string,\n): string {\n return (cssText || '').replace(\n URL_IN_CSS_REF,\n (origin, quote1, path1, quote2, path2, path3) => {\n const filePath = path1 || path2 || path3;\n const maybeQuote = quote1 || quote2 || '';\n if (!filePath) {\n return origin;\n }\n if (!RELATIVE_PATH.test(filePath)) {\n return `url(${maybeQuote}${filePath}${maybeQuote})`;\n }\n if (DATA_URI.test(filePath)) {\n return `url(${maybeQuote}${filePath}${maybeQuote})`;\n }\n if (filePath[0] === '/') {\n return `url(${maybeQuote}${\n extractOrigin(href) + filePath\n }${maybeQuote})`;\n }\n const stack = href.split('/');\n const parts = filePath.split('/');\n stack.pop();\n for (const part of parts) {\n if (part === '.') {\n continue;\n } else if (part === '..') {\n stack.pop();\n } else {\n stack.push(part);\n }\n }\n return `url(${maybeQuote}${stack.join('/')}${maybeQuote})`;\n },\n );\n}\n\nconst SRCSET_NOT_SPACES = /^[^ \\t\\n\\r\\u000c]+/; // Don't use \\s, to avoid matching non-breaking space\nconst SRCSET_COMMAS_OR_SPACES = /^[, \\t\\n\\r\\u000c]+/;\nfunction getAbsoluteSrcsetString(doc: Document, attributeValue: string) {\n /*\n run absoluteToDoc over every url in the srcset\n\n this is adapted from https://github.com/albell/parse-srcset/\n without the parsing of the descriptors (we return these as-is)\n parce-srcset is in turn based on\n https://html.spec.whatwg.org/multipage/embedded-content.html#parse-a-srcset-attribute\n */\n if (attributeValue.trim() === '') {\n return attributeValue;\n }\n\n let pos = 0;\n\n function collectCharacters(regEx: RegExp) {\n let chars: string;\n let match = regEx.exec(attributeValue.substring(pos));\n if (match) {\n chars = match[0];\n pos += chars.length;\n return chars;\n }\n return '';\n }\n\n let output = [];\n while (true) {\n collectCharacters(SRCSET_COMMAS_OR_SPACES);\n if (pos >= attributeValue.length) {\n break;\n }\n // don't split on commas within urls\n let url = collectCharacters(SRCSET_NOT_SPACES);\n if (url.slice(-1) === ',') {\n // aside: according to spec more than one comma at the end is a parse error, but we ignore that\n url = absoluteToDoc(doc, url.substring(0, url.length - 1));\n // the trailing comma splits the srcset, so the interpretion is that\n // another url will follow, and the descriptor is empty\n output.push(url);\n } else {\n let descriptorsStr = '';\n url = absoluteToDoc(doc, url);\n let inParens = false;\n while (true) {\n let c = attributeValue.charAt(pos);\n if (c === '') {\n output.push((url + descriptorsStr).trim());\n break;\n } else if (!inParens) {\n if (c === ',') {\n pos += 1;\n output.push((url + descriptorsStr).trim());\n break; // parse the next url\n } else if (c === '(') {\n inParens = true;\n }\n } else {\n // in parenthesis; ignore commas\n // (parenthesis may be supported by future additions to spec)\n if (c === ')') {\n inParens = false;\n }\n }\n descriptorsStr += c;\n pos += 1;\n }\n }\n }\n return output.join(', ');\n}\n\nexport function absoluteToDoc(doc: Document, attributeValue: string): string {\n if (!attributeValue || attributeValue.trim() === '') {\n return attributeValue;\n }\n const a: HTMLAnchorElement = doc.createElement('a');\n a.href = attributeValue;\n return a.href;\n}\n\nfunction isSVGElement(el: Element): boolean {\n return Boolean(el.tagName === 'svg' || (el as SVGElement).ownerSVGElement);\n}\n\nfunction getHref() {\n // return a href without hash\n const a = document.createElement('a');\n a.href = '';\n return a.href;\n}\n\nexport function transformAttribute(\n doc: Document,\n tagName: string,\n name: string,\n value: string,\n): string {\n // relative path in attribute\n if (name === 'src' || (name === 'href' && value)) {\n return absoluteToDoc(doc, value);\n } else if (name === 'xlink:href' && value && value[0] !== '#') {\n // xlink:href starts with # is an id pointer\n return absoluteToDoc(doc, value);\n } else if (\n name === 'background' &&\n value &&\n (tagName === 'table' || tagName === 'td' || tagName === 'th')\n ) {\n return absoluteToDoc(doc, value);\n } else if (name === 'srcset' && value) {\n return getAbsoluteSrcsetString(doc, value);\n } else if (name === 'style' && value) {\n return absoluteToStylesheet(value, getHref());\n } else if (tagName === 'object' && name === 'data' && value) {\n return absoluteToDoc(doc, value);\n } else {\n return value;\n }\n}\n\nexport function _isBlockedElement(\n element: HTMLElement,\n blockClass: string | RegExp,\n blockSelector: string | null,\n): boolean {\n if (typeof blockClass === 'string') {\n if (element.classList.contains(blockClass)) {\n return true;\n }\n } else {\n // tslint:disable-next-line: prefer-for-of\n for (let eIndex = 0; eIndex < element.classList.length; eIndex++) {\n const className = element.classList[eIndex];\n if (blockClass.test(className)) {\n return true;\n }\n }\n }\n if (blockSelector) {\n return element.matches(blockSelector);\n }\n\n return false;\n}\n\nexport function needMaskingText(\n node: Node | null,\n maskTextClass: string | RegExp,\n maskTextSelector: string | null,\n): boolean {\n if (!node) {\n return false;\n }\n if (node.nodeType === node.ELEMENT_NODE) {\n if (typeof maskTextClass === 'string') {\n if ((node as HTMLElement).classList.contains(maskTextClass)) {\n return true;\n }\n } else {\n // tslint:disable-next-line: prefer-for-of\n for (\n let eIndex = 0;\n eIndex < (node as HTMLElement).classList.length;\n eIndex++\n ) {\n const className = (node as HTMLElement).classList[eIndex];\n if (maskTextClass.test(className)) {\n return true;\n }\n }\n }\n if (maskTextSelector) {\n if ((node as HTMLElement).matches(maskTextSelector)) {\n return true;\n }\n }\n return needMaskingText(node.parentNode, maskTextClass, maskTextSelector);\n }\n if (node.nodeType === node.TEXT_NODE) {\n // check parent node since text node do not have class name\n return needMaskingText(node.parentNode, maskTextClass, maskTextSelector);\n }\n return needMaskingText(node.parentNode, maskTextClass, maskTextSelector);\n}\n\n// https://stackoverflow.com/a/36155560\nfunction onceIframeLoaded(\n iframeEl: HTMLIFrameElement,\n listener: () => unknown,\n iframeLoadTimeout: number,\n) {\n const win = iframeEl.contentWindow;\n if (!win) {\n return;\n }\n // document is loading\n let fired = false;\n\n let readyState: DocumentReadyState;\n try {\n readyState = win.document.readyState;\n } catch (error) {\n return;\n }\n if (readyState !== 'complete') {\n const timer = setTimeout(() => {\n if (!fired) {\n listener();\n fired = true;\n }\n }, iframeLoadTimeout);\n iframeEl.addEventListener('load', () => {\n clearTimeout(timer);\n fired = true;\n listener();\n });\n return;\n }\n // check blank frame for Chrome\n const blankUrl = 'about:blank';\n if (\n win.location.href !== blankUrl ||\n iframeEl.src === blankUrl ||\n iframeEl.src === ''\n ) {\n // iframe was already loaded, make sure we wait to trigger the listener\n // till _after_ the mutation that found this iframe has had time to process\n setTimeout(listener, 0);\n return;\n }\n // use default listener\n iframeEl.addEventListener('load', listener);\n}\n\nfunction serializeNode(\n n: Node,\n options: {\n doc: Document;\n blockClass: string | RegExp;\n blockSelector: string | null;\n maskTextClass: string | RegExp;\n maskTextSelector: string | null;\n inlineStylesheet: boolean;\n maskInputOptions: MaskInputOptions;\n maskTextFn: MaskTextFn | undefined;\n maskInputFn: MaskInputFn | undefined;\n dataURLOptions?: DataURLOptions;\n inlineImages: boolean;\n recordCanvas: boolean;\n keepIframeSrcFn: KeepIframeSrcFn;\n },\n): serializedNode | false {\n const {\n doc,\n blockClass,\n blockSelector,\n maskTextClass,\n maskTextSelector,\n inlineStylesheet,\n maskInputOptions = {},\n maskTextFn,\n maskInputFn,\n dataURLOptions = {},\n inlineImages,\n recordCanvas,\n keepIframeSrcFn,\n } = options;\n // Only record root id when document object is not the base document\n let rootId: number | undefined;\n if (((doc as unknown) as INode).__sn) {\n const docId = ((doc as unknown) as INode).__sn.id;\n rootId = docId === 1 ? undefined : docId;\n }\n switch (n.nodeType) {\n case n.DOCUMENT_NODE:\n if ((n as HTMLDocument).compatMode !== 'CSS1Compat') {\n return {\n type: NodeType.Document,\n childNodes: [],\n compatMode: (n as HTMLDocument).compatMode, // probably \"BackCompat\"\n rootId,\n };\n } else {\n return {\n type: NodeType.Document,\n childNodes: [],\n rootId,\n };\n }\n case n.DOCUMENT_TYPE_NODE:\n return {\n type: NodeType.DocumentType,\n name: (n as DocumentType).name,\n publicId: (n as DocumentType).publicId,\n systemId: (n as DocumentType).systemId,\n rootId,\n };\n case n.ELEMENT_NODE:\n const needBlock = _isBlockedElement(\n n as HTMLElement,\n blockClass,\n blockSelector,\n );\n const tagName = getValidTagName(n as HTMLElement);\n let attributes: attributes = {};\n for (const { name, value } of Array.from((n as HTMLElement).attributes)) {\n attributes[name] = transformAttribute(doc, tagName, name, value);\n }\n // remote css\n if (tagName === 'link' && inlineStylesheet) {\n const stylesheet = Array.from(doc.styleSheets).find((s) => {\n return s.href === (n as HTMLLinkElement).href;\n });\n let cssText: string | null = null;\n if (stylesheet) {\n cssText = getCssRulesString(stylesheet as CSSStyleSheet);\n }\n if (cssText) {\n delete attributes.rel;\n delete attributes.href;\n attributes._cssText = absoluteToStylesheet(\n cssText,\n stylesheet!.href!,\n );\n }\n }\n // dynamic stylesheet\n if (\n tagName === 'style' &&\n (n as HTMLStyleElement).sheet &&\n // TODO: Currently we only try to get dynamic stylesheet when it is an empty style element\n !(\n (n as HTMLElement).innerText ||\n (n as HTMLElement).textContent ||\n ''\n ).trim().length\n ) {\n const cssText = getCssRulesString(\n (n as HTMLStyleElement).sheet as CSSStyleSheet,\n );\n if (cssText) {\n attributes._cssText = absoluteToStylesheet(cssText, getHref());\n }\n }\n // form fields\n if (\n tagName === 'input' ||\n tagName === 'textarea' ||\n tagName === 'select'\n ) {\n const value = (n as HTMLInputElement | HTMLTextAreaElement).value;\n if (\n attributes.type !== 'radio' &&\n attributes.type !== 'checkbox' &&\n attributes.type !== 'submit' &&\n attributes.type !== 'button' &&\n value\n ) {\n attributes.value = maskInputValue({\n type: attributes.type,\n tagName,\n value,\n maskInputOptions,\n maskInputFn,\n });\n } else if ((n as HTMLInputElement).checked) {\n attributes.checked = (n as HTMLInputElement).checked;\n }\n }\n if (tagName === 'option') {\n if ((n as HTMLOptionElement).selected && !maskInputOptions['select']) {\n attributes.selected = true;\n } else {\n // ignore the html attribute (which corresponds to DOM (n as HTMLOptionElement).defaultSelected)\n // if it's already been changed\n delete attributes.selected;\n }\n }\n // canvas image data\n if (tagName === 'canvas' && recordCanvas) {\n if ((n as ICanvas).__context === '2d') {\n // only record this on 2d canvas\n if (!is2DCanvasBlank(n as HTMLCanvasElement)) {\n attributes.rr_dataURL = (n as HTMLCanvasElement).toDataURL(\n dataURLOptions.type,\n dataURLOptions.quality,\n );\n }\n } else if (!('__context' in n)) {\n // context is unknown, better not call getContext to trigger it\n const canvasDataURL = (n as HTMLCanvasElement).toDataURL(\n dataURLOptions.type,\n dataURLOptions.quality,\n );\n\n // create blank canvas of same dimensions\n const blankCanvas = document.createElement('canvas');\n blankCanvas.width = (n as HTMLCanvasElement).width;\n blankCanvas.height = (n as HTMLCanvasElement).height;\n const blankCanvasDataURL = blankCanvas.toDataURL(\n dataURLOptions.type,\n dataURLOptions.quality,\n );\n\n // no need to save dataURL if it's the same as blank canvas\n if (canvasDataURL !== blankCanvasDataURL) {\n attributes.rr_dataURL = canvasDataURL;\n }\n }\n }\n // save image offline\n if (tagName === 'img' && inlineImages) {\n if (!canvasService) {\n canvasService = doc.createElement('canvas');\n canvasCtx = canvasService.getContext('2d');\n }\n const image = n as HTMLImageElement;\n const oldValue = image.crossOrigin;\n image.crossOrigin = 'anonymous';\n const recordInlineImage = () => {\n try {\n canvasService!.width = image.naturalWidth;\n canvasService!.height = image.naturalHeight;\n canvasCtx!.drawImage(image, 0, 0);\n attributes.rr_dataURL = canvasService!.toDataURL(\n dataURLOptions.type,\n dataURLOptions.quality,\n );\n } catch (err) {\n console.warn(\n `Cannot inline img src=${image.currentSrc}! Error: ${err}`,\n );\n }\n oldValue\n ? (attributes.crossOrigin = oldValue)\n : delete attributes.crossOrigin;\n };\n // The image content may not have finished loading yet.\n if (image.complete && image.naturalWidth !== 0) recordInlineImage();\n else image.onload = recordInlineImage;\n }\n // media elements\n if (tagName === 'audio' || tagName === 'video') {\n attributes.rr_mediaState = (n as HTMLMediaElement).paused\n ? 'paused'\n : 'played';\n attributes.rr_mediaCurrentTime = (n as HTMLMediaElement).currentTime;\n }\n // scroll\n if ((n as HTMLElement).scrollLeft) {\n attributes.rr_scrollLeft = (n as HTMLElement).scrollLeft;\n }\n if ((n as HTMLElement).scrollTop) {\n attributes.rr_scrollTop = (n as HTMLElement).scrollTop;\n }\n // block element\n if (needBlock) {\n const { width, height } = (n as HTMLElement).getBoundingClientRect();\n attributes = {\n class: attributes.class,\n rr_width: `${width}px`,\n rr_height: `${height}px`,\n };\n }\n // iframe\n if (tagName === 'iframe' && !keepIframeSrcFn(attributes.src as string)) {\n if (!(n as HTMLIFrameElement).contentDocument) {\n // we can't record it directly as we can't see into it\n // preserve the src attribute so a decision can be taken at replay time\n attributes.rr_src = attributes.src;\n }\n delete attributes.src; // prevent auto loading\n }\n return {\n type: NodeType.Element,\n tagName,\n attributes,\n childNodes: [],\n isSVG: isSVGElement(n as Element) || undefined,\n needBlock,\n rootId,\n };\n case n.TEXT_NODE:\n // The parent node may not be a html element which has a tagName attribute.\n // So just let it be undefined which is ok in this use case.\n const parentTagName =\n n.parentNode && (n.parentNode as HTMLElement).tagName;\n let textContent = (n as Text).textContent;\n const isStyle = parentTagName === 'STYLE' ? true : undefined;\n const isScript = parentTagName === 'SCRIPT' ? true : undefined;\n if (isStyle && textContent) {\n try {\n // try to read style sheet\n if (n.nextSibling || n.previousSibling) {\n // This is not the only child of the stylesheet.\n // We can't read all of the sheet's .cssRules and expect them\n // to _only_ include the current rule(s) added by the text node.\n // So we'll be conservative and keep textContent as-is.\n } else if ((n.parentNode as HTMLStyleElement).sheet?.cssRules) {\n textContent = stringifyStyleSheet(\n (n.parentNode as HTMLStyleElement).sheet!,\n );\n }\n } catch (err) {\n console.warn(\n `Cannot get CSS styles from text's parentNode. Error: ${err}`,\n n,\n );\n }\n textContent = absoluteToStylesheet(textContent, getHref());\n }\n if (isScript) {\n textContent = 'SCRIPT_PLACEHOLDER';\n }\n if (\n !isStyle &&\n !isScript &&\n needMaskingText(n, maskTextClass, maskTextSelector) &&\n textContent\n ) {\n textContent = maskTextFn\n ? maskTextFn(textContent)\n : textContent.replace(/[\\S]/g, '*');\n }\n return {\n type: NodeType.Text,\n textContent: textContent || '',\n isStyle,\n rootId,\n };\n case n.CDATA_SECTION_NODE:\n return {\n type: NodeType.CDATA,\n textContent: '',\n rootId,\n };\n case n.COMMENT_NODE:\n return {\n type: NodeType.Comment,\n textContent: (n as Comment).textContent || '',\n rootId,\n };\n default:\n return false;\n }\n}\n\nfunction lowerIfExists(maybeAttr: string | number | boolean): string {\n if (maybeAttr === undefined) {\n return '';\n } else {\n return (maybeAttr as string).toLowerCase();\n }\n}\n\nfunction slimDOMExcluded(\n sn: serializedNode,\n slimDOMOptions: SlimDOMOptions,\n): boolean {\n if (slimDOMOptions.comment && sn.type === NodeType.Comment) {\n // TODO: convert IE conditional comments to real nodes\n return true;\n } else if (sn.type === NodeType.Element) {\n if (\n slimDOMOptions.script &&\n // script tag\n (sn.tagName === 'script' ||\n // preload link\n (sn.tagName === 'link' &&\n sn.attributes.rel === 'preload' &&\n sn.attributes.as === 'script') ||\n // prefetch link\n (sn.tagName === 'link' &&\n sn.attributes.rel === 'prefetch' &&\n typeof sn.attributes.href === 'string' &&\n sn.attributes.href.endsWith('.js')))\n ) {\n return true;\n } else if (\n slimDOMOptions.headFavicon &&\n ((sn.tagName === 'link' && sn.attributes.rel === 'shortcut icon') ||\n (sn.tagName === 'meta' &&\n (lowerIfExists(sn.attributes.name).match(\n /^msapplication-tile(image|color)$/,\n ) ||\n lowerIfExists(sn.attributes.name) === 'application-name' ||\n lowerIfExists(sn.attributes.rel) === 'icon' ||\n lowerIfExists(sn.attributes.rel) === 'apple-touch-icon' ||\n lowerIfExists(sn.attributes.rel) === 'shortcut icon')))\n ) {\n return true;\n } else if (sn.tagName === 'meta') {\n if (\n slimDOMOptions.headMetaDescKeywords &&\n lowerIfExists(sn.attributes.name).match(/^description|keywords$/)\n ) {\n return true;\n } else if (\n slimDOMOptions.headMetaSocial &&\n (lowerIfExists(sn.attributes.property).match(/^(og|twitter|fb):/) || // og = opengraph (facebook)\n lowerIfExists(sn.attributes.name).match(/^(og|twitter):/) ||\n lowerIfExists(sn.attributes.name) === 'pinterest')\n ) {\n return true;\n } else if (\n slimDOMOptions.headMetaRobots &&\n (lowerIfExists(sn.attributes.name) === 'robots' ||\n lowerIfExists(sn.attributes.name) === 'googlebot' ||\n lowerIfExists(sn.attributes.name) === 'bingbot')\n ) {\n return true;\n } else if (\n slimDOMOptions.headMetaHttpEquiv &&\n sn.attributes['http-equiv'] !== undefined\n ) {\n // e.g. X-UA-Compatible, Content-Type, Content-Language,\n // cache-control, X-Translated-By\n return true;\n } else if (\n slimDOMOptions.headMetaAuthorship &&\n (lowerIfExists(sn.attributes.name) === 'author' ||\n lowerIfExists(sn.attributes.name) === 'generator' ||\n lowerIfExists(sn.attributes.name) === 'framework' ||\n lowerIfExists(sn.attributes.name) === 'publisher' ||\n lowerIfExists(sn.attributes.name) === 'progid' ||\n lowerIfExists(sn.attributes.property).match(/^article:/) ||\n lowerIfExists(sn.attributes.property).match(/^product:/))\n ) {\n return true;\n } else if (\n slimDOMOptions.headMetaVerification &&\n (lowerIfExists(sn.attributes.name) === 'google-site-verification' ||\n lowerIfExists(sn.attributes.name) === 'yandex-verification' ||\n lowerIfExists(sn.attributes.name) === 'csrf-token' ||\n lowerIfExists(sn.attributes.name) === 'p:domain_verify' ||\n lowerIfExists(sn.attributes.name) === 'verify-v1' ||\n lowerIfExists(sn.attributes.name) === 'verification' ||\n lowerIfExists(sn.attributes.name) === 'shopify-checkout-api-token')\n ) {\n return true;\n }\n }\n }\n return false;\n}\n\nexport function serializeNodeWithId(\n n: Node | INode,\n options: {\n doc: Document;\n map: idNodeMap;\n blockClass: string | RegExp;\n blockSelector: string | null;\n maskTextClass: string | RegExp;\n maskTextSelector: string | null;\n skipChild: boolean;\n inlineStylesheet: boolean;\n maskInputOptions?: MaskInputOptions;\n maskTextFn: MaskTextFn | undefined;\n maskInputFn: MaskInputFn | undefined;\n slimDOMOptions: SlimDOMOptions;\n dataURLOptions?: DataURLOptions;\n keepIframeSrcFn?: KeepIframeSrcFn;\n inlineImages?: boolean;\n recordCanvas?: boolean;\n preserveWhiteSpace?: boolean;\n onSerialize?: (n: INode) => unknown;\n onIframeLoad?: (iframeINode: INode, node: serializedNodeWithId) => unknown;\n iframeLoadTimeout?: number;\n },\n): serializedNodeWithId | null {\n const {\n doc,\n map,\n blockClass,\n blockSelector,\n maskTextClass,\n maskTextSelector,\n skipChild = false,\n inlineStylesheet = true,\n maskInputOptions = {},\n maskTextFn,\n maskInputFn,\n slimDOMOptions,\n dataURLOptions = {},\n inlineImages = false,\n recordCanvas = false,\n onSerialize,\n onIframeLoad,\n iframeLoadTimeout = 5000,\n keepIframeSrcFn = () => false,\n } = options;\n let { preserveWhiteSpace = true } = options;\n const _serializedNode = serializeNode(n, {\n doc,\n blockClass,\n blockSelector,\n maskTextClass,\n maskTextSelector,\n inlineStylesheet,\n maskInputOptions,\n maskTextFn,\n maskInputFn,\n dataURLOptions,\n inlineImages,\n recordCanvas,\n keepIframeSrcFn,\n });\n if (!_serializedNode) {\n // TODO: dev only\n console.warn(n, 'not serialized');\n return null;\n }\n\n let id;\n // Try to reuse the previous id\n if ('__sn' in n) {\n id = n.__sn.id;\n } else if (\n slimDOMExcluded(_serializedNode, slimDOMOptions) ||\n (!preserveWhiteSpace &&\n _serializedNode.type === NodeType.Text &&\n !_serializedNode.isStyle &&\n !_serializedNode.textContent.replace(/^\\s+|\\s+$/gm, '').length)\n ) {\n id = IGNORED_NODE;\n } else {\n id = genId();\n }\n const serializedNode = Object.assign(_serializedNode, { id });\n (n as INode).__sn = serializedNode;\n if (id === IGNORED_NODE) {\n return null; // slimDOM\n }\n map[id] = n as INode;\n if (onSerialize) {\n onSerialize(n as INode);\n }\n let recordChild = !skipChild;\n if (serializedNode.type === NodeType.Element) {\n recordChild = recordChild && !serializedNode.needBlock;\n // this property was not needed in replay side\n delete serializedNode.needBlock;\n if ((n as HTMLElement).shadowRoot) serializedNode.isShadowHost = true;\n }\n if (\n (serializedNode.type === NodeType.Document ||\n serializedNode.type === NodeType.Element) &&\n recordChild\n ) {\n if (\n slimDOMOptions.headWhitespace &&\n _serializedNode.type === NodeType.Element &&\n _serializedNode.tagName === 'head'\n // would impede performance: || getComputedStyle(n)['white-space'] === 'normal'\n ) {\n preserveWhiteSpace = false;\n }\n const bypassOptions = {\n doc,\n map,\n blockClass,\n blockSelector,\n maskTextClass,\n maskTextSelector,\n skipChild,\n inlineStylesheet,\n maskInputOptions,\n maskTextFn,\n maskInputFn,\n slimDOMOptions,\n dataURLOptions,\n inlineImages,\n recordCanvas,\n preserveWhiteSpace,\n onSerialize,\n onIframeLoad,\n iframeLoadTimeout,\n keepIframeSrcFn,\n };\n for (const childN of Array.from(n.childNodes)) {\n const serializedChildNode = serializeNodeWithId(childN, bypassOptions);\n if (serializedChildNode) {\n serializedNode.childNodes.push(serializedChildNode);\n }\n }\n\n if (isElement(n) && n.shadowRoot) {\n for (const childN of Array.from(n.shadowRoot.childNodes)) {\n const serializedChildNode = serializeNodeWithId(childN, bypassOptions);\n if (serializedChildNode) {\n serializedChildNode.isShadow = true;\n serializedNode.childNodes.push(serializedChildNode);\n }\n }\n }\n }\n\n if (n.parentNode && isShadowRoot(n.parentNode)) {\n serializedNode.isShadow = true;\n }\n\n if (\n serializedNode.type === NodeType.Element &&\n serializedNode.tagName === 'iframe'\n ) {\n onceIframeLoaded(\n n as HTMLIFrameElement,\n () => {\n const iframeDoc = (n as HTMLIFrameElement).contentDocument;\n if (iframeDoc && onIframeLoad) {\n const serializedIframeNode = serializeNodeWithId(iframeDoc, {\n doc: iframeDoc,\n map,\n blockClass,\n blockSelector,\n maskTextClass,\n maskTextSelector,\n skipChild: false,\n inlineStylesheet,\n maskInputOptions,\n maskTextFn,\n maskInputFn,\n slimDOMOptions,\n dataURLOptions,\n inlineImages,\n recordCanvas,\n preserveWhiteSpace,\n onSerialize,\n onIframeLoad,\n iframeLoadTimeout,\n keepIframeSrcFn,\n });\n\n if (serializedIframeNode) {\n onIframeLoad(n as INode, serializedIframeNode);\n }\n }\n },\n iframeLoadTimeout,\n );\n }\n\n return serializedNode;\n}\n\nfunction snapshot(\n n: Document,\n options?: {\n blockClass?: string | RegExp;\n blockSelector?: string | null;\n maskTextClass?: string | RegExp;\n maskTextSelector?: string | null;\n inlineStylesheet?: boolean;\n maskAllInputs?: boolean | MaskInputOptions;\n maskTextFn?: MaskTextFn;\n maskInputFn?: MaskTextFn;\n slimDOM?: boolean | SlimDOMOptions;\n dataURLOptions?: DataURLOptions;\n inlineImages?: boolean;\n recordCanvas?: boolean;\n preserveWhiteSpace?: boolean;\n onSerialize?: (n: INode) => unknown;\n onIframeLoad?: (iframeINode: INode, node: serializedNodeWithId) => unknown;\n iframeLoadTimeout?: number;\n keepIframeSrcFn?: KeepIframeSrcFn;\n },\n): [serializedNodeWithId | null, idNodeMap] {\n const {\n blockClass = 'rr-block',\n blockSelector = null,\n maskTextClass = 'rr-mask',\n maskTextSelector = null,\n inlineStylesheet = true,\n inlineImages = false,\n recordCanvas = false,\n maskAllInputs = false,\n maskTextFn,\n maskInputFn,\n slimDOM = false,\n dataURLOptions,\n preserveWhiteSpace,\n onSerialize,\n onIframeLoad,\n iframeLoadTimeout,\n keepIframeSrcFn = () => false,\n } = options || {};\n const idNodeMap: idNodeMap = {};\n const maskInputOptions: MaskInputOptions =\n maskAllInputs === true\n ? {\n color: true,\n date: true,\n 'datetime-local': true,\n email: true,\n month: true,\n number: true,\n range: true,\n search: true,\n tel: true,\n text: true,\n time: true,\n url: true,\n week: true,\n textarea: true,\n select: true,\n password: true,\n }\n : maskAllInputs === false\n ? {\n password: true,\n }\n : maskAllInputs;\n const slimDOMOptions: SlimDOMOptions =\n slimDOM === true || slimDOM === 'all'\n ? // if true: set of sensible options that should not throw away any information\n {\n script: true,\n comment: true,\n headFavicon: true,\n headWhitespace: true,\n headMetaDescKeywords: slimDOM === 'all', // destructive\n headMetaSocial: true,\n headMetaRobots: true,\n headMetaHttpEquiv: true,\n headMetaAuthorship: true,\n headMetaVerification: true,\n }\n : slimDOM === false\n ? {}\n : slimDOM;\n return [\n serializeNodeWithId(n, {\n doc: n,\n map: idNodeMap,\n blockClass,\n blockSelector,\n maskTextClass,\n maskTextSelector,\n skipChild: false,\n inlineStylesheet,\n maskInputOptions,\n maskTextFn,\n maskInputFn,\n slimDOMOptions,\n dataURLOptions,\n inlineImages,\n recordCanvas,\n preserveWhiteSpace,\n onSerialize,\n onIframeLoad,\n iframeLoadTimeout,\n keepIframeSrcFn,\n }),\n idNodeMap,\n ];\n}\n\nexport function visitSnapshot(\n node: serializedNodeWithId,\n onVisit: (node: serializedNodeWithId) => unknown,\n) {\n function walk(current: serializedNodeWithId) {\n onVisit(current);\n if (\n current.type === NodeType.Document ||\n current.type === NodeType.Element\n ) {\n current.childNodes.forEach(walk);\n }\n }\n\n walk(node);\n}\n\nexport function cleanupSnapshot() {\n // allow a new recording to start numbering nodes from scratch\n _id = 1;\n}\n\nexport default snapshot;\n","/**\n * This file is a fork of https://github.com/reworkcss/css/blob/master/lib/parse/index.js\n * I fork it because:\n * 1. The css library was built for node.js which does not have tree-shaking supports.\n * 2. Rewrites into typescript give us a better type interface.\n */\n\n/* tslint:disable no-conditional-assignment interface-name no-shadowed-variable */\n\nexport interface ParserOptions {\n /** Silently fail on parse errors */\n silent?: boolean;\n /**\n * The path to the file containing css.\n * Makes errors and source maps more helpful, by letting them know where code comes from.\n */\n source?: string;\n}\n\n/**\n * Error thrown during parsing.\n */\nexport interface ParserError {\n /** The full error message with the source position. */\n message?: string;\n /** The error message without position. */\n reason?: string;\n /** The value of options.source if passed to css.parse. Otherwise undefined. */\n filename?: string;\n line?: number;\n column?: number;\n /** The portion of code that couldn't be parsed. */\n source?: string;\n}\n\nexport interface Loc {\n line?: number;\n column?: number;\n}\n\n/**\n * Base AST Tree Node.\n */\nexport interface Node {\n /** The possible values are the ones listed in the Types section on https://github.com/reworkcss/css page. */\n type?: string;\n /** A reference to the parent node, or null if the node has no parent. */\n parent?: Node;\n /** Information about the position in the source string that corresponds to the node. */\n position?: {\n start?: Loc;\n end?: Loc;\n /** The value of options.source if passed to css.parse. Otherwise undefined. */\n source?: string;\n /** The full source string passed to css.parse. */\n content?: string;\n };\n}\n\nexport interface Rule extends Node {\n /** The list of selectors of the rule, split on commas. Each selector is trimmed from whitespace and comments. */\n selectors?: string[];\n /** Array of nodes with the types declaration and comment. */\n declarations?: Array;\n}\n\nexport interface Declaration extends Node {\n /** The property name, trimmed from whitespace and comments. May not be empty. */\n property?: string;\n /** The value of the property, trimmed from whitespace and comments. Empty values are allowed. */\n value?: string;\n}\n\n/**\n * A rule-level or declaration-level comment. Comments inside selectors, properties and values etc. are lost.\n */\nexport interface Comment extends Node {\n comment?: string;\n}\n\n/**\n * The @charset at-rule.\n */\nexport interface Charset extends Node {\n /** The part following @charset. */\n charset?: string;\n}\n\n/**\n * The @custom-media at-rule\n */\nexport interface CustomMedia extends Node {\n /** The ---prefixed name. */\n name?: string;\n /** The part following the name. */\n media?: string;\n}\n\n/**\n * The @document at-rule.\n */\nexport interface Document extends Node {\n /** The part following @document. */\n document?: string;\n /** The vendor prefix in @document, or undefined if there is none. */\n vendor?: string;\n /** Array of nodes with the types rule, comment and any of the at-rule types. */\n rules?: Array;\n}\n\n/**\n * The @font-face at-rule.\n */\nexport interface FontFace extends Node {\n /** Array of nodes with the types declaration and comment. */\n declarations?: Array;\n}\n\n/**\n * The @host at-rule.\n */\nexport interface Host extends Node {\n /** Array of nodes with the types rule, comment and any of the at-rule types. */\n rules?: Array;\n}\n\n/**\n * The @import at-rule.\n */\nexport interface Import extends Node {\n /** The part following @import. */\n import?: string;\n}\n\n/**\n * The @keyframes at-rule.\n */\nexport interface KeyFrames extends Node {\n /** The name of the keyframes rule. */\n name?: string;\n /** The vendor prefix in @keyframes, or undefined if there is none. */\n vendor?: string;\n /** Array of nodes with the types keyframe and comment. */\n keyframes?: Array;\n}\n\nexport interface KeyFrame extends Node {\n /** The list of \"selectors\" of the keyframe rule, split on commas. Each “selector” is trimmed from whitespace. */\n values?: string[];\n /** Array of nodes with the types declaration and comment. */\n declarations?: Array;\n}\n\n/**\n * The @media at-rule.\n */\nexport interface Media extends Node {\n /** The part following @media. */\n media?: string;\n /** Array of nodes with the types rule, comment and any of the at-rule types. */\n rules?: Array;\n}\n\n/**\n * The @namespace at-rule.\n */\nexport interface Namespace extends Node {\n /** The part following @namespace. */\n namespace?: string;\n}\n\n/**\n * The @page at-rule.\n */\nexport interface Page extends Node {\n /** The list of selectors of the rule, split on commas. Each selector is trimmed from whitespace and comments. */\n selectors?: string[];\n /** Array of nodes with the types declaration and comment. */\n declarations?: Array;\n}\n\n/**\n * The @supports at-rule.\n */\nexport interface Supports extends Node {\n /** The part following @supports. */\n supports?: string;\n /** Array of nodes with the types rule, comment and any of the at-rule types. */\n rules?: Array;\n}\n\n/** All at-rules. */\nexport type AtRule =\n | Charset\n | CustomMedia\n | Document\n | FontFace\n | Host\n | Import\n | KeyFrames\n | Media\n | Namespace\n | Page\n | Supports;\n\n/**\n * A collection of rules\n */\nexport interface StyleRules {\n source?: string;\n /** Array of nodes with the types rule, comment and any of the at-rule types. */\n rules: Array;\n /** Array of Errors. Errors collected during parsing when option silent is true. */\n parsingErrors?: ParserError[];\n}\n\n/**\n * The root node returned by css.parse.\n */\nexport interface Stylesheet extends Node {\n stylesheet?: StyleRules;\n}\n\n// http://www.w3.org/TR/CSS21/grammar.html\n// https://github.com/visionmedia/css-parse/pull/49#issuecomment-30088027\nconst commentre = /\\/\\*[^*]*\\*+([^/*][^*]*\\*+)*\\//g;\n\nexport function parse(css: string, options: ParserOptions = {}) {\n /**\n * Positional.\n */\n\n let lineno = 1;\n let column = 1;\n\n /**\n * Update lineno and column based on `str`.\n */\n\n function updatePosition(str: string) {\n const lines = str.match(/\\n/g);\n if (lines) {\n lineno += lines.length;\n }\n let i = str.lastIndexOf('\\n');\n column = i === -1 ? column + str.length : str.length - i;\n }\n\n /**\n * Mark position and patch `node.position`.\n */\n\n function position() {\n const start = { line: lineno, column };\n return (\n node: Rule | Declaration | Comment | AtRule | Stylesheet | KeyFrame,\n ) => {\n node.position = new Position(start);\n whitespace();\n return node;\n };\n }\n\n /**\n * Store position information for a node\n */\n\n class Position {\n public content!: string;\n public start!: Loc;\n public end!: Loc;\n public source?: string;\n\n constructor(start: Loc) {\n this.start = start;\n this.end = { line: lineno, column };\n this.source = options.source;\n }\n }\n\n /**\n * Non-enumerable source string\n */\n\n Position.prototype.content = css;\n\n const errorsList: ParserError[] = [];\n\n function error(msg: string) {\n const err = new Error(\n options.source + ':' + lineno + ':' + column + ': ' + msg,\n ) as ParserError;\n err.reason = msg;\n err.filename = options.source;\n err.line = lineno;\n err.column = column;\n err.source = css;\n\n if (options.silent) {\n errorsList.push(err);\n } else {\n throw err;\n }\n }\n\n /**\n * Parse stylesheet.\n */\n\n function stylesheet(): Stylesheet {\n const rulesList = rules();\n\n return {\n type: 'stylesheet',\n stylesheet: {\n source: options.source,\n rules: rulesList,\n parsingErrors: errorsList,\n },\n };\n }\n\n /**\n * Opening brace.\n */\n\n function open() {\n return match(/^{\\s*/);\n }\n\n /**\n * Closing brace.\n */\n\n function close() {\n return match(/^}/);\n }\n\n /**\n * Parse ruleset.\n */\n\n function rules() {\n let node: Rule | void;\n const rules: Rule[] = [];\n whitespace();\n comments(rules);\n while (css.length && css.charAt(0) !== '}' && (node = atrule() || rule())) {\n if (node !== false) {\n rules.push(node);\n comments(rules);\n }\n }\n return rules;\n }\n\n /**\n * Match `re` and return captures.\n */\n\n function match(re: RegExp) {\n const m = re.exec(css);\n if (!m) {\n return;\n }\n const str = m[0];\n updatePosition(str);\n css = css.slice(str.length);\n return m;\n }\n\n /**\n * Parse whitespace.\n */\n\n function whitespace() {\n match(/^\\s*/);\n }\n\n /**\n * Parse comments;\n */\n\n function comments(rules: Rule[] = []) {\n let c: Comment | void;\n while ((c = comment())) {\n if (c !== false) {\n rules.push(c);\n }\n c = comment();\n }\n return rules;\n }\n\n /**\n * Parse comment.\n */\n\n function comment() {\n const pos = position();\n if ('/' !== css.charAt(0) || '*' !== css.charAt(1)) {\n return;\n }\n\n let i = 2;\n while (\n '' !== css.charAt(i) &&\n ('*' !== css.charAt(i) || '/' !== css.charAt(i + 1))\n ) {\n ++i;\n }\n i += 2;\n\n if ('' === css.charAt(i - 1)) {\n return error('End of comment missing');\n }\n\n const str = css.slice(2, i - 2);\n column += 2;\n updatePosition(str);\n css = css.slice(i);\n column += 2;\n\n return pos({\n type: 'comment',\n comment: str,\n });\n }\n\n /**\n * Parse selector.\n */\n\n function selector() {\n const m = match(/^([^{]+)/);\n if (!m) {\n return;\n }\n /* @fix Remove all comments from selectors\n * http://ostermiller.org/findcomment.html */\n return trim(m[0])\n .replace(/\\/\\*([^*]|[\\r\\n]|(\\*+([^*/]|[\\r\\n])))*\\*\\/+/g, '')\n .replace(/\"(?:\\\\\"|[^\"])*\"|'(?:\\\\'|[^'])*'/g, (m) => {\n return m.replace(/,/g, '\\u200C');\n })\n .split(/\\s*(?![^(]*\\)),\\s*/)\n .map((s) => {\n return s.replace(/\\u200C/g, ',');\n });\n }\n\n /**\n * Parse declaration.\n */\n\n function declaration(): Declaration | void | never {\n const pos = position();\n\n // prop\n let propMatch = match(/^(\\*?[-#\\/\\*\\\\\\w]+(\\[[0-9a-z_-]+\\])?)\\s*/);\n if (!propMatch) {\n return;\n }\n const prop = trim(propMatch[0]);\n\n // :\n if (!match(/^:\\s*/)) {\n return error(`property missing ':'`);\n }\n\n // val\n const val = match(/^((?:'(?:\\\\'|.)*?'|\"(?:\\\\\"|.)*?\"|\\([^\\)]*?\\)|[^};])+)/);\n\n const ret = pos({\n type: 'declaration',\n property: prop.replace(commentre, ''),\n value: val ? trim(val[0]).replace(commentre, '') : '',\n });\n\n // ;\n match(/^[;\\s]*/);\n\n return ret;\n }\n\n /**\n * Parse declarations.\n */\n\n function declarations() {\n const decls: Array = [];\n\n if (!open()) {\n return error(`missing '{'`);\n }\n comments(decls);\n\n // declarations\n let decl;\n while ((decl = declaration())) {\n if ((decl as unknown) !== false) {\n decls.push(decl);\n comments(decls);\n }\n decl = declaration();\n }\n\n if (!close()) {\n return error(`missing '}'`);\n }\n return decls;\n }\n\n /**\n * Parse keyframe.\n */\n\n function keyframe() {\n let m;\n const vals = [];\n const pos = position();\n\n while ((m = match(/^((\\d+\\.\\d+|\\.\\d+|\\d+)%?|[a-z]+)\\s*/))) {\n vals.push(m[1]);\n match(/^,\\s*/);\n }\n\n if (!vals.length) {\n return;\n }\n\n return pos({\n type: 'keyframe',\n values: vals,\n declarations: declarations() as Declaration[],\n });\n }\n\n /**\n * Parse keyframes.\n */\n\n function atkeyframes() {\n const pos = position();\n let m = match(/^@([-\\w]+)?keyframes\\s*/);\n\n if (!m) {\n return;\n }\n const vendor = m[1];\n\n // identifier\n m = match(/^([-\\w]+)\\s*/);\n if (!m) {\n return error('@keyframes missing name');\n }\n const name = m[1];\n\n if (!open()) {\n return error(`@keyframes missing '{'`);\n }\n\n let frame;\n let frames = comments();\n while ((frame = keyframe())) {\n frames.push(frame);\n frames = frames.concat(comments());\n }\n\n if (!close()) {\n return error(`@keyframes missing '}'`);\n }\n\n return pos({\n type: 'keyframes',\n name,\n vendor,\n keyframes: frames,\n });\n }\n\n /**\n * Parse supports.\n */\n\n function atsupports() {\n const pos = position();\n const m = match(/^@supports *([^{]+)/);\n\n if (!m) {\n return;\n }\n const supports = trim(m[1]);\n\n if (!open()) {\n return error(`@supports missing '{'`);\n }\n\n const style = comments().concat(rules());\n\n if (!close()) {\n return error(`@supports missing '}'`);\n }\n\n return pos({\n type: 'supports',\n supports,\n rules: style,\n });\n }\n\n /**\n * Parse host.\n */\n\n function athost() {\n const pos = position();\n const m = match(/^@host\\s*/);\n\n if (!m) {\n return;\n }\n\n if (!open()) {\n return error(`@host missing '{'`);\n }\n\n const style = comments().concat(rules());\n\n if (!close()) {\n return error(`@host missing '}'`);\n }\n\n return pos({\n type: 'host',\n rules: style,\n });\n }\n\n /**\n * Parse media.\n */\n\n function atmedia() {\n const pos = position();\n const m = match(/^@media *([^{]+)/);\n\n if (!m) {\n return;\n }\n const media = trim(m[1]);\n\n if (!open()) {\n return error(`@media missing '{'`);\n }\n\n const style = comments().concat(rules());\n\n if (!close()) {\n return error(`@media missing '}'`);\n }\n\n return pos({\n type: 'media',\n media,\n rules: style,\n });\n }\n\n /**\n * Parse custom-media.\n */\n\n function atcustommedia() {\n const pos = position();\n const m = match(/^@custom-media\\s+(--[^\\s]+)\\s*([^{;]+);/);\n if (!m) {\n return;\n }\n\n return pos({\n type: 'custom-media',\n name: trim(m[1]),\n media: trim(m[2]),\n });\n }\n\n /**\n * Parse paged media.\n */\n\n function atpage() {\n const pos = position();\n const m = match(/^@page */);\n if (!m) {\n return;\n }\n\n const sel = selector() || [];\n\n if (!open()) {\n return error(`@page missing '{'`);\n }\n let decls = comments();\n\n // declarations\n let decl;\n while ((decl = declaration())) {\n decls.push(decl);\n decls = decls.concat(comments());\n }\n\n if (!close()) {\n return error(`@page missing '}'`);\n }\n\n return pos({\n type: 'page',\n selectors: sel,\n declarations: decls,\n });\n }\n\n /**\n * Parse document.\n */\n\n function atdocument() {\n const pos = position();\n const m = match(/^@([-\\w]+)?document *([^{]+)/);\n if (!m) {\n return;\n }\n\n const vendor = trim(m[1]);\n const doc = trim(m[2]);\n\n if (!open()) {\n return error(`@document missing '{'`);\n }\n\n const style = comments().concat(rules());\n\n if (!close()) {\n return error(`@document missing '}'`);\n }\n\n return pos({\n type: 'document',\n document: doc,\n vendor,\n rules: style,\n });\n }\n\n /**\n * Parse font-face.\n */\n\n function atfontface() {\n const pos = position();\n const m = match(/^@font-face\\s*/);\n if (!m) {\n return;\n }\n\n if (!open()) {\n return error(`@font-face missing '{'`);\n }\n let decls = comments();\n\n // declarations\n let decl;\n while ((decl = declaration())) {\n decls.push(decl);\n decls = decls.concat(comments());\n }\n\n if (!close()) {\n return error(`@font-face missing '}'`);\n }\n\n return pos({\n type: 'font-face',\n declarations: decls,\n });\n }\n\n /**\n * Parse import\n */\n\n const atimport = _compileAtrule('import');\n\n /**\n * Parse charset\n */\n\n const atcharset = _compileAtrule('charset');\n\n /**\n * Parse namespace\n */\n\n const atnamespace = _compileAtrule('namespace');\n\n /**\n * Parse non-block at-rules\n */\n\n function _compileAtrule(name: string) {\n const re = new RegExp('^@' + name + '\\\\s*([^;]+);');\n return () => {\n const pos = position();\n const m = match(re);\n if (!m) {\n return;\n }\n const ret: Record = { type: name };\n ret[name] = m[1].trim();\n return pos(ret);\n };\n }\n\n /**\n * Parse at rule.\n */\n\n function atrule() {\n if (css[0] !== '@') {\n return;\n }\n\n return (\n atkeyframes() ||\n atmedia() ||\n atcustommedia() ||\n atsupports() ||\n atimport() ||\n atcharset() ||\n atnamespace() ||\n atdocument() ||\n atpage() ||\n athost() ||\n atfontface()\n );\n }\n\n /**\n * Parse rule.\n */\n\n function rule() {\n const pos = position();\n const sel = selector();\n\n if (!sel) {\n return error('selector missing');\n }\n comments();\n\n return pos({\n type: 'rule',\n selectors: sel,\n declarations: declarations() as Declaration[],\n });\n }\n\n return addParent(stylesheet());\n}\n\n/**\n * Trim `str`.\n */\n\nfunction trim(str: string) {\n return str ? str.replace(/^\\s+|\\s+$/g, '') : '';\n}\n\n/**\n * Adds non-enumerable parent node reference to each node.\n */\n\nfunction addParent(obj: Stylesheet, parent?: Stylesheet) {\n const isNode = obj && typeof obj.type === 'string';\n const childParent = isNode ? obj : parent;\n\n for (const k of Object.keys(obj)) {\n const value = obj[k as keyof Stylesheet];\n if (Array.isArray(value)) {\n value.forEach((v) => {\n addParent(v, childParent);\n });\n } else if (value && typeof value === 'object') {\n addParent((value as unknown) as Stylesheet, childParent);\n }\n }\n\n if (isNode) {\n Object.defineProperty(obj, 'parent', {\n configurable: true,\n writable: true,\n enumerable: false,\n value: parent || null,\n });\n }\n\n return obj;\n}\n","import { parse } from './css';\nimport {\n serializedNodeWithId,\n NodeType,\n tagMap,\n elementNode,\n idNodeMap,\n INode,\n BuildCache,\n} from './types';\nimport { isElement } from './utils';\n\nconst tagMap: tagMap = {\n script: 'noscript',\n // camel case svg element tag names\n altglyph: 'altGlyph',\n altglyphdef: 'altGlyphDef',\n altglyphitem: 'altGlyphItem',\n animatecolor: 'animateColor',\n animatemotion: 'animateMotion',\n animatetransform: 'animateTransform',\n clippath: 'clipPath',\n feblend: 'feBlend',\n fecolormatrix: 'feColorMatrix',\n fecomponenttransfer: 'feComponentTransfer',\n fecomposite: 'feComposite',\n feconvolvematrix: 'feConvolveMatrix',\n fediffuselighting: 'feDiffuseLighting',\n fedisplacementmap: 'feDisplacementMap',\n fedistantlight: 'feDistantLight',\n fedropshadow: 'feDropShadow',\n feflood: 'feFlood',\n fefunca: 'feFuncA',\n fefuncb: 'feFuncB',\n fefuncg: 'feFuncG',\n fefuncr: 'feFuncR',\n fegaussianblur: 'feGaussianBlur',\n feimage: 'feImage',\n femerge: 'feMerge',\n femergenode: 'feMergeNode',\n femorphology: 'feMorphology',\n feoffset: 'feOffset',\n fepointlight: 'fePointLight',\n fespecularlighting: 'feSpecularLighting',\n fespotlight: 'feSpotLight',\n fetile: 'feTile',\n feturbulence: 'feTurbulence',\n foreignobject: 'foreignObject',\n glyphref: 'glyphRef',\n lineargradient: 'linearGradient',\n radialgradient: 'radialGradient',\n};\nfunction getTagName(n: elementNode): string {\n let tagName = tagMap[n.tagName] ? tagMap[n.tagName] : n.tagName;\n if (tagName === 'link' && n.attributes._cssText) {\n tagName = 'style';\n }\n return tagName;\n}\n\n// based on https://developer.mozilla.org/en-US/docs/Web/JavaScript/Guide/Regular_Expressions#escaping\nfunction escapeRegExp(str: string) {\n return str.replace(/[.*+?^${}()|[\\]\\\\]/g, '\\\\$&'); // $& means the whole matched string\n}\n\nconst HOVER_SELECTOR = /([^\\\\]):hover/;\nconst HOVER_SELECTOR_GLOBAL = new RegExp(HOVER_SELECTOR.source, 'g');\nexport function addHoverClass(cssText: string, cache: BuildCache): string {\n const cachedStyle = cache?.stylesWithHoverClass.get(cssText);\n if (cachedStyle) return cachedStyle;\n\n const ast = parse(cssText, {\n silent: true,\n });\n\n if (!ast.stylesheet) {\n return cssText;\n }\n\n const selectors: string[] = [];\n ast.stylesheet.rules.forEach((rule) => {\n if ('selectors' in rule) {\n (rule.selectors || []).forEach((selector: string) => {\n if (HOVER_SELECTOR.test(selector)) {\n selectors.push(selector);\n }\n });\n }\n });\n\n if (selectors.length === 0) {\n return cssText;\n }\n\n const selectorMatcher = new RegExp(\n selectors\n .filter((selector, index) => selectors.indexOf(selector) === index)\n .sort((a, b) => b.length - a.length)\n .map((selector) => {\n return escapeRegExp(selector);\n })\n .join('|'),\n 'g',\n );\n\n const result = cssText.replace(selectorMatcher, (selector) => {\n const newSelector = selector.replace(HOVER_SELECTOR_GLOBAL, '$1.\\\\:hover');\n return `${selector}, ${newSelector}`;\n });\n cache?.stylesWithHoverClass.set(cssText, result);\n return result;\n}\n\nexport function createCache(): BuildCache {\n const stylesWithHoverClass: Map = new Map();\n return {\n stylesWithHoverClass,\n };\n}\n\nfunction buildNode(\n n: serializedNodeWithId,\n options: {\n doc: Document;\n hackCss: boolean;\n cache: BuildCache;\n },\n): Node | null {\n const { doc, hackCss, cache } = options;\n switch (n.type) {\n case NodeType.Document:\n return doc.implementation.createDocument(null, '', null);\n case NodeType.DocumentType:\n return doc.implementation.createDocumentType(\n n.name || 'html',\n n.publicId,\n n.systemId,\n );\n case NodeType.Element:\n const tagName = getTagName(n);\n let node: Element;\n if (n.isSVG) {\n node = doc.createElementNS('http://www.w3.org/2000/svg', tagName);\n } else {\n node = doc.createElement(tagName);\n }\n for (const name in n.attributes) {\n if (!n.attributes.hasOwnProperty(name)) {\n continue;\n }\n let value = n.attributes[name];\n if (tagName === 'option' && name === 'selected' && value === false) {\n // legacy fix (TODO: if `value === false` can be generated for other attrs, should we also omit those other attrs from build?)\n continue;\n }\n value =\n typeof value === 'boolean' || typeof value === 'number' ? '' : value;\n // attribute names start with rr_ are internal attributes added by rrweb\n if (!name.startsWith('rr_')) {\n const isTextarea = tagName === 'textarea' && name === 'value';\n const isRemoteOrDynamicCss =\n tagName === 'style' && name === '_cssText';\n if (isRemoteOrDynamicCss && hackCss) {\n value = addHoverClass(value, cache);\n }\n if (isTextarea || isRemoteOrDynamicCss) {\n const child = doc.createTextNode(value);\n // https://github.com/rrweb-io/rrweb/issues/112\n for (const c of Array.from(node.childNodes)) {\n if (c.nodeType === node.TEXT_NODE) {\n node.removeChild(c);\n }\n }\n node.appendChild(child);\n continue;\n }\n\n try {\n if (n.isSVG && name === 'xlink:href') {\n node.setAttributeNS('http://www.w3.org/1999/xlink', name, value);\n } else if (\n name === 'onload' ||\n name === 'onclick' ||\n name.substring(0, 7) === 'onmouse'\n ) {\n // Rename some of the more common atttributes from https://www.w3schools.com/tags/ref_eventattributes.asp\n // as setting them triggers a console.error (which shows up despite the try/catch)\n // Assumption: these attributes are not used to css\n node.setAttribute('_' + name, value);\n } else if (\n tagName === 'meta' &&\n n.attributes['http-equiv'] === 'Content-Security-Policy' &&\n name === 'content'\n ) {\n // If CSP contains style-src and inline-style is disabled, there will be an error \"Refused to apply inline style because it violates the following Content Security Policy directive: style-src '*'\".\n // And the function insertStyleRules in rrweb replayer will throw an error \"Uncaught TypeError: Cannot read property 'insertRule' of null\".\n node.setAttribute('csp-content', value);\n continue;\n } else if (\n tagName === 'link' &&\n n.attributes.rel === 'preload' &&\n n.attributes.as === 'script'\n ) {\n // ignore\n } else if (\n tagName === 'link' &&\n n.attributes.rel === 'prefetch' &&\n typeof n.attributes.href === 'string' &&\n n.attributes.href.endsWith('.js')\n ) {\n // ignore\n } else if (\n tagName === 'img' &&\n n.attributes.srcset &&\n n.attributes.rr_dataURL\n ) {\n // backup original img srcset\n node.setAttribute('rrweb-original-srcset', n.attributes.srcset as string);\n } else {\n node.setAttribute(name, value);\n }\n } catch (error) {\n // skip invalid attribute\n }\n } else {\n // handle internal attributes\n if (tagName === 'canvas' && name === 'rr_dataURL') {\n const image = document.createElement('img');\n image.src = value;\n image.onload = () => {\n const ctx = (node as HTMLCanvasElement).getContext('2d');\n if (ctx) {\n ctx.drawImage(image, 0, 0, image.width, image.height);\n }\n };\n } else if (tagName === 'img' && name === 'rr_dataURL') {\n const image = node as HTMLImageElement;\n if (!image.currentSrc.startsWith('data:')) {\n // Backup original img src. It may not have been set yet.\n image.setAttribute(\n 'rrweb-original-src',\n n.attributes.src as string,\n );\n image.src = value;\n }\n }\n\n if (name === 'rr_width') {\n (node as HTMLElement).style.width = value;\n } else if (name === 'rr_height') {\n (node as HTMLElement).style.height = value;\n } else if (name === 'rr_mediaCurrentTime') {\n (node as HTMLMediaElement).currentTime = n.attributes\n .rr_mediaCurrentTime as number;\n } else if (name === 'rr_mediaState') {\n switch (value) {\n case 'played':\n (node as HTMLMediaElement)\n .play()\n .catch((e) => console.warn('media playback error', e));\n break;\n case 'paused':\n (node as HTMLMediaElement).pause();\n break;\n default:\n }\n }\n }\n }\n\n if (n.isShadowHost) {\n /**\n * Since node is newly rebuilt, it should be a normal element\n * without shadowRoot.\n * But if there are some weird situations that has defined\n * custom element in the scope before we rebuild node, it may\n * register the shadowRoot earlier.\n * The logic in the 'else' block is just a try-my-best solution\n * for the corner case, please let we know if it is wrong and\n * we can remove it.\n */\n if (!node.shadowRoot) {\n node.attachShadow({ mode: 'open' });\n } else {\n while (node.shadowRoot.firstChild) {\n node.shadowRoot.removeChild(node.shadowRoot.firstChild);\n }\n }\n }\n return node;\n case NodeType.Text:\n return doc.createTextNode(\n n.isStyle && hackCss\n ? addHoverClass(n.textContent, cache)\n : n.textContent,\n );\n case NodeType.CDATA:\n return doc.createCDATASection(n.textContent);\n case NodeType.Comment:\n return doc.createComment(n.textContent);\n default:\n return null;\n }\n}\n\nexport function buildNodeWithSN(\n n: serializedNodeWithId,\n options: {\n doc: Document;\n map: idNodeMap;\n skipChild?: boolean;\n hackCss: boolean;\n afterAppend?: (n: INode) => unknown;\n cache: BuildCache;\n },\n): INode | null {\n const {\n doc,\n map,\n skipChild = false,\n hackCss = true,\n afterAppend,\n cache,\n } = options;\n let node = buildNode(n, { doc, hackCss, cache });\n if (!node) {\n return null;\n }\n if (n.rootId) {\n console.assert(\n ((map[n.rootId] as unknown) as Document) === doc,\n 'Target document should has the same root id.',\n );\n }\n // use target document as root document\n if (n.type === NodeType.Document) {\n // close before open to make sure document was closed\n doc.close();\n doc.open();\n if (\n n.compatMode === 'BackCompat' &&\n n.childNodes &&\n n.childNodes[0].type !== NodeType.DocumentType // there isn't one already defined\n ) {\n // Trigger compatMode in the iframe\n // this is needed as document.createElement('iframe') otherwise inherits a CSS1Compat mode from the parent replayer environment\n if (\n n.childNodes[0].type === NodeType.Element &&\n 'xmlns' in n.childNodes[0].attributes &&\n n.childNodes[0].attributes.xmlns === 'http://www.w3.org/1999/xhtml'\n ) {\n // might as well use an xhtml doctype if we've got an xhtml namespace\n doc.write(\n '',\n );\n } else {\n doc.write(\n '',\n );\n }\n }\n node = doc;\n }\n\n (node as INode).__sn = n;\n map[n.id] = node as INode;\n\n if (\n (n.type === NodeType.Document || n.type === NodeType.Element) &&\n !skipChild\n ) {\n for (const childN of n.childNodes) {\n const childNode = buildNodeWithSN(childN, {\n doc,\n map,\n skipChild: false,\n hackCss,\n afterAppend,\n cache,\n });\n if (!childNode) {\n console.warn('Failed to rebuild', childN);\n continue;\n }\n\n if (childN.isShadow && isElement(node) && node.shadowRoot) {\n node.shadowRoot.appendChild(childNode);\n } else {\n node.appendChild(childNode);\n }\n if (afterAppend) {\n afterAppend(childNode);\n }\n }\n }\n\n return node as INode;\n}\n\nfunction visit(idNodeMap: idNodeMap, onVisit: (node: INode) => void) {\n function walk(node: INode) {\n onVisit(node);\n }\n\n for (const key in idNodeMap) {\n if (idNodeMap[key]) {\n walk(idNodeMap[key]);\n }\n }\n}\n\nfunction handleScroll(node: INode) {\n const n = node.__sn;\n if (n.type !== NodeType.Element) {\n return;\n }\n const el = (node as Node) as HTMLElement;\n for (const name in n.attributes) {\n if (!(n.attributes.hasOwnProperty(name) && name.startsWith('rr_'))) {\n continue;\n }\n const value = n.attributes[name];\n if (name === 'rr_scrollLeft') {\n el.scrollLeft = value as number;\n }\n if (name === 'rr_scrollTop') {\n el.scrollTop = value as number;\n }\n }\n}\n\nfunction rebuild(\n n: serializedNodeWithId,\n options: {\n doc: Document;\n onVisit?: (node: INode) => unknown;\n hackCss?: boolean;\n afterAppend?: (n: INode) => unknown;\n cache: BuildCache;\n },\n): [Node | null, idNodeMap] {\n const { doc, onVisit, hackCss = true, afterAppend, cache } = options;\n const idNodeMap: idNodeMap = {};\n const node = buildNodeWithSN(n, {\n doc,\n map: idNodeMap,\n skipChild: false,\n hackCss,\n afterAppend,\n cache,\n });\n visit(idNodeMap, (visitedNode) => {\n if (onVisit) {\n onVisit(visitedNode);\n }\n handleScroll(visitedNode);\n });\n return [node, idNodeMap];\n}\n\nexport default rebuild;\n"],"names":["NodeType","isElement","n","nodeType","ELEMENT_NODE","isShadowRoot","host","Boolean","shadowRoot","maskInputValue","_a","maskInputOptions","tagName","type","value","maskInputFn","text","toLowerCase","repeat","length","ORIGINAL_ATTRIBUTE_NAME","is2DCanvasBlank","canvas","ctx","getContext","x","width","y","height","getImageData","originalGetImageData","Uint32Array","call","Math","min","data","buffer","some","pixel","canvasService","canvasCtx","_id","tagNameRegex","RegExp","getCssRulesString","s","rules","cssRules","Array","from","map","getCssRuleString","join","error","rule","cssStringified","cssText","isCSSImportRule","styleSheet","URL_IN_CSS_REF","RELATIVE_PATH","DATA_URI","absoluteToStylesheet","href","replace","origin","quote1","path1","quote2","path2","path3","url","filePath","maybeQuote","test","indexOf","split","slice","stack","parts","pop","parts_1","_i","part","push","SRCSET_NOT_SPACES","SRCSET_COMMAS_OR_SPACES","absoluteToDoc","doc","attributeValue","trim","a","createElement","getHref","document","transformAttribute","name","pos","collectCharacters","regEx","chars","match","exec","substring","output","descriptorsStr","inParens","c","charAt","getAbsoluteSrcsetString","needMaskingText","node","maskTextClass","maskTextSelector","classList","contains","eIndex","className","matches","parentNode","TEXT_NODE","serializeNode","options","rootId","sheet","el","blockClass","blockSelector","inlineStylesheet","_b","maskTextFn","_c","dataURLOptions","inlineImages","recordCanvas","keepIframeSrcFn","__sn","docId","id","undefined","DOCUMENT_NODE","compatMode","Document","childNodes","DOCUMENT_TYPE_NODE","DocumentType","publicId","systemId","needBlock","element","_isBlockedElement","HTMLFormElement","processedTagName","getValidTagName","attributes_1","_d","attributes","_e","name_1","stylesheet","styleSheets","find","rel","_cssText","innerText","textContent","checked","selected","__context","rr_dataURL","toDataURL","quality","canvasDataURL","blankCanvas","image_1","oldValue_1","crossOrigin","recordInlineImage","naturalWidth","naturalHeight","drawImage","err","console","warn","currentSrc","complete","onload","rr_mediaState","paused","rr_mediaCurrentTime","currentTime","scrollLeft","rr_scrollLeft","scrollTop","rr_scrollTop","_f","getBoundingClientRect","class","rr_width","rr_height","src","contentDocument","rr_src","Element","isSVG","ownerSVGElement","parentTagName","isStyle","isScript","nextSibling","previousSibling","Text","CDATA_SECTION_NODE","CDATA","COMMENT_NODE","Comment","lowerIfExists","maybeAttr","serializeNodeWithId","skipChild","slimDOMOptions","onSerialize","onIframeLoad","_g","iframeLoadTimeout","_h","_j","preserveWhiteSpace","_serializedNode","sn","comment","script","as","endsWith","headFavicon","headMetaDescKeywords","headMetaSocial","property","headMetaRobots","headMetaHttpEquiv","headMetaAuthorship","headMetaVerification","slimDOMExcluded","serializedNode","Object","assign","recordChild","isShadowHost","headWhitespace","bypassOptions","_k","serializedChildNode","_m","_l","isShadow","iframeEl","listener","win","contentWindow","readyState","fired","blankUrl","location","addEventListener","setTimeout","timer_1","clearTimeout","onceIframeLoaded","iframeDoc","serializedIframeNode","commentre","parse","css","lineno","column","updatePosition","str","lines","i","lastIndexOf","position","start","line","Position","whitespace","this","end","source","prototype","content","errorsList","msg","Error","reason","filename","silent","open","close","comments","atrule","re","m","selector","declaration","propMatch","prop","val","ret","declarations","decl","decls","keyframe","vals","values","rulesList","atimport","_compileAtrule","atcharset","atnamespace","vendor","frame","frames","concat","keyframes","atkeyframes","media","style","atmedia","atcustommedia","supports","atsupports","atdocument","sel","selectors","atpage","athost","atfontface","addParent","parsingErrors","obj","parent","isNode","childParent","keys","isArray","forEach","v","defineProperty","configurable","writable","enumerable","tagMap","altglyph","altglyphdef","altglyphitem","animatecolor","animatemotion","animatetransform","clippath","feblend","fecolormatrix","fecomponenttransfer","fecomposite","feconvolvematrix","fediffuselighting","fedisplacementmap","fedistantlight","fedropshadow","feflood","fefunca","fefuncb","fefuncg","fefuncr","fegaussianblur","feimage","femerge","femergenode","femorphology","feoffset","fepointlight","fespecularlighting","fespotlight","fetile","feturbulence","foreignobject","glyphref","lineargradient","radialgradient","HOVER_SELECTOR","HOVER_SELECTOR_GLOBAL","addHoverClass","cache","cachedStyle","stylesWithHoverClass","get","ast","selectorMatcher","filter","index","sort","b","result","newSelector","set","buildNode","hackCss","implementation","createDocument","createDocumentType","node_1","getTagName","createElementNS","hasOwnProperty","startsWith","image","setAttribute","play","e","pause","isTextarea","isRemoteOrDynamicCss","child","createTextNode","removeChild","appendChild","setAttributeNS","srcset","firstChild","attachShadow","mode","createCDATASection","createComment","buildNodeWithSN","afterAppend","assert","xmlns","write","childN","childNode","Map","onVisit","idNodeMap","key","visit","visitedNode","name_2","handleScroll","maskAllInputs","slimDOM","color","date","email","month","number","range","search","tel","time","week","textarea","select","password","walk","current"],"mappings":"2CAAA,IAAYA,WCEIC,EAAUC,GACxB,OAAOA,EAAEC,WAAaD,EAAEE,sBAGVC,EAAaH,SACrBI,YAAwBJ,wBAAkBI,KAChD,OAAOC,QAAQD,GAAQA,EAAKE,YAAcF,EAAKE,aAAeN,YAGhDO,EAAeC,OAC7BC,qBACAC,YACAC,SACAC,UACAC,gBAQIC,EAAOF,GAAS,GAWpB,OATEH,EAAiBC,EAAQK,gBACzBN,EAAiBE,MAGfG,EADED,EACKA,EAAYC,GAEZ,IAAIE,OAAOF,EAAKG,SAGpBH,qBDnCGhB,EAAAA,aAAAA,yCAEVA,mCACAA,yBACAA,mBACAA,qBACAA,yBCgCF,IAAMoB,EAA0B,8BAKhBC,EAAgBC,GAC9B,IAAMC,EAAMD,EAAOE,WAAW,MAC9B,IAAKD,EAAK,OAAO,EAKjB,IAHA,IAGSE,EAAI,EAAGA,EAAIH,EAAOI,MAAOD,GAHhB,GAIhB,IAAK,IAAIE,EAAI,EAAGA,EAAIL,EAAOM,OAAQD,GAJnB,GAImC,CACjD,IAAME,EAAeN,EAAIM,aACnBC,EACJV,KAA2BS,EACvBA,EAAoC,mBACpCA,EAcN,GAToB,IAAIE,YACtBD,EAAqBE,KACnBT,EACAE,EACAE,EACAM,KAAKC,IAnBK,GAmBUZ,EAAOI,MAAQD,GACnCQ,KAAKC,IApBK,GAoBUZ,EAAOM,OAASD,IACpCQ,KAAKC,QAEOC,MAAK,SAACC,GAAU,OAAU,IAAVA,KAAc,OAAO,EAGzD,OAAO,ECnDT,IAsEIC,EACAC,EAvEAC,EAAM,EACJC,EAAe,IAAIC,OAAO,gBAyBhC,SAASC,EAAkBC,GACzB,IACE,IAAMC,EAAQD,EAAEC,OAASD,EAAEE,SAC3B,OAAOD,EAAQE,MAAMC,KAAKH,GAAOI,IAAIC,GAAkBC,KAAK,IAAM,KAClE,MAAOC,GACP,OAAO,MAIX,SAASF,EAAiBG,GACxB,IAAIC,EAAiBD,EAAKE,QAC1B,GAUF,SAAyBF,GACvB,MAAO,eAAgBA,EAXnBG,CAAgBH,GAClB,IACEC,EAAiBX,EAAkBU,EAAKI,aAAeH,EACvD,UAIJ,OAAOA,EA6BT,IAAMI,EAAiB,6CACjBC,EAAgB,sDAChBC,EAAW,iCACDC,EACdN,EACAO,GAEA,OAAQP,GAAW,IAAIQ,QACrBL,GACA,SAACM,EAAQC,EAAQC,EAAOC,EAAQC,EAAOC,GACrC,IAxBiBC,EAwBXC,EAAWL,GAASE,GAASC,EAC7BG,EAAaP,GAAUE,GAAU,GACvC,IAAKI,EACH,OAAOP,EAET,IAAKL,EAAcc,KAAKF,GACtB,MAAO,OAAOC,EAAaD,EAAWC,MAExC,GAAIZ,EAASa,KAAKF,GAChB,MAAO,OAAOC,EAAaD,EAAWC,MAExC,GAAoB,MAAhBD,EAAS,GACX,MAAO,OAAOC,KApCCF,EAqCCR,GAnCdY,QAAQ,OAAS,EACdJ,EAAIK,MAAM,KAAKC,MAAM,EAAG,GAAGzB,KAAK,KAEhCmB,EAAIK,MAAM,KAAK,IAEVA,MAAM,KAAK,GA8BGJ,GACrBC,MAEL,IAAMK,EAAQf,EAAKa,MAAM,KACnBG,EAAQP,EAASI,MAAM,KAC7BE,EAAME,MACN,IAAmB,QAAAC,IAAAC,WAAAA,IAAO,CAArB,IAAMC,OACI,MAATA,IAEgB,OAATA,EACTL,EAAME,MAENF,EAAMM,KAAKD,IAGf,MAAO,OAAOV,EAAaK,EAAM1B,KAAK,KAAOqB,SAKnD,IAAMY,EAAoB,qBACpBC,EAA0B,8BAyEhBC,EAAcC,EAAeC,GAC3C,IAAKA,GAA4C,KAA1BA,EAAeC,OACpC,OAAOD,EAET,IAAME,EAAuBH,EAAII,cAAc,KAE/C,OADAD,EAAE5B,KAAO0B,EACFE,EAAE5B,KAOX,SAAS8B,IAEP,IAAMF,EAAIG,SAASF,cAAc,KAEjC,OADAD,EAAE5B,KAAO,GACF4B,EAAE5B,cAGKgC,EACdP,EACA5E,EACAoF,EACAlF,GAGA,MAAa,QAATkF,GAA4B,SAATA,GAAmBlF,GAEtB,eAATkF,GAAyBlF,GAAsB,MAAbA,EAAM,GAD1CyE,EAAcC,EAAK1E,GAKjB,eAATkF,IACAlF,GACa,UAAZF,GAAmC,OAAZA,GAAgC,OAAZA,EAG1B,WAAToF,GAAqBlF,EA9GlC,SAAiC0E,EAAeC,GAS9C,GAA8B,KAA1BA,EAAeC,OACjB,OAAOD,EAGT,IAAIQ,EAAM,EAEV,SAASC,EAAkBC,GACzB,IAAIC,EACAC,EAAQF,EAAMG,KAAKb,EAAec,UAAUN,IAChD,OAAII,GACFD,EAAQC,EAAM,GACdJ,GAAOG,EAAMjF,OACNiF,GAEF,GAIT,IADA,IAAII,EAAS,GAEXN,EAAkBZ,KACdW,GAAOR,EAAetE,SAFf,CAMX,IAAIoD,EAAM2B,EAAkBb,GAC5B,GAAsB,MAAlBd,EAAIM,OAAO,GAEbN,EAAMgB,EAAcC,EAAKjB,EAAIgC,UAAU,EAAGhC,EAAIpD,OAAS,IAGvDqF,EAAOpB,KAAKb,OACP,CACL,IAAIkC,EAAiB,GACrBlC,EAAMgB,EAAcC,EAAKjB,GAEzB,IADA,IAAImC,GAAW,IACF,CACX,IAAIC,EAAIlB,EAAemB,OAAOX,GAC9B,GAAU,KAANU,EAAU,CACZH,EAAOpB,MAAMb,EAAMkC,GAAgBf,QACnC,MACK,GAAKgB,EAWA,MAANC,IACFD,GAAW,OAZO,CACpB,GAAU,MAANC,EAAW,CACbV,GAAO,EACPO,EAAOpB,MAAMb,EAAMkC,GAAgBf,QACnC,MACe,MAANiB,IACTD,GAAW,GASfD,GAAkBE,EAClBV,GAAO,IAIb,OAAOO,EAAOpD,KAAK,MA0CVyD,CAAwBrB,EAAK1E,GAClB,UAATkF,GAAoBlF,EACtBgD,EAAqBhD,EAAO+E,KACd,WAAZjF,GAAiC,SAAToF,GAAmBlF,EAC7CyE,EAAcC,EAAK1E,GAEnBA,EARAyE,EAAcC,EAAK1E,YAqCdgG,EACdC,EACAC,EACAC,GAEA,IAAKF,EACH,OAAO,EAET,GAAIA,EAAK5G,WAAa4G,EAAK3G,aAAc,CACvC,GAA6B,iBAAlB4G,GACT,GAAKD,EAAqBG,UAAUC,SAASH,GAC3C,OAAO,OAIT,IACE,IAAII,EAAS,EACbA,EAAUL,EAAqBG,UAAU/F,OACzCiG,IACA,CACA,IAAMC,EAAaN,EAAqBG,UAAUE,GAClD,GAAIJ,EAActC,KAAK2C,GACrB,OAAO,EAIb,SAAIJ,IACGF,EAAqBO,QAAQL,KAI7BH,EAAgBC,EAAKQ,WAAYP,EAAeC,GAEzD,OAAIF,EAAK5G,SAAa4G,EAAKS,UAElBV,EAAgBC,EAAKQ,WAAYP,EAAeC,GAsD3D,SAASQ,EACPvH,EACAwH,SAgCIC,EAhVuBC,EAoJPC,EA6KlBrC,EAaEkC,MAZFI,EAYEJ,aAXFK,EAWEL,gBAVFV,EAUEU,gBATFT,EASES,mBARFM,EAQEN,mBAPFO,EAOEP,mBAPF/G,aAAmB,KACnBuH,EAMER,aALF3G,EAKE2G,cAJFS,EAIET,iBAJFU,aAAiB,KACjBC,EAGEX,eAFFY,EAEEZ,eADFa,EACEb,kBAGJ,GAAMlC,EAA0BgD,KAAM,CACpC,IAAMC,EAAUjD,EAA0BgD,KAAKE,GAC/Cf,EAAmB,IAAVc,OAAcE,EAAYF,EAErC,OAAQvI,EAAEC,UACR,KAAKD,EAAE0I,cACL,MAAuC,eAAlC1I,EAAmB2I,WACf,CACLhI,KAAMb,WAAS8I,SACfC,WAAY,GACZF,WAAa3I,EAAmB2I,WAChClB,UAGK,CACL9G,KAAMb,WAAS8I,SACfC,WAAY,GACZpB,UAGN,KAAKzH,EAAE8I,mBACL,MAAO,CACLnI,KAAMb,WAASiJ,aACfjD,KAAO9F,EAAmB8F,KAC1BkD,SAAWhJ,EAAmBgJ,SAC9BC,SAAWjJ,EAAmBiJ,SAC9BxB,UAEJ,KAAKzH,EAAEE,aAQL,IAPA,IAAMgJ,WAjLVC,EACAvB,EACAC,GAEA,GAA0B,iBAAfD,GACT,GAAIuB,EAAQnC,UAAUC,SAASW,GAC7B,OAAO,OAIT,IAAK,IAAIV,EAAS,EAAGA,EAASiC,EAAQnC,UAAU/F,OAAQiG,IAAU,CAChE,IAAMC,EAAYgC,EAAQnC,UAAUE,GACpC,GAAIU,EAAWpD,KAAK2C,GAClB,OAAO,EAIb,QAAIU,GACKsB,EAAQ/B,QAAQS,GA+JHuB,CAChBpJ,EACA4H,EACAC,GAEInH,EA7ZZ,SAAyByI,GACvB,GAAIA,aAAmBE,gBACrB,MAAO,OAGT,IAAMC,EAAmBH,EAAQzI,QAAQK,cAAcyE,OAEvD,OAAIhD,EAAagC,KAAK8E,GAIb,MAGFA,EA+YaC,CAAgBvJ,GAC5BwJ,EAAyB,OACCC,EAAA3G,MAAMC,KAAM/C,EAAkB0J,YAA9B1E,WAAAA,IAA2C,CAA9D,IAAA2E,OAAEC,SAAMhJ,UACjB4I,EAAWI,GAAQ/D,EAAmBP,EAAK5E,EAASkJ,EAAMhJ,GAG5D,GAAgB,SAAZF,GAAsBoH,EAAkB,CAC1C,IAAM+B,EAAa/G,MAAMC,KAAKuC,EAAIwE,aAAaC,MAAK,SAACpH,GACnD,OAAOA,EAAEkB,OAAU7D,EAAsB6D,QAEvCP,EAAyB,KACzBuG,IACFvG,EAAUZ,EAAkBmH,IAE1BvG,WACKkG,EAAWQ,WACXR,EAAW3F,KAClB2F,EAAWS,SAAWrG,EACpBN,EACAuG,EAAYhG,OAKlB,GACc,UAAZnD,GACCV,EAAuB0H,SAGrB1H,EAAkBkK,WAClBlK,EAAkBmK,aACnB,IACA3E,OAAOvE,QAEHqC,EAAUZ,EACb1C,EAAuB0H,UAGxB8B,EAAWS,SAAWrG,EAAqBN,EAASqC,MAIxD,GACc,UAAZjF,GACY,aAAZA,GACY,WAAZA,EACA,CACME,EAASZ,EAA6CY,MAEtC,UAApB4I,EAAW7I,MACS,aAApB6I,EAAW7I,MACS,WAApB6I,EAAW7I,MACS,WAApB6I,EAAW7I,MACXC,EAEA4I,EAAW5I,MAAQL,EAAe,CAChCI,KAAM6I,EAAW7I,KACjBD,UACAE,QACAH,mBACAI,gBAEQb,EAAuBoK,UACjCZ,EAAWY,QAAWpK,EAAuBoK,SAajD,GAVgB,WAAZ1J,IACGV,EAAwBqK,WAAa5J,EAAyB,OACjE+I,EAAWa,UAAW,SAIfb,EAAWa,UAIN,WAAZ3J,GAAwB0H,EAC1B,GAAiC,OAA5BpI,EAAcsK,UAEZnJ,EAAgBnB,KACnBwJ,EAAWe,WAAcvK,EAAwBwK,UAC/CtC,EAAevH,KACfuH,EAAeuC,eAGd,KAAM,cAAezK,GAAI,CAE9B,IAAM0K,EAAiB1K,EAAwBwK,UAC7CtC,EAAevH,KACfuH,EAAeuC,SAIXE,EAAc/E,SAASF,cAAc,UAC3CiF,EAAYnJ,MAASxB,EAAwBwB,MAC7CmJ,EAAYjJ,OAAU1B,EAAwB0B,OAO1CgJ,IANuBC,EAAYH,UACrCtC,EAAevH,KACfuH,EAAeuC,WAKfjB,EAAWe,WAAaG,GAK9B,GAAgB,QAAZhK,GAAqByH,EAAc,CAChC9F,IACHA,EAAgBiD,EAAII,cAAc,UAClCpD,EAAYD,EAAcf,WAAW,OAEvC,IAAMsJ,EAAQ5K,EACR6K,EAAWD,EAAME,YACvBF,EAAME,YAAc,YACpB,IAAMC,EAAoB,WACxB,IACE1I,EAAeb,MAAQoJ,EAAMI,aAC7B3I,EAAeX,OAASkJ,EAAMK,cAC9B3I,EAAW4I,UAAUN,EAAO,EAAG,GAC/BpB,EAAWe,WAAalI,EAAemI,UACrCtC,EAAevH,KACfuH,EAAeuC,SAEjB,MAAOU,GACPC,QAAQC,KACN,yBAAyBT,EAAMU,uBAAsBH,GAGzDN,EACKrB,EAAWsB,YAAcD,SACnBrB,EAAWsB,aAGpBF,EAAMW,UAAmC,IAAvBX,EAAMI,aAAoBD,IAC3CH,EAAMY,OAAST,EAiBtB,GAdgB,UAAZrK,GAAmC,UAAZA,IACzB8I,EAAWiC,cAAiBzL,EAAuB0L,OAC/C,SACA,SACJlC,EAAWmC,oBAAuB3L,EAAuB4L,aAGtD5L,EAAkB6L,aACrBrC,EAAWsC,cAAiB9L,EAAkB6L,YAE3C7L,EAAkB+L,YACrBvC,EAAWwC,aAAgBhM,EAAkB+L,WAG3C7C,EAAW,CACP,IAAA+C,EAAqBjM,EAAkBkM,wBAArC1K,UAAOE,WACf8H,EAAa,CACX2C,MAAO3C,EAAgB,MACvB4C,SAAa5K,OACb6K,UAAc3K,QAYlB,MARgB,WAAZhB,GAAyB2H,EAAgBmB,EAAW8C,OAChDtM,EAAwBuM,kBAG5B/C,EAAWgD,OAAShD,EAAW8C,YAE1B9C,EAAW8C,KAEb,CACL3L,KAAMb,WAAS2M,QACf/L,UACAgJ,aACAb,WAAY,GACZ6D,OA9Yc/E,EA8YM3H,EA7YnBK,QAAuB,QAAfsH,EAAGjH,SAAsBiH,EAAkBgF,uBA6YflE,GACrCS,YACAzB,UAEJ,KAAKzH,EAAEsH,UAGL,IAAMsF,EACJ5M,EAAEqH,YAAerH,EAAEqH,WAA2B3G,QAC5CyJ,EAAenK,EAAWmK,YACxB0C,EAA4B,UAAlBD,QAAmCnE,EAC7CqE,GAA6B,WAAlBF,QAAoCnE,EACrD,GAAIoE,GAAW1C,EAAa,CAC1B,IAEMnK,EAAE+M,aAAe/M,EAAEgN,4BAKXhN,EAAEqH,WAAgCK,4BAAO7E,YACnDsH,GAvjBiBzC,EAwjBd1H,EAAEqH,WAAgCK,OAvjBlC7E,SACTC,MAAMC,KAAK2E,EAAM7E,UACdG,KAAI,SAACI,GAAS,OAAAA,EAAKE,SAAW,MAC9BJ,KAAK,IACR,IAsjBI,MAAOiI,GACPC,QAAQC,KACN,wDAAwDF,EACxDnL,GAGJmK,EAAcvG,EAAqBuG,EAAaxE,KAelD,OAbImH,KACF3C,EAAc,uBAGb0C,IACAC,IACDlG,EAAgB5G,EAAG8G,EAAeC,IAClCoD,IAEAA,EAAcnC,EACVA,EAAWmC,GACXA,EAAYrG,QAAQ,QAAS,MAE5B,CACLnD,KAAMb,WAASmN,KACf9C,YAAaA,GAAe,GAC5B0C,UACApF,UAEJ,KAAKzH,EAAEkN,mBACL,MAAO,CACLvM,KAAMb,WAASqN,MACfhD,YAAa,GACb1C,UAEJ,KAAKzH,EAAEoN,aACL,MAAO,CACLzM,KAAMb,WAASuN,QACflD,YAAcnK,EAAcmK,aAAe,GAC3C1C,UAEJ,QACE,OAAO,GAIb,SAAS6F,EAAcC,GACrB,YAAkB9E,IAAd8E,EACK,GAECA,EAAqBxM,uBA+FjByM,EACdxN,EACAwH,GAwBE,IA0CEgB,EA1CFlD,EAmBEkC,MAlBFxE,EAkBEwE,MAjBFI,EAiBEJ,aAhBFK,EAgBEL,gBAfFV,EAeEU,gBAdFT,EAcES,mBAbFhH,EAaEgH,YAbFiG,gBACA1F,EAYEP,mBAZFM,gBACAG,EAWET,mBAXF/G,aAAmB,KACnBuH,EAUER,aATF3G,EASE2G,cARFkG,EAQElG,iBAPFiC,EAOEjC,iBAPFU,aAAiB,KACjByB,EAMEnC,eANFW,gBACA8D,EAKEzE,eALFY,gBACAuF,EAIEnG,cAHFoG,EAGEpG,eAFFqG,EAEErG,oBAFFsG,aAAoB,MACpBC,EACEvG,kBADFa,aAAkB,WAAM,OAAA,KAEpB2F,EAA8BxG,qBAA9ByG,gBACAC,EAAkB3G,EAAcvH,EAAG,CACvCsF,MACAsC,aACAC,gBACAf,gBACAC,mBACAe,mBACArH,mBACAuH,aACAnH,cACAqH,iBACAC,eACAC,eACAC,oBAEF,IAAK6F,EAGH,OADA9C,QAAQC,KAAKrL,EAAG,kBACT,KAMPwI,EADE,SAAUxI,EACPA,EAAEsI,KAAKE,IAlKhB,SACE2F,EACAT,GAEA,GAAIA,EAAeU,SAAWD,EAAGxN,OAASb,WAASuN,QAEjD,OAAO,EACF,GAAIc,EAAGxN,OAASb,WAAS2M,QAAS,CACvC,GACEiB,EAAeW,SAEC,WAAfF,EAAGzN,SAEc,SAAfyN,EAAGzN,SACoB,YAAtByN,EAAGzE,WAAWM,KACO,WAArBmE,EAAGzE,WAAW4E,IAEA,SAAfH,EAAGzN,SACoB,aAAtByN,EAAGzE,WAAWM,KACgB,iBAAvBmE,EAAGzE,WAAW7F,MACrBsK,EAAGzE,WAAW7F,KAAK0K,SAAS,QAEhC,OAAO,EACF,GACLb,EAAec,cACE,SAAfL,EAAGzN,SAA4C,kBAAtByN,EAAGzE,WAAWM,KACvB,SAAfmE,EAAGzN,UACD4M,EAAca,EAAGzE,WAAW5D,MAAMK,MACjC,sCAEsC,qBAAtCmH,EAAca,EAAGzE,WAAW5D,OACS,SAArCwH,EAAca,EAAGzE,WAAWM,MACS,qBAArCsD,EAAca,EAAGzE,WAAWM,MACS,kBAArCsD,EAAca,EAAGzE,WAAWM,OAElC,OAAO,EACF,GAAmB,SAAfmE,EAAGzN,QAAoB,CAChC,GACEgN,EAAee,sBACfnB,EAAca,EAAGzE,WAAW5D,MAAMK,MAAM,0BAExC,OAAO,EACF,GACLuH,EAAegB,iBACdpB,EAAca,EAAGzE,WAAWiF,UAAUxI,MAAM,sBAC3CmH,EAAca,EAAGzE,WAAW5D,MAAMK,MAAM,mBACF,cAAtCmH,EAAca,EAAGzE,WAAW5D,OAE9B,OAAO,EACF,GACL4H,EAAekB,iBACwB,WAAtCtB,EAAca,EAAGzE,WAAW5D,OACW,cAAtCwH,EAAca,EAAGzE,WAAW5D,OACU,YAAtCwH,EAAca,EAAGzE,WAAW5D,OAE9B,OAAO,EACF,GACL4H,EAAemB,wBACiBpG,IAAhC0F,EAAGzE,WAAW,cAId,OAAO,EACF,GACLgE,EAAeoB,qBACwB,WAAtCxB,EAAca,EAAGzE,WAAW5D,OACW,cAAtCwH,EAAca,EAAGzE,WAAW5D,OACU,cAAtCwH,EAAca,EAAGzE,WAAW5D,OACU,cAAtCwH,EAAca,EAAGzE,WAAW5D,OACU,WAAtCwH,EAAca,EAAGzE,WAAW5D,OAC5BwH,EAAca,EAAGzE,WAAWiF,UAAUxI,MAAM,cAC5CmH,EAAca,EAAGzE,WAAWiF,UAAUxI,MAAM,cAE9C,OAAO,EACF,GACLuH,EAAeqB,uBACwB,6BAAtCzB,EAAca,EAAGzE,WAAW5D,OACW,wBAAtCwH,EAAca,EAAGzE,WAAW5D,OACU,eAAtCwH,EAAca,EAAGzE,WAAW5D,OACU,oBAAtCwH,EAAca,EAAGzE,WAAW5D,OACU,cAAtCwH,EAAca,EAAGzE,WAAW5D,OACU,iBAAtCwH,EAAca,EAAGzE,WAAW5D,OACU,+BAAtCwH,EAAca,EAAGzE,WAAW5D,OAE9B,OAAO,GAIb,OAAO,EA4ELkJ,CAAgBd,EAAiBR,KAC/BO,GACAC,EAAgBvN,OAASb,WAASmN,MACjCiB,EAAgBrB,SAChBqB,EAAgB/D,YAAYrG,QAAQ,cAAe,IAAI7C,QAp0BrDsB,KAHmB,EA60B1B,IAAM0M,EAAiBC,OAAOC,OAAOjB,EAAiB,CAAE1F,OAExD,GADCxI,EAAYsI,KAAO2G,GA90BM,IA+0BtBzG,EACF,OAAO,KAETxF,EAAIwF,GAAMxI,EACN2N,GACFA,EAAY3N,GAEd,IAAIoP,GAAe3B,EAOnB,GANIwB,EAAetO,OAASb,WAAS2M,UACnC2C,EAAcA,IAAgBH,EAAe/F,iBAEtC+F,EAAe/F,UACjBlJ,EAAkBM,aAAY2O,EAAeI,cAAe,KAGhEJ,EAAetO,OAASb,WAAS8I,UAChCqG,EAAetO,OAASb,WAAS2M,UACnC2C,EACA,CAEE1B,EAAe4B,gBACfpB,EAAgBvN,OAASb,WAAS2M,SACN,SAA5ByB,EAAgBxN,UAGhBuN,GAAqB,GAwBvB,IAtBA,IAAMsB,EAAgB,CACpBjK,MACAtC,MACA4E,aACAC,gBACAf,gBACAC,mBACA0G,YACA3F,mBACArH,mBACAuH,aACAnH,cACA6M,iBACAxF,iBACAC,eACAC,eACA6F,qBACAN,cACAC,eACAE,oBACAzF,uBAEmBmH,EAAA1M,MAAMC,KAAK/C,EAAE6I,YAAb7D,WAAAA,IAA0B,EACvCyK,EAAsBjC,OAA4B+B,KAEtDN,EAAepG,WAAW3D,KAAKuK,GAInC,GAAI1P,EAAUC,IAAMA,EAAEM,WACpB,IAAqB,QAAAoP,EAAA5M,MAAMC,KAAK/C,EAAEM,WAAWuI,YAAxB8G,WAAAA,IAAqC,CAArD,IACGF,GAAAA,EAAsBjC,OAA4B+B,MAEtDE,EAAoBG,UAAW,EAC/BX,EAAepG,WAAW3D,KAAKuK,KAmDvC,OA7CIzP,EAAEqH,YAAclH,EAAaH,EAAEqH,cACjC4H,EAAeW,UAAW,GAI1BX,EAAetO,OAASb,WAAS2M,SACN,WAA3BwC,EAAevO,SA1mBnB,SACEmP,EACAC,EACAhC,GAEA,IAAMiC,EAAMF,EAASG,cACrB,GAAKD,EAAL,CAIA,IAEIE,EAFAC,GAAQ,EAGZ,IACED,EAAaF,EAAInK,SAASqK,WAC1B,MAAO9M,GACP,OAEF,GAAmB,aAAf8M,EAAJ,CAeA,IAAME,EAAW,cAEfJ,EAAIK,SAASvM,OAASsM,GACtBN,EAASvD,MAAQ6D,GACA,KAAjBN,EAASvD,IAQXuD,EAASQ,iBAAiB,OAAQP,GAJhCQ,WAAWR,EAAU,OAvBvB,CACE,IAAMS,EAAQD,YAAW,WAClBJ,IACHJ,IACAI,GAAQ,KAETpC,GACH+B,EAASQ,iBAAiB,QAAQ,WAChCG,aAAaD,GACbL,GAAQ,EACRJ,SAglBFW,CACEzQ,GACA,WACE,IAAM0Q,EAAa1Q,EAAwBuM,gBAC3C,GAAImE,GAAa9C,EAAc,CAC7B,IAAM+C,EAAuBnD,EAAoBkD,EAAW,CAC1DpL,IAAKoL,EACL1N,MACA4E,aACAC,gBACAf,gBACAC,mBACA0G,WAAW,EACX3F,mBACArH,mBACAuH,aACAnH,cACA6M,iBACAxF,iBACAC,eACAC,eACA6F,qBACAN,cACAC,eACAE,oBACAzF,oBAGEsI,GACF/C,EAAa5N,EAAY2Q,MAI/B7C,GAIGmB,ECvvBT,IAAM2B,EAAY,2CAEFC,EAAMC,EAAatJ,gBAAAA,MAKjC,IAAIuJ,EAAS,EACTC,EAAS,EAMb,SAASC,EAAeC,GACtB,IAAMC,EAAQD,EAAI/K,MAAM,OACpBgL,IACFJ,GAAUI,EAAMlQ,QAElB,IAAImQ,EAAIF,EAAIG,YAAY,MACxBL,GAAgB,IAAPI,EAAWJ,EAASE,EAAIjQ,OAASiQ,EAAIjQ,OAASmQ,EAOzD,SAASE,IACP,IAAMC,EAAQ,CAAEC,KAAMT,EAAQC,UAC9B,OAAO,SACLnK,GAIA,OAFAA,EAAKyK,SAAW,IAAIG,EAASF,GAC7BG,IACO7K,GAQX,MAME,SAAY0K,GACVI,KAAKJ,MAAQA,EACbI,KAAKC,IAAM,CAAEJ,KAAMT,EAAQC,UAC3BW,KAAKE,OAASrK,EAAQqK,QAQ1BJ,EAASK,UAAUC,QAAUjB,EAE7B,IAAMkB,EAA4B,GAElC,SAAS7O,EAAM8O,GACb,IAAM9G,EAAM,IAAI+G,MACd1K,EAAQqK,OAAS,IAAMd,EAAS,IAAMC,EAAS,KAAOiB,GAQxD,GANA9G,EAAIgH,OAASF,EACb9G,EAAIiH,SAAW5K,EAAQqK,OACvB1G,EAAIqG,KAAOT,EACX5F,EAAI6F,OAASA,EACb7F,EAAI0G,OAASf,GAETtJ,EAAQ6K,OAGV,MAAMlH,EAFN6G,EAAW9M,KAAKiG,GA2BpB,SAASmH,IACP,OAAOnM,EAAM,SAOf,SAASoM,IACP,OAAOpM,EAAM,MAOf,SAASvD,IACP,IAAIiE,EACEjE,EAAgB,GAGtB,IAFA8O,IACAc,EAAS5P,GACFkO,EAAI7P,QAA4B,MAAlB6P,EAAIpK,OAAO,KAAeG,EAAO4L,KAAYrP,OACnD,IAATyD,IACFjE,EAAMsC,KAAK2B,GACX2L,EAAS5P,IAGb,OAAOA,EAOT,SAASuD,EAAMuM,GACb,IAAMC,EAAID,EAAGtM,KAAK0K,GAClB,GAAK6B,EAAL,CAGA,IAAMzB,EAAMyB,EAAE,GAGd,OAFA1B,EAAeC,GACfJ,EAAMA,EAAInM,MAAMuM,EAAIjQ,QACb0R,GAOT,SAASjB,IACPvL,EAAM,QAOR,SAASqM,EAAS5P,GAChB,IAAI6D,EACJ,iBAFgB7D,MAER6D,EAAI2H,MACA,IAAN3H,GACF7D,EAAMsC,KAAKuB,GAEbA,EAAI2H,IAEN,OAAOxL,EAOT,SAASwL,IACP,IAAMrI,EAAMuL,IACZ,GAAI,MAAQR,EAAIpK,OAAO,IAAM,MAAQoK,EAAIpK,OAAO,GAAhD,CAKA,IADA,IAAI0K,EAAI,EAEN,KAAON,EAAIpK,OAAO0K,KACjB,MAAQN,EAAIpK,OAAO0K,IAAM,MAAQN,EAAIpK,OAAO0K,EAAI,OAE/CA,EAIJ,GAFAA,GAAK,EAED,KAAON,EAAIpK,OAAO0K,EAAI,GACxB,OAAOjO,EAAM,0BAGf,IAAM+N,EAAMJ,EAAInM,MAAM,EAAGyM,EAAI,GAM7B,OALAJ,GAAU,EACVC,EAAeC,GACfJ,EAAMA,EAAInM,MAAMyM,GAChBJ,GAAU,EAEHjL,EAAI,CACTpF,KAAM,UACNyN,QAAS8C,KAQb,SAAS0B,IACP,IAAMD,EAAIxM,EAAM,YAChB,GAAKwM,EAKL,OAAOnN,EAAKmN,EAAE,IACX7O,QAAQ,+CAAgD,IACxDA,QAAQ,oCAAoC,SAAC6O,GAC5C,OAAOA,EAAE7O,QAAQ,KAAM,QAExBY,MAAM,sBACN1B,KAAI,SAACL,GACJ,OAAOA,EAAEmB,QAAQ,UAAW,QAQlC,SAAS+O,IACP,IAAM9M,EAAMuL,IAGRwB,EAAY3M,EAAM,4CACtB,GAAK2M,EAAL,CAGA,IAAMC,EAAOvN,EAAKsN,EAAU,IAG5B,IAAK3M,EAAM,SACT,OAAOhD,EAAM,wBAIf,IAAM6P,EAAM7M,EAAM,yDAEZ8M,EAAMlN,EAAI,CACdpF,KAAM,cACNgO,SAAUoE,EAAKjP,QAAQ8M,EAAW,IAClChQ,MAAOoS,EAAMxN,EAAKwN,EAAI,IAAIlP,QAAQ8M,EAAW,IAAM,KAMrD,OAFAzK,EAAM,WAEC8M,GAOT,SAASC,IACP,IAQIC,EAREC,EAAuB,GAE7B,IAAKd,IACH,OAAOnP,EAAM,eAMf,IAJAqP,EAASY,GAIDD,EAAON,MACa,IAArBM,IACHC,EAAMlO,KAAKiO,GACXX,EAASY,IAEXD,EAAON,IAGT,OAAKN,IAGEa,EAFEjQ,EAAM,eASjB,SAASkQ,IAKP,IAJA,IAAIV,EACEW,EAAO,GACPvN,EAAMuL,IAEJqB,EAAIxM,EAAM,wCAChBmN,EAAKpO,KAAKyN,EAAE,IACZxM,EAAM,SAGR,GAAKmN,EAAKrS,OAIV,OAAO8E,EAAI,CACTpF,KAAM,WACN4S,OAAQD,EACRJ,aAAcA,MAkQlB,IAleQM,EAkeFC,EAAWC,EAAe,UAM1BC,EAAYD,EAAe,WAM3BE,EAAcF,EAAe,aAMnC,SAASA,EAAe5N,GACtB,IAAM4M,EAAK,IAAIjQ,OAAO,KAAOqD,EAAO,gBACpC,OAAO,WACL,IAAMC,EAAMuL,IACNqB,EAAIxM,EAAMuM,GAChB,GAAKC,EAAL,CAGA,IAAMM,EAA8B,CAAEtS,KAAMmF,GAE5C,OADAmN,EAAInN,GAAQ6M,EAAE,GAAGnN,OACVO,EAAIkN,KAQf,SAASR,IACP,GAAe,MAAX3B,EAAI,GAIR,OAnSF,WACE,IAAM/K,EAAMuL,IACRqB,EAAIxM,EAAM,2BAEd,GAAKwM,EAAL,CAGA,IAAMkB,EAASlB,EAAE,GAIjB,KADAA,EAAIxM,EAAM,iBAER,OAAOhD,EAAM,2BAEf,IAMI2Q,EANEhO,EAAO6M,EAAE,GAEf,IAAKL,IACH,OAAOnP,EAAM,0BAKf,IADA,IAAI4Q,EAASvB,IACLsB,EAAQT,KACdU,EAAO7O,KAAK4O,GACZC,EAASA,EAAOC,OAAOxB,KAGzB,OAAKD,IAIExM,EAAI,CACTpF,KAAM,YACNmF,OACA+N,SACAI,UAAWF,IAPJ5Q,EAAM,2BAwQb+Q,IA/LJ,WACE,IAAMnO,EAAMuL,IACNqB,EAAIxM,EAAM,oBAEhB,GAAKwM,EAAL,CAGA,IAAMwB,EAAQ3O,EAAKmN,EAAE,IAErB,IAAKL,IACH,OAAOnP,EAAM,sBAGf,IAAMiR,EAAQ5B,IAAWwB,OAAOpR,KAEhC,OAAK2P,IAIExM,EAAI,CACTpF,KAAM,QACNwT,QACAvR,MAAOwR,IANAjR,EAAM,uBAgLbkR,IAlKJ,WACE,IAAMtO,EAAMuL,IACNqB,EAAIxM,EAAM,2CAChB,GAAKwM,EAIL,OAAO5M,EAAI,CACTpF,KAAM,eACNmF,KAAMN,EAAKmN,EAAE,IACbwB,MAAO3O,EAAKmN,EAAE,MAyJd2B,IA3PJ,WACE,IAAMvO,EAAMuL,IACNqB,EAAIxM,EAAM,uBAEhB,GAAKwM,EAAL,CAGA,IAAM4B,EAAW/O,EAAKmN,EAAE,IAExB,IAAKL,IACH,OAAOnP,EAAM,yBAGf,IAAMiR,EAAQ5B,IAAWwB,OAAOpR,KAEhC,OAAK2P,IAIExM,EAAI,CACTpF,KAAM,WACN4T,WACA3R,MAAOwR,IANAjR,EAAM,0BA4ObqR,IACAf,KACAE,KACAC,KAjHJ,WACE,IAAM7N,EAAMuL,IACNqB,EAAIxM,EAAM,gCAChB,GAAKwM,EAAL,CAIA,IAAMkB,EAASrO,EAAKmN,EAAE,IAChBrN,EAAME,EAAKmN,EAAE,IAEnB,IAAKL,IACH,OAAOnP,EAAM,yBAGf,IAAMiR,EAAQ5B,IAAWwB,OAAOpR,KAEhC,OAAK2P,IAIExM,EAAI,CACTpF,KAAM,WACNiF,SAAUN,EACVuO,SACAjR,MAAOwR,IAPAjR,EAAM,0BAiGbsR,IAtJJ,WACE,IAAM1O,EAAMuL,IAEZ,GADUnL,EAAM,YAChB,CAIA,IAAMuO,EAAM9B,KAAc,GAE1B,IAAKN,IACH,OAAOnP,EAAM,qBAMf,IAJA,IAGIgQ,EAHAC,EAAQZ,IAIJW,EAAON,KACbO,EAAMlO,KAAKiO,GACXC,EAAQA,EAAMY,OAAOxB,KAGvB,OAAKD,IAIExM,EAAI,CACTpF,KAAM,OACNgU,UAAWD,EACXxB,aAAcE,IANPjQ,EAAM,sBAiIbyR,IAnOJ,WACE,IAAM7O,EAAMuL,IAGZ,GAFUnL,EAAM,aAEhB,CAIA,IAAKmM,IACH,OAAOnP,EAAM,qBAGf,IAAMiR,EAAQ5B,IAAWwB,OAAOpR,KAEhC,OAAK2P,IAIExM,EAAI,CACTpF,KAAM,OACNiC,MAAOwR,IALAjR,EAAM,sBAqNb0R,IApFJ,WACE,IAAM9O,EAAMuL,IAEZ,GADUnL,EAAM,kBAChB,CAIA,IAAKmM,IACH,OAAOnP,EAAM,0BAMf,IAJA,IAGIgQ,EAHAC,EAAQZ,IAIJW,EAAON,KACbO,EAAMlO,KAAKiO,GACXC,EAAQA,EAAMY,OAAOxB,KAGvB,OAAKD,IAIExM,EAAI,CACTpF,KAAM,YACNuS,aAAcE,IALPjQ,EAAM,2BAiEb2R,GAQJ,SAAS1R,IACP,IAAM2C,EAAMuL,IACNoD,EAAM9B,IAEZ,OAAK8B,GAGLlC,IAEOzM,EAAI,CACTpF,KAAM,OACNgU,UAAWD,EACXxB,aAAcA,OAPP/P,EAAM,oBAWjB,OAAO4R,GA9iBCvB,EAAY5Q,IAEX,CACLjC,KAAM,aACNkJ,WAAY,CACVgI,OAAQrK,EAAQqK,OAChBjP,MAAO4Q,EACPwB,cAAehD,MA8iBvB,SAASxM,EAAK0L,GACZ,OAAOA,EAAMA,EAAIpN,QAAQ,aAAc,IAAM,GAO/C,SAASiR,EAAUE,EAAiBC,GAIlC,IAHA,IAAMC,EAASF,GAA2B,iBAAbA,EAAItU,KAC3ByU,EAAcD,EAASF,EAAMC,MAEnB1U,EAAA0O,OAAOmG,KAAKJ,GAAZjQ,WAAAA,IAAkB,CAA7B,IACGpE,EAAQqU,QACVnS,MAAMwS,QAAQ1U,GAChBA,EAAM2U,SAAQ,SAACC,GACbT,EAAUS,EAAGJ,MAENxU,GAA0B,iBAAVA,GACzBmU,EAAWnU,EAAiCwU,GAahD,OATID,GACFjG,OAAOuG,eAAeR,EAAK,SAAU,CACnCS,cAAc,EACdC,UAAU,EACVC,YAAY,EACZhV,MAAOsU,GAAU,OAIdD,EC/3BT,IAAMY,EAAiB,CACrBxH,OAAQ,WAERyH,SAAU,WACVC,YAAa,cACbC,aAAc,eACdC,aAAc,eACdC,cAAe,gBACfC,iBAAkB,mBAClBC,SAAU,WACVC,QAAS,UACTC,cAAe,gBACfC,oBAAqB,sBACrBC,YAAa,cACbC,iBAAkB,mBAClBC,kBAAmB,oBACnBC,kBAAmB,oBACnBC,eAAgB,iBAChBC,aAAc,eACdC,QAAS,UACTC,QAAS,UACTC,QAAS,UACTC,QAAS,UACTC,QAAS,UACTC,eAAgB,iBAChBC,QAAS,UACTC,QAAS,UACTC,YAAa,cACbC,aAAc,eACdC,SAAU,WACVC,aAAc,eACdC,mBAAoB,qBACpBC,YAAa,cACbC,OAAQ,SACRC,aAAc,eACdC,cAAe,gBACfC,SAAU,WACVC,eAAgB,iBAChBC,eAAgB,kBAelB,IAAMC,EAAiB,gBACjBC,EAAwB,IAAI1V,OAAOyV,EAAerG,OAAQ,cAChDuG,EAAc9U,EAAiB+U,GAC7C,IAAMC,EAAcD,MAAAA,SAAAA,EAAOE,qBAAqBC,IAAIlV,GACpD,GAAIgV,EAAa,OAAOA,EAExB,IAAMG,EAAM5H,EAAMvN,EAAS,CACzB+O,QAAQ,IAGV,IAAKoG,EAAI5O,WACP,OAAOvG,EAGT,IAAMqR,EAAsB,GAW5B,GAVA8D,EAAI5O,WAAWjH,MAAM2S,SAAQ,SAACnS,GACxB,cAAeA,IAChBA,EAAKuR,WAAa,IAAIY,SAAQ,SAAC3C,GAC1BsF,EAAe1T,KAAKoO,IACtB+B,EAAUzP,KAAK0N,SAME,IAArB+B,EAAU1T,OACZ,OAAOqC,EAGT,IAAMoV,EAAkB,IAAIjW,OAC1BkS,EACGgE,QAAO,SAAC/F,EAAUgG,GAAU,OAAAjE,EAAUlQ,QAAQmO,KAAcgG,KAC5DC,MAAK,SAACpT,EAAGqT,GAAM,OAAAA,EAAE7X,OAASwE,EAAExE,UAC5B+B,KAAI,SAAC4P,GACJ,OAAoBA,EArCf9O,QAAQ,sBAAuB,WAuCrCZ,KAAK,KACR,KAGI6V,EAASzV,EAAQQ,QAAQ4U,GAAiB,SAAC9F,GAC/C,IAAMoG,EAAcpG,EAAS9O,QAAQqU,EAAuB,eAC5D,OAAUvF,OAAaoG,KAGzB,OADAX,MAAAA,GAAAA,EAAOE,qBAAqBU,IAAI3V,EAASyV,GAClCA,EAUT,SAASG,EACPlZ,EACAwH,GAMQ,IAAAlC,EAAwBkC,MAAnB2R,EAAmB3R,UAAV6Q,EAAU7Q,QAChC,OAAQxH,EAAEW,MACR,KAAKb,WAAS8I,SACZ,OAAOtD,EAAI8T,eAAeC,eAAe,KAAM,GAAI,MACrD,KAAKvZ,WAASiJ,aACZ,OAAOzD,EAAI8T,eAAeE,mBACxBtZ,EAAE8F,MAAQ,OACV9F,EAAEgJ,SACFhJ,EAAEiJ,UAEN,KAAKnJ,WAAS2M,QACZ,IACI8M,EADE7Y,EAvFZ,SAAoBV,GAClB,IAAIU,EAAUmV,EAAO7V,EAAEU,SAAWmV,EAAO7V,EAAEU,SAAWV,EAAEU,QAIxD,MAHgB,SAAZA,GAAsBV,EAAE0J,WAAWO,WACrCvJ,EAAU,SAELA,EAkFa8Y,CAAWxZ,GAGzBuZ,EADEvZ,EAAE0M,MACGpH,EAAImU,gBAAgB,6BAA8B/Y,GAElD4E,EAAII,cAAchF,kBAEhBkJ,GACT,IAAK5J,EAAE0J,WAAWgQ,eAAe9P,oBAGjC,IAAIhJ,EAAQZ,EAAE0J,WAAWE,GACzB,GAAgB,WAAZlJ,GAAiC,aAATkJ,IAAiC,IAAVhJ,mBAOnD,GAHAA,EACmB,kBAAVA,GAAwC,iBAAVA,EAAqB,GAAKA,EAE5DgJ,EAAK+P,WAAW,OAkEd,CAEL,GAAgB,WAAZjZ,GAAiC,eAATkJ,EAAuB,CACjD,IAAMgB,EAAQhF,SAASF,cAAc,OACrCkF,EAAM0B,IAAM1L,EACZgK,EAAMY,OAAS,WACb,IAAMnK,EAAOkY,EAA2BjY,WAAW,MAC/CD,GACFA,EAAI6J,UAAUN,EAAO,EAAG,EAAGA,EAAMpJ,MAAOoJ,EAAMlJ,cAG7C,GAAgB,QAAZhB,GAA8B,eAATkJ,EAAuB,CACrD,IAAMgQ,EAAQL,EACTK,EAAMtO,WAAWqO,WAAW,WAE/BC,EAAMC,aACJ,qBACA7Z,EAAE0J,WAAW4C,KAEfsN,EAAMtN,IAAM1L,GAIhB,GAAa,aAATgJ,EACD2P,EAAqBnF,MAAM5S,MAAQZ,OAC/B,GAAa,cAATgJ,EACR2P,EAAqBnF,MAAM1S,OAASd,OAChC,GAAa,wBAATgJ,EACR2P,EAA0B3N,YAAc5L,EAAE0J,WACxCiC,yBACE,GAAa,kBAAT/B,EACT,OAAQhJ,GACN,IAAK,SACF2Y,EACEO,OACK,OAAC,SAACC,GAAM,OAAA3O,QAAQC,KAAK,uBAAwB0O,MACrD,MACF,IAAK,SACFR,EAA0BS,aAxGN,CAC3B,IAAMC,EAAyB,aAAZvZ,GAAmC,UAATkJ,EACvCsQ,EACQ,UAAZxZ,GAAgC,aAATkJ,EAIzB,GAHIsQ,GAAwBf,IAC1BvY,EAAQwX,EAAcxX,EAAOyX,IAE3B4B,GAAcC,EAAsB,CAGtC,IAFA,IAAMC,EAAQ7U,EAAI8U,eAAexZ,OAEjBJ,EAAAsC,MAAMC,KAAKwW,EAAK1Q,YAAhB7D,WAAAA,IAA6B,CAAxC,IAAMyB,OACLA,EAAExG,WAAasZ,EAAKjS,WACtBiS,EAAKc,YAAY5T,UAGrB8S,EAAKe,YAAYH,cAInB,IACE,GAAIna,EAAE0M,OAAkB,eAAT9C,EACb2P,EAAKgB,eAAe,+BAAgC3Q,EAAMhJ,QACrD,GACI,WAATgJ,GACS,YAATA,GACyB,YAAzBA,EAAKvD,UAAU,EAAG,GAKlBkT,EAAKM,aAAa,IAAMjQ,EAAMhJ,OACzB,CAAA,GACO,SAAZF,GAC+B,4BAA/BV,EAAE0J,WAAW,eACJ,YAATE,SAIA2P,EAAKM,aAAa,cAAejZ,cAGrB,SAAZF,GACqB,YAArBV,EAAE0J,WAAWM,KACO,WAApBhK,EAAE0J,WAAW4E,IAID,SAAZ5N,GACqB,aAArBV,EAAE0J,WAAWM,KACgB,iBAAtBhK,EAAE0J,WAAW7F,MACpB7D,EAAE0J,WAAW7F,KAAK0K,SAAS,SAIf,QAAZ7N,GACAV,EAAE0J,WAAW8Q,QACbxa,EAAE0J,WAAWa,WAGbgP,EAAKM,aAAa,wBAAyB7Z,EAAE0J,WAAW8Q,QAExDjB,EAAKM,aAAajQ,EAAMhJ,KAE1B,MAAOuC,OA3Eb,IAAK,IAAMyG,KAAQ5J,EAAE0J,aAAVE,GA4HX,GAAI5J,EAAEqP,aAWJ,GAAKkK,EAAKjZ,WAGR,KAAOiZ,EAAKjZ,WAAWma,YACrBlB,EAAKjZ,WAAW+Z,YAAYd,EAAKjZ,WAAWma,iBAH9ClB,EAAKmB,aAAa,CAAEC,KAAM,SAO9B,OAAOpB,EACT,KAAKzZ,WAASmN,KACZ,OAAO3H,EAAI8U,eACTpa,EAAE6M,SAAWsM,EACTf,EAAcpY,EAAEmK,YAAakO,GAC7BrY,EAAEmK,aAEV,KAAKrK,WAASqN,MACZ,OAAO7H,EAAIsV,mBAAmB5a,EAAEmK,aAClC,KAAKrK,WAASuN,QACZ,OAAO/H,EAAIuV,cAAc7a,EAAEmK,aAC7B,QACE,OAAO,eAIG2Q,EACd9a,EACAwH,GAUE,IAAAlC,EAMEkC,MALFxE,EAKEwE,MAJFhH,EAIEgH,YAJFiG,gBACA1F,EAGEP,UAHF2R,gBACA4B,EAEEvT,cADF6Q,EACE7Q,QACAX,EAAOqS,EAAUlZ,EAAG,CAAEsF,MAAK6T,UAASd,UACxC,IAAKxR,EACH,OAAO,KAyCT,GAvCI7G,EAAEyH,QACJ2D,QAAQ4P,OACJhY,EAAIhD,EAAEyH,UAAqCnC,EAC7C,gDAIAtF,EAAEW,OAASb,WAAS8I,WAEtBtD,EAAIiN,QACJjN,EAAIgN,OAEe,eAAjBtS,EAAE2I,YACF3I,EAAE6I,YACF7I,EAAE6I,WAAW,GAAGlI,OAASb,WAASiJ,eAKhC/I,EAAE6I,WAAW,GAAGlI,OAASb,WAAS2M,SAClC,UAAWzM,EAAE6I,WAAW,GAAGa,YACU,iCAArC1J,EAAE6I,WAAW,GAAGa,WAAWuR,MAG3B3V,EAAI4V,MACF,sEAGF5V,EAAI4V,MACF,sEAINrU,EAAOvB,GAGRuB,EAAeyB,KAAOtI,EACvBgD,EAAIhD,EAAEwI,IAAM3B,GAGT7G,EAAEW,OAASb,WAAS8I,UAAY5I,EAAEW,OAASb,WAAS2M,WACpDgB,EAED,IAAqB,QAAAxF,EAAAjI,EAAE6I,WAAF7D,WAAAA,IAAc,CAA9B,IAAMmW,OACHC,EAAYN,EAAgBK,EAAQ,CACxC7V,MACAtC,MACAyK,WAAW,EACX0L,UACA4B,cACA1C,UAEG+C,GAKDD,EAAOvL,UAAY7P,EAAU8G,IAASA,EAAKvG,WAC7CuG,EAAKvG,WAAWga,YAAYc,GAE5BvU,EAAKyT,YAAYc,GAEfL,GACFA,EAAYK,IAVZhQ,QAAQC,KAAK,oBAAqB8P,GAexC,OAAOtU,yBFnXmB,qEAqkC1BtE,EAAM,4BE3+BN,MAAO,CACLgW,qBAFgD,IAAI8C,0GA6TxD,SACErb,EACAwH,GAQQ,IAAAlC,EAAqDkC,MAAhD8T,EAAgD9T,UAAvChH,EAAuCgH,UACvD+T,EAAuB,GACvB1U,EAAOiU,EAAgB9a,EAAG,CAC9BsF,MACAtC,IAAKuY,EACL9N,WAAW,EACX0L,sBACA4B,YAP2DvT,cAQ3D6Q,MAR2D7Q,UAgB7D,OA1DF,SAAe+T,EAAsBD,GAKnC,IAAK,IAAME,KAAOD,EACZA,EAAUC,KALF3U,EAML0U,EAAUC,GALjBF,EAAQzU,IADV,IAAcA,EAmDd4U,CAAMF,GAAW,SAACG,GACZJ,GACFA,EAAQI,GA1Cd,SAAsB7U,GACpB,IAAM7G,EAAI6G,EAAKyB,KACf,GAAItI,EAAEW,OAASb,WAAS2M,QAAxB,CAGA,IAAM9E,EAAMd,EACZ,IAAK,IAAM8U,KAAQ3b,EAAE0J,WACnB,GAAM1J,EAAE0J,WAAWgQ,eAAeiC,IAASA,EAAKhC,WAAW,OAA3D,CAGA,IAAM/Y,EAAQZ,EAAE0J,WAAWiS,GACd,kBAATA,IACFhU,EAAGkE,WAAajL,GAEL,iBAAT+a,IACFhU,EAAGoE,UAAYnL,KA6BjBgb,CAAaF,MAER,CAAC7U,EAAM0U,uCFkhBhB,SACEvb,EACAwH,GAoBM,IAAAhH,EAkBFgH,GAAW,GAjBbO,eAAAH,aAAa,aACbK,kBAAAJ,aAAgB,OAChB4B,kBAAA3C,aAAgB,YAChB6C,qBAAA5C,aAAmB,OACnBkF,qBAAAnE,gBACA+F,iBAAA1F,gBACA4F,iBAAA3F,gBACA4F,kBAAA6N,gBACA7T,eACAnH,gBACA2O,YAAAsM,gBACA5T,mBACA+F,uBACAN,gBACAC,iBACAE,sBACA6B,oBAEI4L,EAAuB,GA4C7B,MAAO,CACL/N,EAAoBxN,EAAG,CACrBsF,IAAKtF,EACLgD,IAAKuY,EACL3T,aACAC,gBACAf,gBACAC,mBACA0G,WAAW,EACX3F,mBACArH,kBApDgB,IAAlBob,EACI,CACEE,OAAO,EACPC,MAAM,EACN,kBAAkB,EAClBC,OAAO,EACPC,OAAO,EACPC,QAAQ,EACRC,OAAO,EACPC,QAAQ,EACRC,KAAK,EACLxb,MAAM,EACNyb,MAAM,EACNlY,KAAK,EACLmY,MAAM,EACNC,UAAU,EACVC,QAAQ,EACRC,UAAU,IAEM,IAAlBd,EACA,CACEc,UAAU,GAEZd,EA8BF7T,aACAnH,cACA6M,gBA9BU,IAAZoO,GAAgC,QAAZA,EAEhB,CACEzN,QAAQ,EACRD,SAAS,EACTI,aAAa,EACbc,gBAAgB,EAChBb,qBAAkC,QAAZqN,EACtBpN,gBAAgB,EAChBE,gBAAgB,EAChBC,mBAAmB,EACnBC,oBAAoB,EACpBC,sBAAsB,IAEZ,IAAZ+M,EACA,GACAA,EAeF5T,iBACAC,eACAC,eACA6F,qBACAN,cACAC,eACAE,oBACAzF,2BAnEgB,WAAM,OAAA,OAqExBkT,oDAKF1U,EACAyU,IAEA,SAASsB,EAAKC,GACZvB,EAAQuB,GAENA,EAAQlc,OAASb,WAAS8I,UAC1BiU,EAAQlc,OAASb,WAAS2M,SAE1BoQ,EAAQhU,WAAW0M,QAAQqH,GAI/BA,CAAK/V"} +\ No newline at end of file ++{"version":3,"file":"rrweb-snapshot.min.js","sources":["../src/types.ts","../src/utils.ts","../src/snapshot.ts","../src/css.ts","../src/rebuild.ts"],"sourcesContent":["export enum NodeType {\n Document,\n DocumentType,\n Element,\n Text,\n CDATA,\n Comment,\n}\n\nexport type documentNode = {\n type: NodeType.Document;\n childNodes: serializedNodeWithId[];\n compatMode?: string;\n};\n\nexport type documentTypeNode = {\n type: NodeType.DocumentType;\n name: string;\n publicId: string;\n systemId: string;\n};\n\nexport type attributes = {\n [key: string]: string | number | boolean;\n};\nexport type elementNode = {\n type: NodeType.Element;\n tagName: string;\n attributes: attributes;\n childNodes: serializedNodeWithId[];\n isSVG?: true;\n needBlock?: boolean;\n};\n\nexport type textNode = {\n type: NodeType.Text;\n textContent: string;\n isStyle?: true;\n};\n\nexport type cdataNode = {\n type: NodeType.CDATA;\n textContent: '';\n};\n\nexport type commentNode = {\n type: NodeType.Comment;\n textContent: string;\n};\n\nexport type serializedNode = (\n | documentNode\n | documentTypeNode\n | elementNode\n | textNode\n | cdataNode\n | commentNode\n) & {\n rootId?: number;\n isShadowHost?: boolean;\n isShadow?: boolean;\n};\n\nexport type serializedNodeWithId = serializedNode & { id: number };\n\nexport type tagMap = {\n [key: string]: string;\n};\n\nexport interface INode extends Node {\n __sn: serializedNodeWithId;\n}\n\nexport interface ICanvas extends HTMLCanvasElement {\n __context: string;\n}\n\nexport type idNodeMap = {\n [key: number]: INode;\n};\n\nexport type MaskInputOptions = Partial<{\n color: boolean;\n date: boolean;\n 'datetime-local': boolean;\n email: boolean;\n month: boolean;\n number: boolean;\n range: boolean;\n search: boolean;\n tel: boolean;\n text: boolean;\n time: boolean;\n url: boolean;\n week: boolean;\n // unify textarea and select element with text input\n textarea: boolean;\n select: boolean;\n password: boolean;\n}>;\n\nexport type SlimDOMOptions = Partial<{\n script: boolean;\n comment: boolean;\n headFavicon: boolean;\n headWhitespace: boolean;\n headMetaDescKeywords: boolean;\n headMetaSocial: boolean;\n headMetaRobots: boolean;\n headMetaHttpEquiv: boolean;\n headMetaAuthorship: boolean;\n headMetaVerification: boolean;\n}>;\n\nexport type DataURLOptions = Partial<{\n type: string;\n quality: number;\n}>;\n\nexport type MaskTextFn = (text: string) => string;\nexport type MaskInputFn = (text: string) => string;\n\nexport type KeepIframeSrcFn = (src: string) => boolean;\n\nexport type BuildCache = {\n stylesWithHoverClass: Map;\n};\n","import { INode, MaskInputFn, MaskInputOptions } from './types';\n\nexport function isElement(n: Node | INode): n is Element {\n return n.nodeType === n.ELEMENT_NODE;\n}\n\nexport function isShadowRoot(n: Node): n is ShadowRoot {\n const host: Element | null = (n as ShadowRoot)?.host;\n return Boolean(host && host.shadowRoot && host.shadowRoot === n);\n}\n\nexport function maskInputValue({\n input,\n maskInputSelector,\n unmaskInputSelector,\n maskInputOptions,\n tagName,\n type,\n value,\n maskInputFn,\n}: {\n input: HTMLElement;\n maskInputSelector: string|null;\n unmaskInputSelector: string|null;\n maskInputOptions: MaskInputOptions;\n tagName: string;\n type: string | number | boolean | null;\n value: string | null;\n maskInputFn?: MaskInputFn;\n}): string {\n let text = value || '';\n\n if (unmaskInputSelector && input.matches(unmaskInputSelector)) {\n return text;\n }\n\n if (\n maskInputOptions[tagName.toLowerCase() as keyof MaskInputOptions] ||\n maskInputOptions[type as keyof MaskInputOptions] ||\n (maskInputSelector && input.matches(maskInputSelector))\n ) {\n if (maskInputFn) {\n text = maskInputFn(text);\n } else {\n text = '*'.repeat(text.length);\n }\n }\n return text;\n}\n\nconst ORIGINAL_ATTRIBUTE_NAME = '__rrweb_original__';\ntype PatchedGetImageData = {\n [ORIGINAL_ATTRIBUTE_NAME]: CanvasImageData['getImageData'];\n} & CanvasImageData['getImageData'];\n\nexport function is2DCanvasBlank(canvas: HTMLCanvasElement): boolean {\n const ctx = canvas.getContext('2d');\n if (!ctx) return true;\n\n const chunkSize = 50;\n\n // get chunks of the canvas and check if it is blank\n for (let x = 0; x < canvas.width; x += chunkSize) {\n for (let y = 0; y < canvas.height; y += chunkSize) {\n const getImageData = ctx.getImageData as PatchedGetImageData;\n const originalGetImageData =\n ORIGINAL_ATTRIBUTE_NAME in getImageData\n ? getImageData[ORIGINAL_ATTRIBUTE_NAME]\n : getImageData;\n // by getting the canvas in chunks we avoid an expensive\n // `getImageData` call that retrieves everything\n // even if we can already tell from the first chunk(s) that\n // the canvas isn't blank\n const pixelBuffer = new Uint32Array(\n originalGetImageData.call(\n ctx,\n x,\n y,\n Math.min(chunkSize, canvas.width - x),\n Math.min(chunkSize, canvas.height - y),\n ).data.buffer,\n );\n if (pixelBuffer.some((pixel) => pixel !== 0)) return false;\n }\n }\n return true;\n}\n","import {\n serializedNode,\n serializedNodeWithId,\n NodeType,\n attributes,\n INode,\n idNodeMap,\n MaskInputOptions,\n SlimDOMOptions,\n DataURLOptions,\n MaskTextFn,\n MaskInputFn,\n KeepIframeSrcFn,\n ICanvas,\n} from './types';\nimport {\n is2DCanvasBlank,\n isElement,\n isShadowRoot,\n maskInputValue,\n} from './utils';\n\nlet _id = 1;\nconst tagNameRegex = new RegExp('[^a-z0-9-_:]');\n\nexport const IGNORED_NODE = -2;\n\nfunction genId(): number {\n return _id++;\n}\n\nfunction getValidTagName(element: HTMLElement): string {\n if (element instanceof HTMLFormElement) {\n return 'form';\n }\n\n const processedTagName = element.tagName.toLowerCase().trim();\n\n if (tagNameRegex.test(processedTagName)) {\n // if the tag name is odd and we cannot extract\n // anything from the string, then we return a\n // generic div\n return 'div';\n }\n\n return processedTagName;\n}\n\nfunction getCssRulesString(s: CSSStyleSheet): string | null {\n try {\n const rules = s.rules || s.cssRules;\n return rules ? Array.from(rules).map(getCssRuleString).join('') : null;\n } catch (error) {\n return null;\n }\n}\n\nfunction getCssRuleString(rule: CSSRule): string {\n let cssStringified = rule.cssText;\n if (isCSSImportRule(rule)) {\n try {\n cssStringified = getCssRulesString(rule.styleSheet) || cssStringified;\n } catch {\n // ignore\n }\n }\n return cssStringified;\n}\n\nfunction isCSSImportRule(rule: CSSRule): rule is CSSImportRule {\n return 'styleSheet' in rule;\n}\n\nfunction stringifyStyleSheet(sheet: CSSStyleSheet): string {\n return sheet.cssRules\n ? Array.from(sheet.cssRules)\n .map((rule) => rule.cssText || '')\n .join('')\n : '';\n}\n\nfunction extractOrigin(url: string): string {\n let origin = '';\n if (url.indexOf('//') > -1) {\n origin = url.split('/').slice(0, 3).join('/');\n } else {\n origin = url.split('/')[0];\n }\n origin = origin.split('?')[0];\n return origin;\n}\n\nlet canvasService: HTMLCanvasElement | null;\nlet canvasCtx: CanvasRenderingContext2D | null;\n\nconst URL_IN_CSS_REF = /url\\((?:(')([^']*)'|(\")(.*?)\"|([^)]*))\\)/gm;\nconst RELATIVE_PATH = /^(?!www\\.|(?:http|ftp)s?:\\/\\/|[A-Za-z]:\\\\|\\/\\/|#).*/;\nconst DATA_URI = /^(data:)([^,]*),(.*)/i;\nexport function absoluteToStylesheet(\n cssText: string | null,\n href: string,\n): string {\n return (cssText || '').replace(\n URL_IN_CSS_REF,\n (origin, quote1, path1, quote2, path2, path3) => {\n const filePath = path1 || path2 || path3;\n const maybeQuote = quote1 || quote2 || '';\n if (!filePath) {\n return origin;\n }\n if (!RELATIVE_PATH.test(filePath)) {\n return `url(${maybeQuote}${filePath}${maybeQuote})`;\n }\n if (DATA_URI.test(filePath)) {\n return `url(${maybeQuote}${filePath}${maybeQuote})`;\n }\n if (filePath[0] === '/') {\n return `url(${maybeQuote}${\n extractOrigin(href) + filePath\n }${maybeQuote})`;\n }\n const stack = href.split('/');\n const parts = filePath.split('/');\n stack.pop();\n for (const part of parts) {\n if (part === '.') {\n continue;\n } else if (part === '..') {\n stack.pop();\n } else {\n stack.push(part);\n }\n }\n return `url(${maybeQuote}${stack.join('/')}${maybeQuote})`;\n },\n );\n}\n\nconst SRCSET_NOT_SPACES = /^[^ \\t\\n\\r\\u000c]+/; // Don't use \\s, to avoid matching non-breaking space\nconst SRCSET_COMMAS_OR_SPACES = /^[, \\t\\n\\r\\u000c]+/;\nfunction getAbsoluteSrcsetString(doc: Document, attributeValue: string) {\n /*\n run absoluteToDoc over every url in the srcset\n\n this is adapted from https://github.com/albell/parse-srcset/\n without the parsing of the descriptors (we return these as-is)\n parce-srcset is in turn based on\n https://html.spec.whatwg.org/multipage/embedded-content.html#parse-a-srcset-attribute\n */\n if (attributeValue.trim() === '') {\n return attributeValue;\n }\n\n let pos = 0;\n\n function collectCharacters(regEx: RegExp) {\n let chars: string;\n let match = regEx.exec(attributeValue.substring(pos));\n if (match) {\n chars = match[0];\n pos += chars.length;\n return chars;\n }\n return '';\n }\n\n let output = [];\n while (true) {\n collectCharacters(SRCSET_COMMAS_OR_SPACES);\n if (pos >= attributeValue.length) {\n break;\n }\n // don't split on commas within urls\n let url = collectCharacters(SRCSET_NOT_SPACES);\n if (url.slice(-1) === ',') {\n // aside: according to spec more than one comma at the end is a parse error, but we ignore that\n url = absoluteToDoc(doc, url.substring(0, url.length - 1));\n // the trailing comma splits the srcset, so the interpretion is that\n // another url will follow, and the descriptor is empty\n output.push(url);\n } else {\n let descriptorsStr = '';\n url = absoluteToDoc(doc, url);\n let inParens = false;\n while (true) {\n let c = attributeValue.charAt(pos);\n if (c === '') {\n output.push((url + descriptorsStr).trim());\n break;\n } else if (!inParens) {\n if (c === ',') {\n pos += 1;\n output.push((url + descriptorsStr).trim());\n break; // parse the next url\n } else if (c === '(') {\n inParens = true;\n }\n } else {\n // in parenthesis; ignore commas\n // (parenthesis may be supported by future additions to spec)\n if (c === ')') {\n inParens = false;\n }\n }\n descriptorsStr += c;\n pos += 1;\n }\n }\n }\n return output.join(', ');\n}\n\nexport function absoluteToDoc(doc: Document, attributeValue: string): string {\n if (!attributeValue || attributeValue.trim() === '') {\n return attributeValue;\n }\n const a: HTMLAnchorElement = doc.createElement('a');\n a.href = attributeValue;\n return a.href;\n}\n\nfunction isSVGElement(el: Element): boolean {\n return Boolean(el.tagName === 'svg' || (el as SVGElement).ownerSVGElement);\n}\n\nfunction getHref() {\n // return a href without hash\n const a = document.createElement('a');\n a.href = '';\n return a.href;\n}\n\nexport function transformAttribute(\n doc: Document,\n tagName: string,\n name: string,\n value: string,\n): string {\n // relative path in attribute\n if (name === 'src' || (name === 'href' && value)) {\n return absoluteToDoc(doc, value);\n } else if (name === 'xlink:href' && value && value[0] !== '#') {\n // xlink:href starts with # is an id pointer\n return absoluteToDoc(doc, value);\n } else if (\n name === 'background' &&\n value &&\n (tagName === 'table' || tagName === 'td' || tagName === 'th')\n ) {\n return absoluteToDoc(doc, value);\n } else if (name === 'srcset' && value) {\n return getAbsoluteSrcsetString(doc, value);\n } else if (name === 'style' && value) {\n return absoluteToStylesheet(value, getHref());\n } else if (tagName === 'object' && name === 'data' && value) {\n return absoluteToDoc(doc, value);\n } else {\n return value;\n }\n}\n\nexport function _isBlockedElement(\n element: HTMLElement,\n blockClass: string | RegExp,\n blockSelector: string | null,\n unblockSelector: string | null,\n): boolean {\n if (unblockSelector && element.matches(unblockSelector)) {\n return false;\n }\n\n if (typeof blockClass === 'string') {\n if (element.classList.contains(blockClass)) {\n return true;\n }\n } else {\n // tslint:disable-next-line: prefer-for-of\n for (let eIndex = 0; eIndex < element.classList.length; eIndex++) {\n const className = element.classList[eIndex];\n if (blockClass.test(className)) {\n return true;\n }\n }\n }\n if (blockSelector) {\n return element.matches(blockSelector);\n }\n\n return false;\n}\n\nexport function needMaskingText(\n node: Node | null,\n maskTextClass: string | RegExp,\n maskTextSelector: string | null,\n unmaskTextSelector: string | null,\n): boolean {\n if (!node) {\n return false;\n }\n if (node.nodeType === node.ELEMENT_NODE) {\n if (unmaskTextSelector) {\n if ((node as HTMLElement).matches(unmaskTextSelector) || (node as HTMLElement).closest(unmaskTextSelector)) {\n return false;\n }\n }\n\n if (typeof maskTextClass === 'string') {\n if ((node as HTMLElement).classList.contains(maskTextClass)) {\n return true;\n }\n } else {\n // tslint:disable-next-line: prefer-for-of\n for (\n let eIndex = 0;\n eIndex < (node as HTMLElement).classList.length;\n eIndex++\n ) {\n const className = (node as HTMLElement).classList[eIndex];\n if (maskTextClass.test(className)) {\n return true;\n }\n }\n }\n if (maskTextSelector) {\n if ((node as HTMLElement).matches(maskTextSelector)) {\n return true;\n }\n }\n return needMaskingText(node.parentNode, maskTextClass, maskTextSelector, unmaskTextSelector);\n }\n\n if (node.nodeType === node.TEXT_NODE) {\n // check parent node since text node do not have class name\n return needMaskingText(node.parentNode, maskTextClass, maskTextSelector, unmaskTextSelector);\n }\n return needMaskingText(node.parentNode, maskTextClass, maskTextSelector, unmaskTextSelector);\n}\n\n// https://stackoverflow.com/a/36155560\nfunction onceIframeLoaded(\n iframeEl: HTMLIFrameElement,\n listener: () => unknown,\n iframeLoadTimeout: number,\n) {\n const win = iframeEl.contentWindow;\n if (!win) {\n return;\n }\n // document is loading\n let fired = false;\n\n let readyState: DocumentReadyState;\n try {\n readyState = win.document.readyState;\n } catch (error) {\n return;\n }\n if (readyState !== 'complete') {\n const timer = setTimeout(() => {\n if (!fired) {\n listener();\n fired = true;\n }\n }, iframeLoadTimeout);\n iframeEl.addEventListener('load', () => {\n clearTimeout(timer);\n fired = true;\n listener();\n });\n return;\n }\n // check blank frame for Chrome\n const blankUrl = 'about:blank';\n if (\n win.location.href !== blankUrl ||\n iframeEl.src === blankUrl ||\n iframeEl.src === ''\n ) {\n // iframe was already loaded, make sure we wait to trigger the listener\n // till _after_ the mutation that found this iframe has had time to process\n setTimeout(listener, 0);\n return;\n }\n // use default listener\n iframeEl.addEventListener('load', listener);\n}\n\nfunction serializeNode(\n n: Node,\n options: {\n doc: Document;\n blockClass: string | RegExp;\n blockSelector: string | null;\n unblockSelector: string | null;\n maskTextClass: string | RegExp;\n maskTextSelector: string | null;\n unmaskTextSelector: string | null;\n maskInputSelector: string | null;\n unmaskInputSelector: string | null;\n inlineStylesheet: boolean;\n maskInputOptions: MaskInputOptions;\n maskTextFn: MaskTextFn | undefined;\n maskInputFn: MaskInputFn | undefined;\n dataURLOptions?: DataURLOptions;\n inlineImages: boolean;\n recordCanvas: boolean;\n keepIframeSrcFn: KeepIframeSrcFn;\n },\n): serializedNode | false {\n const {\n doc,\n blockClass,\n blockSelector,\n unblockSelector,\n maskTextClass,\n maskTextSelector,\n unmaskTextSelector,\n inlineStylesheet,\n maskInputSelector,\n unmaskInputSelector,\n maskInputOptions = {},\n maskTextFn,\n maskInputFn,\n dataURLOptions = {},\n inlineImages,\n recordCanvas,\n keepIframeSrcFn,\n } = options;\n // Only record root id when document object is not the base document\n let rootId: number | undefined;\n if (((doc as unknown) as INode).__sn) {\n const docId = ((doc as unknown) as INode).__sn.id;\n rootId = docId === 1 ? undefined : docId;\n }\n switch (n.nodeType) {\n case n.DOCUMENT_NODE:\n if ((n as HTMLDocument).compatMode !== 'CSS1Compat') {\n return {\n type: NodeType.Document,\n childNodes: [],\n compatMode: (n as HTMLDocument).compatMode, // probably \"BackCompat\"\n rootId,\n };\n } else {\n return {\n type: NodeType.Document,\n childNodes: [],\n rootId,\n };\n }\n case n.DOCUMENT_TYPE_NODE:\n return {\n type: NodeType.DocumentType,\n name: (n as DocumentType).name,\n publicId: (n as DocumentType).publicId,\n systemId: (n as DocumentType).systemId,\n rootId,\n };\n case n.ELEMENT_NODE:\n const needBlock = _isBlockedElement(\n n as HTMLElement,\n blockClass,\n blockSelector,\n unblockSelector\n );\n const tagName = getValidTagName(n as HTMLElement);\n let attributes: attributes = {};\n for (const { name, value } of Array.from((n as HTMLElement).attributes)) {\n attributes[name] = transformAttribute(doc, tagName, name, value);\n }\n // remote css\n if (tagName === 'link' && inlineStylesheet) {\n const stylesheet = Array.from(doc.styleSheets).find((s) => {\n return s.href === (n as HTMLLinkElement).href;\n });\n let cssText: string | null = null;\n if (stylesheet) {\n cssText = getCssRulesString(stylesheet as CSSStyleSheet);\n }\n if (cssText) {\n delete attributes.rel;\n delete attributes.href;\n attributes._cssText = absoluteToStylesheet(\n cssText,\n stylesheet!.href!,\n );\n }\n }\n // dynamic stylesheet\n if (\n tagName === 'style' &&\n (n as HTMLStyleElement).sheet &&\n // TODO: Currently we only try to get dynamic stylesheet when it is an empty style element\n !(\n (n as HTMLElement).innerText ||\n (n as HTMLElement).textContent ||\n ''\n ).trim().length\n ) {\n const cssText = getCssRulesString(\n (n as HTMLStyleElement).sheet as CSSStyleSheet,\n );\n if (cssText) {\n attributes._cssText = absoluteToStylesheet(cssText, getHref());\n }\n }\n // form fields\n if (\n tagName === 'input' ||\n tagName === 'textarea' ||\n tagName === 'select'\n ) {\n const value = (n as HTMLInputElement | HTMLTextAreaElement).value;\n if (\n attributes.type !== 'radio' &&\n attributes.type !== 'checkbox' &&\n attributes.type !== 'submit' &&\n attributes.type !== 'button' &&\n value\n ) {\n attributes.value = maskInputValue({\n input: n as HTMLElement,\n type: attributes.type,\n tagName,\n value,\n maskInputSelector,\n unmaskInputSelector,\n maskInputOptions,\n maskInputFn,\n });\n } else if ((n as HTMLInputElement).checked) {\n attributes.checked = (n as HTMLInputElement).checked;\n }\n }\n if (tagName === 'option') {\n if ((n as HTMLOptionElement).selected && !maskInputOptions['select']) {\n attributes.selected = true;\n } else {\n // ignore the html attribute (which corresponds to DOM (n as HTMLOptionElement).defaultSelected)\n // if it's already been changed\n delete attributes.selected;\n }\n }\n // canvas image data\n if (tagName === 'canvas' && recordCanvas) {\n if ((n as ICanvas).__context === '2d') {\n // only record this on 2d canvas\n if (!is2DCanvasBlank(n as HTMLCanvasElement)) {\n attributes.rr_dataURL = (n as HTMLCanvasElement).toDataURL(\n dataURLOptions.type,\n dataURLOptions.quality,\n );\n }\n } else if (!('__context' in n)) {\n // context is unknown, better not call getContext to trigger it\n const canvasDataURL = (n as HTMLCanvasElement).toDataURL(\n dataURLOptions.type,\n dataURLOptions.quality,\n );\n\n // create blank canvas of same dimensions\n const blankCanvas = document.createElement('canvas');\n blankCanvas.width = (n as HTMLCanvasElement).width;\n blankCanvas.height = (n as HTMLCanvasElement).height;\n const blankCanvasDataURL = blankCanvas.toDataURL(\n dataURLOptions.type,\n dataURLOptions.quality,\n );\n\n // no need to save dataURL if it's the same as blank canvas\n if (canvasDataURL !== blankCanvasDataURL) {\n attributes.rr_dataURL = canvasDataURL;\n }\n }\n }\n // save image offline\n if (tagName === 'img' && inlineImages) {\n if (!canvasService) {\n canvasService = doc.createElement('canvas');\n canvasCtx = canvasService.getContext('2d');\n }\n const image = n as HTMLImageElement;\n const oldValue = image.crossOrigin;\n image.crossOrigin = 'anonymous';\n const recordInlineImage = () => {\n try {\n canvasService!.width = image.naturalWidth;\n canvasService!.height = image.naturalHeight;\n canvasCtx!.drawImage(image, 0, 0);\n attributes.rr_dataURL = canvasService!.toDataURL(\n dataURLOptions.type,\n dataURLOptions.quality,\n );\n } catch (err) {\n console.warn(\n `Cannot inline img src=${image.currentSrc}! Error: ${err}`,\n );\n }\n oldValue\n ? (attributes.crossOrigin = oldValue)\n : delete attributes.crossOrigin;\n };\n // The image content may not have finished loading yet.\n if (image.complete && image.naturalWidth !== 0) recordInlineImage();\n else image.onload = recordInlineImage;\n }\n // media elements\n if (tagName === 'audio' || tagName === 'video') {\n attributes.rr_mediaState = (n as HTMLMediaElement).paused\n ? 'paused'\n : 'played';\n attributes.rr_mediaCurrentTime = (n as HTMLMediaElement).currentTime;\n }\n // scroll\n if ((n as HTMLElement).scrollLeft) {\n attributes.rr_scrollLeft = (n as HTMLElement).scrollLeft;\n }\n if ((n as HTMLElement).scrollTop) {\n attributes.rr_scrollTop = (n as HTMLElement).scrollTop;\n }\n // block element\n if (needBlock) {\n const { width, height } = (n as HTMLElement).getBoundingClientRect();\n attributes = {\n class: attributes.class,\n rr_width: `${width}px`,\n rr_height: `${height}px`,\n };\n }\n // iframe\n if (tagName === 'iframe' && !keepIframeSrcFn(attributes.src as string)) {\n if (!(n as HTMLIFrameElement).contentDocument) {\n // we can't record it directly as we can't see into it\n // preserve the src attribute so a decision can be taken at replay time\n attributes.rr_src = attributes.src;\n }\n delete attributes.src; // prevent auto loading\n }\n return {\n type: NodeType.Element,\n tagName,\n attributes,\n childNodes: [],\n isSVG: isSVGElement(n as Element) || undefined,\n needBlock,\n rootId,\n };\n case n.TEXT_NODE:\n // The parent node may not be a html element which has a tagName attribute.\n // So just let it be undefined which is ok in this use case.\n const parentTagName =\n n.parentNode && (n.parentNode as HTMLElement).tagName;\n let textContent = (n as Text).textContent;\n const isStyle = parentTagName === 'STYLE' ? true : undefined;\n const isScript = parentTagName === 'SCRIPT' ? true : undefined;\n if (isStyle && textContent) {\n try {\n // try to read style sheet\n if (n.nextSibling || n.previousSibling) {\n // This is not the only child of the stylesheet.\n // We can't read all of the sheet's .cssRules and expect them\n // to _only_ include the current rule(s) added by the text node.\n // So we'll be conservative and keep textContent as-is.\n } else if ((n.parentNode as HTMLStyleElement).sheet?.cssRules) {\n textContent = stringifyStyleSheet(\n (n.parentNode as HTMLStyleElement).sheet!,\n );\n }\n } catch (err) {\n console.warn(\n `Cannot get CSS styles from text's parentNode. Error: ${err}`,\n n,\n );\n }\n textContent = absoluteToStylesheet(textContent, getHref());\n }\n if (isScript) {\n textContent = 'SCRIPT_PLACEHOLDER';\n }\n if (\n !isStyle &&\n !isScript &&\n needMaskingText(n, maskTextClass, maskTextSelector, unmaskTextSelector) &&\n textContent\n ) {\n textContent = maskTextFn\n ? maskTextFn(textContent)\n : textContent.replace(/[\\S]/g, '*');\n }\n return {\n type: NodeType.Text,\n textContent: textContent || '',\n isStyle,\n rootId,\n };\n case n.CDATA_SECTION_NODE:\n return {\n type: NodeType.CDATA,\n textContent: '',\n rootId,\n };\n case n.COMMENT_NODE:\n return {\n type: NodeType.Comment,\n textContent: (n as Comment).textContent || '',\n rootId,\n };\n default:\n return false;\n }\n}\n\nfunction lowerIfExists(maybeAttr: string | number | boolean): string {\n if (maybeAttr === undefined) {\n return '';\n } else {\n return (maybeAttr as string).toLowerCase();\n }\n}\n\nfunction slimDOMExcluded(\n sn: serializedNode,\n slimDOMOptions: SlimDOMOptions,\n): boolean {\n if (slimDOMOptions.comment && sn.type === NodeType.Comment) {\n // TODO: convert IE conditional comments to real nodes\n return true;\n } else if (sn.type === NodeType.Element) {\n if (\n slimDOMOptions.script &&\n // script tag\n (sn.tagName === 'script' ||\n // preload link\n (sn.tagName === 'link' &&\n sn.attributes.rel === 'preload' &&\n sn.attributes.as === 'script') ||\n // prefetch link\n (sn.tagName === 'link' &&\n sn.attributes.rel === 'prefetch' &&\n typeof sn.attributes.href === 'string' &&\n sn.attributes.href.endsWith('.js')))\n ) {\n return true;\n } else if (\n slimDOMOptions.headFavicon &&\n ((sn.tagName === 'link' && sn.attributes.rel === 'shortcut icon') ||\n (sn.tagName === 'meta' &&\n (lowerIfExists(sn.attributes.name).match(\n /^msapplication-tile(image|color)$/,\n ) ||\n lowerIfExists(sn.attributes.name) === 'application-name' ||\n lowerIfExists(sn.attributes.rel) === 'icon' ||\n lowerIfExists(sn.attributes.rel) === 'apple-touch-icon' ||\n lowerIfExists(sn.attributes.rel) === 'shortcut icon')))\n ) {\n return true;\n } else if (sn.tagName === 'meta') {\n if (\n slimDOMOptions.headMetaDescKeywords &&\n lowerIfExists(sn.attributes.name).match(/^description|keywords$/)\n ) {\n return true;\n } else if (\n slimDOMOptions.headMetaSocial &&\n (lowerIfExists(sn.attributes.property).match(/^(og|twitter|fb):/) || // og = opengraph (facebook)\n lowerIfExists(sn.attributes.name).match(/^(og|twitter):/) ||\n lowerIfExists(sn.attributes.name) === 'pinterest')\n ) {\n return true;\n } else if (\n slimDOMOptions.headMetaRobots &&\n (lowerIfExists(sn.attributes.name) === 'robots' ||\n lowerIfExists(sn.attributes.name) === 'googlebot' ||\n lowerIfExists(sn.attributes.name) === 'bingbot')\n ) {\n return true;\n } else if (\n slimDOMOptions.headMetaHttpEquiv &&\n sn.attributes['http-equiv'] !== undefined\n ) {\n // e.g. X-UA-Compatible, Content-Type, Content-Language,\n // cache-control, X-Translated-By\n return true;\n } else if (\n slimDOMOptions.headMetaAuthorship &&\n (lowerIfExists(sn.attributes.name) === 'author' ||\n lowerIfExists(sn.attributes.name) === 'generator' ||\n lowerIfExists(sn.attributes.name) === 'framework' ||\n lowerIfExists(sn.attributes.name) === 'publisher' ||\n lowerIfExists(sn.attributes.name) === 'progid' ||\n lowerIfExists(sn.attributes.property).match(/^article:/) ||\n lowerIfExists(sn.attributes.property).match(/^product:/))\n ) {\n return true;\n } else if (\n slimDOMOptions.headMetaVerification &&\n (lowerIfExists(sn.attributes.name) === 'google-site-verification' ||\n lowerIfExists(sn.attributes.name) === 'yandex-verification' ||\n lowerIfExists(sn.attributes.name) === 'csrf-token' ||\n lowerIfExists(sn.attributes.name) === 'p:domain_verify' ||\n lowerIfExists(sn.attributes.name) === 'verify-v1' ||\n lowerIfExists(sn.attributes.name) === 'verification' ||\n lowerIfExists(sn.attributes.name) === 'shopify-checkout-api-token')\n ) {\n return true;\n }\n }\n }\n return false;\n}\n\nexport function serializeNodeWithId(\n n: Node | INode,\n options: {\n doc: Document;\n map: idNodeMap;\n blockClass: string | RegExp;\n blockSelector: string | null;\n unblockSelector: string | null;\n maskTextClass: string | RegExp;\n maskTextSelector: string | null;\n unmaskTextSelector: string | null;\n skipChild: boolean;\n inlineStylesheet: boolean;\n maskInputSelector: string | null;\n unmaskInputSelector: string | null;\n maskInputOptions?: MaskInputOptions;\n maskTextFn: MaskTextFn | undefined;\n maskInputFn: MaskInputFn | undefined;\n slimDOMOptions: SlimDOMOptions;\n dataURLOptions?: DataURLOptions;\n keepIframeSrcFn?: KeepIframeSrcFn;\n inlineImages?: boolean;\n recordCanvas?: boolean;\n preserveWhiteSpace?: boolean;\n onSerialize?: (n: INode) => unknown;\n onIframeLoad?: (iframeINode: INode, node: serializedNodeWithId) => unknown;\n iframeLoadTimeout?: number;\n },\n): serializedNodeWithId | null {\n const {\n doc,\n map,\n blockClass,\n blockSelector,\n unblockSelector,\n maskTextClass,\n maskTextSelector,\n unmaskTextSelector,\n skipChild = false,\n inlineStylesheet = true,\n maskInputSelector,\n unmaskInputSelector,\n maskInputOptions = {},\n maskTextFn,\n maskInputFn,\n slimDOMOptions,\n dataURLOptions = {},\n inlineImages = false,\n recordCanvas = false,\n onSerialize,\n onIframeLoad,\n iframeLoadTimeout = 5000,\n keepIframeSrcFn = () => false,\n } = options;\n let { preserveWhiteSpace = true } = options;\n const _serializedNode = serializeNode(n, {\n doc,\n blockClass,\n blockSelector,\n unblockSelector,\n maskTextClass,\n maskTextSelector,\n unmaskTextSelector,\n inlineStylesheet,\n maskInputSelector,\n unmaskInputSelector,\n maskInputOptions,\n maskTextFn,\n maskInputFn,\n dataURLOptions,\n inlineImages,\n recordCanvas,\n keepIframeSrcFn,\n });\n if (!_serializedNode) {\n // TODO: dev only\n console.warn(n, 'not serialized');\n return null;\n }\n\n let id;\n // Try to reuse the previous id\n if ('__sn' in n) {\n id = n.__sn.id;\n } else if (\n slimDOMExcluded(_serializedNode, slimDOMOptions) ||\n (!preserveWhiteSpace &&\n _serializedNode.type === NodeType.Text &&\n !_serializedNode.isStyle &&\n !_serializedNode.textContent.replace(/^\\s+|\\s+$/gm, '').length)\n ) {\n id = IGNORED_NODE;\n } else {\n id = genId();\n }\n const serializedNode = Object.assign(_serializedNode, { id });\n (n as INode).__sn = serializedNode;\n if (id === IGNORED_NODE) {\n return null; // slimDOM\n }\n map[id] = n as INode;\n if (onSerialize) {\n onSerialize(n as INode);\n }\n let recordChild = !skipChild;\n if (serializedNode.type === NodeType.Element) {\n recordChild = recordChild && !serializedNode.needBlock;\n // this property was not needed in replay side\n delete serializedNode.needBlock;\n if ((n as HTMLElement).shadowRoot) serializedNode.isShadowHost = true;\n }\n if (\n (serializedNode.type === NodeType.Document ||\n serializedNode.type === NodeType.Element) &&\n recordChild\n ) {\n if (\n slimDOMOptions.headWhitespace &&\n _serializedNode.type === NodeType.Element &&\n _serializedNode.tagName === 'head'\n // would impede performance: || getComputedStyle(n)['white-space'] === 'normal'\n ) {\n preserveWhiteSpace = false;\n }\n const bypassOptions = {\n doc,\n map,\n blockClass,\n blockSelector,\n unblockSelector,\n maskTextClass,\n maskTextSelector,\n unmaskTextSelector,\n skipChild,\n inlineStylesheet,\n maskInputSelector,\n unmaskInputSelector,\n maskInputOptions,\n maskTextFn,\n maskInputFn,\n slimDOMOptions,\n dataURLOptions,\n inlineImages,\n recordCanvas,\n preserveWhiteSpace,\n onSerialize,\n onIframeLoad,\n iframeLoadTimeout,\n keepIframeSrcFn,\n };\n for (const childN of Array.from(n.childNodes)) {\n const serializedChildNode = serializeNodeWithId(childN, bypassOptions);\n if (serializedChildNode) {\n serializedNode.childNodes.push(serializedChildNode);\n }\n }\n\n if (isElement(n) && n.shadowRoot) {\n for (const childN of Array.from(n.shadowRoot.childNodes)) {\n const serializedChildNode = serializeNodeWithId(childN, bypassOptions);\n if (serializedChildNode) {\n serializedChildNode.isShadow = true;\n serializedNode.childNodes.push(serializedChildNode);\n }\n }\n }\n }\n\n if (n.parentNode && isShadowRoot(n.parentNode)) {\n serializedNode.isShadow = true;\n }\n\n if (\n serializedNode.type === NodeType.Element &&\n serializedNode.tagName === 'iframe'\n ) {\n onceIframeLoaded(\n n as HTMLIFrameElement,\n () => {\n const iframeDoc = (n as HTMLIFrameElement).contentDocument;\n if (iframeDoc && onIframeLoad) {\n const serializedIframeNode = serializeNodeWithId(iframeDoc, {\n doc: iframeDoc,\n map,\n blockClass,\n blockSelector,\n unblockSelector,\n maskTextClass,\n maskTextSelector,\n unmaskTextSelector,\n skipChild: false,\n inlineStylesheet,\n maskInputSelector,\n unmaskInputSelector,\n maskInputOptions,\n maskTextFn,\n maskInputFn,\n slimDOMOptions,\n dataURLOptions,\n inlineImages,\n recordCanvas,\n preserveWhiteSpace,\n onSerialize,\n onIframeLoad,\n iframeLoadTimeout,\n keepIframeSrcFn,\n });\n\n if (serializedIframeNode) {\n onIframeLoad(n as INode, serializedIframeNode);\n }\n }\n },\n iframeLoadTimeout,\n );\n }\n\n return serializedNode;\n}\n\nfunction snapshot(\n n: Document,\n options?: {\n blockClass?: string | RegExp;\n blockSelector?: string | null;\n unblockSelector?: string | null;\n maskTextClass?: string | RegExp;\n maskTextSelector?: string | null;\n unmaskTextSelector?: string | null;\n maskInputSelector?: string | null;\n unmaskInputSelector?: string | null;\n inlineStylesheet?: boolean;\n maskAllInputs?: boolean | MaskInputOptions;\n maskTextFn?: MaskTextFn;\n maskInputFn?: MaskTextFn;\n slimDOM?: boolean | SlimDOMOptions;\n dataURLOptions?: DataURLOptions;\n inlineImages?: boolean;\n recordCanvas?: boolean;\n preserveWhiteSpace?: boolean;\n onSerialize?: (n: INode) => unknown;\n onIframeLoad?: (iframeINode: INode, node: serializedNodeWithId) => unknown;\n iframeLoadTimeout?: number;\n keepIframeSrcFn?: KeepIframeSrcFn;\n },\n): [serializedNodeWithId | null, idNodeMap] {\n const {\n blockClass = 'rr-block',\n blockSelector = null,\n unblockSelector = null,\n maskTextClass = 'rr-mask',\n maskTextSelector = null,\n unmaskTextSelector = null,\n inlineStylesheet = true,\n inlineImages = false,\n recordCanvas = false,\n maskInputSelector = null,\n unmaskInputSelector = null,\n maskAllInputs = false,\n maskTextFn,\n maskInputFn,\n slimDOM = false,\n dataURLOptions,\n preserveWhiteSpace,\n onSerialize,\n onIframeLoad,\n iframeLoadTimeout,\n keepIframeSrcFn = () => false,\n } = options || {};\n const idNodeMap: idNodeMap = {};\n const maskInputOptions: MaskInputOptions =\n maskAllInputs === true\n ? {\n color: true,\n date: true,\n 'datetime-local': true,\n email: true,\n month: true,\n number: true,\n range: true,\n search: true,\n tel: true,\n text: true,\n time: true,\n url: true,\n week: true,\n textarea: true,\n select: true,\n password: true,\n }\n : maskAllInputs === false\n ? {\n password: true,\n }\n : maskAllInputs;\n const slimDOMOptions: SlimDOMOptions =\n slimDOM === true || slimDOM === 'all'\n ? // if true: set of sensible options that should not throw away any information\n {\n script: true,\n comment: true,\n headFavicon: true,\n headWhitespace: true,\n headMetaDescKeywords: slimDOM === 'all', // destructive\n headMetaSocial: true,\n headMetaRobots: true,\n headMetaHttpEquiv: true,\n headMetaAuthorship: true,\n headMetaVerification: true,\n }\n : slimDOM === false\n ? {}\n : slimDOM;\n return [\n serializeNodeWithId(n, {\n doc: n,\n map: idNodeMap,\n blockClass,\n blockSelector,\n unblockSelector,\n maskTextClass,\n maskTextSelector,\n unmaskTextSelector,\n skipChild: false,\n inlineStylesheet,\n maskInputSelector,\n unmaskInputSelector,\n maskInputOptions,\n maskTextFn,\n maskInputFn,\n slimDOMOptions,\n dataURLOptions,\n inlineImages,\n recordCanvas,\n preserveWhiteSpace,\n onSerialize,\n onIframeLoad,\n iframeLoadTimeout,\n keepIframeSrcFn,\n }),\n idNodeMap,\n ];\n}\n\nexport function visitSnapshot(\n node: serializedNodeWithId,\n onVisit: (node: serializedNodeWithId) => unknown,\n) {\n function walk(current: serializedNodeWithId) {\n onVisit(current);\n if (\n current.type === NodeType.Document ||\n current.type === NodeType.Element\n ) {\n current.childNodes.forEach(walk);\n }\n }\n\n walk(node);\n}\n\nexport function cleanupSnapshot() {\n // allow a new recording to start numbering nodes from scratch\n _id = 1;\n}\n\nexport default snapshot;\n","/**\n * This file is a fork of https://github.com/reworkcss/css/blob/master/lib/parse/index.js\n * I fork it because:\n * 1. The css library was built for node.js which does not have tree-shaking supports.\n * 2. Rewrites into typescript give us a better type interface.\n */\n\n/* tslint:disable no-conditional-assignment interface-name no-shadowed-variable */\n\nexport interface ParserOptions {\n /** Silently fail on parse errors */\n silent?: boolean;\n /**\n * The path to the file containing css.\n * Makes errors and source maps more helpful, by letting them know where code comes from.\n */\n source?: string;\n}\n\n/**\n * Error thrown during parsing.\n */\nexport interface ParserError {\n /** The full error message with the source position. */\n message?: string;\n /** The error message without position. */\n reason?: string;\n /** The value of options.source if passed to css.parse. Otherwise undefined. */\n filename?: string;\n line?: number;\n column?: number;\n /** The portion of code that couldn't be parsed. */\n source?: string;\n}\n\nexport interface Loc {\n line?: number;\n column?: number;\n}\n\n/**\n * Base AST Tree Node.\n */\nexport interface Node {\n /** The possible values are the ones listed in the Types section on https://github.com/reworkcss/css page. */\n type?: string;\n /** A reference to the parent node, or null if the node has no parent. */\n parent?: Node;\n /** Information about the position in the source string that corresponds to the node. */\n position?: {\n start?: Loc;\n end?: Loc;\n /** The value of options.source if passed to css.parse. Otherwise undefined. */\n source?: string;\n /** The full source string passed to css.parse. */\n content?: string;\n };\n}\n\nexport interface Rule extends Node {\n /** The list of selectors of the rule, split on commas. Each selector is trimmed from whitespace and comments. */\n selectors?: string[];\n /** Array of nodes with the types declaration and comment. */\n declarations?: Array;\n}\n\nexport interface Declaration extends Node {\n /** The property name, trimmed from whitespace and comments. May not be empty. */\n property?: string;\n /** The value of the property, trimmed from whitespace and comments. Empty values are allowed. */\n value?: string;\n}\n\n/**\n * A rule-level or declaration-level comment. Comments inside selectors, properties and values etc. are lost.\n */\nexport interface Comment extends Node {\n comment?: string;\n}\n\n/**\n * The @charset at-rule.\n */\nexport interface Charset extends Node {\n /** The part following @charset. */\n charset?: string;\n}\n\n/**\n * The @custom-media at-rule\n */\nexport interface CustomMedia extends Node {\n /** The ---prefixed name. */\n name?: string;\n /** The part following the name. */\n media?: string;\n}\n\n/**\n * The @document at-rule.\n */\nexport interface Document extends Node {\n /** The part following @document. */\n document?: string;\n /** The vendor prefix in @document, or undefined if there is none. */\n vendor?: string;\n /** Array of nodes with the types rule, comment and any of the at-rule types. */\n rules?: Array;\n}\n\n/**\n * The @font-face at-rule.\n */\nexport interface FontFace extends Node {\n /** Array of nodes with the types declaration and comment. */\n declarations?: Array;\n}\n\n/**\n * The @host at-rule.\n */\nexport interface Host extends Node {\n /** Array of nodes with the types rule, comment and any of the at-rule types. */\n rules?: Array;\n}\n\n/**\n * The @import at-rule.\n */\nexport interface Import extends Node {\n /** The part following @import. */\n import?: string;\n}\n\n/**\n * The @keyframes at-rule.\n */\nexport interface KeyFrames extends Node {\n /** The name of the keyframes rule. */\n name?: string;\n /** The vendor prefix in @keyframes, or undefined if there is none. */\n vendor?: string;\n /** Array of nodes with the types keyframe and comment. */\n keyframes?: Array;\n}\n\nexport interface KeyFrame extends Node {\n /** The list of \"selectors\" of the keyframe rule, split on commas. Each “selector” is trimmed from whitespace. */\n values?: string[];\n /** Array of nodes with the types declaration and comment. */\n declarations?: Array;\n}\n\n/**\n * The @media at-rule.\n */\nexport interface Media extends Node {\n /** The part following @media. */\n media?: string;\n /** Array of nodes with the types rule, comment and any of the at-rule types. */\n rules?: Array;\n}\n\n/**\n * The @namespace at-rule.\n */\nexport interface Namespace extends Node {\n /** The part following @namespace. */\n namespace?: string;\n}\n\n/**\n * The @page at-rule.\n */\nexport interface Page extends Node {\n /** The list of selectors of the rule, split on commas. Each selector is trimmed from whitespace and comments. */\n selectors?: string[];\n /** Array of nodes with the types declaration and comment. */\n declarations?: Array;\n}\n\n/**\n * The @supports at-rule.\n */\nexport interface Supports extends Node {\n /** The part following @supports. */\n supports?: string;\n /** Array of nodes with the types rule, comment and any of the at-rule types. */\n rules?: Array;\n}\n\n/** All at-rules. */\nexport type AtRule =\n | Charset\n | CustomMedia\n | Document\n | FontFace\n | Host\n | Import\n | KeyFrames\n | Media\n | Namespace\n | Page\n | Supports;\n\n/**\n * A collection of rules\n */\nexport interface StyleRules {\n source?: string;\n /** Array of nodes with the types rule, comment and any of the at-rule types. */\n rules: Array;\n /** Array of Errors. Errors collected during parsing when option silent is true. */\n parsingErrors?: ParserError[];\n}\n\n/**\n * The root node returned by css.parse.\n */\nexport interface Stylesheet extends Node {\n stylesheet?: StyleRules;\n}\n\n// http://www.w3.org/TR/CSS21/grammar.html\n// https://github.com/visionmedia/css-parse/pull/49#issuecomment-30088027\nconst commentre = /\\/\\*[^*]*\\*+([^/*][^*]*\\*+)*\\//g;\n\nexport function parse(css: string, options: ParserOptions = {}) {\n /**\n * Positional.\n */\n\n let lineno = 1;\n let column = 1;\n\n /**\n * Update lineno and column based on `str`.\n */\n\n function updatePosition(str: string) {\n const lines = str.match(/\\n/g);\n if (lines) {\n lineno += lines.length;\n }\n let i = str.lastIndexOf('\\n');\n column = i === -1 ? column + str.length : str.length - i;\n }\n\n /**\n * Mark position and patch `node.position`.\n */\n\n function position() {\n const start = { line: lineno, column };\n return (\n node: Rule | Declaration | Comment | AtRule | Stylesheet | KeyFrame,\n ) => {\n node.position = new Position(start);\n whitespace();\n return node;\n };\n }\n\n /**\n * Store position information for a node\n */\n\n class Position {\n public content!: string;\n public start!: Loc;\n public end!: Loc;\n public source?: string;\n\n constructor(start: Loc) {\n this.start = start;\n this.end = { line: lineno, column };\n this.source = options.source;\n }\n }\n\n /**\n * Non-enumerable source string\n */\n\n Position.prototype.content = css;\n\n const errorsList: ParserError[] = [];\n\n function error(msg: string) {\n const err = new Error(\n options.source + ':' + lineno + ':' + column + ': ' + msg,\n ) as ParserError;\n err.reason = msg;\n err.filename = options.source;\n err.line = lineno;\n err.column = column;\n err.source = css;\n\n if (options.silent) {\n errorsList.push(err);\n } else {\n throw err;\n }\n }\n\n /**\n * Parse stylesheet.\n */\n\n function stylesheet(): Stylesheet {\n const rulesList = rules();\n\n return {\n type: 'stylesheet',\n stylesheet: {\n source: options.source,\n rules: rulesList,\n parsingErrors: errorsList,\n },\n };\n }\n\n /**\n * Opening brace.\n */\n\n function open() {\n return match(/^{\\s*/);\n }\n\n /**\n * Closing brace.\n */\n\n function close() {\n return match(/^}/);\n }\n\n /**\n * Parse ruleset.\n */\n\n function rules() {\n let node: Rule | void;\n const rules: Rule[] = [];\n whitespace();\n comments(rules);\n while (css.length && css.charAt(0) !== '}' && (node = atrule() || rule())) {\n if (node !== false) {\n rules.push(node);\n comments(rules);\n }\n }\n return rules;\n }\n\n /**\n * Match `re` and return captures.\n */\n\n function match(re: RegExp) {\n const m = re.exec(css);\n if (!m) {\n return;\n }\n const str = m[0];\n updatePosition(str);\n css = css.slice(str.length);\n return m;\n }\n\n /**\n * Parse whitespace.\n */\n\n function whitespace() {\n match(/^\\s*/);\n }\n\n /**\n * Parse comments;\n */\n\n function comments(rules: Rule[] = []) {\n let c: Comment | void;\n while ((c = comment())) {\n if (c !== false) {\n rules.push(c);\n }\n c = comment();\n }\n return rules;\n }\n\n /**\n * Parse comment.\n */\n\n function comment() {\n const pos = position();\n if ('/' !== css.charAt(0) || '*' !== css.charAt(1)) {\n return;\n }\n\n let i = 2;\n while (\n '' !== css.charAt(i) &&\n ('*' !== css.charAt(i) || '/' !== css.charAt(i + 1))\n ) {\n ++i;\n }\n i += 2;\n\n if ('' === css.charAt(i - 1)) {\n return error('End of comment missing');\n }\n\n const str = css.slice(2, i - 2);\n column += 2;\n updatePosition(str);\n css = css.slice(i);\n column += 2;\n\n return pos({\n type: 'comment',\n comment: str,\n });\n }\n\n /**\n * Parse selector.\n */\n\n function selector() {\n const m = match(/^([^{]+)/);\n if (!m) {\n return;\n }\n /* @fix Remove all comments from selectors\n * http://ostermiller.org/findcomment.html */\n return trim(m[0])\n .replace(/\\/\\*([^*]|[\\r\\n]|(\\*+([^*/]|[\\r\\n])))*\\*\\/+/g, '')\n .replace(/\"(?:\\\\\"|[^\"])*\"|'(?:\\\\'|[^'])*'/g, (m) => {\n return m.replace(/,/g, '\\u200C');\n })\n .split(/\\s*(?![^(]*\\)),\\s*/)\n .map((s) => {\n return s.replace(/\\u200C/g, ',');\n });\n }\n\n /**\n * Parse declaration.\n */\n\n function declaration(): Declaration | void | never {\n const pos = position();\n\n // prop\n let propMatch = match(/^(\\*?[-#\\/\\*\\\\\\w]+(\\[[0-9a-z_-]+\\])?)\\s*/);\n if (!propMatch) {\n return;\n }\n const prop = trim(propMatch[0]);\n\n // :\n if (!match(/^:\\s*/)) {\n return error(`property missing ':'`);\n }\n\n // val\n const val = match(/^((?:'(?:\\\\'|.)*?'|\"(?:\\\\\"|.)*?\"|\\([^\\)]*?\\)|[^};])+)/);\n\n const ret = pos({\n type: 'declaration',\n property: prop.replace(commentre, ''),\n value: val ? trim(val[0]).replace(commentre, '') : '',\n });\n\n // ;\n match(/^[;\\s]*/);\n\n return ret;\n }\n\n /**\n * Parse declarations.\n */\n\n function declarations() {\n const decls: Array = [];\n\n if (!open()) {\n return error(`missing '{'`);\n }\n comments(decls);\n\n // declarations\n let decl;\n while ((decl = declaration())) {\n if ((decl as unknown) !== false) {\n decls.push(decl);\n comments(decls);\n }\n decl = declaration();\n }\n\n if (!close()) {\n return error(`missing '}'`);\n }\n return decls;\n }\n\n /**\n * Parse keyframe.\n */\n\n function keyframe() {\n let m;\n const vals = [];\n const pos = position();\n\n while ((m = match(/^((\\d+\\.\\d+|\\.\\d+|\\d+)%?|[a-z]+)\\s*/))) {\n vals.push(m[1]);\n match(/^,\\s*/);\n }\n\n if (!vals.length) {\n return;\n }\n\n return pos({\n type: 'keyframe',\n values: vals,\n declarations: declarations() as Declaration[],\n });\n }\n\n /**\n * Parse keyframes.\n */\n\n function atkeyframes() {\n const pos = position();\n let m = match(/^@([-\\w]+)?keyframes\\s*/);\n\n if (!m) {\n return;\n }\n const vendor = m[1];\n\n // identifier\n m = match(/^([-\\w]+)\\s*/);\n if (!m) {\n return error('@keyframes missing name');\n }\n const name = m[1];\n\n if (!open()) {\n return error(`@keyframes missing '{'`);\n }\n\n let frame;\n let frames = comments();\n while ((frame = keyframe())) {\n frames.push(frame);\n frames = frames.concat(comments());\n }\n\n if (!close()) {\n return error(`@keyframes missing '}'`);\n }\n\n return pos({\n type: 'keyframes',\n name,\n vendor,\n keyframes: frames,\n });\n }\n\n /**\n * Parse supports.\n */\n\n function atsupports() {\n const pos = position();\n const m = match(/^@supports *([^{]+)/);\n\n if (!m) {\n return;\n }\n const supports = trim(m[1]);\n\n if (!open()) {\n return error(`@supports missing '{'`);\n }\n\n const style = comments().concat(rules());\n\n if (!close()) {\n return error(`@supports missing '}'`);\n }\n\n return pos({\n type: 'supports',\n supports,\n rules: style,\n });\n }\n\n /**\n * Parse host.\n */\n\n function athost() {\n const pos = position();\n const m = match(/^@host\\s*/);\n\n if (!m) {\n return;\n }\n\n if (!open()) {\n return error(`@host missing '{'`);\n }\n\n const style = comments().concat(rules());\n\n if (!close()) {\n return error(`@host missing '}'`);\n }\n\n return pos({\n type: 'host',\n rules: style,\n });\n }\n\n /**\n * Parse media.\n */\n\n function atmedia() {\n const pos = position();\n const m = match(/^@media *([^{]+)/);\n\n if (!m) {\n return;\n }\n const media = trim(m[1]);\n\n if (!open()) {\n return error(`@media missing '{'`);\n }\n\n const style = comments().concat(rules());\n\n if (!close()) {\n return error(`@media missing '}'`);\n }\n\n return pos({\n type: 'media',\n media,\n rules: style,\n });\n }\n\n /**\n * Parse custom-media.\n */\n\n function atcustommedia() {\n const pos = position();\n const m = match(/^@custom-media\\s+(--[^\\s]+)\\s*([^{;]+);/);\n if (!m) {\n return;\n }\n\n return pos({\n type: 'custom-media',\n name: trim(m[1]),\n media: trim(m[2]),\n });\n }\n\n /**\n * Parse paged media.\n */\n\n function atpage() {\n const pos = position();\n const m = match(/^@page */);\n if (!m) {\n return;\n }\n\n const sel = selector() || [];\n\n if (!open()) {\n return error(`@page missing '{'`);\n }\n let decls = comments();\n\n // declarations\n let decl;\n while ((decl = declaration())) {\n decls.push(decl);\n decls = decls.concat(comments());\n }\n\n if (!close()) {\n return error(`@page missing '}'`);\n }\n\n return pos({\n type: 'page',\n selectors: sel,\n declarations: decls,\n });\n }\n\n /**\n * Parse document.\n */\n\n function atdocument() {\n const pos = position();\n const m = match(/^@([-\\w]+)?document *([^{]+)/);\n if (!m) {\n return;\n }\n\n const vendor = trim(m[1]);\n const doc = trim(m[2]);\n\n if (!open()) {\n return error(`@document missing '{'`);\n }\n\n const style = comments().concat(rules());\n\n if (!close()) {\n return error(`@document missing '}'`);\n }\n\n return pos({\n type: 'document',\n document: doc,\n vendor,\n rules: style,\n });\n }\n\n /**\n * Parse font-face.\n */\n\n function atfontface() {\n const pos = position();\n const m = match(/^@font-face\\s*/);\n if (!m) {\n return;\n }\n\n if (!open()) {\n return error(`@font-face missing '{'`);\n }\n let decls = comments();\n\n // declarations\n let decl;\n while ((decl = declaration())) {\n decls.push(decl);\n decls = decls.concat(comments());\n }\n\n if (!close()) {\n return error(`@font-face missing '}'`);\n }\n\n return pos({\n type: 'font-face',\n declarations: decls,\n });\n }\n\n /**\n * Parse import\n */\n\n const atimport = _compileAtrule('import');\n\n /**\n * Parse charset\n */\n\n const atcharset = _compileAtrule('charset');\n\n /**\n * Parse namespace\n */\n\n const atnamespace = _compileAtrule('namespace');\n\n /**\n * Parse non-block at-rules\n */\n\n function _compileAtrule(name: string) {\n const re = new RegExp('^@' + name + '\\\\s*([^;]+);');\n return () => {\n const pos = position();\n const m = match(re);\n if (!m) {\n return;\n }\n const ret: Record = { type: name };\n ret[name] = m[1].trim();\n return pos(ret);\n };\n }\n\n /**\n * Parse at rule.\n */\n\n function atrule() {\n if (css[0] !== '@') {\n return;\n }\n\n return (\n atkeyframes() ||\n atmedia() ||\n atcustommedia() ||\n atsupports() ||\n atimport() ||\n atcharset() ||\n atnamespace() ||\n atdocument() ||\n atpage() ||\n athost() ||\n atfontface()\n );\n }\n\n /**\n * Parse rule.\n */\n\n function rule() {\n const pos = position();\n const sel = selector();\n\n if (!sel) {\n return error('selector missing');\n }\n comments();\n\n return pos({\n type: 'rule',\n selectors: sel,\n declarations: declarations() as Declaration[],\n });\n }\n\n return addParent(stylesheet());\n}\n\n/**\n * Trim `str`.\n */\n\nfunction trim(str: string) {\n return str ? str.replace(/^\\s+|\\s+$/g, '') : '';\n}\n\n/**\n * Adds non-enumerable parent node reference to each node.\n */\n\nfunction addParent(obj: Stylesheet, parent?: Stylesheet) {\n const isNode = obj && typeof obj.type === 'string';\n const childParent = isNode ? obj : parent;\n\n for (const k of Object.keys(obj)) {\n const value = obj[k as keyof Stylesheet];\n if (Array.isArray(value)) {\n value.forEach((v) => {\n addParent(v, childParent);\n });\n } else if (value && typeof value === 'object') {\n addParent((value as unknown) as Stylesheet, childParent);\n }\n }\n\n if (isNode) {\n Object.defineProperty(obj, 'parent', {\n configurable: true,\n writable: true,\n enumerable: false,\n value: parent || null,\n });\n }\n\n return obj;\n}\n","import { parse } from './css';\nimport {\n serializedNodeWithId,\n NodeType,\n tagMap,\n elementNode,\n idNodeMap,\n INode,\n BuildCache,\n} from './types';\nimport { isElement } from './utils';\n\nconst tagMap: tagMap = {\n script: 'noscript',\n // camel case svg element tag names\n altglyph: 'altGlyph',\n altglyphdef: 'altGlyphDef',\n altglyphitem: 'altGlyphItem',\n animatecolor: 'animateColor',\n animatemotion: 'animateMotion',\n animatetransform: 'animateTransform',\n clippath: 'clipPath',\n feblend: 'feBlend',\n fecolormatrix: 'feColorMatrix',\n fecomponenttransfer: 'feComponentTransfer',\n fecomposite: 'feComposite',\n feconvolvematrix: 'feConvolveMatrix',\n fediffuselighting: 'feDiffuseLighting',\n fedisplacementmap: 'feDisplacementMap',\n fedistantlight: 'feDistantLight',\n fedropshadow: 'feDropShadow',\n feflood: 'feFlood',\n fefunca: 'feFuncA',\n fefuncb: 'feFuncB',\n fefuncg: 'feFuncG',\n fefuncr: 'feFuncR',\n fegaussianblur: 'feGaussianBlur',\n feimage: 'feImage',\n femerge: 'feMerge',\n femergenode: 'feMergeNode',\n femorphology: 'feMorphology',\n feoffset: 'feOffset',\n fepointlight: 'fePointLight',\n fespecularlighting: 'feSpecularLighting',\n fespotlight: 'feSpotLight',\n fetile: 'feTile',\n feturbulence: 'feTurbulence',\n foreignobject: 'foreignObject',\n glyphref: 'glyphRef',\n lineargradient: 'linearGradient',\n radialgradient: 'radialGradient',\n};\nfunction getTagName(n: elementNode): string {\n let tagName = tagMap[n.tagName] ? tagMap[n.tagName] : n.tagName;\n if (tagName === 'link' && n.attributes._cssText) {\n tagName = 'style';\n }\n return tagName;\n}\n\n// based on https://developer.mozilla.org/en-US/docs/Web/JavaScript/Guide/Regular_Expressions#escaping\nfunction escapeRegExp(str: string) {\n return str.replace(/[.*+?^${}()|[\\]\\\\]/g, '\\\\$&'); // $& means the whole matched string\n}\n\nconst HOVER_SELECTOR = /([^\\\\]):hover/;\nconst HOVER_SELECTOR_GLOBAL = new RegExp(HOVER_SELECTOR.source, 'g');\nexport function addHoverClass(cssText: string, cache: BuildCache): string {\n const cachedStyle = cache?.stylesWithHoverClass.get(cssText);\n if (cachedStyle) return cachedStyle;\n\n const ast = parse(cssText, {\n silent: true,\n });\n\n if (!ast.stylesheet) {\n return cssText;\n }\n\n const selectors: string[] = [];\n ast.stylesheet.rules.forEach((rule) => {\n if ('selectors' in rule) {\n (rule.selectors || []).forEach((selector: string) => {\n if (HOVER_SELECTOR.test(selector)) {\n selectors.push(selector);\n }\n });\n }\n });\n\n if (selectors.length === 0) {\n return cssText;\n }\n\n const selectorMatcher = new RegExp(\n selectors\n .filter((selector, index) => selectors.indexOf(selector) === index)\n .sort((a, b) => b.length - a.length)\n .map((selector) => {\n return escapeRegExp(selector);\n })\n .join('|'),\n 'g',\n );\n\n const result = cssText.replace(selectorMatcher, (selector) => {\n const newSelector = selector.replace(HOVER_SELECTOR_GLOBAL, '$1.\\\\:hover');\n return `${selector}, ${newSelector}`;\n });\n cache?.stylesWithHoverClass.set(cssText, result);\n return result;\n}\n\nexport function createCache(): BuildCache {\n const stylesWithHoverClass: Map = new Map();\n return {\n stylesWithHoverClass,\n };\n}\n\nfunction buildNode(\n n: serializedNodeWithId,\n options: {\n doc: Document;\n hackCss: boolean;\n cache: BuildCache;\n },\n): Node | null {\n const { doc, hackCss, cache } = options;\n switch (n.type) {\n case NodeType.Document:\n return doc.implementation.createDocument(null, '', null);\n case NodeType.DocumentType:\n return doc.implementation.createDocumentType(\n n.name || 'html',\n n.publicId,\n n.systemId,\n );\n case NodeType.Element:\n const tagName = getTagName(n);\n let node: Element;\n if (n.isSVG) {\n node = doc.createElementNS('http://www.w3.org/2000/svg', tagName);\n } else {\n node = doc.createElement(tagName);\n }\n for (const name in n.attributes) {\n if (!n.attributes.hasOwnProperty(name)) {\n continue;\n }\n let value = n.attributes[name];\n if (tagName === 'option' && name === 'selected' && value === false) {\n // legacy fix (TODO: if `value === false` can be generated for other attrs, should we also omit those other attrs from build?)\n continue;\n }\n value =\n typeof value === 'boolean' || typeof value === 'number' ? '' : value;\n // attribute names start with rr_ are internal attributes added by rrweb\n if (!name.startsWith('rr_')) {\n const isTextarea = tagName === 'textarea' && name === 'value';\n const isRemoteOrDynamicCss =\n tagName === 'style' && name === '_cssText';\n if (isRemoteOrDynamicCss && hackCss) {\n value = addHoverClass(value, cache);\n }\n if (isTextarea || isRemoteOrDynamicCss) {\n const child = doc.createTextNode(value);\n // https://github.com/rrweb-io/rrweb/issues/112\n for (const c of Array.from(node.childNodes)) {\n if (c.nodeType === node.TEXT_NODE) {\n node.removeChild(c);\n }\n }\n node.appendChild(child);\n continue;\n }\n\n try {\n if (n.isSVG && name === 'xlink:href') {\n node.setAttributeNS('http://www.w3.org/1999/xlink', name, value);\n } else if (\n name === 'onload' ||\n name === 'onclick' ||\n name.substring(0, 7) === 'onmouse'\n ) {\n // Rename some of the more common atttributes from https://www.w3schools.com/tags/ref_eventattributes.asp\n // as setting them triggers a console.error (which shows up despite the try/catch)\n // Assumption: these attributes are not used to css\n node.setAttribute('_' + name, value);\n } else if (\n tagName === 'meta' &&\n n.attributes['http-equiv'] === 'Content-Security-Policy' &&\n name === 'content'\n ) {\n // If CSP contains style-src and inline-style is disabled, there will be an error \"Refused to apply inline style because it violates the following Content Security Policy directive: style-src '*'\".\n // And the function insertStyleRules in rrweb replayer will throw an error \"Uncaught TypeError: Cannot read property 'insertRule' of null\".\n node.setAttribute('csp-content', value);\n continue;\n } else if (\n tagName === 'link' &&\n n.attributes.rel === 'preload' &&\n n.attributes.as === 'script'\n ) {\n // ignore\n } else if (\n tagName === 'link' &&\n n.attributes.rel === 'prefetch' &&\n typeof n.attributes.href === 'string' &&\n n.attributes.href.endsWith('.js')\n ) {\n // ignore\n } else if (\n tagName === 'img' &&\n n.attributes.srcset &&\n n.attributes.rr_dataURL\n ) {\n // backup original img srcset\n node.setAttribute('rrweb-original-srcset', n.attributes.srcset as string);\n } else {\n node.setAttribute(name, value);\n }\n } catch (error) {\n // skip invalid attribute\n }\n } else {\n // handle internal attributes\n if (tagName === 'canvas' && name === 'rr_dataURL') {\n const image = document.createElement('img');\n image.src = value;\n image.onload = () => {\n const ctx = (node as HTMLCanvasElement).getContext('2d');\n if (ctx) {\n ctx.drawImage(image, 0, 0, image.width, image.height);\n }\n };\n } else if (tagName === 'img' && name === 'rr_dataURL') {\n const image = node as HTMLImageElement;\n if (!image.currentSrc.startsWith('data:')) {\n // Backup original img src. It may not have been set yet.\n image.setAttribute(\n 'rrweb-original-src',\n n.attributes.src as string,\n );\n image.src = value;\n }\n }\n\n if (name === 'rr_width') {\n (node as HTMLElement).style.width = value;\n } else if (name === 'rr_height') {\n (node as HTMLElement).style.height = value;\n } else if (name === 'rr_mediaCurrentTime') {\n (node as HTMLMediaElement).currentTime = n.attributes\n .rr_mediaCurrentTime as number;\n } else if (name === 'rr_mediaState') {\n switch (value) {\n case 'played':\n (node as HTMLMediaElement)\n .play()\n .catch((e) => console.warn('media playback error', e));\n break;\n case 'paused':\n (node as HTMLMediaElement).pause();\n break;\n default:\n }\n }\n }\n }\n\n if (n.isShadowHost) {\n /**\n * Since node is newly rebuilt, it should be a normal element\n * without shadowRoot.\n * But if there are some weird situations that has defined\n * custom element in the scope before we rebuild node, it may\n * register the shadowRoot earlier.\n * The logic in the 'else' block is just a try-my-best solution\n * for the corner case, please let we know if it is wrong and\n * we can remove it.\n */\n if (!node.shadowRoot) {\n node.attachShadow({ mode: 'open' });\n } else {\n while (node.shadowRoot.firstChild) {\n node.shadowRoot.removeChild(node.shadowRoot.firstChild);\n }\n }\n }\n return node;\n case NodeType.Text:\n return doc.createTextNode(\n n.isStyle && hackCss\n ? addHoverClass(n.textContent, cache)\n : n.textContent,\n );\n case NodeType.CDATA:\n return doc.createCDATASection(n.textContent);\n case NodeType.Comment:\n return doc.createComment(n.textContent);\n default:\n return null;\n }\n}\n\nexport function buildNodeWithSN(\n n: serializedNodeWithId,\n options: {\n doc: Document;\n map: idNodeMap;\n skipChild?: boolean;\n hackCss: boolean;\n afterAppend?: (n: INode) => unknown;\n cache: BuildCache;\n },\n): INode | null {\n const {\n doc,\n map,\n skipChild = false,\n hackCss = true,\n afterAppend,\n cache,\n } = options;\n let node = buildNode(n, { doc, hackCss, cache });\n if (!node) {\n return null;\n }\n if (n.rootId) {\n console.assert(\n ((map[n.rootId] as unknown) as Document) === doc,\n 'Target document should has the same root id.',\n );\n }\n // use target document as root document\n if (n.type === NodeType.Document) {\n // close before open to make sure document was closed\n doc.close();\n doc.open();\n if (\n n.compatMode === 'BackCompat' &&\n n.childNodes &&\n n.childNodes[0].type !== NodeType.DocumentType // there isn't one already defined\n ) {\n // Trigger compatMode in the iframe\n // this is needed as document.createElement('iframe') otherwise inherits a CSS1Compat mode from the parent replayer environment\n if (\n n.childNodes[0].type === NodeType.Element &&\n 'xmlns' in n.childNodes[0].attributes &&\n n.childNodes[0].attributes.xmlns === 'http://www.w3.org/1999/xhtml'\n ) {\n // might as well use an xhtml doctype if we've got an xhtml namespace\n doc.write(\n '',\n );\n } else {\n doc.write(\n '',\n );\n }\n }\n node = doc;\n }\n\n (node as INode).__sn = n;\n map[n.id] = node as INode;\n\n if (\n (n.type === NodeType.Document || n.type === NodeType.Element) &&\n !skipChild\n ) {\n for (const childN of n.childNodes) {\n const childNode = buildNodeWithSN(childN, {\n doc,\n map,\n skipChild: false,\n hackCss,\n afterAppend,\n cache,\n });\n if (!childNode) {\n console.warn('Failed to rebuild', childN);\n continue;\n }\n\n if (childN.isShadow && isElement(node) && node.shadowRoot) {\n node.shadowRoot.appendChild(childNode);\n } else {\n node.appendChild(childNode);\n }\n if (afterAppend) {\n afterAppend(childNode);\n }\n }\n }\n\n return node as INode;\n}\n\nfunction visit(idNodeMap: idNodeMap, onVisit: (node: INode) => void) {\n function walk(node: INode) {\n onVisit(node);\n }\n\n for (const key in idNodeMap) {\n if (idNodeMap[key]) {\n walk(idNodeMap[key]);\n }\n }\n}\n\nfunction handleScroll(node: INode) {\n const n = node.__sn;\n if (n.type !== NodeType.Element) {\n return;\n }\n const el = (node as Node) as HTMLElement;\n for (const name in n.attributes) {\n if (!(n.attributes.hasOwnProperty(name) && name.startsWith('rr_'))) {\n continue;\n }\n const value = n.attributes[name];\n if (name === 'rr_scrollLeft') {\n el.scrollLeft = value as number;\n }\n if (name === 'rr_scrollTop') {\n el.scrollTop = value as number;\n }\n }\n}\n\nfunction rebuild(\n n: serializedNodeWithId,\n options: {\n doc: Document;\n onVisit?: (node: INode) => unknown;\n hackCss?: boolean;\n afterAppend?: (n: INode) => unknown;\n cache: BuildCache;\n },\n): [Node | null, idNodeMap] {\n const { doc, onVisit, hackCss = true, afterAppend, cache } = options;\n const idNodeMap: idNodeMap = {};\n const node = buildNodeWithSN(n, {\n doc,\n map: idNodeMap,\n skipChild: false,\n hackCss,\n afterAppend,\n cache,\n });\n visit(idNodeMap, (visitedNode) => {\n if (onVisit) {\n onVisit(visitedNode);\n }\n handleScroll(visitedNode);\n });\n return [node, idNodeMap];\n}\n\nexport default rebuild;\n"],"names":["NodeType","isElement","n","nodeType","ELEMENT_NODE","isShadowRoot","host","Boolean","shadowRoot","maskInputValue","_a","input","maskInputSelector","unmaskInputSelector","maskInputOptions","tagName","type","value","maskInputFn","text","matches","toLowerCase","repeat","length","ORIGINAL_ATTRIBUTE_NAME","is2DCanvasBlank","canvas","ctx","getContext","x","width","y","height","getImageData","originalGetImageData","Uint32Array","call","Math","min","data","buffer","some","pixel","canvasService","canvasCtx","_id","tagNameRegex","RegExp","getCssRulesString","s","rules","cssRules","Array","from","map","getCssRuleString","join","error","rule","cssStringified","cssText","isCSSImportRule","styleSheet","URL_IN_CSS_REF","RELATIVE_PATH","DATA_URI","absoluteToStylesheet","href","replace","origin","quote1","path1","quote2","path2","path3","url","filePath","maybeQuote","test","indexOf","split","slice","stack","parts","pop","parts_1","_i","part","push","SRCSET_NOT_SPACES","SRCSET_COMMAS_OR_SPACES","absoluteToDoc","doc","attributeValue","trim","a","createElement","getHref","document","transformAttribute","name","pos","collectCharacters","regEx","chars","match","exec","substring","output","descriptorsStr","inParens","c","charAt","getAbsoluteSrcsetString","needMaskingText","node","maskTextClass","maskTextSelector","unmaskTextSelector","closest","classList","contains","eIndex","className","parentNode","TEXT_NODE","serializeNode","options","rootId","sheet","el","blockClass","blockSelector","unblockSelector","inlineStylesheet","_b","maskTextFn","_c","dataURLOptions","inlineImages","recordCanvas","keepIframeSrcFn","__sn","docId","id","undefined","DOCUMENT_NODE","compatMode","Document","childNodes","DOCUMENT_TYPE_NODE","DocumentType","publicId","systemId","needBlock","element","_isBlockedElement","HTMLFormElement","processedTagName","getValidTagName","attributes_1","_d","attributes","_e","name_1","stylesheet","styleSheets","find","rel","_cssText","innerText","textContent","checked","selected","__context","rr_dataURL","toDataURL","quality","canvasDataURL","blankCanvas","image_1","oldValue_1","crossOrigin","recordInlineImage","naturalWidth","naturalHeight","drawImage","err","console","warn","currentSrc","complete","onload","rr_mediaState","paused","rr_mediaCurrentTime","currentTime","scrollLeft","rr_scrollLeft","scrollTop","rr_scrollTop","_f","getBoundingClientRect","class","rr_width","rr_height","src","contentDocument","rr_src","Element","isSVG","ownerSVGElement","parentTagName","isStyle","isScript","nextSibling","previousSibling","Text","CDATA_SECTION_NODE","CDATA","COMMENT_NODE","Comment","lowerIfExists","maybeAttr","serializeNodeWithId","skipChild","slimDOMOptions","onSerialize","onIframeLoad","_g","iframeLoadTimeout","_h","_j","preserveWhiteSpace","_serializedNode","sn","comment","script","as","endsWith","headFavicon","headMetaDescKeywords","headMetaSocial","property","headMetaRobots","headMetaHttpEquiv","headMetaAuthorship","headMetaVerification","slimDOMExcluded","serializedNode","Object","assign","recordChild","isShadowHost","headWhitespace","bypassOptions","_k","serializedChildNode","_m","_l","isShadow","iframeEl","listener","win","contentWindow","readyState","fired","blankUrl","location","addEventListener","setTimeout","timer_1","clearTimeout","onceIframeLoaded","iframeDoc","serializedIframeNode","commentre","parse","css","lineno","column","updatePosition","str","lines","i","lastIndexOf","position","start","line","Position","whitespace","this","end","source","prototype","content","errorsList","msg","Error","reason","filename","silent","open","close","comments","atrule","re","m","selector","declaration","propMatch","prop","val","ret","declarations","decl","decls","keyframe","vals","values","rulesList","atimport","_compileAtrule","atcharset","atnamespace","vendor","frame","frames","concat","keyframes","atkeyframes","media","style","atmedia","atcustommedia","supports","atsupports","atdocument","sel","selectors","atpage","athost","atfontface","addParent","parsingErrors","obj","parent","isNode","childParent","keys","isArray","forEach","v","defineProperty","configurable","writable","enumerable","tagMap","altglyph","altglyphdef","altglyphitem","animatecolor","animatemotion","animatetransform","clippath","feblend","fecolormatrix","fecomponenttransfer","fecomposite","feconvolvematrix","fediffuselighting","fedisplacementmap","fedistantlight","fedropshadow","feflood","fefunca","fefuncb","fefuncg","fefuncr","fegaussianblur","feimage","femerge","femergenode","femorphology","feoffset","fepointlight","fespecularlighting","fespotlight","fetile","feturbulence","foreignobject","glyphref","lineargradient","radialgradient","HOVER_SELECTOR","HOVER_SELECTOR_GLOBAL","addHoverClass","cache","cachedStyle","stylesWithHoverClass","get","ast","selectorMatcher","filter","index","sort","b","result","newSelector","set","buildNode","hackCss","implementation","createDocument","createDocumentType","node_1","getTagName","createElementNS","hasOwnProperty","startsWith","image","setAttribute","play","e","pause","isTextarea","isRemoteOrDynamicCss","child","createTextNode","removeChild","appendChild","setAttributeNS","srcset","firstChild","attachShadow","mode","createCDATASection","createComment","buildNodeWithSN","afterAppend","assert","xmlns","write","childN","childNode","Map","onVisit","idNodeMap","key","visit","visitedNode","name_2","handleScroll","_o","maskAllInputs","_p","slimDOM","_q","color","date","email","month","number","range","search","tel","time","week","textarea","select","password","walk","current"],"mappings":"2CAAA,IAAYA,WCEIC,EAAUC,GACxB,OAAOA,EAAEC,WAAaD,EAAEE,sBAGVC,EAAaH,SACrBI,YAAwBJ,wBAAkBI,KAChD,OAAOC,QAAQD,GAAQA,EAAKE,YAAcF,EAAKE,aAAeN,YAGhDO,EAAeC,OAC7BC,UACAC,sBACAC,wBACAC,qBACAC,YACAC,SACAC,UACAC,gBAWIC,EAAOF,GAAS,GAEpB,OAAIJ,GAAuBF,EAAMS,QAAQP,KAKvCC,EAAiBC,EAAQM,gBACzBP,EAAiBE,IAChBJ,GAAqBD,EAAMS,QAAQR,MAGlCO,EADED,EACKA,EAAYC,GAEZ,IAAIG,OAAOH,EAAKI,SAXlBJ,qBDjCCnB,EAAAA,aAAAA,yCAEVA,mCACAA,yBACAA,mBACAA,qBACAA,yBC4CF,IAAMwB,EAA0B,8BAKhBC,EAAgBC,GAC9B,IAAMC,EAAMD,EAAOE,WAAW,MAC9B,IAAKD,EAAK,OAAO,EAKjB,IAHA,IAGSE,EAAI,EAAGA,EAAIH,EAAOI,MAAOD,GAHhB,GAIhB,IAAK,IAAIE,EAAI,EAAGA,EAAIL,EAAOM,OAAQD,GAJnB,GAImC,CACjD,IAAME,EAAeN,EAAIM,aACnBC,EACJV,KAA2BS,EACvBA,EAAoC,mBACpCA,EAcN,GAToB,IAAIE,YACtBD,EAAqBE,KACnBT,EACAE,EACAE,EACAM,KAAKC,IAnBK,GAmBUZ,EAAOI,MAAQD,GACnCQ,KAAKC,IApBK,GAoBUZ,EAAOM,OAASD,IACpCQ,KAAKC,QAEOC,MAAK,SAACC,GAAU,OAAU,IAAVA,KAAc,OAAO,EAGzD,OAAO,EC/DT,IAsEIC,EACAC,EAvEAC,EAAM,EACJC,EAAe,IAAIC,OAAO,gBAyBhC,SAASC,EAAkBC,GACzB,IACE,IAAMC,EAAQD,EAAEC,OAASD,EAAEE,SAC3B,OAAOD,EAAQE,MAAMC,KAAKH,GAAOI,IAAIC,GAAkBC,KAAK,IAAM,KAClE,MAAOC,GACP,OAAO,MAIX,SAASF,EAAiBG,GACxB,IAAIC,EAAiBD,EAAKE,QAC1B,GAUF,SAAyBF,GACvB,MAAO,eAAgBA,EAXnBG,CAAgBH,GAClB,IACEC,EAAiBX,EAAkBU,EAAKI,aAAeH,EACvD,UAIJ,OAAOA,EA6BT,IAAMI,EAAiB,6CACjBC,EAAgB,sDAChBC,EAAW,iCACDC,EACdN,EACAO,GAEA,OAAQP,GAAW,IAAIQ,QACrBL,GACA,SAACM,EAAQC,EAAQC,EAAOC,EAAQC,EAAOC,GACrC,IAxBiBC,EAwBXC,EAAWL,GAASE,GAASC,EAC7BG,EAAaP,GAAUE,GAAU,GACvC,IAAKI,EACH,OAAOP,EAET,IAAKL,EAAcc,KAAKF,GACtB,MAAO,OAAOC,EAAaD,EAAWC,MAExC,GAAIZ,EAASa,KAAKF,GAChB,MAAO,OAAOC,EAAaD,EAAWC,MAExC,GAAoB,MAAhBD,EAAS,GACX,MAAO,OAAOC,KApCCF,EAqCCR,GAnCdY,QAAQ,OAAS,EACdJ,EAAIK,MAAM,KAAKC,MAAM,EAAG,GAAGzB,KAAK,KAEhCmB,EAAIK,MAAM,KAAK,IAEVA,MAAM,KAAK,GA8BGJ,GACrBC,MAEL,IAAMK,EAAQf,EAAKa,MAAM,KACnBG,EAAQP,EAASI,MAAM,KAC7BE,EAAME,MACN,IAAmB,QAAAC,IAAAC,WAAAA,IAAO,CAArB,IAAMC,OACI,MAATA,IAEgB,OAATA,EACTL,EAAME,MAENF,EAAMM,KAAKD,IAGf,MAAO,OAAOV,EAAaK,EAAM1B,KAAK,KAAOqB,SAKnD,IAAMY,EAAoB,qBACpBC,EAA0B,8BAyEhBC,EAAcC,EAAeC,GAC3C,IAAKA,GAA4C,KAA1BA,EAAeC,OACpC,OAAOD,EAET,IAAME,EAAuBH,EAAII,cAAc,KAE/C,OADAD,EAAE5B,KAAO0B,EACFE,EAAE5B,KAOX,SAAS8B,IAEP,IAAMF,EAAIG,SAASF,cAAc,KAEjC,OADAD,EAAE5B,KAAO,GACF4B,EAAE5B,cAGKgC,EACdP,EACA7E,EACAqF,EACAnF,GAGA,MAAa,QAATmF,GAA4B,SAATA,GAAmBnF,GAEtB,eAATmF,GAAyBnF,GAAsB,MAAbA,EAAM,GAD1C0E,EAAcC,EAAK3E,GAKjB,eAATmF,IACAnF,GACa,UAAZF,GAAmC,OAAZA,GAAgC,OAAZA,EAG1B,WAATqF,GAAqBnF,EA9GlC,SAAiC2E,EAAeC,GAS9C,GAA8B,KAA1BA,EAAeC,OACjB,OAAOD,EAGT,IAAIQ,EAAM,EAEV,SAASC,EAAkBC,GACzB,IAAIC,EACAC,EAAQF,EAAMG,KAAKb,EAAec,UAAUN,IAChD,OAAII,GACFD,EAAQC,EAAM,GACdJ,GAAOG,EAAMjF,OACNiF,GAEF,GAIT,IADA,IAAII,EAAS,GAEXN,EAAkBZ,KACdW,GAAOR,EAAetE,SAFf,CAMX,IAAIoD,EAAM2B,EAAkBb,GAC5B,GAAsB,MAAlBd,EAAIM,OAAO,GAEbN,EAAMgB,EAAcC,EAAKjB,EAAIgC,UAAU,EAAGhC,EAAIpD,OAAS,IAGvDqF,EAAOpB,KAAKb,OACP,CACL,IAAIkC,EAAiB,GACrBlC,EAAMgB,EAAcC,EAAKjB,GAEzB,IADA,IAAImC,GAAW,IACF,CACX,IAAIC,EAAIlB,EAAemB,OAAOX,GAC9B,GAAU,KAANU,EAAU,CACZH,EAAOpB,MAAMb,EAAMkC,GAAgBf,QACnC,MACK,GAAKgB,EAWA,MAANC,IACFD,GAAW,OAZO,CACpB,GAAU,MAANC,EAAW,CACbV,GAAO,EACPO,EAAOpB,MAAMb,EAAMkC,GAAgBf,QACnC,MACe,MAANiB,IACTD,GAAW,GASfD,GAAkBE,EAClBV,GAAO,IAIb,OAAOO,EAAOpD,KAAK,MA0CVyD,CAAwBrB,EAAK3E,GAClB,UAATmF,GAAoBnF,EACtBiD,EAAqBjD,EAAOgF,KACd,WAAZlF,GAAiC,SAATqF,GAAmBnF,EAC7C0E,EAAcC,EAAK3E,GAEnBA,EARA0E,EAAcC,EAAK3E,YA0CdiG,EACdC,EACAC,EACAC,EACAC,GAEA,IAAKH,EACH,OAAO,EAET,GAAIA,EAAKhH,WAAagH,EAAK/G,aAAc,CACvC,GAAIkH,IACGH,EAAqB/F,QAAQkG,IAAwBH,EAAqBI,QAAQD,IACrF,OAAO,EAIX,GAA6B,iBAAlBF,GACT,GAAKD,EAAqBK,UAAUC,SAASL,GAC3C,OAAO,OAIT,IACE,IAAIM,EAAS,EACbA,EAAUP,EAAqBK,UAAUjG,OACzCmG,IACA,CACA,IAAMC,EAAaR,EAAqBK,UAAUE,GAClD,GAAIN,EAActC,KAAK6C,GACrB,OAAO,EAIb,SAAIN,IACGF,EAAqB/F,QAAQiG,KAI7BH,EAAgBC,EAAKS,WAAYR,EAAeC,EAAkBC,GAG3E,OAAIH,EAAKhH,SAAagH,EAAKU,UAElBX,EAAgBC,EAAKS,WAAYR,EAAeC,EAAkBC,GAsD7E,SAASQ,EACP5H,EACA6H,SAwCIC,EArWuBC,EAoJPC,EA8LlBtC,EAiBEmC,MAhBFI,EAgBEJ,aAfFK,EAeEL,gBAdFM,EAcEN,kBAbFX,EAaEW,gBAZFV,EAYEU,mBAXFT,EAWES,qBAVFO,EAUEP,mBATFnH,EASEmH,oBARFlH,EAQEkH,sBAPFQ,EAOER,mBAPFjH,aAAmB,KACnB0H,EAMET,aALF7G,EAKE6G,cAJFU,EAIEV,iBAJFW,aAAiB,KACjBC,EAGEZ,eAFFa,EAEEb,eADFc,EACEd,kBAGJ,GAAMnC,EAA0BkD,KAAM,CACpC,IAAMC,EAAUnD,EAA0BkD,KAAKE,GAC/ChB,EAAmB,IAAVe,OAAcE,EAAYF,EAErC,OAAQ7I,EAAEC,UACR,KAAKD,EAAEgJ,cACL,MAAuC,eAAlChJ,EAAmBiJ,WACf,CACLnI,KAAMhB,WAASoJ,SACfC,WAAY,GACZF,WAAajJ,EAAmBiJ,WAChCnB,UAGK,CACLhH,KAAMhB,WAASoJ,SACfC,WAAY,GACZrB,UAGN,KAAK9H,EAAEoJ,mBACL,MAAO,CACLtI,KAAMhB,WAASuJ,aACfnD,KAAOlG,EAAmBkG,KAC1BoD,SAAWtJ,EAAmBsJ,SAC9BC,SAAWvJ,EAAmBuJ,SAC9BzB,UAEJ,KAAK9H,EAAEE,aASL,IARA,IAAMsJ,WAtMVC,EACAxB,EACAC,EACAC,GAEA,GAAIA,GAAmBsB,EAAQvI,QAAQiH,GACrC,OAAO,EAGT,GAA0B,iBAAfF,GACT,GAAIwB,EAAQnC,UAAUC,SAASU,GAC7B,OAAO,OAIT,IAAK,IAAIT,EAAS,EAAGA,EAASiC,EAAQnC,UAAUjG,OAAQmG,IAAU,CAChE,IAAMC,EAAYgC,EAAQnC,UAAUE,GACpC,GAAIS,EAAWrD,KAAK6C,GAClB,OAAO,EAIb,QAAIS,GACKuB,EAAQvI,QAAQgH,GA+KHwB,CAChB1J,EACAiI,EACAC,EACAC,GAEItH,EAnbZ,SAAyB4I,GACvB,GAAIA,aAAmBE,gBACrB,MAAO,OAGT,IAAMC,EAAmBH,EAAQ5I,QAAQM,cAAcyE,OAEvD,OAAIhD,EAAagC,KAAKgF,GAIb,MAGFA,EAqaaC,CAAgB7J,GAC5B8J,EAAyB,OACCC,EAAA7G,MAAMC,KAAMnD,EAAkBgK,YAA9B5E,WAAAA,IAA2C,CAA9D,IAAA6E,OAAEC,SAAMnJ,UACjB+I,EAAWI,GAAQjE,EAAmBP,EAAK7E,EAASqJ,EAAMnJ,GAG5D,GAAgB,SAAZF,GAAsBuH,EAAkB,CAC1C,IAAM+B,EAAajH,MAAMC,KAAKuC,EAAI0E,aAAaC,MAAK,SAACtH,GACnD,OAAOA,EAAEkB,OAAUjE,EAAsBiE,QAEvCP,EAAyB,KACzByG,IACFzG,EAAUZ,EAAkBqH,IAE1BzG,WACKoG,EAAWQ,WACXR,EAAW7F,KAClB6F,EAAWS,SAAWvG,EACpBN,EACAyG,EAAYlG,OAKlB,GACc,UAAZpD,GACCb,EAAuB+H,SAGrB/H,EAAkBwK,WAClBxK,EAAkByK,aACnB,IACA7E,OAAOvE,QAEHqC,EAAUZ,EACb9C,EAAuB+H,UAGxB+B,EAAWS,SAAWvG,EAAqBN,EAASqC,MAIxD,GACc,UAAZlF,GACY,aAAZA,GACY,WAAZA,EACA,CACME,EAASf,EAA6Ce,MAEtC,UAApB+I,EAAWhJ,MACS,aAApBgJ,EAAWhJ,MACS,WAApBgJ,EAAWhJ,MACS,WAApBgJ,EAAWhJ,MACXC,EAEA+I,EAAW/I,MAAQR,EAAe,CAChCE,MAAOT,EACPc,KAAMgJ,EAAWhJ,KACjBD,UACAE,QACAL,oBACAC,sBACAC,mBACAI,gBAEQhB,EAAuB0K,UACjCZ,EAAWY,QAAW1K,EAAuB0K,SAajD,GAVgB,WAAZ7J,IACGb,EAAwB2K,WAAa/J,EAAyB,OACjEkJ,EAAWa,UAAW,SAIfb,EAAWa,UAIN,WAAZ9J,GAAwB6H,EAC1B,GAAiC,OAA5B1I,EAAc4K,UAEZrJ,EAAgBvB,KACnB8J,EAAWe,WAAc7K,EAAwB8K,UAC/CtC,EAAe1H,KACf0H,EAAeuC,eAGd,KAAM,cAAe/K,GAAI,CAE9B,IAAMgL,EAAiBhL,EAAwB8K,UAC7CtC,EAAe1H,KACf0H,EAAeuC,SAIXE,EAAcjF,SAASF,cAAc,UAC3CmF,EAAYrJ,MAAS5B,EAAwB4B,MAC7CqJ,EAAYnJ,OAAU9B,EAAwB8B,OAO1CkJ,IANuBC,EAAYH,UACrCtC,EAAe1H,KACf0H,EAAeuC,WAKfjB,EAAWe,WAAaG,GAK9B,GAAgB,QAAZnK,GAAqB4H,EAAc,CAChChG,IACHA,EAAgBiD,EAAII,cAAc,UAClCpD,EAAYD,EAAcf,WAAW,OAEvC,IAAMwJ,EAAQlL,EACRmL,EAAWD,EAAME,YACvBF,EAAME,YAAc,YACpB,IAAMC,EAAoB,WACxB,IACE5I,EAAeb,MAAQsJ,EAAMI,aAC7B7I,EAAeX,OAASoJ,EAAMK,cAC9B7I,EAAW8I,UAAUN,EAAO,EAAG,GAC/BpB,EAAWe,WAAapI,EAAeqI,UACrCtC,EAAe1H,KACf0H,EAAeuC,SAEjB,MAAOU,GACPC,QAAQC,KACN,yBAAyBT,EAAMU,uBAAsBH,GAGzDN,EACKrB,EAAWsB,YAAcD,SACnBrB,EAAWsB,aAGpBF,EAAMW,UAAmC,IAAvBX,EAAMI,aAAoBD,IAC3CH,EAAMY,OAAST,EAiBtB,GAdgB,UAAZxK,GAAmC,UAAZA,IACzBiJ,EAAWiC,cAAiB/L,EAAuBgM,OAC/C,SACA,SACJlC,EAAWmC,oBAAuBjM,EAAuBkM,aAGtDlM,EAAkBmM,aACrBrC,EAAWsC,cAAiBpM,EAAkBmM,YAE3CnM,EAAkBqM,YACrBvC,EAAWwC,aAAgBtM,EAAkBqM,WAG3C7C,EAAW,CACP,IAAA+C,EAAqBvM,EAAkBwM,wBAArC5K,UAAOE,YACfgI,EAAa,CACX2C,MAAO3C,EAAgB,MACvB4C,SAAa9K,OACb+K,UAAc7K,SAYlB,MARgB,WAAZjB,GAAyB8H,EAAgBmB,EAAW8C,OAChD5M,EAAwB6M,kBAG5B/C,EAAWgD,OAAShD,EAAW8C,YAE1B9C,EAAW8C,KAEb,CACL9L,KAAMhB,WAASiN,QACflM,UACAmJ,aACAb,WAAY,GACZ6D,OAvachF,EAuaMhI,EAtanBK,QAAuB,QAAf2H,EAAGnH,SAAsBmH,EAAkBiF,uBAsaflE,GACrCS,YACA1B,UAEJ,KAAK9H,EAAE2H,UAGL,IAAMuF,GACJlN,EAAE0H,YAAe1H,EAAE0H,WAA2B7G,QAC5C4J,GAAezK,EAAWyK,YACxB0C,GAA4B,UAAlBD,SAAmCnE,EAC7CqE,GAA6B,WAAlBF,SAAoCnE,EACrD,GAAIoE,IAAW1C,GAAa,CAC1B,IAEMzK,EAAEqN,aAAerN,EAAEsN,4BAKXtN,EAAE0H,WAAgCK,4BAAO9E,YACnDwH,IAhlBiB1C,EAilBd/H,EAAE0H,WAAgCK,OAhlBlC9E,SACTC,MAAMC,KAAK4E,EAAM9E,UACdG,KAAI,SAACI,GAAS,OAAAA,EAAKE,SAAW,MAC9BJ,KAAK,IACR,IA+kBI,MAAOmI,GACPC,QAAQC,KACN,wDAAwDF,EACxDzL,GAGJyK,GAAczG,EAAqByG,GAAa1E,KAelD,OAbIqH,KACF3C,GAAc,uBAGb0C,KACAC,IACDpG,EAAgBhH,EAAGkH,EAAeC,EAAkBC,IACpDqD,KAEAA,GAAcnC,EACVA,EAAWmC,IACXA,GAAYvG,QAAQ,QAAS,MAE5B,CACLpD,KAAMhB,WAASyN,KACf9C,YAAaA,IAAe,GAC5B0C,WACArF,UAEJ,KAAK9H,EAAEwN,mBACL,MAAO,CACL1M,KAAMhB,WAAS2N,MACfhD,YAAa,GACb3C,UAEJ,KAAK9H,EAAE0N,aACL,MAAO,CACL5M,KAAMhB,WAAS6N,QACflD,YAAczK,EAAcyK,aAAe,GAC3C3C,UAEJ,QACE,OAAO,GAIb,SAAS8F,EAAcC,GACrB,YAAkB9E,IAAd8E,EACK,GAECA,EAAqB1M,uBA+FjB2M,EACd9N,EACA6H,GA4BE,IAkDEiB,EAlDFpD,EAuBEmC,MAtBFzE,EAsBEyE,MArBFI,EAqBEJ,aApBFK,EAoBEL,gBAnBFM,EAmBEN,kBAlBFX,EAkBEW,gBAjBFV,EAiBEU,mBAhBFT,EAgBES,qBAfFrH,EAeEqH,YAfFkG,gBACA1F,EAcER,mBAdFO,gBACA1H,EAaEmH,oBAZFlH,EAYEkH,sBAXFU,EAWEV,mBAXFjH,aAAmB,KACnB0H,EAUET,aATF7G,EASE6G,cARFmG,EAQEnG,iBAPFkC,EAOElC,iBAPFW,aAAiB,KACjByB,EAMEpC,eANFY,gBACA8D,EAKE1E,eALFa,gBACAuF,EAIEpG,cAHFqG,EAGErG,eAFFsG,EAEEtG,oBAFFuG,aAAoB,MACpBC,EACExG,kBADFc,aAAkB,WAAM,OAAA,KAEpB2F,EAA8BzG,qBAA9B0G,gBACAC,EAAkB5G,EAAc5H,EAAG,CACvC0F,MACAuC,aACAC,gBACAC,kBACAjB,gBACAC,mBACAC,qBACAgB,mBACA1H,oBACAC,sBACAC,mBACA0H,aACAtH,cACAwH,iBACAC,eACAC,eACAC,oBAEF,IAAK6F,EAGH,OADA9C,QAAQC,KAAK3L,EAAG,kBACT,KAMP8I,EADE,SAAU9I,EACPA,EAAE4I,KAAKE,IA9KhB,SACE2F,EACAT,GAEA,GAAIA,EAAeU,SAAWD,EAAG3N,OAAShB,WAAS6N,QAEjD,OAAO,EACF,GAAIc,EAAG3N,OAAShB,WAASiN,QAAS,CACvC,GACEiB,EAAeW,SAEC,WAAfF,EAAG5N,SAEc,SAAf4N,EAAG5N,SACoB,YAAtB4N,EAAGzE,WAAWM,KACO,WAArBmE,EAAGzE,WAAW4E,IAEA,SAAfH,EAAG5N,SACoB,aAAtB4N,EAAGzE,WAAWM,KACgB,iBAAvBmE,EAAGzE,WAAW/F,MACrBwK,EAAGzE,WAAW/F,KAAK4K,SAAS,QAEhC,OAAO,EACF,GACLb,EAAec,cACE,SAAfL,EAAG5N,SAA4C,kBAAtB4N,EAAGzE,WAAWM,KACvB,SAAfmE,EAAG5N,UACD+M,EAAca,EAAGzE,WAAW9D,MAAMK,MACjC,sCAEsC,qBAAtCqH,EAAca,EAAGzE,WAAW9D,OACS,SAArC0H,EAAca,EAAGzE,WAAWM,MACS,qBAArCsD,EAAca,EAAGzE,WAAWM,MACS,kBAArCsD,EAAca,EAAGzE,WAAWM,OAElC,OAAO,EACF,GAAmB,SAAfmE,EAAG5N,QAAoB,CAChC,GACEmN,EAAee,sBACfnB,EAAca,EAAGzE,WAAW9D,MAAMK,MAAM,0BAExC,OAAO,EACF,GACLyH,EAAegB,iBACdpB,EAAca,EAAGzE,WAAWiF,UAAU1I,MAAM,sBAC3CqH,EAAca,EAAGzE,WAAW9D,MAAMK,MAAM,mBACF,cAAtCqH,EAAca,EAAGzE,WAAW9D,OAE9B,OAAO,EACF,GACL8H,EAAekB,iBACwB,WAAtCtB,EAAca,EAAGzE,WAAW9D,OACW,cAAtC0H,EAAca,EAAGzE,WAAW9D,OACU,YAAtC0H,EAAca,EAAGzE,WAAW9D,OAE9B,OAAO,EACF,GACL8H,EAAemB,wBACiBpG,IAAhC0F,EAAGzE,WAAW,cAId,OAAO,EACF,GACLgE,EAAeoB,qBACwB,WAAtCxB,EAAca,EAAGzE,WAAW9D,OACW,cAAtC0H,EAAca,EAAGzE,WAAW9D,OACU,cAAtC0H,EAAca,EAAGzE,WAAW9D,OACU,cAAtC0H,EAAca,EAAGzE,WAAW9D,OACU,WAAtC0H,EAAca,EAAGzE,WAAW9D,OAC5B0H,EAAca,EAAGzE,WAAWiF,UAAU1I,MAAM,cAC5CqH,EAAca,EAAGzE,WAAWiF,UAAU1I,MAAM,cAE9C,OAAO,EACF,GACLyH,EAAeqB,uBACwB,6BAAtCzB,EAAca,EAAGzE,WAAW9D,OACW,wBAAtC0H,EAAca,EAAGzE,WAAW9D,OACU,eAAtC0H,EAAca,EAAGzE,WAAW9D,OACU,oBAAtC0H,EAAca,EAAGzE,WAAW9D,OACU,cAAtC0H,EAAca,EAAGzE,WAAW9D,OACU,iBAAtC0H,EAAca,EAAGzE,WAAW9D,OACU,+BAAtC0H,EAAca,EAAGzE,WAAW9D,OAE9B,OAAO,GAIb,OAAO,EAwFLoJ,CAAgBd,EAAiBR,KAC/BO,GACAC,EAAgB1N,OAAShB,WAASyN,MACjCiB,EAAgBrB,SAChBqB,EAAgB/D,YAAYvG,QAAQ,cAAe,IAAI7C,QAz2BrDsB,KAHmB,EAk3B1B,IAAM4M,EAAiBC,OAAOC,OAAOjB,EAAiB,CAAE1F,OAExD,GADC9I,EAAY4I,KAAO2G,GAn3BM,IAo3BtBzG,EACF,OAAO,KAET1F,EAAI0F,GAAM9I,EACNiO,GACFA,EAAYjO,GAEd,IAAI0P,GAAe3B,EAOnB,GANIwB,EAAezO,OAAShB,WAASiN,UACnC2C,EAAcA,IAAgBH,EAAe/F,iBAEtC+F,EAAe/F,UACjBxJ,EAAkBM,aAAYiP,EAAeI,cAAe,KAGhEJ,EAAezO,OAAShB,WAASoJ,UAChCqG,EAAezO,OAAShB,WAASiN,UACnC2C,EACA,CAEE1B,EAAe4B,gBACfpB,EAAgB1N,OAAShB,WAASiN,SACN,SAA5ByB,EAAgB3N,UAGhB0N,GAAqB,GA4BvB,IA1BA,IAAMsB,EAAgB,CACpBnK,MACAtC,MACA6E,aACAC,gBACAC,kBACAjB,gBACAC,mBACAC,qBACA2G,YACA3F,mBACA1H,oBACAC,sBACAC,mBACA0H,aACAtH,cACAgN,iBACAxF,iBACAC,eACAC,eACA6F,qBACAN,cACAC,eACAE,oBACAzF,uBAEmBmH,EAAA5M,MAAMC,KAAKnD,EAAEmJ,YAAb/D,WAAAA,IAA0B,EACvC2K,EAAsBjC,OAA4B+B,KAEtDN,EAAepG,WAAW7D,KAAKyK,GAInC,GAAIhQ,EAAUC,IAAMA,EAAEM,WACpB,IAAqB,QAAA0P,EAAA9M,MAAMC,KAAKnD,EAAEM,WAAW6I,YAAxB8G,WAAAA,IAAqC,CAArD,IACGF,GAAAA,EAAsBjC,OAA4B+B,MAEtDE,EAAoBG,UAAW,EAC/BX,EAAepG,WAAW7D,KAAKyK,KAuDvC,OAjDI/P,EAAE0H,YAAcvH,EAAaH,EAAE0H,cACjC6H,EAAeW,UAAW,GAI1BX,EAAezO,OAAShB,WAASiN,SACN,WAA3BwC,EAAe1O,SAtoBnB,SACEsP,EACAC,EACAhC,GAEA,IAAMiC,EAAMF,EAASG,cACrB,GAAKD,EAAL,CAIA,IAEIE,EAFAC,GAAQ,EAGZ,IACED,EAAaF,EAAIrK,SAASuK,WAC1B,MAAOhN,GACP,OAEF,GAAmB,aAAfgN,EAAJ,CAeA,IAAME,EAAW,cAEfJ,EAAIK,SAASzM,OAASwM,GACtBN,EAASvD,MAAQ6D,GACA,KAAjBN,EAASvD,IAQXuD,EAASQ,iBAAiB,OAAQP,GAJhCQ,WAAWR,EAAU,OAvBvB,CACE,IAAMS,EAAQD,YAAW,WAClBJ,IACHJ,IACAI,GAAQ,KAETpC,GACH+B,EAASQ,iBAAiB,QAAQ,WAChCG,aAAaD,GACbL,GAAQ,EACRJ,SA4mBFW,CACE/Q,GACA,WACE,IAAMgR,EAAahR,EAAwB6M,gBAC3C,GAAImE,GAAa9C,EAAc,CAC7B,IAAM+C,EAAuBnD,EAAoBkD,EAAW,CAC1DtL,IAAKsL,EACL5N,MACA6E,aACAC,gBACAC,kBACAjB,gBACAC,mBACAC,qBACA2G,WAAW,EACX3F,mBACA1H,oBACAC,sBACAC,mBACA0H,aACAtH,cACAgN,iBACAxF,iBACAC,eACAC,eACA6F,qBACAN,cACAC,eACAE,oBACAzF,oBAGEsI,GACF/C,EAAalO,EAAYiR,MAI/B7C,GAIGmB,ECpyBT,IAAM2B,EAAY,2CAEFC,EAAMC,EAAavJ,gBAAAA,MAKjC,IAAIwJ,EAAS,EACTC,EAAS,EAMb,SAASC,EAAeC,GACtB,IAAMC,EAAQD,EAAIjL,MAAM,OACpBkL,IACFJ,GAAUI,EAAMpQ,QAElB,IAAIqQ,EAAIF,EAAIG,YAAY,MACxBL,GAAgB,IAAPI,EAAWJ,EAASE,EAAInQ,OAASmQ,EAAInQ,OAASqQ,EAOzD,SAASE,IACP,IAAMC,EAAQ,CAAEC,KAAMT,EAAQC,UAC9B,OAAO,SACLrK,GAIA,OAFAA,EAAK2K,SAAW,IAAIG,EAASF,GAC7BG,IACO/K,GAQX,MAME,SAAY4K,GACVI,KAAKJ,MAAQA,EACbI,KAAKC,IAAM,CAAEJ,KAAMT,EAAQC,UAC3BW,KAAKE,OAAStK,EAAQsK,QAQ1BJ,EAASK,UAAUC,QAAUjB,EAE7B,IAAMkB,EAA4B,GAElC,SAAS/O,EAAMgP,GACb,IAAM9G,EAAM,IAAI+G,MACd3K,EAAQsK,OAAS,IAAMd,EAAS,IAAMC,EAAS,KAAOiB,GAQxD,GANA9G,EAAIgH,OAASF,EACb9G,EAAIiH,SAAW7K,EAAQsK,OACvB1G,EAAIqG,KAAOT,EACX5F,EAAI6F,OAASA,EACb7F,EAAI0G,OAASf,GAETvJ,EAAQ8K,OAGV,MAAMlH,EAFN6G,EAAWhN,KAAKmG,GA2BpB,SAASmH,IACP,OAAOrM,EAAM,SAOf,SAASsM,IACP,OAAOtM,EAAM,MAOf,SAASvD,IACP,IAAIiE,EACEjE,EAAgB,GAGtB,IAFAgP,IACAc,EAAS9P,GACFoO,EAAI/P,QAA4B,MAAlB+P,EAAItK,OAAO,KAAeG,EAAO8L,KAAYvP,OACnD,IAATyD,IACFjE,EAAMsC,KAAK2B,GACX6L,EAAS9P,IAGb,OAAOA,EAOT,SAASuD,EAAMyM,GACb,IAAMC,EAAID,EAAGxM,KAAK4K,GAClB,GAAK6B,EAAL,CAGA,IAAMzB,EAAMyB,EAAE,GAGd,OAFA1B,EAAeC,GACfJ,EAAMA,EAAIrM,MAAMyM,EAAInQ,QACb4R,GAOT,SAASjB,IACPzL,EAAM,QAOR,SAASuM,EAAS9P,GAChB,IAAI6D,EACJ,iBAFgB7D,MAER6D,EAAI6H,MACA,IAAN7H,GACF7D,EAAMsC,KAAKuB,GAEbA,EAAI6H,IAEN,OAAO1L,EAOT,SAAS0L,IACP,IAAMvI,EAAMyL,IACZ,GAAI,MAAQR,EAAItK,OAAO,IAAM,MAAQsK,EAAItK,OAAO,GAAhD,CAKA,IADA,IAAI4K,EAAI,EAEN,KAAON,EAAItK,OAAO4K,KACjB,MAAQN,EAAItK,OAAO4K,IAAM,MAAQN,EAAItK,OAAO4K,EAAI,OAE/CA,EAIJ,GAFAA,GAAK,EAED,KAAON,EAAItK,OAAO4K,EAAI,GACxB,OAAOnO,EAAM,0BAGf,IAAMiO,EAAMJ,EAAIrM,MAAM,EAAG2M,EAAI,GAM7B,OALAJ,GAAU,EACVC,EAAeC,GACfJ,EAAMA,EAAIrM,MAAM2M,GAChBJ,GAAU,EAEHnL,EAAI,CACTrF,KAAM,UACN4N,QAAS8C,KAQb,SAAS0B,IACP,IAAMD,EAAI1M,EAAM,YAChB,GAAK0M,EAKL,OAAOrN,EAAKqN,EAAE,IACX/O,QAAQ,+CAAgD,IACxDA,QAAQ,oCAAoC,SAAC+O,GAC5C,OAAOA,EAAE/O,QAAQ,KAAM,QAExBY,MAAM,sBACN1B,KAAI,SAACL,GACJ,OAAOA,EAAEmB,QAAQ,UAAW,QAQlC,SAASiP,IACP,IAAMhN,EAAMyL,IAGRwB,EAAY7M,EAAM,4CACtB,GAAK6M,EAAL,CAGA,IAAMC,EAAOzN,EAAKwN,EAAU,IAG5B,IAAK7M,EAAM,SACT,OAAOhD,EAAM,wBAIf,IAAM+P,EAAM/M,EAAM,yDAEZgN,EAAMpN,EAAI,CACdrF,KAAM,cACNmO,SAAUoE,EAAKnP,QAAQgN,EAAW,IAClCnQ,MAAOuS,EAAM1N,EAAK0N,EAAI,IAAIpP,QAAQgN,EAAW,IAAM,KAMrD,OAFA3K,EAAM,WAECgN,GAOT,SAASC,IACP,IAQIC,EAREC,EAAuB,GAE7B,IAAKd,IACH,OAAOrP,EAAM,eAMf,IAJAuP,EAASY,GAIDD,EAAON,MACa,IAArBM,IACHC,EAAMpO,KAAKmO,GACXX,EAASY,IAEXD,EAAON,IAGT,OAAKN,IAGEa,EAFEnQ,EAAM,eASjB,SAASoQ,IAKP,IAJA,IAAIV,EACEW,EAAO,GACPzN,EAAMyL,IAEJqB,EAAI1M,EAAM,wCAChBqN,EAAKtO,KAAK2N,EAAE,IACZ1M,EAAM,SAGR,GAAKqN,EAAKvS,OAIV,OAAO8E,EAAI,CACTrF,KAAM,WACN+S,OAAQD,EACRJ,aAAcA,MAkQlB,IAleQM,EAkeFC,EAAWC,EAAe,UAM1BC,EAAYD,EAAe,WAM3BE,EAAcF,EAAe,aAMnC,SAASA,EAAe9N,GACtB,IAAM8M,EAAK,IAAInQ,OAAO,KAAOqD,EAAO,gBACpC,OAAO,WACL,IAAMC,EAAMyL,IACNqB,EAAI1M,EAAMyM,GAChB,GAAKC,EAAL,CAGA,IAAMM,EAA8B,CAAEzS,KAAMoF,GAE5C,OADAqN,EAAIrN,GAAQ+M,EAAE,GAAGrN,OACVO,EAAIoN,KAQf,SAASR,IACP,GAAe,MAAX3B,EAAI,GAIR,OAnSF,WACE,IAAMjL,EAAMyL,IACRqB,EAAI1M,EAAM,2BAEd,GAAK0M,EAAL,CAGA,IAAMkB,EAASlB,EAAE,GAIjB,KADAA,EAAI1M,EAAM,iBAER,OAAOhD,EAAM,2BAEf,IAMI6Q,EANElO,EAAO+M,EAAE,GAEf,IAAKL,IACH,OAAOrP,EAAM,0BAKf,IADA,IAAI8Q,EAASvB,IACLsB,EAAQT,KACdU,EAAO/O,KAAK8O,GACZC,EAASA,EAAOC,OAAOxB,KAGzB,OAAKD,IAIE1M,EAAI,CACTrF,KAAM,YACNoF,OACAiO,SACAI,UAAWF,IAPJ9Q,EAAM,2BAwQbiR,IA/LJ,WACE,IAAMrO,EAAMyL,IACNqB,EAAI1M,EAAM,oBAEhB,GAAK0M,EAAL,CAGA,IAAMwB,EAAQ7O,EAAKqN,EAAE,IAErB,IAAKL,IACH,OAAOrP,EAAM,sBAGf,IAAMmR,EAAQ5B,IAAWwB,OAAOtR,KAEhC,OAAK6P,IAIE1M,EAAI,CACTrF,KAAM,QACN2T,QACAzR,MAAO0R,IANAnR,EAAM,uBAgLboR,IAlKJ,WACE,IAAMxO,EAAMyL,IACNqB,EAAI1M,EAAM,2CAChB,GAAK0M,EAIL,OAAO9M,EAAI,CACTrF,KAAM,eACNoF,KAAMN,EAAKqN,EAAE,IACbwB,MAAO7O,EAAKqN,EAAE,MAyJd2B,IA3PJ,WACE,IAAMzO,EAAMyL,IACNqB,EAAI1M,EAAM,uBAEhB,GAAK0M,EAAL,CAGA,IAAM4B,EAAWjP,EAAKqN,EAAE,IAExB,IAAKL,IACH,OAAOrP,EAAM,yBAGf,IAAMmR,EAAQ5B,IAAWwB,OAAOtR,KAEhC,OAAK6P,IAIE1M,EAAI,CACTrF,KAAM,WACN+T,WACA7R,MAAO0R,IANAnR,EAAM,0BA4ObuR,IACAf,KACAE,KACAC,KAjHJ,WACE,IAAM/N,EAAMyL,IACNqB,EAAI1M,EAAM,gCAChB,GAAK0M,EAAL,CAIA,IAAMkB,EAASvO,EAAKqN,EAAE,IAChBvN,EAAME,EAAKqN,EAAE,IAEnB,IAAKL,IACH,OAAOrP,EAAM,yBAGf,IAAMmR,EAAQ5B,IAAWwB,OAAOtR,KAEhC,OAAK6P,IAIE1M,EAAI,CACTrF,KAAM,WACNkF,SAAUN,EACVyO,SACAnR,MAAO0R,IAPAnR,EAAM,0BAiGbwR,IAtJJ,WACE,IAAM5O,EAAMyL,IAEZ,GADUrL,EAAM,YAChB,CAIA,IAAMyO,EAAM9B,KAAc,GAE1B,IAAKN,IACH,OAAOrP,EAAM,qBAMf,IAJA,IAGIkQ,EAHAC,EAAQZ,IAIJW,EAAON,KACbO,EAAMpO,KAAKmO,GACXC,EAAQA,EAAMY,OAAOxB,KAGvB,OAAKD,IAIE1M,EAAI,CACTrF,KAAM,OACNmU,UAAWD,EACXxB,aAAcE,IANPnQ,EAAM,sBAiIb2R,IAnOJ,WACE,IAAM/O,EAAMyL,IAGZ,GAFUrL,EAAM,aAEhB,CAIA,IAAKqM,IACH,OAAOrP,EAAM,qBAGf,IAAMmR,EAAQ5B,IAAWwB,OAAOtR,KAEhC,OAAK6P,IAIE1M,EAAI,CACTrF,KAAM,OACNkC,MAAO0R,IALAnR,EAAM,sBAqNb4R,IApFJ,WACE,IAAMhP,EAAMyL,IAEZ,GADUrL,EAAM,kBAChB,CAIA,IAAKqM,IACH,OAAOrP,EAAM,0BAMf,IAJA,IAGIkQ,EAHAC,EAAQZ,IAIJW,EAAON,KACbO,EAAMpO,KAAKmO,GACXC,EAAQA,EAAMY,OAAOxB,KAGvB,OAAKD,IAIE1M,EAAI,CACTrF,KAAM,YACN0S,aAAcE,IALPnQ,EAAM,2BAiEb6R,GAQJ,SAAS5R,IACP,IAAM2C,EAAMyL,IACNoD,EAAM9B,IAEZ,OAAK8B,GAGLlC,IAEO3M,EAAI,CACTrF,KAAM,OACNmU,UAAWD,EACXxB,aAAcA,OAPPjQ,EAAM,oBAWjB,OAAO8R,GA9iBCvB,EAAY9Q,IAEX,CACLlC,KAAM,aACNqJ,WAAY,CACVgI,OAAQtK,EAAQsK,OAChBnP,MAAO8Q,EACPwB,cAAehD,MA8iBvB,SAAS1M,EAAK4L,GACZ,OAAOA,EAAMA,EAAItN,QAAQ,aAAc,IAAM,GAO/C,SAASmR,EAAUE,EAAiBC,GAIlC,IAHA,IAAMC,EAASF,GAA2B,iBAAbA,EAAIzU,KAC3B4U,EAAcD,EAASF,EAAMC,MAEnBhV,EAAAgP,OAAOmG,KAAKJ,GAAZnQ,WAAAA,IAAkB,CAA7B,IACGrE,EAAQwU,QACVrS,MAAM0S,QAAQ7U,GAChBA,EAAM8U,SAAQ,SAACC,GACbT,EAAUS,EAAGJ,MAEN3U,GAA0B,iBAAVA,GACzBsU,EAAWtU,EAAiC2U,GAahD,OATID,GACFjG,OAAOuG,eAAeR,EAAK,SAAU,CACnCS,cAAc,EACdC,UAAU,EACVC,YAAY,EACZnV,MAAOyU,GAAU,OAIdD,EC/3BT,IAAMY,EAAiB,CACrBxH,OAAQ,WAERyH,SAAU,WACVC,YAAa,cACbC,aAAc,eACdC,aAAc,eACdC,cAAe,gBACfC,iBAAkB,mBAClBC,SAAU,WACVC,QAAS,UACTC,cAAe,gBACfC,oBAAqB,sBACrBC,YAAa,cACbC,iBAAkB,mBAClBC,kBAAmB,oBACnBC,kBAAmB,oBACnBC,eAAgB,iBAChBC,aAAc,eACdC,QAAS,UACTC,QAAS,UACTC,QAAS,UACTC,QAAS,UACTC,QAAS,UACTC,eAAgB,iBAChBC,QAAS,UACTC,QAAS,UACTC,YAAa,cACbC,aAAc,eACdC,SAAU,WACVC,aAAc,eACdC,mBAAoB,qBACpBC,YAAa,cACbC,OAAQ,SACRC,aAAc,eACdC,cAAe,gBACfC,SAAU,WACVC,eAAgB,iBAChBC,eAAgB,kBAelB,IAAMC,EAAiB,gBACjBC,EAAwB,IAAI5V,OAAO2V,EAAerG,OAAQ,cAChDuG,EAAchV,EAAiBiV,GAC7C,IAAMC,EAAcD,MAAAA,SAAAA,EAAOE,qBAAqBC,IAAIpV,GACpD,GAAIkV,EAAa,OAAOA,EAExB,IAAMG,EAAM5H,EAAMzN,EAAS,CACzBiP,QAAQ,IAGV,IAAKoG,EAAI5O,WACP,OAAOzG,EAGT,IAAMuR,EAAsB,GAW5B,GAVA8D,EAAI5O,WAAWnH,MAAM6S,SAAQ,SAACrS,GACxB,cAAeA,IAChBA,EAAKyR,WAAa,IAAIY,SAAQ,SAAC3C,GAC1BsF,EAAe5T,KAAKsO,IACtB+B,EAAU3P,KAAK4N,SAME,IAArB+B,EAAU5T,OACZ,OAAOqC,EAGT,IAAMsV,EAAkB,IAAInW,OAC1BoS,EACGgE,QAAO,SAAC/F,EAAUgG,GAAU,OAAAjE,EAAUpQ,QAAQqO,KAAcgG,KAC5DC,MAAK,SAACtT,EAAGuT,GAAM,OAAAA,EAAE/X,OAASwE,EAAExE,UAC5B+B,KAAI,SAAC8P,GACJ,OAAoBA,EArCfhP,QAAQ,sBAAuB,WAuCrCZ,KAAK,KACR,KAGI+V,EAAS3V,EAAQQ,QAAQ8U,GAAiB,SAAC9F,GAC/C,IAAMoG,EAAcpG,EAAShP,QAAQuU,EAAuB,eAC5D,OAAUvF,OAAaoG,KAGzB,OADAX,MAAAA,GAAAA,EAAOE,qBAAqBU,IAAI7V,EAAS2V,GAClCA,EAUT,SAASG,EACPxZ,EACA6H,GAMQ,IAAAnC,EAAwBmC,MAAnB4R,EAAmB5R,UAAV8Q,EAAU9Q,QAChC,OAAQ7H,EAAEc,MACR,KAAKhB,WAASoJ,SACZ,OAAOxD,EAAIgU,eAAeC,eAAe,KAAM,GAAI,MACrD,KAAK7Z,WAASuJ,aACZ,OAAO3D,EAAIgU,eAAeE,mBACxB5Z,EAAEkG,MAAQ,OACVlG,EAAEsJ,SACFtJ,EAAEuJ,UAEN,KAAKzJ,WAASiN,QACZ,IACI8M,EADEhZ,EAvFZ,SAAoBb,GAClB,IAAIa,EAAUsV,EAAOnW,EAAEa,SAAWsV,EAAOnW,EAAEa,SAAWb,EAAEa,QAIxD,MAHgB,SAAZA,GAAsBb,EAAEgK,WAAWO,WACrC1J,EAAU,SAELA,EAkFaiZ,CAAW9Z,GAGzB6Z,EADE7Z,EAAEgN,MACGtH,EAAIqU,gBAAgB,6BAA8BlZ,GAElD6E,EAAII,cAAcjF,kBAEhBqJ,GACT,IAAKlK,EAAEgK,WAAWgQ,eAAe9P,oBAGjC,IAAInJ,EAAQf,EAAEgK,WAAWE,GACzB,GAAgB,WAAZrJ,GAAiC,aAATqJ,IAAiC,IAAVnJ,mBAOnD,GAHAA,EACmB,kBAAVA,GAAwC,iBAAVA,EAAqB,GAAKA,EAE5DmJ,EAAK+P,WAAW,OAkEd,CAEL,GAAgB,WAAZpZ,GAAiC,eAATqJ,EAAuB,CACjD,IAAMgB,EAAQlF,SAASF,cAAc,OACrCoF,EAAM0B,IAAM7L,EACZmK,EAAMY,OAAS,WACb,IAAMrK,EAAOoY,EAA2BnY,WAAW,MAC/CD,GACFA,EAAI+J,UAAUN,EAAO,EAAG,EAAGA,EAAMtJ,MAAOsJ,EAAMpJ,cAG7C,GAAgB,QAAZjB,GAA8B,eAATqJ,EAAuB,CACrD,IAAMgQ,EAAQL,EACTK,EAAMtO,WAAWqO,WAAW,WAE/BC,EAAMC,aACJ,qBACAna,EAAEgK,WAAW4C,KAEfsN,EAAMtN,IAAM7L,GAIhB,GAAa,aAATmJ,EACD2P,EAAqBnF,MAAM9S,MAAQb,OAC/B,GAAa,cAATmJ,EACR2P,EAAqBnF,MAAM5S,OAASf,OAChC,GAAa,wBAATmJ,EACR2P,EAA0B3N,YAAclM,EAAEgK,WACxCiC,yBACE,GAAa,kBAAT/B,EACT,OAAQnJ,GACN,IAAK,SACF8Y,EACEO,OACK,OAAC,SAACC,GAAM,OAAA3O,QAAQC,KAAK,uBAAwB0O,MACrD,MACF,IAAK,SACFR,EAA0BS,aAxGN,CAC3B,IAAMC,EAAyB,aAAZ1Z,GAAmC,UAATqJ,EACvCsQ,EACQ,UAAZ3Z,GAAgC,aAATqJ,EAIzB,GAHIsQ,GAAwBf,IAC1B1Y,EAAQ2X,EAAc3X,EAAO4X,IAE3B4B,GAAcC,EAAsB,CAGtC,IAFA,IAAMC,EAAQ/U,EAAIgV,eAAe3Z,OAEjBP,EAAA0C,MAAMC,KAAK0W,EAAK1Q,YAAhB/D,WAAAA,IAA6B,CAAxC,IAAMyB,OACLA,EAAE5G,WAAa4Z,EAAKlS,WACtBkS,EAAKc,YAAY9T,UAGrBgT,EAAKe,YAAYH,cAInB,IACE,GAAIza,EAAEgN,OAAkB,eAAT9C,EACb2P,EAAKgB,eAAe,+BAAgC3Q,EAAMnJ,QACrD,GACI,WAATmJ,GACS,YAATA,GACyB,YAAzBA,EAAKzD,UAAU,EAAG,GAKlBoT,EAAKM,aAAa,IAAMjQ,EAAMnJ,OACzB,CAAA,GACO,SAAZF,GAC+B,4BAA/Bb,EAAEgK,WAAW,eACJ,YAATE,SAIA2P,EAAKM,aAAa,cAAepZ,cAGrB,SAAZF,GACqB,YAArBb,EAAEgK,WAAWM,KACO,WAApBtK,EAAEgK,WAAW4E,IAID,SAAZ/N,GACqB,aAArBb,EAAEgK,WAAWM,KACgB,iBAAtBtK,EAAEgK,WAAW/F,MACpBjE,EAAEgK,WAAW/F,KAAK4K,SAAS,SAIf,QAAZhO,GACAb,EAAEgK,WAAW8Q,QACb9a,EAAEgK,WAAWa,WAGbgP,EAAKM,aAAa,wBAAyBna,EAAEgK,WAAW8Q,QAExDjB,EAAKM,aAAajQ,EAAMnJ,KAE1B,MAAOwC,OA3Eb,IAAK,IAAM2G,KAAQlK,EAAEgK,aAAVE,GA4HX,GAAIlK,EAAE2P,aAWJ,GAAKkK,EAAKvZ,WAGR,KAAOuZ,EAAKvZ,WAAWya,YACrBlB,EAAKvZ,WAAWqa,YAAYd,EAAKvZ,WAAWya,iBAH9ClB,EAAKmB,aAAa,CAAEC,KAAM,SAO9B,OAAOpB,EACT,KAAK/Z,WAASyN,KACZ,OAAO7H,EAAIgV,eACT1a,EAAEmN,SAAWsM,EACTf,EAAc1Y,EAAEyK,YAAakO,GAC7B3Y,EAAEyK,aAEV,KAAK3K,WAAS2N,MACZ,OAAO/H,EAAIwV,mBAAmBlb,EAAEyK,aAClC,KAAK3K,WAAS6N,QACZ,OAAOjI,EAAIyV,cAAcnb,EAAEyK,aAC7B,QACE,OAAO,eAIG2Q,EACdpb,EACA6H,GAUE,IAAAnC,EAMEmC,MALFzE,EAKEyE,MAJFrH,EAIEqH,YAJFkG,gBACA1F,EAGER,UAHF4R,gBACA4B,EAEExT,cADF8Q,EACE9Q,QACAZ,EAAOuS,EAAUxZ,EAAG,CAAE0F,MAAK+T,UAASd,UACxC,IAAK1R,EACH,OAAO,KAyCT,GAvCIjH,EAAE8H,QACJ4D,QAAQ4P,OACJlY,EAAIpD,EAAE8H,UAAqCpC,EAC7C,gDAIA1F,EAAEc,OAAShB,WAASoJ,WAEtBxD,EAAImN,QACJnN,EAAIkN,OAEe,eAAjB5S,EAAEiJ,YACFjJ,EAAEmJ,YACFnJ,EAAEmJ,WAAW,GAAGrI,OAAShB,WAASuJ,eAKhCrJ,EAAEmJ,WAAW,GAAGrI,OAAShB,WAASiN,SAClC,UAAW/M,EAAEmJ,WAAW,GAAGa,YACU,iCAArChK,EAAEmJ,WAAW,GAAGa,WAAWuR,MAG3B7V,EAAI8V,MACF,sEAGF9V,EAAI8V,MACF,sEAINvU,EAAOvB,GAGRuB,EAAe2B,KAAO5I,EACvBoD,EAAIpD,EAAE8I,IAAM7B,GAGTjH,EAAEc,OAAShB,WAASoJ,UAAYlJ,EAAEc,OAAShB,WAASiN,WACpDgB,EAED,IAAqB,QAAAxF,EAAAvI,EAAEmJ,WAAF/D,WAAAA,IAAc,CAA9B,IAAMqW,OACHC,EAAYN,EAAgBK,EAAQ,CACxC/V,MACAtC,MACA2K,WAAW,EACX0L,UACA4B,cACA1C,UAEG+C,GAKDD,EAAOvL,UAAYnQ,EAAUkH,IAASA,EAAK3G,WAC7C2G,EAAK3G,WAAWsa,YAAYc,GAE5BzU,EAAK2T,YAAYc,GAEfL,GACFA,EAAYK,IAVZhQ,QAAQC,KAAK,oBAAqB8P,GAexC,OAAOxU,yBFnXmB,qEA8nC1BtE,EAAM,4BEpiCN,MAAO,CACLkW,qBAFgD,IAAI8C,0GA6TxD,SACE3b,EACA6H,GAQQ,IAAAnC,EAAqDmC,MAAhD+T,EAAgD/T,UAAvCrH,EAAuCqH,UACvDgU,EAAuB,GACvB5U,EAAOmU,EAAgBpb,EAAG,CAC9B0F,MACAtC,IAAKyY,EACL9N,WAAW,EACX0L,sBACA4B,YAP2DxT,cAQ3D8Q,MAR2D9Q,UAgB7D,OA1DF,SAAegU,EAAsBD,GAKnC,IAAK,IAAME,KAAOD,EACZA,EAAUC,KALF7U,EAML4U,EAAUC,GALjBF,EAAQ3U,IADV,IAAcA,EAmDd8U,CAAMF,GAAW,SAACG,GACZJ,GACFA,EAAQI,GA1Cd,SAAsB/U,GACpB,IAAMjH,EAAIiH,EAAK2B,KACf,GAAI5I,EAAEc,OAAShB,WAASiN,QAAxB,CAGA,IAAM/E,EAAMf,EACZ,IAAK,IAAMgV,KAAQjc,EAAEgK,WACnB,GAAMhK,EAAEgK,WAAWgQ,eAAeiC,IAASA,EAAKhC,WAAW,OAA3D,CAGA,IAAMlZ,EAAQf,EAAEgK,WAAWiS,GACd,kBAATA,IACFjU,EAAGmE,WAAapL,GAEL,iBAATkb,IACFjU,EAAGqE,UAAYtL,KA6BjBmb,CAAaF,MAER,CAAC/U,EAAM4U,uCF+jBhB,SACE7b,EACA6H,GAwBM,IAAArH,EAsBFqH,GAAW,GArBbQ,eAAAJ,aAAa,aACbM,kBAAAL,aAAgB,OAChB6B,oBAAA5B,aAAkB,OAClB8B,kBAAA/C,aAAgB,YAChBqF,qBAAApF,aAAmB,OACnBgH,uBAAA/G,aAAqB,OACrBiH,qBAAAjG,gBACAkG,iBAAA7F,gBACAqH,iBAAApH,gBACAuH,sBAAAvP,aAAoB,OACpBsP,wBAAArP,aAAsB,OACtBwb,kBAAAC,gBACA9T,eACAtH,gBACAqb,YAAAC,gBACA9T,mBACA+F,uBACAN,gBACAC,iBACAE,sBACAmO,oBAEIV,EAAuB,GA4C7B,MAAO,CACL/N,EAAoB9N,EAAG,CACrB0F,IAAK1F,EACLoD,IAAKyY,EACL5T,aACAC,gBACAC,kBACAjB,gBACAC,mBACAC,qBACA2G,WAAW,EACX3F,mBACA1H,oBACAC,sBACAC,kBAxDgB,IAAlBwb,EACI,CACEI,OAAO,EACPC,MAAM,EACN,kBAAkB,EAClBC,OAAO,EACPC,OAAO,EACPC,QAAQ,EACRC,OAAO,EACPC,QAAQ,EACRC,KAAK,EACL9b,MAAM,EACN+b,MAAM,EACNvY,KAAK,EACLwY,MAAM,EACNC,UAAU,EACVC,QAAQ,EACRC,UAAU,IAEM,IAAlBhB,EACA,CACEgB,UAAU,GAEZhB,EAkCF9T,aACAtH,cACAgN,gBAlCU,IAAZsO,GAAgC,QAAZA,EAEhB,CACE3N,QAAQ,EACRD,SAAS,EACTI,aAAa,EACbc,gBAAgB,EAChBb,qBAAkC,QAAZuN,EACtBtN,gBAAgB,EAChBE,gBAAgB,EAChBC,mBAAmB,EACnBC,oBAAoB,EACpBC,sBAAsB,IAEZ,IAAZiN,EACA,GACAA,EAmBF9T,iBACAC,eACAC,eACA6F,qBACAN,cACAC,eACAE,oBACAzF,2BAvEgB,WAAM,OAAA,OAyExBkT,oDAKF5U,EACA2U,IAEA,SAASyB,EAAKC,GACZ1B,EAAQ0B,GAENA,EAAQxc,OAAShB,WAASoJ,UAC1BoU,EAAQxc,OAAShB,WAASiN,SAE1BuQ,EAAQnU,WAAW0M,QAAQwH,GAI/BA,CAAKpW"} +\ No newline at end of file +diff --git a/node_modules/rrweb-snapshot/es/rrweb-snapshot.js b/node_modules/rrweb-snapshot/es/rrweb-snapshot.js +old mode 100644 +new mode 100755 +index f0c4ce2..831c6c8 +--- a/node_modules/rrweb-snapshot/es/rrweb-snapshot.js ++++ b/node_modules/rrweb-snapshot/es/rrweb-snapshot.js +@@ -17,10 +17,14 @@ function isShadowRoot(n) { + return Boolean(host && host.shadowRoot && host.shadowRoot === n); + } + function maskInputValue(_a) { +- var maskInputOptions = _a.maskInputOptions, tagName = _a.tagName, type = _a.type, value = _a.value, maskInputFn = _a.maskInputFn; ++ var input = _a.input, maskInputSelector = _a.maskInputSelector, unmaskInputSelector = _a.unmaskInputSelector, maskInputOptions = _a.maskInputOptions, tagName = _a.tagName, type = _a.type, value = _a.value, maskInputFn = _a.maskInputFn; + var text = value || ''; ++ if (unmaskInputSelector && input.matches(unmaskInputSelector)) { ++ return text; ++ } + if (maskInputOptions[tagName.toLowerCase()] || +- maskInputOptions[type]) { ++ maskInputOptions[type] || ++ (maskInputSelector && input.matches(maskInputSelector))) { + if (maskInputFn) { + text = maskInputFn(text); + } +@@ -247,7 +251,10 @@ function transformAttribute(doc, tagName, name, value) { + return value; + } + } +-function _isBlockedElement(element, blockClass, blockSelector) { ++function _isBlockedElement(element, blockClass, blockSelector, unblockSelector) { ++ if (unblockSelector && element.matches(unblockSelector)) { ++ return false; ++ } + if (typeof blockClass === 'string') { + if (element.classList.contains(blockClass)) { + return true; +@@ -266,11 +273,16 @@ function _isBlockedElement(element, blockClass, blockSelector) { + } + return false; + } +-function needMaskingText(node, maskTextClass, maskTextSelector) { ++function needMaskingText(node, maskTextClass, maskTextSelector, unmaskTextSelector) { + if (!node) { + return false; + } + if (node.nodeType === node.ELEMENT_NODE) { ++ if (unmaskTextSelector) { ++ if (node.matches(unmaskTextSelector) || node.closest(unmaskTextSelector)) { ++ return false; ++ } ++ } + if (typeof maskTextClass === 'string') { + if (node.classList.contains(maskTextClass)) { + return true; +@@ -289,12 +301,12 @@ function needMaskingText(node, maskTextClass, maskTextSelector) { + return true; + } + } +- return needMaskingText(node.parentNode, maskTextClass, maskTextSelector); ++ return needMaskingText(node.parentNode, maskTextClass, maskTextSelector, unmaskTextSelector); + } + if (node.nodeType === node.TEXT_NODE) { +- return needMaskingText(node.parentNode, maskTextClass, maskTextSelector); ++ return needMaskingText(node.parentNode, maskTextClass, maskTextSelector, unmaskTextSelector); + } +- return needMaskingText(node.parentNode, maskTextClass, maskTextSelector); ++ return needMaskingText(node.parentNode, maskTextClass, maskTextSelector, unmaskTextSelector); + } + function onceIframeLoaded(iframeEl, listener, iframeLoadTimeout) { + var win = iframeEl.contentWindow; +@@ -334,7 +346,7 @@ function onceIframeLoaded(iframeEl, listener, iframeLoadTimeout) { + } + function serializeNode(n, options) { + var _a; +- var doc = options.doc, blockClass = options.blockClass, blockSelector = options.blockSelector, maskTextClass = options.maskTextClass, maskTextSelector = options.maskTextSelector, inlineStylesheet = options.inlineStylesheet, _b = options.maskInputOptions, maskInputOptions = _b === void 0 ? {} : _b, maskTextFn = options.maskTextFn, maskInputFn = options.maskInputFn, _c = options.dataURLOptions, dataURLOptions = _c === void 0 ? {} : _c, inlineImages = options.inlineImages, recordCanvas = options.recordCanvas, keepIframeSrcFn = options.keepIframeSrcFn; ++ var doc = options.doc, blockClass = options.blockClass, blockSelector = options.blockSelector, unblockSelector = options.unblockSelector, maskTextClass = options.maskTextClass, maskTextSelector = options.maskTextSelector, unmaskTextSelector = options.unmaskTextSelector, inlineStylesheet = options.inlineStylesheet, maskInputSelector = options.maskInputSelector, unmaskInputSelector = options.unmaskInputSelector, _b = options.maskInputOptions, maskInputOptions = _b === void 0 ? {} : _b, maskTextFn = options.maskTextFn, maskInputFn = options.maskInputFn, _c = options.dataURLOptions, dataURLOptions = _c === void 0 ? {} : _c, inlineImages = options.inlineImages, recordCanvas = options.recordCanvas, keepIframeSrcFn = options.keepIframeSrcFn; + var rootId; + if (doc.__sn) { + var docId = doc.__sn.id; +@@ -366,7 +378,7 @@ function serializeNode(n, options) { + rootId: rootId + }; + case n.ELEMENT_NODE: +- var needBlock = _isBlockedElement(n, blockClass, blockSelector); ++ var needBlock = _isBlockedElement(n, blockClass, blockSelector, unblockSelector); + var tagName = getValidTagName(n); + var attributes_1 = {}; + for (var _i = 0, _d = Array.from(n.attributes); _i < _d.length; _i++) { +@@ -407,9 +419,12 @@ function serializeNode(n, options) { + attributes_1.type !== 'button' && + value) { + attributes_1.value = maskInputValue({ ++ input: n, + type: attributes_1.type, + tagName: tagName, + value: value, ++ maskInputSelector: maskInputSelector, ++ unmaskInputSelector: unmaskInputSelector, + maskInputOptions: maskInputOptions, + maskInputFn: maskInputFn + }); +@@ -528,7 +543,7 @@ function serializeNode(n, options) { + } + if (!isStyle && + !isScript && +- needMaskingText(n, maskTextClass, maskTextSelector) && ++ needMaskingText(n, maskTextClass, maskTextSelector, unmaskTextSelector) && + textContent) { + textContent = maskTextFn + ? maskTextFn(textContent) +@@ -636,15 +651,19 @@ function slimDOMExcluded(sn, slimDOMOptions) { + return false; + } + function serializeNodeWithId(n, options) { +- var doc = options.doc, map = options.map, blockClass = options.blockClass, blockSelector = options.blockSelector, maskTextClass = options.maskTextClass, maskTextSelector = options.maskTextSelector, _a = options.skipChild, skipChild = _a === void 0 ? false : _a, _b = options.inlineStylesheet, inlineStylesheet = _b === void 0 ? true : _b, _c = options.maskInputOptions, maskInputOptions = _c === void 0 ? {} : _c, maskTextFn = options.maskTextFn, maskInputFn = options.maskInputFn, slimDOMOptions = options.slimDOMOptions, _d = options.dataURLOptions, dataURLOptions = _d === void 0 ? {} : _d, _e = options.inlineImages, inlineImages = _e === void 0 ? false : _e, _f = options.recordCanvas, recordCanvas = _f === void 0 ? false : _f, onSerialize = options.onSerialize, onIframeLoad = options.onIframeLoad, _g = options.iframeLoadTimeout, iframeLoadTimeout = _g === void 0 ? 5000 : _g, _h = options.keepIframeSrcFn, keepIframeSrcFn = _h === void 0 ? function () { return false; } : _h; ++ var doc = options.doc, map = options.map, blockClass = options.blockClass, blockSelector = options.blockSelector, unblockSelector = options.unblockSelector, maskTextClass = options.maskTextClass, maskTextSelector = options.maskTextSelector, unmaskTextSelector = options.unmaskTextSelector, _a = options.skipChild, skipChild = _a === void 0 ? false : _a, _b = options.inlineStylesheet, inlineStylesheet = _b === void 0 ? true : _b, maskInputSelector = options.maskInputSelector, unmaskInputSelector = options.unmaskInputSelector, _c = options.maskInputOptions, maskInputOptions = _c === void 0 ? {} : _c, maskTextFn = options.maskTextFn, maskInputFn = options.maskInputFn, slimDOMOptions = options.slimDOMOptions, _d = options.dataURLOptions, dataURLOptions = _d === void 0 ? {} : _d, _e = options.inlineImages, inlineImages = _e === void 0 ? false : _e, _f = options.recordCanvas, recordCanvas = _f === void 0 ? false : _f, onSerialize = options.onSerialize, onIframeLoad = options.onIframeLoad, _g = options.iframeLoadTimeout, iframeLoadTimeout = _g === void 0 ? 5000 : _g, _h = options.keepIframeSrcFn, keepIframeSrcFn = _h === void 0 ? function () { return false; } : _h; + var _j = options.preserveWhiteSpace, preserveWhiteSpace = _j === void 0 ? true : _j; + var _serializedNode = serializeNode(n, { + doc: doc, + blockClass: blockClass, + blockSelector: blockSelector, ++ unblockSelector: unblockSelector, + maskTextClass: maskTextClass, + maskTextSelector: maskTextSelector, ++ unmaskTextSelector: unmaskTextSelector, + inlineStylesheet: inlineStylesheet, ++ maskInputSelector: maskInputSelector, ++ unmaskInputSelector: unmaskInputSelector, + maskInputOptions: maskInputOptions, + maskTextFn: maskTextFn, + maskInputFn: maskInputFn, +@@ -700,10 +719,14 @@ function serializeNodeWithId(n, options) { + map: map, + blockClass: blockClass, + blockSelector: blockSelector, ++ unblockSelector: unblockSelector, + maskTextClass: maskTextClass, + maskTextSelector: maskTextSelector, ++ unmaskTextSelector: unmaskTextSelector, + skipChild: skipChild, + inlineStylesheet: inlineStylesheet, ++ maskInputSelector: maskInputSelector, ++ unmaskInputSelector: unmaskInputSelector, + maskInputOptions: maskInputOptions, + maskTextFn: maskTextFn, + maskInputFn: maskInputFn, +@@ -748,10 +771,14 @@ function serializeNodeWithId(n, options) { + map: map, + blockClass: blockClass, + blockSelector: blockSelector, ++ unblockSelector: unblockSelector, + maskTextClass: maskTextClass, + maskTextSelector: maskTextSelector, ++ unmaskTextSelector: unmaskTextSelector, + skipChild: false, + inlineStylesheet: inlineStylesheet, ++ maskInputSelector: maskInputSelector, ++ unmaskInputSelector: unmaskInputSelector, + maskInputOptions: maskInputOptions, + maskTextFn: maskTextFn, + maskInputFn: maskInputFn, +@@ -774,7 +801,7 @@ function serializeNodeWithId(n, options) { + return serializedNode; + } + function snapshot(n, options) { +- var _a = options || {}, _b = _a.blockClass, blockClass = _b === void 0 ? 'rr-block' : _b, _c = _a.blockSelector, blockSelector = _c === void 0 ? null : _c, _d = _a.maskTextClass, maskTextClass = _d === void 0 ? 'rr-mask' : _d, _e = _a.maskTextSelector, maskTextSelector = _e === void 0 ? null : _e, _f = _a.inlineStylesheet, inlineStylesheet = _f === void 0 ? true : _f, _g = _a.inlineImages, inlineImages = _g === void 0 ? false : _g, _h = _a.recordCanvas, recordCanvas = _h === void 0 ? false : _h, _j = _a.maskAllInputs, maskAllInputs = _j === void 0 ? false : _j, maskTextFn = _a.maskTextFn, maskInputFn = _a.maskInputFn, _k = _a.slimDOM, slimDOM = _k === void 0 ? false : _k, dataURLOptions = _a.dataURLOptions, preserveWhiteSpace = _a.preserveWhiteSpace, onSerialize = _a.onSerialize, onIframeLoad = _a.onIframeLoad, iframeLoadTimeout = _a.iframeLoadTimeout, _l = _a.keepIframeSrcFn, keepIframeSrcFn = _l === void 0 ? function () { return false; } : _l; ++ var _a = options || {}, _b = _a.blockClass, blockClass = _b === void 0 ? 'rr-block' : _b, _c = _a.blockSelector, blockSelector = _c === void 0 ? null : _c, _d = _a.unblockSelector, unblockSelector = _d === void 0 ? null : _d, _e = _a.maskTextClass, maskTextClass = _e === void 0 ? 'rr-mask' : _e, _f = _a.maskTextSelector, maskTextSelector = _f === void 0 ? null : _f, _g = _a.unmaskTextSelector, unmaskTextSelector = _g === void 0 ? null : _g, _h = _a.inlineStylesheet, inlineStylesheet = _h === void 0 ? true : _h, _j = _a.inlineImages, inlineImages = _j === void 0 ? false : _j, _k = _a.recordCanvas, recordCanvas = _k === void 0 ? false : _k, _l = _a.maskInputSelector, maskInputSelector = _l === void 0 ? null : _l, _m = _a.unmaskInputSelector, unmaskInputSelector = _m === void 0 ? null : _m, _o = _a.maskAllInputs, maskAllInputs = _o === void 0 ? false : _o, maskTextFn = _a.maskTextFn, maskInputFn = _a.maskInputFn, _p = _a.slimDOM, slimDOM = _p === void 0 ? false : _p, dataURLOptions = _a.dataURLOptions, preserveWhiteSpace = _a.preserveWhiteSpace, onSerialize = _a.onSerialize, onIframeLoad = _a.onIframeLoad, iframeLoadTimeout = _a.iframeLoadTimeout, _q = _a.keepIframeSrcFn, keepIframeSrcFn = _q === void 0 ? function () { return false; } : _q; + var idNodeMap = {}; + var maskInputOptions = maskAllInputs === true + ? { +@@ -823,10 +850,14 @@ function snapshot(n, options) { + map: idNodeMap, + blockClass: blockClass, + blockSelector: blockSelector, ++ unblockSelector: unblockSelector, + maskTextClass: maskTextClass, + maskTextSelector: maskTextSelector, ++ unmaskTextSelector: unmaskTextSelector, + skipChild: false, + inlineStylesheet: inlineStylesheet, ++ maskInputSelector: maskInputSelector, ++ unmaskInputSelector: unmaskInputSelector, + maskInputOptions: maskInputOptions, + maskTextFn: maskTextFn, + maskInputFn: maskInputFn, +diff --git a/node_modules/rrweb-snapshot/es/rrweb-snapshot.min.js b/node_modules/rrweb-snapshot/es/rrweb-snapshot.min.js +old mode 100644 +new mode 100755 +index 432f88d..90fdb88 +--- a/node_modules/rrweb-snapshot/es/rrweb-snapshot.min.js ++++ b/node_modules/rrweb-snapshot/es/rrweb-snapshot.min.js +@@ -1,2 +1,2 @@ +-var e;function t(e){return e.nodeType===e.ELEMENT_NODE}function r(e){var t,r=null===(t=e)||void 0===t?void 0:t.host;return Boolean(r&&r.shadowRoot&&r.shadowRoot===e)}function n(e){var t=e.maskInputOptions,r=e.tagName,n=e.type,a=e.value,i=e.maskInputFn,o=a||"";return(t[r.toLowerCase()]||t[n])&&(o=i?i(o):"*".repeat(o.length)),o}!function(e){e[e.Document=0]="Document",e[e.DocumentType=1]="DocumentType",e[e.Element=2]="Element",e[e.Text=3]="Text",e[e.CDATA=4]="CDATA",e[e.Comment=5]="Comment"}(e||(e={}));function a(e){var t=e.getContext("2d");if(!t)return!0;for(var r=0;r-1?s.split("/").slice(0,3).join("/"):s.split("/")[0]).split("?")[0]+c)+l+")";var u=t.split("/"),f=c.split("/");u.pop();for(var m=0,h=f;m=t.length);){var i=n(v);if(","===i.slice(-1))i=y(e,i.substring(0,i.length-1)),a.push(i);else{var o="";i=y(e,i);for(var s=!1;;){var c=t.charAt(r);if(""===c){a.push((i+o).trim());break}if(s)")"===c&&(s=!1);else{if(","===c){r+=1,a.push((i+o).trim());break}"("===c&&(s=!0)}o+=c,r+=1}}}return a.join(", ")}(e,n):"style"===r&&n?h(n,b()):"object"===t&&"data"===r&&n?y(e,n):n:y(e,n)}function C(e,t,r){if(!e)return!1;if(e.nodeType===e.ELEMENT_NODE){if("string"==typeof t){if(e.classList.contains(t))return!0}else for(var n=0;n'):a.write('')),m=a),m.__sn=r,i[r.id]=m,(r.type===e.Document||r.type===e.Element)&&!s)for(var d=0,p=r.childNodes;d-1?s.split("/").slice(0,3).join("/"):s.split("/")[0]).split("?")[0]+c)+l+")";var u=t.split("/"),f=c.split("/");u.pop();for(var m=0,h=f;m=t.length);){var i=n(v);if(","===i.slice(-1))i=y(e,i.substring(0,i.length-1)),a.push(i);else{var o="";i=y(e,i);for(var s=!1;;){var c=t.charAt(r);if(""===c){a.push((i+o).trim());break}if(s)")"===c&&(s=!1);else{if(","===c){r+=1,a.push((i+o).trim());break}"("===c&&(s=!0)}o+=c,r+=1}}}return a.join(", ")}(e,n):"style"===r&&n?h(n,k()):"object"===t&&"data"===r&&n?y(e,n):n:y(e,n)}function S(e,t,r,n){if(!e)return!1;if(e.nodeType===e.ELEMENT_NODE){if(n&&(e.matches(n)||e.closest(n)))return!1;if("string"==typeof t){if(e.classList.contains(t))return!0}else for(var a=0;a'):a.write('')),m=a),m.__sn=r,i[r.id]=m,(r.type===e.Document||r.type===e.Element)&&!s)for(var p=0,d=r.childNodes;p;\n\nexport type SlimDOMOptions = Partial<{\n script: boolean;\n comment: boolean;\n headFavicon: boolean;\n headWhitespace: boolean;\n headMetaDescKeywords: boolean;\n headMetaSocial: boolean;\n headMetaRobots: boolean;\n headMetaHttpEquiv: boolean;\n headMetaAuthorship: boolean;\n headMetaVerification: boolean;\n}>;\n\nexport type DataURLOptions = Partial<{\n type: string;\n quality: number;\n}>;\n\nexport type MaskTextFn = (text: string) => string;\nexport type MaskInputFn = (text: string) => string;\n\nexport type KeepIframeSrcFn = (src: string) => boolean;\n\nexport type BuildCache = {\n stylesWithHoverClass: Map;\n};\n","import { INode, MaskInputFn, MaskInputOptions } from './types';\n\nexport function isElement(n: Node | INode): n is Element {\n return n.nodeType === n.ELEMENT_NODE;\n}\n\nexport function isShadowRoot(n: Node): n is ShadowRoot {\n const host: Element | null = (n as ShadowRoot)?.host;\n return Boolean(host && host.shadowRoot && host.shadowRoot === n);\n}\n\nexport function maskInputValue({\n maskInputOptions,\n tagName,\n type,\n value,\n maskInputFn,\n}: {\n maskInputOptions: MaskInputOptions;\n tagName: string;\n type: string | number | boolean | null;\n value: string | null;\n maskInputFn?: MaskInputFn;\n}): string {\n let text = value || '';\n if (\n maskInputOptions[tagName.toLowerCase() as keyof MaskInputOptions] ||\n maskInputOptions[type as keyof MaskInputOptions]\n ) {\n if (maskInputFn) {\n text = maskInputFn(text);\n } else {\n text = '*'.repeat(text.length);\n }\n }\n return text;\n}\n\nconst ORIGINAL_ATTRIBUTE_NAME = '__rrweb_original__';\ntype PatchedGetImageData = {\n [ORIGINAL_ATTRIBUTE_NAME]: CanvasImageData['getImageData'];\n} & CanvasImageData['getImageData'];\n\nexport function is2DCanvasBlank(canvas: HTMLCanvasElement): boolean {\n const ctx = canvas.getContext('2d');\n if (!ctx) return true;\n\n const chunkSize = 50;\n\n // get chunks of the canvas and check if it is blank\n for (let x = 0; x < canvas.width; x += chunkSize) {\n for (let y = 0; y < canvas.height; y += chunkSize) {\n const getImageData = ctx.getImageData as PatchedGetImageData;\n const originalGetImageData =\n ORIGINAL_ATTRIBUTE_NAME in getImageData\n ? getImageData[ORIGINAL_ATTRIBUTE_NAME]\n : getImageData;\n // by getting the canvas in chunks we avoid an expensive\n // `getImageData` call that retrieves everything\n // even if we can already tell from the first chunk(s) that\n // the canvas isn't blank\n const pixelBuffer = new Uint32Array(\n originalGetImageData.call(\n ctx,\n x,\n y,\n Math.min(chunkSize, canvas.width - x),\n Math.min(chunkSize, canvas.height - y),\n ).data.buffer,\n );\n if (pixelBuffer.some((pixel) => pixel !== 0)) return false;\n }\n }\n return true;\n}\n","import {\n serializedNode,\n serializedNodeWithId,\n NodeType,\n attributes,\n INode,\n idNodeMap,\n MaskInputOptions,\n SlimDOMOptions,\n DataURLOptions,\n MaskTextFn,\n MaskInputFn,\n KeepIframeSrcFn,\n ICanvas,\n} from './types';\nimport {\n is2DCanvasBlank,\n isElement,\n isShadowRoot,\n maskInputValue,\n} from './utils';\n\nlet _id = 1;\nconst tagNameRegex = new RegExp('[^a-z0-9-_:]');\n\nexport const IGNORED_NODE = -2;\n\nfunction genId(): number {\n return _id++;\n}\n\nfunction getValidTagName(element: HTMLElement): string {\n if (element instanceof HTMLFormElement) {\n return 'form';\n }\n\n const processedTagName = element.tagName.toLowerCase().trim();\n\n if (tagNameRegex.test(processedTagName)) {\n // if the tag name is odd and we cannot extract\n // anything from the string, then we return a\n // generic div\n return 'div';\n }\n\n return processedTagName;\n}\n\nfunction getCssRulesString(s: CSSStyleSheet): string | null {\n try {\n const rules = s.rules || s.cssRules;\n return rules ? Array.from(rules).map(getCssRuleString).join('') : null;\n } catch (error) {\n return null;\n }\n}\n\nfunction getCssRuleString(rule: CSSRule): string {\n let cssStringified = rule.cssText;\n if (isCSSImportRule(rule)) {\n try {\n cssStringified = getCssRulesString(rule.styleSheet) || cssStringified;\n } catch {\n // ignore\n }\n }\n return cssStringified;\n}\n\nfunction isCSSImportRule(rule: CSSRule): rule is CSSImportRule {\n return 'styleSheet' in rule;\n}\n\nfunction stringifyStyleSheet(sheet: CSSStyleSheet): string {\n return sheet.cssRules\n ? Array.from(sheet.cssRules)\n .map((rule) => rule.cssText || '')\n .join('')\n : '';\n}\n\nfunction extractOrigin(url: string): string {\n let origin = '';\n if (url.indexOf('//') > -1) {\n origin = url.split('/').slice(0, 3).join('/');\n } else {\n origin = url.split('/')[0];\n }\n origin = origin.split('?')[0];\n return origin;\n}\n\nlet canvasService: HTMLCanvasElement | null;\nlet canvasCtx: CanvasRenderingContext2D | null;\n\nconst URL_IN_CSS_REF = /url\\((?:(')([^']*)'|(\")(.*?)\"|([^)]*))\\)/gm;\nconst RELATIVE_PATH = /^(?!www\\.|(?:http|ftp)s?:\\/\\/|[A-Za-z]:\\\\|\\/\\/|#).*/;\nconst DATA_URI = /^(data:)([^,]*),(.*)/i;\nexport function absoluteToStylesheet(\n cssText: string | null,\n href: string,\n): string {\n return (cssText || '').replace(\n URL_IN_CSS_REF,\n (origin, quote1, path1, quote2, path2, path3) => {\n const filePath = path1 || path2 || path3;\n const maybeQuote = quote1 || quote2 || '';\n if (!filePath) {\n return origin;\n }\n if (!RELATIVE_PATH.test(filePath)) {\n return `url(${maybeQuote}${filePath}${maybeQuote})`;\n }\n if (DATA_URI.test(filePath)) {\n return `url(${maybeQuote}${filePath}${maybeQuote})`;\n }\n if (filePath[0] === '/') {\n return `url(${maybeQuote}${\n extractOrigin(href) + filePath\n }${maybeQuote})`;\n }\n const stack = href.split('/');\n const parts = filePath.split('/');\n stack.pop();\n for (const part of parts) {\n if (part === '.') {\n continue;\n } else if (part === '..') {\n stack.pop();\n } else {\n stack.push(part);\n }\n }\n return `url(${maybeQuote}${stack.join('/')}${maybeQuote})`;\n },\n );\n}\n\nconst SRCSET_NOT_SPACES = /^[^ \\t\\n\\r\\u000c]+/; // Don't use \\s, to avoid matching non-breaking space\nconst SRCSET_COMMAS_OR_SPACES = /^[, \\t\\n\\r\\u000c]+/;\nfunction getAbsoluteSrcsetString(doc: Document, attributeValue: string) {\n /*\n run absoluteToDoc over every url in the srcset\n\n this is adapted from https://github.com/albell/parse-srcset/\n without the parsing of the descriptors (we return these as-is)\n parce-srcset is in turn based on\n https://html.spec.whatwg.org/multipage/embedded-content.html#parse-a-srcset-attribute\n */\n if (attributeValue.trim() === '') {\n return attributeValue;\n }\n\n let pos = 0;\n\n function collectCharacters(regEx: RegExp) {\n let chars: string;\n let match = regEx.exec(attributeValue.substring(pos));\n if (match) {\n chars = match[0];\n pos += chars.length;\n return chars;\n }\n return '';\n }\n\n let output = [];\n while (true) {\n collectCharacters(SRCSET_COMMAS_OR_SPACES);\n if (pos >= attributeValue.length) {\n break;\n }\n // don't split on commas within urls\n let url = collectCharacters(SRCSET_NOT_SPACES);\n if (url.slice(-1) === ',') {\n // aside: according to spec more than one comma at the end is a parse error, but we ignore that\n url = absoluteToDoc(doc, url.substring(0, url.length - 1));\n // the trailing comma splits the srcset, so the interpretion is that\n // another url will follow, and the descriptor is empty\n output.push(url);\n } else {\n let descriptorsStr = '';\n url = absoluteToDoc(doc, url);\n let inParens = false;\n while (true) {\n let c = attributeValue.charAt(pos);\n if (c === '') {\n output.push((url + descriptorsStr).trim());\n break;\n } else if (!inParens) {\n if (c === ',') {\n pos += 1;\n output.push((url + descriptorsStr).trim());\n break; // parse the next url\n } else if (c === '(') {\n inParens = true;\n }\n } else {\n // in parenthesis; ignore commas\n // (parenthesis may be supported by future additions to spec)\n if (c === ')') {\n inParens = false;\n }\n }\n descriptorsStr += c;\n pos += 1;\n }\n }\n }\n return output.join(', ');\n}\n\nexport function absoluteToDoc(doc: Document, attributeValue: string): string {\n if (!attributeValue || attributeValue.trim() === '') {\n return attributeValue;\n }\n const a: HTMLAnchorElement = doc.createElement('a');\n a.href = attributeValue;\n return a.href;\n}\n\nfunction isSVGElement(el: Element): boolean {\n return Boolean(el.tagName === 'svg' || (el as SVGElement).ownerSVGElement);\n}\n\nfunction getHref() {\n // return a href without hash\n const a = document.createElement('a');\n a.href = '';\n return a.href;\n}\n\nexport function transformAttribute(\n doc: Document,\n tagName: string,\n name: string,\n value: string,\n): string {\n // relative path in attribute\n if (name === 'src' || (name === 'href' && value)) {\n return absoluteToDoc(doc, value);\n } else if (name === 'xlink:href' && value && value[0] !== '#') {\n // xlink:href starts with # is an id pointer\n return absoluteToDoc(doc, value);\n } else if (\n name === 'background' &&\n value &&\n (tagName === 'table' || tagName === 'td' || tagName === 'th')\n ) {\n return absoluteToDoc(doc, value);\n } else if (name === 'srcset' && value) {\n return getAbsoluteSrcsetString(doc, value);\n } else if (name === 'style' && value) {\n return absoluteToStylesheet(value, getHref());\n } else if (tagName === 'object' && name === 'data' && value) {\n return absoluteToDoc(doc, value);\n } else {\n return value;\n }\n}\n\nexport function _isBlockedElement(\n element: HTMLElement,\n blockClass: string | RegExp,\n blockSelector: string | null,\n): boolean {\n if (typeof blockClass === 'string') {\n if (element.classList.contains(blockClass)) {\n return true;\n }\n } else {\n // tslint:disable-next-line: prefer-for-of\n for (let eIndex = 0; eIndex < element.classList.length; eIndex++) {\n const className = element.classList[eIndex];\n if (blockClass.test(className)) {\n return true;\n }\n }\n }\n if (blockSelector) {\n return element.matches(blockSelector);\n }\n\n return false;\n}\n\nexport function needMaskingText(\n node: Node | null,\n maskTextClass: string | RegExp,\n maskTextSelector: string | null,\n): boolean {\n if (!node) {\n return false;\n }\n if (node.nodeType === node.ELEMENT_NODE) {\n if (typeof maskTextClass === 'string') {\n if ((node as HTMLElement).classList.contains(maskTextClass)) {\n return true;\n }\n } else {\n // tslint:disable-next-line: prefer-for-of\n for (\n let eIndex = 0;\n eIndex < (node as HTMLElement).classList.length;\n eIndex++\n ) {\n const className = (node as HTMLElement).classList[eIndex];\n if (maskTextClass.test(className)) {\n return true;\n }\n }\n }\n if (maskTextSelector) {\n if ((node as HTMLElement).matches(maskTextSelector)) {\n return true;\n }\n }\n return needMaskingText(node.parentNode, maskTextClass, maskTextSelector);\n }\n if (node.nodeType === node.TEXT_NODE) {\n // check parent node since text node do not have class name\n return needMaskingText(node.parentNode, maskTextClass, maskTextSelector);\n }\n return needMaskingText(node.parentNode, maskTextClass, maskTextSelector);\n}\n\n// https://stackoverflow.com/a/36155560\nfunction onceIframeLoaded(\n iframeEl: HTMLIFrameElement,\n listener: () => unknown,\n iframeLoadTimeout: number,\n) {\n const win = iframeEl.contentWindow;\n if (!win) {\n return;\n }\n // document is loading\n let fired = false;\n\n let readyState: DocumentReadyState;\n try {\n readyState = win.document.readyState;\n } catch (error) {\n return;\n }\n if (readyState !== 'complete') {\n const timer = setTimeout(() => {\n if (!fired) {\n listener();\n fired = true;\n }\n }, iframeLoadTimeout);\n iframeEl.addEventListener('load', () => {\n clearTimeout(timer);\n fired = true;\n listener();\n });\n return;\n }\n // check blank frame for Chrome\n const blankUrl = 'about:blank';\n if (\n win.location.href !== blankUrl ||\n iframeEl.src === blankUrl ||\n iframeEl.src === ''\n ) {\n // iframe was already loaded, make sure we wait to trigger the listener\n // till _after_ the mutation that found this iframe has had time to process\n setTimeout(listener, 0);\n return;\n }\n // use default listener\n iframeEl.addEventListener('load', listener);\n}\n\nfunction serializeNode(\n n: Node,\n options: {\n doc: Document;\n blockClass: string | RegExp;\n blockSelector: string | null;\n maskTextClass: string | RegExp;\n maskTextSelector: string | null;\n inlineStylesheet: boolean;\n maskInputOptions: MaskInputOptions;\n maskTextFn: MaskTextFn | undefined;\n maskInputFn: MaskInputFn | undefined;\n dataURLOptions?: DataURLOptions;\n inlineImages: boolean;\n recordCanvas: boolean;\n keepIframeSrcFn: KeepIframeSrcFn;\n },\n): serializedNode | false {\n const {\n doc,\n blockClass,\n blockSelector,\n maskTextClass,\n maskTextSelector,\n inlineStylesheet,\n maskInputOptions = {},\n maskTextFn,\n maskInputFn,\n dataURLOptions = {},\n inlineImages,\n recordCanvas,\n keepIframeSrcFn,\n } = options;\n // Only record root id when document object is not the base document\n let rootId: number | undefined;\n if (((doc as unknown) as INode).__sn) {\n const docId = ((doc as unknown) as INode).__sn.id;\n rootId = docId === 1 ? undefined : docId;\n }\n switch (n.nodeType) {\n case n.DOCUMENT_NODE:\n if ((n as HTMLDocument).compatMode !== 'CSS1Compat') {\n return {\n type: NodeType.Document,\n childNodes: [],\n compatMode: (n as HTMLDocument).compatMode, // probably \"BackCompat\"\n rootId,\n };\n } else {\n return {\n type: NodeType.Document,\n childNodes: [],\n rootId,\n };\n }\n case n.DOCUMENT_TYPE_NODE:\n return {\n type: NodeType.DocumentType,\n name: (n as DocumentType).name,\n publicId: (n as DocumentType).publicId,\n systemId: (n as DocumentType).systemId,\n rootId,\n };\n case n.ELEMENT_NODE:\n const needBlock = _isBlockedElement(\n n as HTMLElement,\n blockClass,\n blockSelector,\n );\n const tagName = getValidTagName(n as HTMLElement);\n let attributes: attributes = {};\n for (const { name, value } of Array.from((n as HTMLElement).attributes)) {\n attributes[name] = transformAttribute(doc, tagName, name, value);\n }\n // remote css\n if (tagName === 'link' && inlineStylesheet) {\n const stylesheet = Array.from(doc.styleSheets).find((s) => {\n return s.href === (n as HTMLLinkElement).href;\n });\n let cssText: string | null = null;\n if (stylesheet) {\n cssText = getCssRulesString(stylesheet as CSSStyleSheet);\n }\n if (cssText) {\n delete attributes.rel;\n delete attributes.href;\n attributes._cssText = absoluteToStylesheet(\n cssText,\n stylesheet!.href!,\n );\n }\n }\n // dynamic stylesheet\n if (\n tagName === 'style' &&\n (n as HTMLStyleElement).sheet &&\n // TODO: Currently we only try to get dynamic stylesheet when it is an empty style element\n !(\n (n as HTMLElement).innerText ||\n (n as HTMLElement).textContent ||\n ''\n ).trim().length\n ) {\n const cssText = getCssRulesString(\n (n as HTMLStyleElement).sheet as CSSStyleSheet,\n );\n if (cssText) {\n attributes._cssText = absoluteToStylesheet(cssText, getHref());\n }\n }\n // form fields\n if (\n tagName === 'input' ||\n tagName === 'textarea' ||\n tagName === 'select'\n ) {\n const value = (n as HTMLInputElement | HTMLTextAreaElement).value;\n if (\n attributes.type !== 'radio' &&\n attributes.type !== 'checkbox' &&\n attributes.type !== 'submit' &&\n attributes.type !== 'button' &&\n value\n ) {\n attributes.value = maskInputValue({\n type: attributes.type,\n tagName,\n value,\n maskInputOptions,\n maskInputFn,\n });\n } else if ((n as HTMLInputElement).checked) {\n attributes.checked = (n as HTMLInputElement).checked;\n }\n }\n if (tagName === 'option') {\n if ((n as HTMLOptionElement).selected && !maskInputOptions['select']) {\n attributes.selected = true;\n } else {\n // ignore the html attribute (which corresponds to DOM (n as HTMLOptionElement).defaultSelected)\n // if it's already been changed\n delete attributes.selected;\n }\n }\n // canvas image data\n if (tagName === 'canvas' && recordCanvas) {\n if ((n as ICanvas).__context === '2d') {\n // only record this on 2d canvas\n if (!is2DCanvasBlank(n as HTMLCanvasElement)) {\n attributes.rr_dataURL = (n as HTMLCanvasElement).toDataURL(\n dataURLOptions.type,\n dataURLOptions.quality,\n );\n }\n } else if (!('__context' in n)) {\n // context is unknown, better not call getContext to trigger it\n const canvasDataURL = (n as HTMLCanvasElement).toDataURL(\n dataURLOptions.type,\n dataURLOptions.quality,\n );\n\n // create blank canvas of same dimensions\n const blankCanvas = document.createElement('canvas');\n blankCanvas.width = (n as HTMLCanvasElement).width;\n blankCanvas.height = (n as HTMLCanvasElement).height;\n const blankCanvasDataURL = blankCanvas.toDataURL(\n dataURLOptions.type,\n dataURLOptions.quality,\n );\n\n // no need to save dataURL if it's the same as blank canvas\n if (canvasDataURL !== blankCanvasDataURL) {\n attributes.rr_dataURL = canvasDataURL;\n }\n }\n }\n // save image offline\n if (tagName === 'img' && inlineImages) {\n if (!canvasService) {\n canvasService = doc.createElement('canvas');\n canvasCtx = canvasService.getContext('2d');\n }\n const image = n as HTMLImageElement;\n const oldValue = image.crossOrigin;\n image.crossOrigin = 'anonymous';\n const recordInlineImage = () => {\n try {\n canvasService!.width = image.naturalWidth;\n canvasService!.height = image.naturalHeight;\n canvasCtx!.drawImage(image, 0, 0);\n attributes.rr_dataURL = canvasService!.toDataURL(\n dataURLOptions.type,\n dataURLOptions.quality,\n );\n } catch (err) {\n console.warn(\n `Cannot inline img src=${image.currentSrc}! Error: ${err}`,\n );\n }\n oldValue\n ? (attributes.crossOrigin = oldValue)\n : delete attributes.crossOrigin;\n };\n // The image content may not have finished loading yet.\n if (image.complete && image.naturalWidth !== 0) recordInlineImage();\n else image.onload = recordInlineImage;\n }\n // media elements\n if (tagName === 'audio' || tagName === 'video') {\n attributes.rr_mediaState = (n as HTMLMediaElement).paused\n ? 'paused'\n : 'played';\n attributes.rr_mediaCurrentTime = (n as HTMLMediaElement).currentTime;\n }\n // scroll\n if ((n as HTMLElement).scrollLeft) {\n attributes.rr_scrollLeft = (n as HTMLElement).scrollLeft;\n }\n if ((n as HTMLElement).scrollTop) {\n attributes.rr_scrollTop = (n as HTMLElement).scrollTop;\n }\n // block element\n if (needBlock) {\n const { width, height } = (n as HTMLElement).getBoundingClientRect();\n attributes = {\n class: attributes.class,\n rr_width: `${width}px`,\n rr_height: `${height}px`,\n };\n }\n // iframe\n if (tagName === 'iframe' && !keepIframeSrcFn(attributes.src as string)) {\n if (!(n as HTMLIFrameElement).contentDocument) {\n // we can't record it directly as we can't see into it\n // preserve the src attribute so a decision can be taken at replay time\n attributes.rr_src = attributes.src;\n }\n delete attributes.src; // prevent auto loading\n }\n return {\n type: NodeType.Element,\n tagName,\n attributes,\n childNodes: [],\n isSVG: isSVGElement(n as Element) || undefined,\n needBlock,\n rootId,\n };\n case n.TEXT_NODE:\n // The parent node may not be a html element which has a tagName attribute.\n // So just let it be undefined which is ok in this use case.\n const parentTagName =\n n.parentNode && (n.parentNode as HTMLElement).tagName;\n let textContent = (n as Text).textContent;\n const isStyle = parentTagName === 'STYLE' ? true : undefined;\n const isScript = parentTagName === 'SCRIPT' ? true : undefined;\n if (isStyle && textContent) {\n try {\n // try to read style sheet\n if (n.nextSibling || n.previousSibling) {\n // This is not the only child of the stylesheet.\n // We can't read all of the sheet's .cssRules and expect them\n // to _only_ include the current rule(s) added by the text node.\n // So we'll be conservative and keep textContent as-is.\n } else if ((n.parentNode as HTMLStyleElement).sheet?.cssRules) {\n textContent = stringifyStyleSheet(\n (n.parentNode as HTMLStyleElement).sheet!,\n );\n }\n } catch (err) {\n console.warn(\n `Cannot get CSS styles from text's parentNode. Error: ${err}`,\n n,\n );\n }\n textContent = absoluteToStylesheet(textContent, getHref());\n }\n if (isScript) {\n textContent = 'SCRIPT_PLACEHOLDER';\n }\n if (\n !isStyle &&\n !isScript &&\n needMaskingText(n, maskTextClass, maskTextSelector) &&\n textContent\n ) {\n textContent = maskTextFn\n ? maskTextFn(textContent)\n : textContent.replace(/[\\S]/g, '*');\n }\n return {\n type: NodeType.Text,\n textContent: textContent || '',\n isStyle,\n rootId,\n };\n case n.CDATA_SECTION_NODE:\n return {\n type: NodeType.CDATA,\n textContent: '',\n rootId,\n };\n case n.COMMENT_NODE:\n return {\n type: NodeType.Comment,\n textContent: (n as Comment).textContent || '',\n rootId,\n };\n default:\n return false;\n }\n}\n\nfunction lowerIfExists(maybeAttr: string | number | boolean): string {\n if (maybeAttr === undefined) {\n return '';\n } else {\n return (maybeAttr as string).toLowerCase();\n }\n}\n\nfunction slimDOMExcluded(\n sn: serializedNode,\n slimDOMOptions: SlimDOMOptions,\n): boolean {\n if (slimDOMOptions.comment && sn.type === NodeType.Comment) {\n // TODO: convert IE conditional comments to real nodes\n return true;\n } else if (sn.type === NodeType.Element) {\n if (\n slimDOMOptions.script &&\n // script tag\n (sn.tagName === 'script' ||\n // preload link\n (sn.tagName === 'link' &&\n sn.attributes.rel === 'preload' &&\n sn.attributes.as === 'script') ||\n // prefetch link\n (sn.tagName === 'link' &&\n sn.attributes.rel === 'prefetch' &&\n typeof sn.attributes.href === 'string' &&\n sn.attributes.href.endsWith('.js')))\n ) {\n return true;\n } else if (\n slimDOMOptions.headFavicon &&\n ((sn.tagName === 'link' && sn.attributes.rel === 'shortcut icon') ||\n (sn.tagName === 'meta' &&\n (lowerIfExists(sn.attributes.name).match(\n /^msapplication-tile(image|color)$/,\n ) ||\n lowerIfExists(sn.attributes.name) === 'application-name' ||\n lowerIfExists(sn.attributes.rel) === 'icon' ||\n lowerIfExists(sn.attributes.rel) === 'apple-touch-icon' ||\n lowerIfExists(sn.attributes.rel) === 'shortcut icon')))\n ) {\n return true;\n } else if (sn.tagName === 'meta') {\n if (\n slimDOMOptions.headMetaDescKeywords &&\n lowerIfExists(sn.attributes.name).match(/^description|keywords$/)\n ) {\n return true;\n } else if (\n slimDOMOptions.headMetaSocial &&\n (lowerIfExists(sn.attributes.property).match(/^(og|twitter|fb):/) || // og = opengraph (facebook)\n lowerIfExists(sn.attributes.name).match(/^(og|twitter):/) ||\n lowerIfExists(sn.attributes.name) === 'pinterest')\n ) {\n return true;\n } else if (\n slimDOMOptions.headMetaRobots &&\n (lowerIfExists(sn.attributes.name) === 'robots' ||\n lowerIfExists(sn.attributes.name) === 'googlebot' ||\n lowerIfExists(sn.attributes.name) === 'bingbot')\n ) {\n return true;\n } else if (\n slimDOMOptions.headMetaHttpEquiv &&\n sn.attributes['http-equiv'] !== undefined\n ) {\n // e.g. X-UA-Compatible, Content-Type, Content-Language,\n // cache-control, X-Translated-By\n return true;\n } else if (\n slimDOMOptions.headMetaAuthorship &&\n (lowerIfExists(sn.attributes.name) === 'author' ||\n lowerIfExists(sn.attributes.name) === 'generator' ||\n lowerIfExists(sn.attributes.name) === 'framework' ||\n lowerIfExists(sn.attributes.name) === 'publisher' ||\n lowerIfExists(sn.attributes.name) === 'progid' ||\n lowerIfExists(sn.attributes.property).match(/^article:/) ||\n lowerIfExists(sn.attributes.property).match(/^product:/))\n ) {\n return true;\n } else if (\n slimDOMOptions.headMetaVerification &&\n (lowerIfExists(sn.attributes.name) === 'google-site-verification' ||\n lowerIfExists(sn.attributes.name) === 'yandex-verification' ||\n lowerIfExists(sn.attributes.name) === 'csrf-token' ||\n lowerIfExists(sn.attributes.name) === 'p:domain_verify' ||\n lowerIfExists(sn.attributes.name) === 'verify-v1' ||\n lowerIfExists(sn.attributes.name) === 'verification' ||\n lowerIfExists(sn.attributes.name) === 'shopify-checkout-api-token')\n ) {\n return true;\n }\n }\n }\n return false;\n}\n\nexport function serializeNodeWithId(\n n: Node | INode,\n options: {\n doc: Document;\n map: idNodeMap;\n blockClass: string | RegExp;\n blockSelector: string | null;\n maskTextClass: string | RegExp;\n maskTextSelector: string | null;\n skipChild: boolean;\n inlineStylesheet: boolean;\n maskInputOptions?: MaskInputOptions;\n maskTextFn: MaskTextFn | undefined;\n maskInputFn: MaskInputFn | undefined;\n slimDOMOptions: SlimDOMOptions;\n dataURLOptions?: DataURLOptions;\n keepIframeSrcFn?: KeepIframeSrcFn;\n inlineImages?: boolean;\n recordCanvas?: boolean;\n preserveWhiteSpace?: boolean;\n onSerialize?: (n: INode) => unknown;\n onIframeLoad?: (iframeINode: INode, node: serializedNodeWithId) => unknown;\n iframeLoadTimeout?: number;\n },\n): serializedNodeWithId | null {\n const {\n doc,\n map,\n blockClass,\n blockSelector,\n maskTextClass,\n maskTextSelector,\n skipChild = false,\n inlineStylesheet = true,\n maskInputOptions = {},\n maskTextFn,\n maskInputFn,\n slimDOMOptions,\n dataURLOptions = {},\n inlineImages = false,\n recordCanvas = false,\n onSerialize,\n onIframeLoad,\n iframeLoadTimeout = 5000,\n keepIframeSrcFn = () => false,\n } = options;\n let { preserveWhiteSpace = true } = options;\n const _serializedNode = serializeNode(n, {\n doc,\n blockClass,\n blockSelector,\n maskTextClass,\n maskTextSelector,\n inlineStylesheet,\n maskInputOptions,\n maskTextFn,\n maskInputFn,\n dataURLOptions,\n inlineImages,\n recordCanvas,\n keepIframeSrcFn,\n });\n if (!_serializedNode) {\n // TODO: dev only\n console.warn(n, 'not serialized');\n return null;\n }\n\n let id;\n // Try to reuse the previous id\n if ('__sn' in n) {\n id = n.__sn.id;\n } else if (\n slimDOMExcluded(_serializedNode, slimDOMOptions) ||\n (!preserveWhiteSpace &&\n _serializedNode.type === NodeType.Text &&\n !_serializedNode.isStyle &&\n !_serializedNode.textContent.replace(/^\\s+|\\s+$/gm, '').length)\n ) {\n id = IGNORED_NODE;\n } else {\n id = genId();\n }\n const serializedNode = Object.assign(_serializedNode, { id });\n (n as INode).__sn = serializedNode;\n if (id === IGNORED_NODE) {\n return null; // slimDOM\n }\n map[id] = n as INode;\n if (onSerialize) {\n onSerialize(n as INode);\n }\n let recordChild = !skipChild;\n if (serializedNode.type === NodeType.Element) {\n recordChild = recordChild && !serializedNode.needBlock;\n // this property was not needed in replay side\n delete serializedNode.needBlock;\n if ((n as HTMLElement).shadowRoot) serializedNode.isShadowHost = true;\n }\n if (\n (serializedNode.type === NodeType.Document ||\n serializedNode.type === NodeType.Element) &&\n recordChild\n ) {\n if (\n slimDOMOptions.headWhitespace &&\n _serializedNode.type === NodeType.Element &&\n _serializedNode.tagName === 'head'\n // would impede performance: || getComputedStyle(n)['white-space'] === 'normal'\n ) {\n preserveWhiteSpace = false;\n }\n const bypassOptions = {\n doc,\n map,\n blockClass,\n blockSelector,\n maskTextClass,\n maskTextSelector,\n skipChild,\n inlineStylesheet,\n maskInputOptions,\n maskTextFn,\n maskInputFn,\n slimDOMOptions,\n dataURLOptions,\n inlineImages,\n recordCanvas,\n preserveWhiteSpace,\n onSerialize,\n onIframeLoad,\n iframeLoadTimeout,\n keepIframeSrcFn,\n };\n for (const childN of Array.from(n.childNodes)) {\n const serializedChildNode = serializeNodeWithId(childN, bypassOptions);\n if (serializedChildNode) {\n serializedNode.childNodes.push(serializedChildNode);\n }\n }\n\n if (isElement(n) && n.shadowRoot) {\n for (const childN of Array.from(n.shadowRoot.childNodes)) {\n const serializedChildNode = serializeNodeWithId(childN, bypassOptions);\n if (serializedChildNode) {\n serializedChildNode.isShadow = true;\n serializedNode.childNodes.push(serializedChildNode);\n }\n }\n }\n }\n\n if (n.parentNode && isShadowRoot(n.parentNode)) {\n serializedNode.isShadow = true;\n }\n\n if (\n serializedNode.type === NodeType.Element &&\n serializedNode.tagName === 'iframe'\n ) {\n onceIframeLoaded(\n n as HTMLIFrameElement,\n () => {\n const iframeDoc = (n as HTMLIFrameElement).contentDocument;\n if (iframeDoc && onIframeLoad) {\n const serializedIframeNode = serializeNodeWithId(iframeDoc, {\n doc: iframeDoc,\n map,\n blockClass,\n blockSelector,\n maskTextClass,\n maskTextSelector,\n skipChild: false,\n inlineStylesheet,\n maskInputOptions,\n maskTextFn,\n maskInputFn,\n slimDOMOptions,\n dataURLOptions,\n inlineImages,\n recordCanvas,\n preserveWhiteSpace,\n onSerialize,\n onIframeLoad,\n iframeLoadTimeout,\n keepIframeSrcFn,\n });\n\n if (serializedIframeNode) {\n onIframeLoad(n as INode, serializedIframeNode);\n }\n }\n },\n iframeLoadTimeout,\n );\n }\n\n return serializedNode;\n}\n\nfunction snapshot(\n n: Document,\n options?: {\n blockClass?: string | RegExp;\n blockSelector?: string | null;\n maskTextClass?: string | RegExp;\n maskTextSelector?: string | null;\n inlineStylesheet?: boolean;\n maskAllInputs?: boolean | MaskInputOptions;\n maskTextFn?: MaskTextFn;\n maskInputFn?: MaskTextFn;\n slimDOM?: boolean | SlimDOMOptions;\n dataURLOptions?: DataURLOptions;\n inlineImages?: boolean;\n recordCanvas?: boolean;\n preserveWhiteSpace?: boolean;\n onSerialize?: (n: INode) => unknown;\n onIframeLoad?: (iframeINode: INode, node: serializedNodeWithId) => unknown;\n iframeLoadTimeout?: number;\n keepIframeSrcFn?: KeepIframeSrcFn;\n },\n): [serializedNodeWithId | null, idNodeMap] {\n const {\n blockClass = 'rr-block',\n blockSelector = null,\n maskTextClass = 'rr-mask',\n maskTextSelector = null,\n inlineStylesheet = true,\n inlineImages = false,\n recordCanvas = false,\n maskAllInputs = false,\n maskTextFn,\n maskInputFn,\n slimDOM = false,\n dataURLOptions,\n preserveWhiteSpace,\n onSerialize,\n onIframeLoad,\n iframeLoadTimeout,\n keepIframeSrcFn = () => false,\n } = options || {};\n const idNodeMap: idNodeMap = {};\n const maskInputOptions: MaskInputOptions =\n maskAllInputs === true\n ? {\n color: true,\n date: true,\n 'datetime-local': true,\n email: true,\n month: true,\n number: true,\n range: true,\n search: true,\n tel: true,\n text: true,\n time: true,\n url: true,\n week: true,\n textarea: true,\n select: true,\n password: true,\n }\n : maskAllInputs === false\n ? {\n password: true,\n }\n : maskAllInputs;\n const slimDOMOptions: SlimDOMOptions =\n slimDOM === true || slimDOM === 'all'\n ? // if true: set of sensible options that should not throw away any information\n {\n script: true,\n comment: true,\n headFavicon: true,\n headWhitespace: true,\n headMetaDescKeywords: slimDOM === 'all', // destructive\n headMetaSocial: true,\n headMetaRobots: true,\n headMetaHttpEquiv: true,\n headMetaAuthorship: true,\n headMetaVerification: true,\n }\n : slimDOM === false\n ? {}\n : slimDOM;\n return [\n serializeNodeWithId(n, {\n doc: n,\n map: idNodeMap,\n blockClass,\n blockSelector,\n maskTextClass,\n maskTextSelector,\n skipChild: false,\n inlineStylesheet,\n maskInputOptions,\n maskTextFn,\n maskInputFn,\n slimDOMOptions,\n dataURLOptions,\n inlineImages,\n recordCanvas,\n preserveWhiteSpace,\n onSerialize,\n onIframeLoad,\n iframeLoadTimeout,\n keepIframeSrcFn,\n }),\n idNodeMap,\n ];\n}\n\nexport function visitSnapshot(\n node: serializedNodeWithId,\n onVisit: (node: serializedNodeWithId) => unknown,\n) {\n function walk(current: serializedNodeWithId) {\n onVisit(current);\n if (\n current.type === NodeType.Document ||\n current.type === NodeType.Element\n ) {\n current.childNodes.forEach(walk);\n }\n }\n\n walk(node);\n}\n\nexport function cleanupSnapshot() {\n // allow a new recording to start numbering nodes from scratch\n _id = 1;\n}\n\nexport default snapshot;\n","/**\n * This file is a fork of https://github.com/reworkcss/css/blob/master/lib/parse/index.js\n * I fork it because:\n * 1. The css library was built for node.js which does not have tree-shaking supports.\n * 2. Rewrites into typescript give us a better type interface.\n */\n\n/* tslint:disable no-conditional-assignment interface-name no-shadowed-variable */\n\nexport interface ParserOptions {\n /** Silently fail on parse errors */\n silent?: boolean;\n /**\n * The path to the file containing css.\n * Makes errors and source maps more helpful, by letting them know where code comes from.\n */\n source?: string;\n}\n\n/**\n * Error thrown during parsing.\n */\nexport interface ParserError {\n /** The full error message with the source position. */\n message?: string;\n /** The error message without position. */\n reason?: string;\n /** The value of options.source if passed to css.parse. Otherwise undefined. */\n filename?: string;\n line?: number;\n column?: number;\n /** The portion of code that couldn't be parsed. */\n source?: string;\n}\n\nexport interface Loc {\n line?: number;\n column?: number;\n}\n\n/**\n * Base AST Tree Node.\n */\nexport interface Node {\n /** The possible values are the ones listed in the Types section on https://github.com/reworkcss/css page. */\n type?: string;\n /** A reference to the parent node, or null if the node has no parent. */\n parent?: Node;\n /** Information about the position in the source string that corresponds to the node. */\n position?: {\n start?: Loc;\n end?: Loc;\n /** The value of options.source if passed to css.parse. Otherwise undefined. */\n source?: string;\n /** The full source string passed to css.parse. */\n content?: string;\n };\n}\n\nexport interface Rule extends Node {\n /** The list of selectors of the rule, split on commas. Each selector is trimmed from whitespace and comments. */\n selectors?: string[];\n /** Array of nodes with the types declaration and comment. */\n declarations?: Array;\n}\n\nexport interface Declaration extends Node {\n /** The property name, trimmed from whitespace and comments. May not be empty. */\n property?: string;\n /** The value of the property, trimmed from whitespace and comments. Empty values are allowed. */\n value?: string;\n}\n\n/**\n * A rule-level or declaration-level comment. Comments inside selectors, properties and values etc. are lost.\n */\nexport interface Comment extends Node {\n comment?: string;\n}\n\n/**\n * The @charset at-rule.\n */\nexport interface Charset extends Node {\n /** The part following @charset. */\n charset?: string;\n}\n\n/**\n * The @custom-media at-rule\n */\nexport interface CustomMedia extends Node {\n /** The ---prefixed name. */\n name?: string;\n /** The part following the name. */\n media?: string;\n}\n\n/**\n * The @document at-rule.\n */\nexport interface Document extends Node {\n /** The part following @document. */\n document?: string;\n /** The vendor prefix in @document, or undefined if there is none. */\n vendor?: string;\n /** Array of nodes with the types rule, comment and any of the at-rule types. */\n rules?: Array;\n}\n\n/**\n * The @font-face at-rule.\n */\nexport interface FontFace extends Node {\n /** Array of nodes with the types declaration and comment. */\n declarations?: Array;\n}\n\n/**\n * The @host at-rule.\n */\nexport interface Host extends Node {\n /** Array of nodes with the types rule, comment and any of the at-rule types. */\n rules?: Array;\n}\n\n/**\n * The @import at-rule.\n */\nexport interface Import extends Node {\n /** The part following @import. */\n import?: string;\n}\n\n/**\n * The @keyframes at-rule.\n */\nexport interface KeyFrames extends Node {\n /** The name of the keyframes rule. */\n name?: string;\n /** The vendor prefix in @keyframes, or undefined if there is none. */\n vendor?: string;\n /** Array of nodes with the types keyframe and comment. */\n keyframes?: Array;\n}\n\nexport interface KeyFrame extends Node {\n /** The list of \"selectors\" of the keyframe rule, split on commas. Each “selector” is trimmed from whitespace. */\n values?: string[];\n /** Array of nodes with the types declaration and comment. */\n declarations?: Array;\n}\n\n/**\n * The @media at-rule.\n */\nexport interface Media extends Node {\n /** The part following @media. */\n media?: string;\n /** Array of nodes with the types rule, comment and any of the at-rule types. */\n rules?: Array;\n}\n\n/**\n * The @namespace at-rule.\n */\nexport interface Namespace extends Node {\n /** The part following @namespace. */\n namespace?: string;\n}\n\n/**\n * The @page at-rule.\n */\nexport interface Page extends Node {\n /** The list of selectors of the rule, split on commas. Each selector is trimmed from whitespace and comments. */\n selectors?: string[];\n /** Array of nodes with the types declaration and comment. */\n declarations?: Array;\n}\n\n/**\n * The @supports at-rule.\n */\nexport interface Supports extends Node {\n /** The part following @supports. */\n supports?: string;\n /** Array of nodes with the types rule, comment and any of the at-rule types. */\n rules?: Array;\n}\n\n/** All at-rules. */\nexport type AtRule =\n | Charset\n | CustomMedia\n | Document\n | FontFace\n | Host\n | Import\n | KeyFrames\n | Media\n | Namespace\n | Page\n | Supports;\n\n/**\n * A collection of rules\n */\nexport interface StyleRules {\n source?: string;\n /** Array of nodes with the types rule, comment and any of the at-rule types. */\n rules: Array;\n /** Array of Errors. Errors collected during parsing when option silent is true. */\n parsingErrors?: ParserError[];\n}\n\n/**\n * The root node returned by css.parse.\n */\nexport interface Stylesheet extends Node {\n stylesheet?: StyleRules;\n}\n\n// http://www.w3.org/TR/CSS21/grammar.html\n// https://github.com/visionmedia/css-parse/pull/49#issuecomment-30088027\nconst commentre = /\\/\\*[^*]*\\*+([^/*][^*]*\\*+)*\\//g;\n\nexport function parse(css: string, options: ParserOptions = {}) {\n /**\n * Positional.\n */\n\n let lineno = 1;\n let column = 1;\n\n /**\n * Update lineno and column based on `str`.\n */\n\n function updatePosition(str: string) {\n const lines = str.match(/\\n/g);\n if (lines) {\n lineno += lines.length;\n }\n let i = str.lastIndexOf('\\n');\n column = i === -1 ? column + str.length : str.length - i;\n }\n\n /**\n * Mark position and patch `node.position`.\n */\n\n function position() {\n const start = { line: lineno, column };\n return (\n node: Rule | Declaration | Comment | AtRule | Stylesheet | KeyFrame,\n ) => {\n node.position = new Position(start);\n whitespace();\n return node;\n };\n }\n\n /**\n * Store position information for a node\n */\n\n class Position {\n public content!: string;\n public start!: Loc;\n public end!: Loc;\n public source?: string;\n\n constructor(start: Loc) {\n this.start = start;\n this.end = { line: lineno, column };\n this.source = options.source;\n }\n }\n\n /**\n * Non-enumerable source string\n */\n\n Position.prototype.content = css;\n\n const errorsList: ParserError[] = [];\n\n function error(msg: string) {\n const err = new Error(\n options.source + ':' + lineno + ':' + column + ': ' + msg,\n ) as ParserError;\n err.reason = msg;\n err.filename = options.source;\n err.line = lineno;\n err.column = column;\n err.source = css;\n\n if (options.silent) {\n errorsList.push(err);\n } else {\n throw err;\n }\n }\n\n /**\n * Parse stylesheet.\n */\n\n function stylesheet(): Stylesheet {\n const rulesList = rules();\n\n return {\n type: 'stylesheet',\n stylesheet: {\n source: options.source,\n rules: rulesList,\n parsingErrors: errorsList,\n },\n };\n }\n\n /**\n * Opening brace.\n */\n\n function open() {\n return match(/^{\\s*/);\n }\n\n /**\n * Closing brace.\n */\n\n function close() {\n return match(/^}/);\n }\n\n /**\n * Parse ruleset.\n */\n\n function rules() {\n let node: Rule | void;\n const rules: Rule[] = [];\n whitespace();\n comments(rules);\n while (css.length && css.charAt(0) !== '}' && (node = atrule() || rule())) {\n if (node !== false) {\n rules.push(node);\n comments(rules);\n }\n }\n return rules;\n }\n\n /**\n * Match `re` and return captures.\n */\n\n function match(re: RegExp) {\n const m = re.exec(css);\n if (!m) {\n return;\n }\n const str = m[0];\n updatePosition(str);\n css = css.slice(str.length);\n return m;\n }\n\n /**\n * Parse whitespace.\n */\n\n function whitespace() {\n match(/^\\s*/);\n }\n\n /**\n * Parse comments;\n */\n\n function comments(rules: Rule[] = []) {\n let c: Comment | void;\n while ((c = comment())) {\n if (c !== false) {\n rules.push(c);\n }\n c = comment();\n }\n return rules;\n }\n\n /**\n * Parse comment.\n */\n\n function comment() {\n const pos = position();\n if ('/' !== css.charAt(0) || '*' !== css.charAt(1)) {\n return;\n }\n\n let i = 2;\n while (\n '' !== css.charAt(i) &&\n ('*' !== css.charAt(i) || '/' !== css.charAt(i + 1))\n ) {\n ++i;\n }\n i += 2;\n\n if ('' === css.charAt(i - 1)) {\n return error('End of comment missing');\n }\n\n const str = css.slice(2, i - 2);\n column += 2;\n updatePosition(str);\n css = css.slice(i);\n column += 2;\n\n return pos({\n type: 'comment',\n comment: str,\n });\n }\n\n /**\n * Parse selector.\n */\n\n function selector() {\n const m = match(/^([^{]+)/);\n if (!m) {\n return;\n }\n /* @fix Remove all comments from selectors\n * http://ostermiller.org/findcomment.html */\n return trim(m[0])\n .replace(/\\/\\*([^*]|[\\r\\n]|(\\*+([^*/]|[\\r\\n])))*\\*\\/+/g, '')\n .replace(/\"(?:\\\\\"|[^\"])*\"|'(?:\\\\'|[^'])*'/g, (m) => {\n return m.replace(/,/g, '\\u200C');\n })\n .split(/\\s*(?![^(]*\\)),\\s*/)\n .map((s) => {\n return s.replace(/\\u200C/g, ',');\n });\n }\n\n /**\n * Parse declaration.\n */\n\n function declaration(): Declaration | void | never {\n const pos = position();\n\n // prop\n let propMatch = match(/^(\\*?[-#\\/\\*\\\\\\w]+(\\[[0-9a-z_-]+\\])?)\\s*/);\n if (!propMatch) {\n return;\n }\n const prop = trim(propMatch[0]);\n\n // :\n if (!match(/^:\\s*/)) {\n return error(`property missing ':'`);\n }\n\n // val\n const val = match(/^((?:'(?:\\\\'|.)*?'|\"(?:\\\\\"|.)*?\"|\\([^\\)]*?\\)|[^};])+)/);\n\n const ret = pos({\n type: 'declaration',\n property: prop.replace(commentre, ''),\n value: val ? trim(val[0]).replace(commentre, '') : '',\n });\n\n // ;\n match(/^[;\\s]*/);\n\n return ret;\n }\n\n /**\n * Parse declarations.\n */\n\n function declarations() {\n const decls: Array = [];\n\n if (!open()) {\n return error(`missing '{'`);\n }\n comments(decls);\n\n // declarations\n let decl;\n while ((decl = declaration())) {\n if ((decl as unknown) !== false) {\n decls.push(decl);\n comments(decls);\n }\n decl = declaration();\n }\n\n if (!close()) {\n return error(`missing '}'`);\n }\n return decls;\n }\n\n /**\n * Parse keyframe.\n */\n\n function keyframe() {\n let m;\n const vals = [];\n const pos = position();\n\n while ((m = match(/^((\\d+\\.\\d+|\\.\\d+|\\d+)%?|[a-z]+)\\s*/))) {\n vals.push(m[1]);\n match(/^,\\s*/);\n }\n\n if (!vals.length) {\n return;\n }\n\n return pos({\n type: 'keyframe',\n values: vals,\n declarations: declarations() as Declaration[],\n });\n }\n\n /**\n * Parse keyframes.\n */\n\n function atkeyframes() {\n const pos = position();\n let m = match(/^@([-\\w]+)?keyframes\\s*/);\n\n if (!m) {\n return;\n }\n const vendor = m[1];\n\n // identifier\n m = match(/^([-\\w]+)\\s*/);\n if (!m) {\n return error('@keyframes missing name');\n }\n const name = m[1];\n\n if (!open()) {\n return error(`@keyframes missing '{'`);\n }\n\n let frame;\n let frames = comments();\n while ((frame = keyframe())) {\n frames.push(frame);\n frames = frames.concat(comments());\n }\n\n if (!close()) {\n return error(`@keyframes missing '}'`);\n }\n\n return pos({\n type: 'keyframes',\n name,\n vendor,\n keyframes: frames,\n });\n }\n\n /**\n * Parse supports.\n */\n\n function atsupports() {\n const pos = position();\n const m = match(/^@supports *([^{]+)/);\n\n if (!m) {\n return;\n }\n const supports = trim(m[1]);\n\n if (!open()) {\n return error(`@supports missing '{'`);\n }\n\n const style = comments().concat(rules());\n\n if (!close()) {\n return error(`@supports missing '}'`);\n }\n\n return pos({\n type: 'supports',\n supports,\n rules: style,\n });\n }\n\n /**\n * Parse host.\n */\n\n function athost() {\n const pos = position();\n const m = match(/^@host\\s*/);\n\n if (!m) {\n return;\n }\n\n if (!open()) {\n return error(`@host missing '{'`);\n }\n\n const style = comments().concat(rules());\n\n if (!close()) {\n return error(`@host missing '}'`);\n }\n\n return pos({\n type: 'host',\n rules: style,\n });\n }\n\n /**\n * Parse media.\n */\n\n function atmedia() {\n const pos = position();\n const m = match(/^@media *([^{]+)/);\n\n if (!m) {\n return;\n }\n const media = trim(m[1]);\n\n if (!open()) {\n return error(`@media missing '{'`);\n }\n\n const style = comments().concat(rules());\n\n if (!close()) {\n return error(`@media missing '}'`);\n }\n\n return pos({\n type: 'media',\n media,\n rules: style,\n });\n }\n\n /**\n * Parse custom-media.\n */\n\n function atcustommedia() {\n const pos = position();\n const m = match(/^@custom-media\\s+(--[^\\s]+)\\s*([^{;]+);/);\n if (!m) {\n return;\n }\n\n return pos({\n type: 'custom-media',\n name: trim(m[1]),\n media: trim(m[2]),\n });\n }\n\n /**\n * Parse paged media.\n */\n\n function atpage() {\n const pos = position();\n const m = match(/^@page */);\n if (!m) {\n return;\n }\n\n const sel = selector() || [];\n\n if (!open()) {\n return error(`@page missing '{'`);\n }\n let decls = comments();\n\n // declarations\n let decl;\n while ((decl = declaration())) {\n decls.push(decl);\n decls = decls.concat(comments());\n }\n\n if (!close()) {\n return error(`@page missing '}'`);\n }\n\n return pos({\n type: 'page',\n selectors: sel,\n declarations: decls,\n });\n }\n\n /**\n * Parse document.\n */\n\n function atdocument() {\n const pos = position();\n const m = match(/^@([-\\w]+)?document *([^{]+)/);\n if (!m) {\n return;\n }\n\n const vendor = trim(m[1]);\n const doc = trim(m[2]);\n\n if (!open()) {\n return error(`@document missing '{'`);\n }\n\n const style = comments().concat(rules());\n\n if (!close()) {\n return error(`@document missing '}'`);\n }\n\n return pos({\n type: 'document',\n document: doc,\n vendor,\n rules: style,\n });\n }\n\n /**\n * Parse font-face.\n */\n\n function atfontface() {\n const pos = position();\n const m = match(/^@font-face\\s*/);\n if (!m) {\n return;\n }\n\n if (!open()) {\n return error(`@font-face missing '{'`);\n }\n let decls = comments();\n\n // declarations\n let decl;\n while ((decl = declaration())) {\n decls.push(decl);\n decls = decls.concat(comments());\n }\n\n if (!close()) {\n return error(`@font-face missing '}'`);\n }\n\n return pos({\n type: 'font-face',\n declarations: decls,\n });\n }\n\n /**\n * Parse import\n */\n\n const atimport = _compileAtrule('import');\n\n /**\n * Parse charset\n */\n\n const atcharset = _compileAtrule('charset');\n\n /**\n * Parse namespace\n */\n\n const atnamespace = _compileAtrule('namespace');\n\n /**\n * Parse non-block at-rules\n */\n\n function _compileAtrule(name: string) {\n const re = new RegExp('^@' + name + '\\\\s*([^;]+);');\n return () => {\n const pos = position();\n const m = match(re);\n if (!m) {\n return;\n }\n const ret: Record = { type: name };\n ret[name] = m[1].trim();\n return pos(ret);\n };\n }\n\n /**\n * Parse at rule.\n */\n\n function atrule() {\n if (css[0] !== '@') {\n return;\n }\n\n return (\n atkeyframes() ||\n atmedia() ||\n atcustommedia() ||\n atsupports() ||\n atimport() ||\n atcharset() ||\n atnamespace() ||\n atdocument() ||\n atpage() ||\n athost() ||\n atfontface()\n );\n }\n\n /**\n * Parse rule.\n */\n\n function rule() {\n const pos = position();\n const sel = selector();\n\n if (!sel) {\n return error('selector missing');\n }\n comments();\n\n return pos({\n type: 'rule',\n selectors: sel,\n declarations: declarations() as Declaration[],\n });\n }\n\n return addParent(stylesheet());\n}\n\n/**\n * Trim `str`.\n */\n\nfunction trim(str: string) {\n return str ? str.replace(/^\\s+|\\s+$/g, '') : '';\n}\n\n/**\n * Adds non-enumerable parent node reference to each node.\n */\n\nfunction addParent(obj: Stylesheet, parent?: Stylesheet) {\n const isNode = obj && typeof obj.type === 'string';\n const childParent = isNode ? obj : parent;\n\n for (const k of Object.keys(obj)) {\n const value = obj[k as keyof Stylesheet];\n if (Array.isArray(value)) {\n value.forEach((v) => {\n addParent(v, childParent);\n });\n } else if (value && typeof value === 'object') {\n addParent((value as unknown) as Stylesheet, childParent);\n }\n }\n\n if (isNode) {\n Object.defineProperty(obj, 'parent', {\n configurable: true,\n writable: true,\n enumerable: false,\n value: parent || null,\n });\n }\n\n return obj;\n}\n","import { parse } from './css';\nimport {\n serializedNodeWithId,\n NodeType,\n tagMap,\n elementNode,\n idNodeMap,\n INode,\n BuildCache,\n} from './types';\nimport { isElement } from './utils';\n\nconst tagMap: tagMap = {\n script: 'noscript',\n // camel case svg element tag names\n altglyph: 'altGlyph',\n altglyphdef: 'altGlyphDef',\n altglyphitem: 'altGlyphItem',\n animatecolor: 'animateColor',\n animatemotion: 'animateMotion',\n animatetransform: 'animateTransform',\n clippath: 'clipPath',\n feblend: 'feBlend',\n fecolormatrix: 'feColorMatrix',\n fecomponenttransfer: 'feComponentTransfer',\n fecomposite: 'feComposite',\n feconvolvematrix: 'feConvolveMatrix',\n fediffuselighting: 'feDiffuseLighting',\n fedisplacementmap: 'feDisplacementMap',\n fedistantlight: 'feDistantLight',\n fedropshadow: 'feDropShadow',\n feflood: 'feFlood',\n fefunca: 'feFuncA',\n fefuncb: 'feFuncB',\n fefuncg: 'feFuncG',\n fefuncr: 'feFuncR',\n fegaussianblur: 'feGaussianBlur',\n feimage: 'feImage',\n femerge: 'feMerge',\n femergenode: 'feMergeNode',\n femorphology: 'feMorphology',\n feoffset: 'feOffset',\n fepointlight: 'fePointLight',\n fespecularlighting: 'feSpecularLighting',\n fespotlight: 'feSpotLight',\n fetile: 'feTile',\n feturbulence: 'feTurbulence',\n foreignobject: 'foreignObject',\n glyphref: 'glyphRef',\n lineargradient: 'linearGradient',\n radialgradient: 'radialGradient',\n};\nfunction getTagName(n: elementNode): string {\n let tagName = tagMap[n.tagName] ? tagMap[n.tagName] : n.tagName;\n if (tagName === 'link' && n.attributes._cssText) {\n tagName = 'style';\n }\n return tagName;\n}\n\n// based on https://developer.mozilla.org/en-US/docs/Web/JavaScript/Guide/Regular_Expressions#escaping\nfunction escapeRegExp(str: string) {\n return str.replace(/[.*+?^${}()|[\\]\\\\]/g, '\\\\$&'); // $& means the whole matched string\n}\n\nconst HOVER_SELECTOR = /([^\\\\]):hover/;\nconst HOVER_SELECTOR_GLOBAL = new RegExp(HOVER_SELECTOR.source, 'g');\nexport function addHoverClass(cssText: string, cache: BuildCache): string {\n const cachedStyle = cache?.stylesWithHoverClass.get(cssText);\n if (cachedStyle) return cachedStyle;\n\n const ast = parse(cssText, {\n silent: true,\n });\n\n if (!ast.stylesheet) {\n return cssText;\n }\n\n const selectors: string[] = [];\n ast.stylesheet.rules.forEach((rule) => {\n if ('selectors' in rule) {\n (rule.selectors || []).forEach((selector: string) => {\n if (HOVER_SELECTOR.test(selector)) {\n selectors.push(selector);\n }\n });\n }\n });\n\n if (selectors.length === 0) {\n return cssText;\n }\n\n const selectorMatcher = new RegExp(\n selectors\n .filter((selector, index) => selectors.indexOf(selector) === index)\n .sort((a, b) => b.length - a.length)\n .map((selector) => {\n return escapeRegExp(selector);\n })\n .join('|'),\n 'g',\n );\n\n const result = cssText.replace(selectorMatcher, (selector) => {\n const newSelector = selector.replace(HOVER_SELECTOR_GLOBAL, '$1.\\\\:hover');\n return `${selector}, ${newSelector}`;\n });\n cache?.stylesWithHoverClass.set(cssText, result);\n return result;\n}\n\nexport function createCache(): BuildCache {\n const stylesWithHoverClass: Map = new Map();\n return {\n stylesWithHoverClass,\n };\n}\n\nfunction buildNode(\n n: serializedNodeWithId,\n options: {\n doc: Document;\n hackCss: boolean;\n cache: BuildCache;\n },\n): Node | null {\n const { doc, hackCss, cache } = options;\n switch (n.type) {\n case NodeType.Document:\n return doc.implementation.createDocument(null, '', null);\n case NodeType.DocumentType:\n return doc.implementation.createDocumentType(\n n.name || 'html',\n n.publicId,\n n.systemId,\n );\n case NodeType.Element:\n const tagName = getTagName(n);\n let node: Element;\n if (n.isSVG) {\n node = doc.createElementNS('http://www.w3.org/2000/svg', tagName);\n } else {\n node = doc.createElement(tagName);\n }\n for (const name in n.attributes) {\n if (!n.attributes.hasOwnProperty(name)) {\n continue;\n }\n let value = n.attributes[name];\n if (tagName === 'option' && name === 'selected' && value === false) {\n // legacy fix (TODO: if `value === false` can be generated for other attrs, should we also omit those other attrs from build?)\n continue;\n }\n value =\n typeof value === 'boolean' || typeof value === 'number' ? '' : value;\n // attribute names start with rr_ are internal attributes added by rrweb\n if (!name.startsWith('rr_')) {\n const isTextarea = tagName === 'textarea' && name === 'value';\n const isRemoteOrDynamicCss =\n tagName === 'style' && name === '_cssText';\n if (isRemoteOrDynamicCss && hackCss) {\n value = addHoverClass(value, cache);\n }\n if (isTextarea || isRemoteOrDynamicCss) {\n const child = doc.createTextNode(value);\n // https://github.com/rrweb-io/rrweb/issues/112\n for (const c of Array.from(node.childNodes)) {\n if (c.nodeType === node.TEXT_NODE) {\n node.removeChild(c);\n }\n }\n node.appendChild(child);\n continue;\n }\n\n try {\n if (n.isSVG && name === 'xlink:href') {\n node.setAttributeNS('http://www.w3.org/1999/xlink', name, value);\n } else if (\n name === 'onload' ||\n name === 'onclick' ||\n name.substring(0, 7) === 'onmouse'\n ) {\n // Rename some of the more common atttributes from https://www.w3schools.com/tags/ref_eventattributes.asp\n // as setting them triggers a console.error (which shows up despite the try/catch)\n // Assumption: these attributes are not used to css\n node.setAttribute('_' + name, value);\n } else if (\n tagName === 'meta' &&\n n.attributes['http-equiv'] === 'Content-Security-Policy' &&\n name === 'content'\n ) {\n // If CSP contains style-src and inline-style is disabled, there will be an error \"Refused to apply inline style because it violates the following Content Security Policy directive: style-src '*'\".\n // And the function insertStyleRules in rrweb replayer will throw an error \"Uncaught TypeError: Cannot read property 'insertRule' of null\".\n node.setAttribute('csp-content', value);\n continue;\n } else if (\n tagName === 'link' &&\n n.attributes.rel === 'preload' &&\n n.attributes.as === 'script'\n ) {\n // ignore\n } else if (\n tagName === 'link' &&\n n.attributes.rel === 'prefetch' &&\n typeof n.attributes.href === 'string' &&\n n.attributes.href.endsWith('.js')\n ) {\n // ignore\n } else if (\n tagName === 'img' &&\n n.attributes.srcset &&\n n.attributes.rr_dataURL\n ) {\n // backup original img srcset\n node.setAttribute('rrweb-original-srcset', n.attributes.srcset as string);\n } else {\n node.setAttribute(name, value);\n }\n } catch (error) {\n // skip invalid attribute\n }\n } else {\n // handle internal attributes\n if (tagName === 'canvas' && name === 'rr_dataURL') {\n const image = document.createElement('img');\n image.src = value;\n image.onload = () => {\n const ctx = (node as HTMLCanvasElement).getContext('2d');\n if (ctx) {\n ctx.drawImage(image, 0, 0, image.width, image.height);\n }\n };\n } else if (tagName === 'img' && name === 'rr_dataURL') {\n const image = node as HTMLImageElement;\n if (!image.currentSrc.startsWith('data:')) {\n // Backup original img src. It may not have been set yet.\n image.setAttribute(\n 'rrweb-original-src',\n n.attributes.src as string,\n );\n image.src = value;\n }\n }\n\n if (name === 'rr_width') {\n (node as HTMLElement).style.width = value;\n } else if (name === 'rr_height') {\n (node as HTMLElement).style.height = value;\n } else if (name === 'rr_mediaCurrentTime') {\n (node as HTMLMediaElement).currentTime = n.attributes\n .rr_mediaCurrentTime as number;\n } else if (name === 'rr_mediaState') {\n switch (value) {\n case 'played':\n (node as HTMLMediaElement)\n .play()\n .catch((e) => console.warn('media playback error', e));\n break;\n case 'paused':\n (node as HTMLMediaElement).pause();\n break;\n default:\n }\n }\n }\n }\n\n if (n.isShadowHost) {\n /**\n * Since node is newly rebuilt, it should be a normal element\n * without shadowRoot.\n * But if there are some weird situations that has defined\n * custom element in the scope before we rebuild node, it may\n * register the shadowRoot earlier.\n * The logic in the 'else' block is just a try-my-best solution\n * for the corner case, please let we know if it is wrong and\n * we can remove it.\n */\n if (!node.shadowRoot) {\n node.attachShadow({ mode: 'open' });\n } else {\n while (node.shadowRoot.firstChild) {\n node.shadowRoot.removeChild(node.shadowRoot.firstChild);\n }\n }\n }\n return node;\n case NodeType.Text:\n return doc.createTextNode(\n n.isStyle && hackCss\n ? addHoverClass(n.textContent, cache)\n : n.textContent,\n );\n case NodeType.CDATA:\n return doc.createCDATASection(n.textContent);\n case NodeType.Comment:\n return doc.createComment(n.textContent);\n default:\n return null;\n }\n}\n\nexport function buildNodeWithSN(\n n: serializedNodeWithId,\n options: {\n doc: Document;\n map: idNodeMap;\n skipChild?: boolean;\n hackCss: boolean;\n afterAppend?: (n: INode) => unknown;\n cache: BuildCache;\n },\n): INode | null {\n const {\n doc,\n map,\n skipChild = false,\n hackCss = true,\n afterAppend,\n cache,\n } = options;\n let node = buildNode(n, { doc, hackCss, cache });\n if (!node) {\n return null;\n }\n if (n.rootId) {\n console.assert(\n ((map[n.rootId] as unknown) as Document) === doc,\n 'Target document should has the same root id.',\n );\n }\n // use target document as root document\n if (n.type === NodeType.Document) {\n // close before open to make sure document was closed\n doc.close();\n doc.open();\n if (\n n.compatMode === 'BackCompat' &&\n n.childNodes &&\n n.childNodes[0].type !== NodeType.DocumentType // there isn't one already defined\n ) {\n // Trigger compatMode in the iframe\n // this is needed as document.createElement('iframe') otherwise inherits a CSS1Compat mode from the parent replayer environment\n if (\n n.childNodes[0].type === NodeType.Element &&\n 'xmlns' in n.childNodes[0].attributes &&\n n.childNodes[0].attributes.xmlns === 'http://www.w3.org/1999/xhtml'\n ) {\n // might as well use an xhtml doctype if we've got an xhtml namespace\n doc.write(\n '',\n );\n } else {\n doc.write(\n '',\n );\n }\n }\n node = doc;\n }\n\n (node as INode).__sn = n;\n map[n.id] = node as INode;\n\n if (\n (n.type === NodeType.Document || n.type === NodeType.Element) &&\n !skipChild\n ) {\n for (const childN of n.childNodes) {\n const childNode = buildNodeWithSN(childN, {\n doc,\n map,\n skipChild: false,\n hackCss,\n afterAppend,\n cache,\n });\n if (!childNode) {\n console.warn('Failed to rebuild', childN);\n continue;\n }\n\n if (childN.isShadow && isElement(node) && node.shadowRoot) {\n node.shadowRoot.appendChild(childNode);\n } else {\n node.appendChild(childNode);\n }\n if (afterAppend) {\n afterAppend(childNode);\n }\n }\n }\n\n return node as INode;\n}\n\nfunction visit(idNodeMap: idNodeMap, onVisit: (node: INode) => void) {\n function walk(node: INode) {\n onVisit(node);\n }\n\n for (const key in idNodeMap) {\n if (idNodeMap[key]) {\n walk(idNodeMap[key]);\n }\n }\n}\n\nfunction handleScroll(node: INode) {\n const n = node.__sn;\n if (n.type !== NodeType.Element) {\n return;\n }\n const el = (node as Node) as HTMLElement;\n for (const name in n.attributes) {\n if (!(n.attributes.hasOwnProperty(name) && name.startsWith('rr_'))) {\n continue;\n }\n const value = n.attributes[name];\n if (name === 'rr_scrollLeft') {\n el.scrollLeft = value as number;\n }\n if (name === 'rr_scrollTop') {\n el.scrollTop = value as number;\n }\n }\n}\n\nfunction rebuild(\n n: serializedNodeWithId,\n options: {\n doc: Document;\n onVisit?: (node: INode) => unknown;\n hackCss?: boolean;\n afterAppend?: (n: INode) => unknown;\n cache: BuildCache;\n },\n): [Node | null, idNodeMap] {\n const { doc, onVisit, hackCss = true, afterAppend, cache } = options;\n const idNodeMap: idNodeMap = {};\n const node = buildNodeWithSN(n, {\n doc,\n map: idNodeMap,\n skipChild: false,\n hackCss,\n afterAppend,\n cache,\n });\n visit(idNodeMap, (visitedNode) => {\n if (onVisit) {\n onVisit(visitedNode);\n }\n handleScroll(visitedNode);\n });\n return [node, idNodeMap];\n}\n\nexport default rebuild;\n"],"names":["NodeType","isElement","n","nodeType","ELEMENT_NODE","isShadowRoot","host","Boolean","shadowRoot","maskInputValue","_a","maskInputOptions","tagName","type","value","maskInputFn","text","toLowerCase","repeat","length","is2DCanvasBlank","canvas","ctx","getContext","x","width","y","height","getImageData","originalGetImageData","Uint32Array","call","Math","min","data","buffer","some","pixel","canvasService","canvasCtx","_id","tagNameRegex","RegExp","IGNORED_NODE","getCssRulesString","s","rules","cssRules","Array","from","map","getCssRuleString","join","error","rule","cssStringified","cssText","isCSSImportRule","styleSheet","URL_IN_CSS_REF","RELATIVE_PATH","DATA_URI","absoluteToStylesheet","href","replace","origin","quote1","path1","quote2","path2","path3","url","filePath","maybeQuote","test","indexOf","split","slice","stack","parts","pop","parts_1","_i","part","push","SRCSET_NOT_SPACES","SRCSET_COMMAS_OR_SPACES","absoluteToDoc","doc","attributeValue","trim","a","createElement","getHref","document","transformAttribute","name","pos","collectCharacters","regEx","chars","match","exec","substring","output","descriptorsStr","inParens","c","charAt","getAbsoluteSrcsetString","needMaskingText","node","maskTextClass","maskTextSelector","classList","contains","eIndex","className","matches","parentNode","TEXT_NODE","serializeNode","options","rootId","sheet","el","blockClass","blockSelector","inlineStylesheet","_b","maskTextFn","_c","dataURLOptions","inlineImages","recordCanvas","keepIframeSrcFn","__sn","docId","id","undefined","DOCUMENT_NODE","compatMode","Document","childNodes","DOCUMENT_TYPE_NODE","DocumentType","publicId","systemId","needBlock","element","_isBlockedElement","HTMLFormElement","processedTagName","getValidTagName","attributes_1","_d","attributes","_e","name_1","stylesheet","styleSheets","find","rel","_cssText","innerText","textContent","checked","selected","__context","rr_dataURL","toDataURL","quality","canvasDataURL","blankCanvas","image_1","oldValue_1","crossOrigin","recordInlineImage","naturalWidth","naturalHeight","drawImage","err","console","warn","currentSrc","complete","onload","rr_mediaState","paused","rr_mediaCurrentTime","currentTime","scrollLeft","rr_scrollLeft","scrollTop","rr_scrollTop","_f","getBoundingClientRect","class","rr_width","rr_height","src","contentDocument","rr_src","Element","isSVG","ownerSVGElement","parentTagName","isStyle","isScript","nextSibling","previousSibling","Text","CDATA_SECTION_NODE","CDATA","COMMENT_NODE","Comment","lowerIfExists","maybeAttr","serializeNodeWithId","skipChild","slimDOMOptions","onSerialize","onIframeLoad","_g","iframeLoadTimeout","_h","_j","preserveWhiteSpace","_serializedNode","sn","comment","script","as","endsWith","headFavicon","headMetaDescKeywords","headMetaSocial","property","headMetaRobots","headMetaHttpEquiv","headMetaAuthorship","headMetaVerification","slimDOMExcluded","serializedNode","Object","assign","recordChild","isShadowHost","headWhitespace","bypassOptions","_k","serializedChildNode","_m","_l","isShadow","iframeEl","listener","win","contentWindow","readyState","fired","blankUrl","location","addEventListener","setTimeout","timer_1","clearTimeout","onceIframeLoaded","iframeDoc","serializedIframeNode","snapshot","maskAllInputs","slimDOM","idNodeMap","color","date","email","month","number","range","search","tel","time","week","textarea","select","password","visitSnapshot","onVisit","walk","current","forEach","cleanupSnapshot","commentre","parse","css","lineno","column","updatePosition","str","lines","i","lastIndexOf","position","start","line","Position","whitespace","this","end","source","prototype","content","errorsList","msg","Error","reason","filename","silent","open","close","comments","atrule","re","m","selector","declaration","propMatch","prop","val","ret","declarations","decl","decls","keyframe","vals","values","rulesList","atimport","_compileAtrule","atcharset","atnamespace","vendor","frame","frames","concat","keyframes","atkeyframes","media","style","atmedia","atcustommedia","supports","atsupports","atdocument","sel","selectors","atpage","athost","atfontface","addParent","parsingErrors","obj","parent","isNode","childParent","keys","isArray","v","defineProperty","configurable","writable","enumerable","tagMap","altglyph","altglyphdef","altglyphitem","animatecolor","animatemotion","animatetransform","clippath","feblend","fecolormatrix","fecomponenttransfer","fecomposite","feconvolvematrix","fediffuselighting","fedisplacementmap","fedistantlight","fedropshadow","feflood","fefunca","fefuncb","fefuncg","fefuncr","fegaussianblur","feimage","femerge","femergenode","femorphology","feoffset","fepointlight","fespecularlighting","fespotlight","fetile","feturbulence","foreignobject","glyphref","lineargradient","radialgradient","HOVER_SELECTOR","HOVER_SELECTOR_GLOBAL","addHoverClass","cache","cachedStyle","stylesWithHoverClass","get","ast","selectorMatcher","filter","index","sort","b","result","newSelector","set","createCache","Map","buildNode","hackCss","implementation","createDocument","createDocumentType","node_1","getTagName","createElementNS","hasOwnProperty","startsWith","image","setAttribute","play","e","pause","isTextarea","isRemoteOrDynamicCss","child","createTextNode","removeChild","appendChild","setAttributeNS","srcset","firstChild","attachShadow","mode","createCDATASection","createComment","buildNodeWithSN","afterAppend","assert","xmlns","write","childN","childNode","rebuild","key","visit","visitedNode","name_2","handleScroll"],"mappings":"IAAYA,WCEIC,EAAUC,GACxB,OAAOA,EAAEC,WAAaD,EAAEE,sBAGVC,EAAaH,SACrBI,YAAwBJ,wBAAkBI,KAChD,OAAOC,QAAQD,GAAQA,EAAKE,YAAcF,EAAKE,aAAeN,YAGhDO,EAAeC,OAC7BC,qBACAC,YACAC,SACAC,UACAC,gBAQIC,EAAOF,GAAS,GAWpB,OATEH,EAAiBC,EAAQK,gBACzBN,EAAiBE,MAGfG,EADED,EACKA,EAAYC,GAEZ,IAAIE,OAAOF,EAAKG,SAGpBH,GDnCT,SAAYhB,GACVA,2BACAA,mCACAA,yBACAA,mBACAA,qBACAA,yBANF,CAAYA,IAAAA,gBC2CIoB,EAAgBC,GAC9B,IAAMC,EAAMD,EAAOE,WAAW,MAC9B,IAAKD,EAAK,OAAO,EAKjB,IAHA,IAGSE,EAAI,EAAGA,EAAIH,EAAOI,MAAOD,GAHhB,GAIhB,IAAK,IAAIE,EAAI,EAAGA,EAAIL,EAAOM,OAAQD,GAJnB,GAImC,CACjD,IAAME,EAAeN,EAAIM,aACnBC,EAfoB,uBAgBGD,EACvBA,EAAoC,mBACpCA,EAcN,GAToB,IAAIE,YACtBD,EAAqBE,KACnBT,EACAE,EACAE,EACAM,KAAKC,IAnBK,GAmBUZ,EAAOI,MAAQD,GACnCQ,KAAKC,IApBK,GAoBUZ,EAAOM,OAASD,IACpCQ,KAAKC,QAEOC,MAAK,SAACC,GAAU,OAAU,IAAVA,KAAc,OAAO,EAGzD,OAAO,ECnDT,IAsEIC,EACAC,EAvEAC,EAAM,EACJC,EAAe,IAAIC,OAAO,gBAEnBC,GAAgB,EAuB7B,SAASC,EAAkBC,GACzB,IACE,IAAMC,EAAQD,EAAEC,OAASD,EAAEE,SAC3B,OAAOD,EAAQE,MAAMC,KAAKH,GAAOI,IAAIC,GAAkBC,KAAK,IAAM,KAClE,MAAOC,GACP,OAAO,MAIX,SAASF,EAAiBG,GACxB,IAAIC,EAAiBD,EAAKE,QAC1B,GAUF,SAAyBF,GACvB,MAAO,eAAgBA,EAXnBG,CAAgBH,GAClB,IACEC,EAAiBX,EAAkBU,EAAKI,aAAeH,EACvD,UAIJ,OAAOA,EA6BT,IAAMI,EAAiB,6CACjBC,EAAgB,sDAChBC,EAAW,iCACDC,EACdN,EACAO,GAEA,OAAQP,GAAW,IAAIQ,QACrBL,GACA,SAACM,EAAQC,EAAQC,EAAOC,EAAQC,EAAOC,GACrC,IAxBiBC,EAwBXC,EAAWL,GAASE,GAASC,EAC7BG,EAAaP,GAAUE,GAAU,GACvC,IAAKI,EACH,OAAOP,EAET,IAAKL,EAAcc,KAAKF,GACtB,MAAO,OAAOC,EAAaD,EAAWC,MAExC,GAAIZ,EAASa,KAAKF,GAChB,MAAO,OAAOC,EAAaD,EAAWC,MAExC,GAAoB,MAAhBD,EAAS,GACX,MAAO,OAAOC,KApCCF,EAqCCR,GAnCdY,QAAQ,OAAS,EACdJ,EAAIK,MAAM,KAAKC,MAAM,EAAG,GAAGzB,KAAK,KAEhCmB,EAAIK,MAAM,KAAK,IAEVA,MAAM,KAAK,GA8BGJ,GACrBC,MAEL,IAAMK,EAAQf,EAAKa,MAAM,KACnBG,EAAQP,EAASI,MAAM,KAC7BE,EAAME,MACN,IAAmB,QAAAC,IAAAC,WAAAA,IAAO,CAArB,IAAMC,OACI,MAATA,IAEgB,OAATA,EACTL,EAAME,MAENF,EAAMM,KAAKD,IAGf,MAAO,OAAOV,EAAaK,EAAM1B,KAAK,KAAOqB,SAKnD,IAAMY,EAAoB,qBACpBC,EAA0B,8BAyEhBC,EAAcC,EAAeC,GAC3C,IAAKA,GAA4C,KAA1BA,EAAeC,OACpC,OAAOD,EAET,IAAME,EAAuBH,EAAII,cAAc,KAE/C,OADAD,EAAE5B,KAAO0B,EACFE,EAAE5B,KAOX,SAAS8B,IAEP,IAAMF,EAAIG,SAASF,cAAc,KAEjC,OADAD,EAAE5B,KAAO,GACF4B,EAAE5B,cAGKgC,EACdP,EACA5E,EACAoF,EACAlF,GAGA,MAAa,QAATkF,GAA4B,SAATA,GAAmBlF,GAEtB,eAATkF,GAAyBlF,GAAsB,MAAbA,EAAM,GAD1CyE,EAAcC,EAAK1E,GAKjB,eAATkF,IACAlF,GACa,UAAZF,GAAmC,OAAZA,GAAgC,OAAZA,EAG1B,WAAToF,GAAqBlF,EA9GlC,SAAiC0E,EAAeC,GAS9C,GAA8B,KAA1BA,EAAeC,OACjB,OAAOD,EAGT,IAAIQ,EAAM,EAEV,SAASC,EAAkBC,GACzB,IAAIC,EACAC,EAAQF,EAAMG,KAAKb,EAAec,UAAUN,IAChD,OAAII,GACFD,EAAQC,EAAM,GACdJ,GAAOG,EAAMjF,OACNiF,GAEF,GAIT,IADA,IAAII,EAAS,GAEXN,EAAkBZ,KACdW,GAAOR,EAAetE,SAFf,CAMX,IAAIoD,EAAM2B,EAAkBb,GAC5B,GAAsB,MAAlBd,EAAIM,OAAO,GAEbN,EAAMgB,EAAcC,EAAKjB,EAAIgC,UAAU,EAAGhC,EAAIpD,OAAS,IAGvDqF,EAAOpB,KAAKb,OACP,CACL,IAAIkC,EAAiB,GACrBlC,EAAMgB,EAAcC,EAAKjB,GAEzB,IADA,IAAImC,GAAW,IACF,CACX,IAAIC,EAAIlB,EAAemB,OAAOX,GAC9B,GAAU,KAANU,EAAU,CACZH,EAAOpB,MAAMb,EAAMkC,GAAgBf,QACnC,MACK,GAAKgB,EAWA,MAANC,IACFD,GAAW,OAZO,CACpB,GAAU,MAANC,EAAW,CACbV,GAAO,EACPO,EAAOpB,MAAMb,EAAMkC,GAAgBf,QACnC,MACe,MAANiB,IACTD,GAAW,GASfD,GAAkBE,EAClBV,GAAO,IAIb,OAAOO,EAAOpD,KAAK,MA0CVyD,CAAwBrB,EAAK1E,GAClB,UAATkF,GAAoBlF,EACtBgD,EAAqBhD,EAAO+E,KACd,WAAZjF,GAAiC,SAAToF,GAAmBlF,EAC7CyE,EAAcC,EAAK1E,GAEnBA,EARAyE,EAAcC,EAAK1E,YAqCdgG,EACdC,EACAC,EACAC,GAEA,IAAKF,EACH,OAAO,EAET,GAAIA,EAAK5G,WAAa4G,EAAK3G,aAAc,CACvC,GAA6B,iBAAlB4G,GACT,GAAKD,EAAqBG,UAAUC,SAASH,GAC3C,OAAO,OAIT,IACE,IAAII,EAAS,EACbA,EAAUL,EAAqBG,UAAU/F,OACzCiG,IACA,CACA,IAAMC,EAAaN,EAAqBG,UAAUE,GAClD,GAAIJ,EAActC,KAAK2C,GACrB,OAAO,EAIb,SAAIJ,IACGF,EAAqBO,QAAQL,KAI7BH,EAAgBC,EAAKQ,WAAYP,EAAeC,GAEzD,OAAIF,EAAK5G,SAAa4G,EAAKS,UAElBV,EAAgBC,EAAKQ,WAAYP,EAAeC,GAsD3D,SAASQ,EACPvH,EACAwH,SAgCIC,EAhVuBC,EAoJPC,EA6KlBrC,EAaEkC,MAZFI,EAYEJ,aAXFK,EAWEL,gBAVFV,EAUEU,gBATFT,EASES,mBARFM,EAQEN,mBAPFO,EAOEP,mBAPF/G,aAAmB,KACnBuH,EAMER,aALF3G,EAKE2G,cAJFS,EAIET,iBAJFU,aAAiB,KACjBC,EAGEX,eAFFY,EAEEZ,eADFa,EACEb,kBAGJ,GAAMlC,EAA0BgD,KAAM,CACpC,IAAMC,EAAUjD,EAA0BgD,KAAKE,GAC/Cf,EAAmB,IAAVc,OAAcE,EAAYF,EAErC,OAAQvI,EAAEC,UACR,KAAKD,EAAE0I,cACL,MAAuC,eAAlC1I,EAAmB2I,WACf,CACLhI,KAAMb,EAAS8I,SACfC,WAAY,GACZF,WAAa3I,EAAmB2I,WAChClB,UAGK,CACL9G,KAAMb,EAAS8I,SACfC,WAAY,GACZpB,UAGN,KAAKzH,EAAE8I,mBACL,MAAO,CACLnI,KAAMb,EAASiJ,aACfjD,KAAO9F,EAAmB8F,KAC1BkD,SAAWhJ,EAAmBgJ,SAC9BC,SAAWjJ,EAAmBiJ,SAC9BxB,UAEJ,KAAKzH,EAAEE,aAQL,IAPA,IAAMgJ,WAjLVC,EACAvB,EACAC,GAEA,GAA0B,iBAAfD,GACT,GAAIuB,EAAQnC,UAAUC,SAASW,GAC7B,OAAO,OAIT,IAAK,IAAIV,EAAS,EAAGA,EAASiC,EAAQnC,UAAU/F,OAAQiG,IAAU,CAChE,IAAMC,EAAYgC,EAAQnC,UAAUE,GACpC,GAAIU,EAAWpD,KAAK2C,GAClB,OAAO,EAIb,QAAIU,GACKsB,EAAQ/B,QAAQS,GA+JHuB,CAChBpJ,EACA4H,EACAC,GAEInH,EA7ZZ,SAAyByI,GACvB,GAAIA,aAAmBE,gBACrB,MAAO,OAGT,IAAMC,EAAmBH,EAAQzI,QAAQK,cAAcyE,OAEvD,OAAIjD,EAAaiC,KAAK8E,GAIb,MAGFA,EA+YaC,CAAgBvJ,GAC5BwJ,EAAyB,OACCC,EAAA3G,MAAMC,KAAM/C,EAAkB0J,YAA9B1E,WAAAA,IAA2C,CAA9D,IAAA2E,OAAEC,SAAMhJ,UACjB4I,EAAWI,GAAQ/D,EAAmBP,EAAK5E,EAASkJ,EAAMhJ,GAG5D,GAAgB,SAAZF,GAAsBoH,EAAkB,CAC1C,IAAM+B,EAAa/G,MAAMC,KAAKuC,EAAIwE,aAAaC,MAAK,SAACpH,GACnD,OAAOA,EAAEkB,OAAU7D,EAAsB6D,QAEvCP,EAAyB,KACzBuG,IACFvG,EAAUZ,EAAkBmH,IAE1BvG,WACKkG,EAAWQ,WACXR,EAAW3F,KAClB2F,EAAWS,SAAWrG,EACpBN,EACAuG,EAAYhG,OAKlB,GACc,UAAZnD,GACCV,EAAuB0H,SAGrB1H,EAAkBkK,WAClBlK,EAAkBmK,aACnB,IACA3E,OAAOvE,QAEHqC,EAAUZ,EACb1C,EAAuB0H,UAGxB8B,EAAWS,SAAWrG,EAAqBN,EAASqC,MAIxD,GACc,UAAZjF,GACY,aAAZA,GACY,WAAZA,EACA,CACME,EAASZ,EAA6CY,MAEtC,UAApB4I,EAAW7I,MACS,aAApB6I,EAAW7I,MACS,WAApB6I,EAAW7I,MACS,WAApB6I,EAAW7I,MACXC,EAEA4I,EAAW5I,MAAQL,EAAe,CAChCI,KAAM6I,EAAW7I,KACjBD,UACAE,QACAH,mBACAI,gBAEQb,EAAuBoK,UACjCZ,EAAWY,QAAWpK,EAAuBoK,SAajD,GAVgB,WAAZ1J,IACGV,EAAwBqK,WAAa5J,EAAyB,OACjE+I,EAAWa,UAAW,SAIfb,EAAWa,UAIN,WAAZ3J,GAAwB0H,EAC1B,GAAiC,OAA5BpI,EAAcsK,UAEZpJ,EAAgBlB,KACnBwJ,EAAWe,WAAcvK,EAAwBwK,UAC/CtC,EAAevH,KACfuH,EAAeuC,eAGd,KAAM,cAAezK,GAAI,CAE9B,IAAM0K,EAAiB1K,EAAwBwK,UAC7CtC,EAAevH,KACfuH,EAAeuC,SAIXE,EAAc/E,SAASF,cAAc,UAC3CiF,EAAYpJ,MAASvB,EAAwBuB,MAC7CoJ,EAAYlJ,OAAUzB,EAAwByB,OAO1CiJ,IANuBC,EAAYH,UACrCtC,EAAevH,KACfuH,EAAeuC,WAKfjB,EAAWe,WAAaG,GAK9B,GAAgB,QAAZhK,GAAqByH,EAAc,CAChC/F,IACHA,EAAgBkD,EAAII,cAAc,UAClCrD,EAAYD,EAAcf,WAAW,OAEvC,IAAMuJ,EAAQ5K,EACR6K,EAAWD,EAAME,YACvBF,EAAME,YAAc,YACpB,IAAMC,EAAoB,WACxB,IACE3I,EAAeb,MAAQqJ,EAAMI,aAC7B5I,EAAeX,OAASmJ,EAAMK,cAC9B5I,EAAW6I,UAAUN,EAAO,EAAG,GAC/BpB,EAAWe,WAAanI,EAAeoI,UACrCtC,EAAevH,KACfuH,EAAeuC,SAEjB,MAAOU,GACPC,QAAQC,KACN,yBAAyBT,EAAMU,uBAAsBH,GAGzDN,EACKrB,EAAWsB,YAAcD,SACnBrB,EAAWsB,aAGpBF,EAAMW,UAAmC,IAAvBX,EAAMI,aAAoBD,IAC3CH,EAAMY,OAAST,EAiBtB,GAdgB,UAAZrK,GAAmC,UAAZA,IACzB8I,EAAWiC,cAAiBzL,EAAuB0L,OAC/C,SACA,SACJlC,EAAWmC,oBAAuB3L,EAAuB4L,aAGtD5L,EAAkB6L,aACrBrC,EAAWsC,cAAiB9L,EAAkB6L,YAE3C7L,EAAkB+L,YACrBvC,EAAWwC,aAAgBhM,EAAkB+L,WAG3C7C,EAAW,CACP,IAAA+C,EAAqBjM,EAAkBkM,wBAArC3K,UAAOE,WACf+H,EAAa,CACX2C,MAAO3C,EAAgB,MACvB4C,SAAa7K,OACb8K,UAAc5K,QAYlB,MARgB,WAAZf,GAAyB2H,EAAgBmB,EAAW8C,OAChDtM,EAAwBuM,kBAG5B/C,EAAWgD,OAAShD,EAAW8C,YAE1B9C,EAAW8C,KAEb,CACL3L,KAAMb,EAAS2M,QACf/L,UACAgJ,aACAb,WAAY,GACZ6D,OA9Yc/E,EA8YM3H,EA7YnBK,QAAuB,QAAfsH,EAAGjH,SAAsBiH,EAAkBgF,uBA6YflE,GACrCS,YACAzB,UAEJ,KAAKzH,EAAEsH,UAGL,IAAMsF,EACJ5M,EAAEqH,YAAerH,EAAEqH,WAA2B3G,QAC5CyJ,EAAenK,EAAWmK,YACxB0C,EAA4B,UAAlBD,QAAmCnE,EAC7CqE,GAA6B,WAAlBF,QAAoCnE,EACrD,GAAIoE,GAAW1C,EAAa,CAC1B,IAEMnK,EAAE+M,aAAe/M,EAAEgN,4BAKXhN,EAAEqH,WAAgCK,4BAAO7E,YACnDsH,GAvjBiBzC,EAwjBd1H,EAAEqH,WAAgCK,OAvjBlC7E,SACTC,MAAMC,KAAK2E,EAAM7E,UACdG,KAAI,SAACI,GAAS,OAAAA,EAAKE,SAAW,MAC9BJ,KAAK,IACR,IAsjBI,MAAOiI,GACPC,QAAQC,KACN,wDAAwDF,EACxDnL,GAGJmK,EAAcvG,EAAqBuG,EAAaxE,KAelD,OAbImH,KACF3C,EAAc,uBAGb0C,IACAC,IACDlG,EAAgB5G,EAAG8G,EAAeC,IAClCoD,IAEAA,EAAcnC,EACVA,EAAWmC,GACXA,EAAYrG,QAAQ,QAAS,MAE5B,CACLnD,KAAMb,EAASmN,KACf9C,YAAaA,GAAe,GAC5B0C,UACApF,UAEJ,KAAKzH,EAAEkN,mBACL,MAAO,CACLvM,KAAMb,EAASqN,MACfhD,YAAa,GACb1C,UAEJ,KAAKzH,EAAEoN,aACL,MAAO,CACLzM,KAAMb,EAASuN,QACflD,YAAcnK,EAAcmK,aAAe,GAC3C1C,UAEJ,QACE,OAAO,GAIb,SAAS6F,EAAcC,GACrB,YAAkB9E,IAAd8E,EACK,GAECA,EAAqBxM,uBA+FjByM,EACdxN,EACAwH,GAwBE,IA0CEgB,EA1CFlD,EAmBEkC,MAlBFxE,EAkBEwE,MAjBFI,EAiBEJ,aAhBFK,EAgBEL,gBAfFV,EAeEU,gBAdFT,EAcES,mBAbFhH,EAaEgH,YAbFiG,gBACA1F,EAYEP,mBAZFM,gBACAG,EAWET,mBAXF/G,aAAmB,KACnBuH,EAUER,aATF3G,EASE2G,cARFkG,EAQElG,iBAPFiC,EAOEjC,iBAPFU,aAAiB,KACjByB,EAMEnC,eANFW,gBACA8D,EAKEzE,eALFY,gBACAuF,EAIEnG,cAHFoG,EAGEpG,eAFFqG,EAEErG,oBAFFsG,aAAoB,MACpBC,EACEvG,kBADFa,aAAkB,WAAM,OAAA,KAEpB2F,EAA8BxG,qBAA9ByG,gBACAC,EAAkB3G,EAAcvH,EAAG,CACvCsF,MACAsC,aACAC,gBACAf,gBACAC,mBACAe,mBACArH,mBACAuH,aACAnH,cACAqH,iBACAC,eACAC,eACAC,oBAEF,IAAK6F,EAGH,OADA9C,QAAQC,KAAKrL,EAAG,kBACT,KAMPwI,EADE,SAAUxI,EACPA,EAAEsI,KAAKE,IAlKhB,SACE2F,EACAT,GAEA,GAAIA,EAAeU,SAAWD,EAAGxN,OAASb,EAASuN,QAEjD,OAAO,EACF,GAAIc,EAAGxN,OAASb,EAAS2M,QAAS,CACvC,GACEiB,EAAeW,SAEC,WAAfF,EAAGzN,SAEc,SAAfyN,EAAGzN,SACoB,YAAtByN,EAAGzE,WAAWM,KACO,WAArBmE,EAAGzE,WAAW4E,IAEA,SAAfH,EAAGzN,SACoB,aAAtByN,EAAGzE,WAAWM,KACgB,iBAAvBmE,EAAGzE,WAAW7F,MACrBsK,EAAGzE,WAAW7F,KAAK0K,SAAS,QAEhC,OAAO,EACF,GACLb,EAAec,cACE,SAAfL,EAAGzN,SAA4C,kBAAtByN,EAAGzE,WAAWM,KACvB,SAAfmE,EAAGzN,UACD4M,EAAca,EAAGzE,WAAW5D,MAAMK,MACjC,sCAEsC,qBAAtCmH,EAAca,EAAGzE,WAAW5D,OACS,SAArCwH,EAAca,EAAGzE,WAAWM,MACS,qBAArCsD,EAAca,EAAGzE,WAAWM,MACS,kBAArCsD,EAAca,EAAGzE,WAAWM,OAElC,OAAO,EACF,GAAmB,SAAfmE,EAAGzN,QAAoB,CAChC,GACEgN,EAAee,sBACfnB,EAAca,EAAGzE,WAAW5D,MAAMK,MAAM,0BAExC,OAAO,EACF,GACLuH,EAAegB,iBACdpB,EAAca,EAAGzE,WAAWiF,UAAUxI,MAAM,sBAC3CmH,EAAca,EAAGzE,WAAW5D,MAAMK,MAAM,mBACF,cAAtCmH,EAAca,EAAGzE,WAAW5D,OAE9B,OAAO,EACF,GACL4H,EAAekB,iBACwB,WAAtCtB,EAAca,EAAGzE,WAAW5D,OACW,cAAtCwH,EAAca,EAAGzE,WAAW5D,OACU,YAAtCwH,EAAca,EAAGzE,WAAW5D,OAE9B,OAAO,EACF,GACL4H,EAAemB,wBACiBpG,IAAhC0F,EAAGzE,WAAW,cAId,OAAO,EACF,GACLgE,EAAeoB,qBACwB,WAAtCxB,EAAca,EAAGzE,WAAW5D,OACW,cAAtCwH,EAAca,EAAGzE,WAAW5D,OACU,cAAtCwH,EAAca,EAAGzE,WAAW5D,OACU,cAAtCwH,EAAca,EAAGzE,WAAW5D,OACU,WAAtCwH,EAAca,EAAGzE,WAAW5D,OAC5BwH,EAAca,EAAGzE,WAAWiF,UAAUxI,MAAM,cAC5CmH,EAAca,EAAGzE,WAAWiF,UAAUxI,MAAM,cAE9C,OAAO,EACF,GACLuH,EAAeqB,uBACwB,6BAAtCzB,EAAca,EAAGzE,WAAW5D,OACW,wBAAtCwH,EAAca,EAAGzE,WAAW5D,OACU,eAAtCwH,EAAca,EAAGzE,WAAW5D,OACU,oBAAtCwH,EAAca,EAAGzE,WAAW5D,OACU,cAAtCwH,EAAca,EAAGzE,WAAW5D,OACU,iBAAtCwH,EAAca,EAAGzE,WAAW5D,OACU,+BAAtCwH,EAAca,EAAGzE,WAAW5D,OAE9B,OAAO,GAIb,OAAO,EA4ELkJ,CAAgBd,EAAiBR,KAC/BO,GACAC,EAAgBvN,OAASb,EAASmN,MACjCiB,EAAgBrB,SAChBqB,EAAgB/D,YAAYrG,QAAQ,cAAe,IAAI7C,QAp0BrDqB,KAHmB,EA60B1B,IAAM2M,EAAiBC,OAAOC,OAAOjB,EAAiB,CAAE1F,OAExD,GADCxI,EAAYsI,KAAO2G,GA90BM,IA+0BtBzG,EACF,OAAO,KAETxF,EAAIwF,GAAMxI,EACN2N,GACFA,EAAY3N,GAEd,IAAIoP,GAAe3B,EAOnB,GANIwB,EAAetO,OAASb,EAAS2M,UACnC2C,EAAcA,IAAgBH,EAAe/F,iBAEtC+F,EAAe/F,UACjBlJ,EAAkBM,aAAY2O,EAAeI,cAAe,KAGhEJ,EAAetO,OAASb,EAAS8I,UAChCqG,EAAetO,OAASb,EAAS2M,UACnC2C,EACA,CAEE1B,EAAe4B,gBACfpB,EAAgBvN,OAASb,EAAS2M,SACN,SAA5ByB,EAAgBxN,UAGhBuN,GAAqB,GAwBvB,IAtBA,IAAMsB,EAAgB,CACpBjK,MACAtC,MACA4E,aACAC,gBACAf,gBACAC,mBACA0G,YACA3F,mBACArH,mBACAuH,aACAnH,cACA6M,iBACAxF,iBACAC,eACAC,eACA6F,qBACAN,cACAC,eACAE,oBACAzF,uBAEmBmH,EAAA1M,MAAMC,KAAK/C,EAAE6I,YAAb7D,WAAAA,IAA0B,EACvCyK,EAAsBjC,OAA4B+B,KAEtDN,EAAepG,WAAW3D,KAAKuK,GAInC,GAAI1P,EAAUC,IAAMA,EAAEM,WACpB,IAAqB,QAAAoP,EAAA5M,MAAMC,KAAK/C,EAAEM,WAAWuI,YAAxB8G,WAAAA,IAAqC,CAArD,IACGF,GAAAA,EAAsBjC,OAA4B+B,MAEtDE,EAAoBG,UAAW,EAC/BX,EAAepG,WAAW3D,KAAKuK,KAmDvC,OA7CIzP,EAAEqH,YAAclH,EAAaH,EAAEqH,cACjC4H,EAAeW,UAAW,GAI1BX,EAAetO,OAASb,EAAS2M,SACN,WAA3BwC,EAAevO,SA1mBnB,SACEmP,EACAC,EACAhC,GAEA,IAAMiC,EAAMF,EAASG,cACrB,GAAKD,EAAL,CAIA,IAEIE,EAFAC,GAAQ,EAGZ,IACED,EAAaF,EAAInK,SAASqK,WAC1B,MAAO9M,GACP,OAEF,GAAmB,aAAf8M,EAAJ,CAeA,IAAME,EAAW,cAEfJ,EAAIK,SAASvM,OAASsM,GACtBN,EAASvD,MAAQ6D,GACA,KAAjBN,EAASvD,IAQXuD,EAASQ,iBAAiB,OAAQP,GAJhCQ,WAAWR,EAAU,OAvBvB,CACE,IAAMS,EAAQD,YAAW,WAClBJ,IACHJ,IACAI,GAAQ,KAETpC,GACH+B,EAASQ,iBAAiB,QAAQ,WAChCG,aAAaD,GACbL,GAAQ,EACRJ,SAglBFW,CACEzQ,GACA,WACE,IAAM0Q,EAAa1Q,EAAwBuM,gBAC3C,GAAImE,GAAa9C,EAAc,CAC7B,IAAM+C,EAAuBnD,EAAoBkD,EAAW,CAC1DpL,IAAKoL,EACL1N,MACA4E,aACAC,gBACAf,gBACAC,mBACA0G,WAAW,EACX3F,mBACArH,mBACAuH,aACAnH,cACA6M,iBACAxF,iBACAC,eACAC,eACA6F,qBACAN,cACAC,eACAE,oBACAzF,oBAGEsI,GACF/C,EAAa5N,EAAY2Q,MAI/B7C,GAIGmB,EAGT,SAAS2B,EACP5Q,EACAwH,GAoBM,IAAAhH,EAkBFgH,GAAW,GAjBbO,eAAAH,aAAa,aACbK,kBAAAJ,aAAgB,OAChB4B,kBAAA3C,aAAgB,YAChB6C,qBAAA5C,aAAmB,OACnBkF,qBAAAnE,gBACA+F,iBAAA1F,gBACA4F,iBAAA3F,gBACA4F,kBAAA6C,gBACA7I,eACAnH,gBACA2O,YAAAsB,gBACA5I,mBACA+F,uBACAN,gBACAC,iBACAE,sBACA6B,oBAEIoB,EAAuB,GA4C7B,MAAO,CACLvD,EAAoBxN,EAAG,CACrBsF,IAAKtF,EACLgD,IAAK+N,EACLnJ,aACAC,gBACAf,gBACAC,mBACA0G,WAAW,EACX3F,mBACArH,kBApDgB,IAAlBoQ,EACI,CACEG,OAAO,EACPC,MAAM,EACN,kBAAkB,EAClBC,OAAO,EACPC,OAAO,EACPC,QAAQ,EACRC,OAAO,EACPC,QAAQ,EACRC,KAAK,EACLzQ,MAAM,EACN0Q,MAAM,EACNnN,KAAK,EACLoN,MAAM,EACNC,UAAU,EACVC,QAAQ,EACRC,UAAU,IAEM,IAAlBf,EACA,CACEe,UAAU,GAEZf,EA8BF7I,aACAnH,cACA6M,gBA9BU,IAAZoD,GAAgC,QAAZA,EAEhB,CACEzC,QAAQ,EACRD,SAAS,EACTI,aAAa,EACbc,gBAAgB,EAChBb,qBAAkC,QAAZqC,EACtBpC,gBAAgB,EAChBE,gBAAgB,EAChBC,mBAAmB,EACnBC,oBAAoB,EACpBC,sBAAsB,IAEZ,IAAZ+B,EACA,GACAA,EAeF5I,iBACAC,eACAC,eACA6F,qBACAN,cACAC,eACAE,oBACAzF,2BAnEgB,WAAM,OAAA,OAqExB0I,YAIYc,EACdhL,EACAiL,IAEA,SAASC,EAAKC,GACZF,EAAQE,GAENA,EAAQrR,OAASb,EAAS8I,UAC1BoJ,EAAQrR,OAASb,EAAS2M,SAE1BuF,EAAQnJ,WAAWoJ,QAAQF,GAI/BA,CAAKlL,YAGSqL,IAEd5P,EAAM,EC73BR,IAAM6P,EAAY,2CAEFC,EAAMC,EAAa7K,gBAAAA,MAKjC,IAAI8K,EAAS,EACTC,EAAS,EAMb,SAASC,EAAeC,GACtB,IAAMC,EAAQD,EAAItM,MAAM,OACpBuM,IACFJ,GAAUI,EAAMzR,QAElB,IAAI0R,EAAIF,EAAIG,YAAY,MACxBL,GAAgB,IAAPI,EAAWJ,EAASE,EAAIxR,OAASwR,EAAIxR,OAAS0R,EAOzD,SAASE,IACP,IAAMC,EAAQ,CAAEC,KAAMT,EAAQC,UAC9B,OAAO,SACL1L,GAIA,OAFAA,EAAKgM,SAAW,IAAIG,EAASF,GAC7BG,IACOpM,GAQX,MAME,SAAYiM,GACVI,KAAKJ,MAAQA,EACbI,KAAKC,IAAM,CAAEJ,KAAMT,EAAQC,UAC3BW,KAAKE,OAAS5L,EAAQ4L,QAQ1BJ,EAASK,UAAUC,QAAUjB,EAE7B,IAAMkB,EAA4B,GAElC,SAASpQ,EAAMqQ,GACb,IAAMrI,EAAM,IAAIsI,MACdjM,EAAQ4L,OAAS,IAAMd,EAAS,IAAMC,EAAS,KAAOiB,GAQxD,GANArI,EAAIuI,OAASF,EACbrI,EAAIwI,SAAWnM,EAAQ4L,OACvBjI,EAAI4H,KAAOT,EACXnH,EAAIoH,OAASA,EACbpH,EAAIiI,OAASf,GAET7K,EAAQoM,OAGV,MAAMzI,EAFNoI,EAAWrO,KAAKiG,GA2BpB,SAAS0I,IACP,OAAO1N,EAAM,SAOf,SAAS2N,IACP,OAAO3N,EAAM,MAOf,SAASvD,IACP,IAAIiE,EACEjE,EAAgB,GAGtB,IAFAqQ,IACAc,EAASnR,GACFyP,EAAIpR,QAA4B,MAAlBoR,EAAI3L,OAAO,KAAeG,EAAOmN,KAAY5Q,OACnD,IAATyD,IACFjE,EAAMsC,KAAK2B,GACXkN,EAASnR,IAGb,OAAOA,EAOT,SAASuD,EAAM8N,GACb,IAAMC,EAAID,EAAG7N,KAAKiM,GAClB,GAAK6B,EAAL,CAGA,IAAMzB,EAAMyB,EAAE,GAGd,OAFA1B,EAAeC,GACfJ,EAAMA,EAAI1N,MAAM8N,EAAIxR,QACbiT,GAOT,SAASjB,IACP9M,EAAM,QAOR,SAAS4N,EAASnR,GAChB,IAAI6D,EACJ,iBAFgB7D,MAER6D,EAAI2H,MACA,IAAN3H,GACF7D,EAAMsC,KAAKuB,GAEbA,EAAI2H,IAEN,OAAOxL,EAOT,SAASwL,IACP,IAAMrI,EAAM8M,IACZ,GAAI,MAAQR,EAAI3L,OAAO,IAAM,MAAQ2L,EAAI3L,OAAO,GAAhD,CAKA,IADA,IAAIiM,EAAI,EAEN,KAAON,EAAI3L,OAAOiM,KACjB,MAAQN,EAAI3L,OAAOiM,IAAM,MAAQN,EAAI3L,OAAOiM,EAAI,OAE/CA,EAIJ,GAFAA,GAAK,EAED,KAAON,EAAI3L,OAAOiM,EAAI,GACxB,OAAOxP,EAAM,0BAGf,IAAMsP,EAAMJ,EAAI1N,MAAM,EAAGgO,EAAI,GAM7B,OALAJ,GAAU,EACVC,EAAeC,GACfJ,EAAMA,EAAI1N,MAAMgO,GAChBJ,GAAU,EAEHxM,EAAI,CACTpF,KAAM,UACNyN,QAASqE,KAQb,SAAS0B,IACP,IAAMD,EAAI/N,EAAM,YAChB,GAAK+N,EAKL,OAAO1O,EAAK0O,EAAE,IACXpQ,QAAQ,+CAAgD,IACxDA,QAAQ,oCAAoC,SAACoQ,GAC5C,OAAOA,EAAEpQ,QAAQ,KAAM,QAExBY,MAAM,sBACN1B,KAAI,SAACL,GACJ,OAAOA,EAAEmB,QAAQ,UAAW,QAQlC,SAASsQ,IACP,IAAMrO,EAAM8M,IAGRwB,EAAYlO,EAAM,4CACtB,GAAKkO,EAAL,CAGA,IAAMC,EAAO9O,EAAK6O,EAAU,IAG5B,IAAKlO,EAAM,SACT,OAAOhD,EAAM,wBAIf,IAAMoR,EAAMpO,EAAM,yDAEZqO,EAAMzO,EAAI,CACdpF,KAAM,cACNgO,SAAU2F,EAAKxQ,QAAQqO,EAAW,IAClCvR,MAAO2T,EAAM/O,EAAK+O,EAAI,IAAIzQ,QAAQqO,EAAW,IAAM,KAMrD,OAFAhM,EAAM,WAECqO,GAOT,SAASC,IACP,IAQIC,EAREC,EAAuB,GAE7B,IAAKd,IACH,OAAO1Q,EAAM,eAMf,IAJA4Q,EAASY,GAIDD,EAAON,MACa,IAArBM,IACHC,EAAMzP,KAAKwP,GACXX,EAASY,IAEXD,EAAON,IAGT,OAAKN,IAGEa,EAFExR,EAAM,eASjB,SAASyR,IAKP,IAJA,IAAIV,EACEW,EAAO,GACP9O,EAAM8M,IAEJqB,EAAI/N,EAAM,wCAChB0O,EAAK3P,KAAKgP,EAAE,IACZ/N,EAAM,SAGR,GAAK0O,EAAK5T,OAIV,OAAO8E,EAAI,CACTpF,KAAM,WACNmU,OAAQD,EACRJ,aAAcA,MAkQlB,IAleQM,EAkeFC,EAAWC,EAAe,UAM1BC,EAAYD,EAAe,WAM3BE,EAAcF,EAAe,aAMnC,SAASA,EAAenP,GACtB,IAAMmO,EAAK,IAAIzR,OAAO,KAAOsD,EAAO,gBACpC,OAAO,WACL,IAAMC,EAAM8M,IACNqB,EAAI/N,EAAM8N,GAChB,GAAKC,EAAL,CAGA,IAAMM,EAA8B,CAAE7T,KAAMmF,GAE5C,OADA0O,EAAI1O,GAAQoO,EAAE,GAAG1O,OACVO,EAAIyO,KAQf,SAASR,IACP,GAAe,MAAX3B,EAAI,GAIR,OAnSF,WACE,IAAMtM,EAAM8M,IACRqB,EAAI/N,EAAM,2BAEd,GAAK+N,EAAL,CAGA,IAAMkB,EAASlB,EAAE,GAIjB,KADAA,EAAI/N,EAAM,iBAER,OAAOhD,EAAM,2BAEf,IAMIkS,EANEvP,EAAOoO,EAAE,GAEf,IAAKL,IACH,OAAO1Q,EAAM,0BAKf,IADA,IAAImS,EAASvB,IACLsB,EAAQT,KACdU,EAAOpQ,KAAKmQ,GACZC,EAASA,EAAOC,OAAOxB,KAGzB,OAAKD,IAIE/N,EAAI,CACTpF,KAAM,YACNmF,OACAsP,SACAI,UAAWF,IAPJnS,EAAM,2BAwQbsS,IA/LJ,WACE,IAAM1P,EAAM8M,IACNqB,EAAI/N,EAAM,oBAEhB,GAAK+N,EAAL,CAGA,IAAMwB,EAAQlQ,EAAK0O,EAAE,IAErB,IAAKL,IACH,OAAO1Q,EAAM,sBAGf,IAAMwS,EAAQ5B,IAAWwB,OAAO3S,KAEhC,OAAKkR,IAIE/N,EAAI,CACTpF,KAAM,QACN+U,QACA9S,MAAO+S,IANAxS,EAAM,uBAgLbyS,IAlKJ,WACE,IAAM7P,EAAM8M,IACNqB,EAAI/N,EAAM,2CAChB,GAAK+N,EAIL,OAAOnO,EAAI,CACTpF,KAAM,eACNmF,KAAMN,EAAK0O,EAAE,IACbwB,MAAOlQ,EAAK0O,EAAE,MAyJd2B,IA3PJ,WACE,IAAM9P,EAAM8M,IACNqB,EAAI/N,EAAM,uBAEhB,GAAK+N,EAAL,CAGA,IAAM4B,EAAWtQ,EAAK0O,EAAE,IAExB,IAAKL,IACH,OAAO1Q,EAAM,yBAGf,IAAMwS,EAAQ5B,IAAWwB,OAAO3S,KAEhC,OAAKkR,IAIE/N,EAAI,CACTpF,KAAM,WACNmV,WACAlT,MAAO+S,IANAxS,EAAM,0BA4Ob4S,IACAf,KACAE,KACAC,KAjHJ,WACE,IAAMpP,EAAM8M,IACNqB,EAAI/N,EAAM,gCAChB,GAAK+N,EAAL,CAIA,IAAMkB,EAAS5P,EAAK0O,EAAE,IAChB5O,EAAME,EAAK0O,EAAE,IAEnB,IAAKL,IACH,OAAO1Q,EAAM,yBAGf,IAAMwS,EAAQ5B,IAAWwB,OAAO3S,KAEhC,OAAKkR,IAIE/N,EAAI,CACTpF,KAAM,WACNiF,SAAUN,EACV8P,SACAxS,MAAO+S,IAPAxS,EAAM,0BAiGb6S,IAtJJ,WACE,IAAMjQ,EAAM8M,IAEZ,GADU1M,EAAM,YAChB,CAIA,IAAM8P,EAAM9B,KAAc,GAE1B,IAAKN,IACH,OAAO1Q,EAAM,qBAMf,IAJA,IAGIuR,EAHAC,EAAQZ,IAIJW,EAAON,KACbO,EAAMzP,KAAKwP,GACXC,EAAQA,EAAMY,OAAOxB,KAGvB,OAAKD,IAIE/N,EAAI,CACTpF,KAAM,OACNuV,UAAWD,EACXxB,aAAcE,IANPxR,EAAM,sBAiIbgT,IAnOJ,WACE,IAAMpQ,EAAM8M,IAGZ,GAFU1M,EAAM,aAEhB,CAIA,IAAK0N,IACH,OAAO1Q,EAAM,qBAGf,IAAMwS,EAAQ5B,IAAWwB,OAAO3S,KAEhC,OAAKkR,IAIE/N,EAAI,CACTpF,KAAM,OACNiC,MAAO+S,IALAxS,EAAM,sBAqNbiT,IApFJ,WACE,IAAMrQ,EAAM8M,IAEZ,GADU1M,EAAM,kBAChB,CAIA,IAAK0N,IACH,OAAO1Q,EAAM,0BAMf,IAJA,IAGIuR,EAHAC,EAAQZ,IAIJW,EAAON,KACbO,EAAMzP,KAAKwP,GACXC,EAAQA,EAAMY,OAAOxB,KAGvB,OAAKD,IAIE/N,EAAI,CACTpF,KAAM,YACN8T,aAAcE,IALPxR,EAAM,2BAiEbkT,GAQJ,SAASjT,IACP,IAAM2C,EAAM8M,IACNoD,EAAM9B,IAEZ,OAAK8B,GAGLlC,IAEOhO,EAAI,CACTpF,KAAM,OACNuV,UAAWD,EACXxB,aAAcA,OAPPtR,EAAM,oBAWjB,OAAOmT,GA9iBCvB,EAAYnS,IAEX,CACLjC,KAAM,aACNkJ,WAAY,CACVuJ,OAAQ5L,EAAQ4L,OAChBxQ,MAAOmS,EACPwB,cAAehD,MA8iBvB,SAAS/N,EAAKiN,GACZ,OAAOA,EAAMA,EAAI3O,QAAQ,aAAc,IAAM,GAO/C,SAASwS,EAAUE,EAAiBC,GAIlC,IAHA,IAAMC,EAASF,GAA2B,iBAAbA,EAAI7V,KAC3BgW,EAAcD,EAASF,EAAMC,MAEnBjW,EAAA0O,OAAO0H,KAAKJ,GAAZxR,WAAAA,IAAkB,CAA7B,IACGpE,EAAQ4V,QACV1T,MAAM+T,QAAQjW,GAChBA,EAAMqR,SAAQ,SAAC6E,GACbR,EAAUQ,EAAGH,MAEN/V,GAA0B,iBAAVA,GACzB0V,EAAW1V,EAAiC+V,GAahD,OATID,GACFxH,OAAO6H,eAAeP,EAAK,SAAU,CACnCQ,cAAc,EACdC,UAAU,EACVC,YAAY,EACZtW,MAAO6V,GAAU,OAIdD,EC/3BT,IAAMW,EAAiB,CACrB9I,OAAQ,WAER+I,SAAU,WACVC,YAAa,cACbC,aAAc,eACdC,aAAc,eACdC,cAAe,gBACfC,iBAAkB,mBAClBC,SAAU,WACVC,QAAS,UACTC,cAAe,gBACfC,oBAAqB,sBACrBC,YAAa,cACbC,iBAAkB,mBAClBC,kBAAmB,oBACnBC,kBAAmB,oBACnBC,eAAgB,iBAChBC,aAAc,eACdC,QAAS,UACTC,QAAS,UACTC,QAAS,UACTC,QAAS,UACTC,QAAS,UACTC,eAAgB,iBAChBC,QAAS,UACTC,QAAS,UACTC,YAAa,cACbC,aAAc,eACdC,SAAU,WACVC,aAAc,eACdC,mBAAoB,qBACpBC,YAAa,cACbC,OAAQ,SACRC,aAAc,eACdC,cAAe,gBACfC,SAAU,WACVC,eAAgB,iBAChBC,eAAgB,kBAelB,IAAMC,EAAiB,gBACjBC,EAAwB,IAAIjX,OAAOgX,EAAepG,OAAQ,cAChDsG,EAAcpW,EAAiBqW,GAC7C,IAAMC,EAAcD,MAAAA,SAAAA,EAAOE,qBAAqBC,IAAIxW,GACpD,GAAIsW,EAAa,OAAOA,EAExB,IAAMG,EAAM3H,EAAM9O,EAAS,CACzBsQ,QAAQ,IAGV,IAAKmG,EAAIlQ,WACP,OAAOvG,EAGT,IAAM4S,EAAsB,GAW5B,GAVA6D,EAAIlQ,WAAWjH,MAAMqP,SAAQ,SAAC7O,GACxB,cAAeA,IAChBA,EAAK8S,WAAa,IAAIjE,SAAQ,SAACkC,GAC1BqF,EAAehV,KAAK2P,IACtB+B,EAAUhR,KAAKiP,SAME,IAArB+B,EAAUjV,OACZ,OAAOqC,EAGT,IAAM0W,EAAkB,IAAIxX,OAC1B0T,EACG+D,QAAO,SAAC9F,EAAU+F,GAAU,OAAAhE,EAAUzR,QAAQ0P,KAAc+F,KAC5DC,MAAK,SAAC1U,EAAG2U,GAAM,OAAAA,EAAEnZ,OAASwE,EAAExE,UAC5B+B,KAAI,SAACmR,GACJ,OAAoBA,EArCfrQ,QAAQ,sBAAuB,WAuCrCZ,KAAK,KACR,KAGImX,EAAS/W,EAAQQ,QAAQkW,GAAiB,SAAC7F,GAC/C,IAAMmG,EAAcnG,EAASrQ,QAAQ2V,EAAuB,eAC5D,OAAUtF,OAAamG,KAGzB,OADAX,MAAAA,GAAAA,EAAOE,qBAAqBU,IAAIjX,EAAS+W,GAClCA,WAGOG,IAEd,MAAO,CACLX,qBAFgD,IAAIY,KAMxD,SAASC,EACP1a,EACAwH,GAMQ,IAAAlC,EAAwBkC,MAAnBmT,EAAmBnT,UAAVmS,EAAUnS,QAChC,OAAQxH,EAAEW,MACR,KAAKb,EAAS8I,SACZ,OAAOtD,EAAIsV,eAAeC,eAAe,KAAM,GAAI,MACrD,KAAK/a,EAASiJ,aACZ,OAAOzD,EAAIsV,eAAeE,mBACxB9a,EAAE8F,MAAQ,OACV9F,EAAEgJ,SACFhJ,EAAEiJ,UAEN,KAAKnJ,EAAS2M,QACZ,IACIsO,EADEra,EAvFZ,SAAoBV,GAClB,IAAIU,EAAUyW,EAAOnX,EAAEU,SAAWyW,EAAOnX,EAAEU,SAAWV,EAAEU,QAIxD,MAHgB,SAAZA,GAAsBV,EAAE0J,WAAWO,WACrCvJ,EAAU,SAELA,EAkFasa,CAAWhb,GAGzB+a,EADE/a,EAAE0M,MACGpH,EAAI2V,gBAAgB,6BAA8Bva,GAElD4E,EAAII,cAAchF,kBAEhBkJ,GACT,IAAK5J,EAAE0J,WAAWwR,eAAetR,oBAGjC,IAAIhJ,EAAQZ,EAAE0J,WAAWE,GACzB,GAAgB,WAAZlJ,GAAiC,aAATkJ,IAAiC,IAAVhJ,mBAOnD,GAHAA,EACmB,kBAAVA,GAAwC,iBAAVA,EAAqB,GAAKA,EAE5DgJ,EAAKuR,WAAW,OAkEd,CAEL,GAAgB,WAAZza,GAAiC,eAATkJ,EAAuB,CACjD,IAAMgB,EAAQhF,SAASF,cAAc,OACrCkF,EAAM0B,IAAM1L,EACZgK,EAAMY,OAAS,WACb,IAAMpK,EAAO2Z,EAA2B1Z,WAAW,MAC/CD,GACFA,EAAI8J,UAAUN,EAAO,EAAG,EAAGA,EAAMrJ,MAAOqJ,EAAMnJ,cAG7C,GAAgB,QAAZf,GAA8B,eAATkJ,EAAuB,CACrD,IAAMwR,EAAQL,EACTK,EAAM9P,WAAW6P,WAAW,WAE/BC,EAAMC,aACJ,qBACArb,EAAE0J,WAAW4C,KAEf8O,EAAM9O,IAAM1L,GAIhB,GAAa,aAATgJ,EACDmR,EAAqBpF,MAAMpU,MAAQX,OAC/B,GAAa,cAATgJ,EACRmR,EAAqBpF,MAAMlU,OAASb,OAChC,GAAa,wBAATgJ,EACRmR,EAA0BnP,YAAc5L,EAAE0J,WACxCiC,yBACE,GAAa,kBAAT/B,EACT,OAAQhJ,GACN,IAAK,SACFma,EACEO,OACK,OAAC,SAACC,GAAM,OAAAnQ,QAAQC,KAAK,uBAAwBkQ,MACrD,MACF,IAAK,SACFR,EAA0BS,aAxGN,CAC3B,IAAMC,EAAyB,aAAZ/a,GAAmC,UAATkJ,EACvC8R,EACQ,UAAZhb,GAAgC,aAATkJ,EAIzB,GAHI8R,GAAwBf,IAC1B/Z,EAAQ8Y,EAAc9Y,EAAO+Y,IAE3B8B,GAAcC,EAAsB,CAGtC,IAFA,IAAMC,EAAQrW,EAAIsW,eAAehb,OAEjBJ,EAAAsC,MAAMC,KAAKgY,EAAKlS,YAAhB7D,WAAAA,IAA6B,CAAxC,IAAMyB,OACLA,EAAExG,WAAa8a,EAAKzT,WACtByT,EAAKc,YAAYpV,UAGrBsU,EAAKe,YAAYH,cAInB,IACE,GAAI3b,EAAE0M,OAAkB,eAAT9C,EACbmR,EAAKgB,eAAe,+BAAgCnS,EAAMhJ,QACrD,GACI,WAATgJ,GACS,YAATA,GACyB,YAAzBA,EAAKvD,UAAU,EAAG,GAKlB0U,EAAKM,aAAa,IAAMzR,EAAMhJ,OACzB,CAAA,GACO,SAAZF,GAC+B,4BAA/BV,EAAE0J,WAAW,eACJ,YAATE,SAIAmR,EAAKM,aAAa,cAAeza,cAGrB,SAAZF,GACqB,YAArBV,EAAE0J,WAAWM,KACO,WAApBhK,EAAE0J,WAAW4E,IAID,SAAZ5N,GACqB,aAArBV,EAAE0J,WAAWM,KACgB,iBAAtBhK,EAAE0J,WAAW7F,MACpB7D,EAAE0J,WAAW7F,KAAK0K,SAAS,SAIf,QAAZ7N,GACAV,EAAE0J,WAAWsS,QACbhc,EAAE0J,WAAWa,WAGbwQ,EAAKM,aAAa,wBAAyBrb,EAAE0J,WAAWsS,QAExDjB,EAAKM,aAAazR,EAAMhJ,KAE1B,MAAOuC,OA3Eb,IAAK,IAAMyG,KAAQ5J,EAAE0J,aAAVE,GA4HX,GAAI5J,EAAEqP,aAWJ,GAAK0L,EAAKza,WAGR,KAAOya,EAAKza,WAAW2b,YACrBlB,EAAKza,WAAWub,YAAYd,EAAKza,WAAW2b,iBAH9ClB,EAAKmB,aAAa,CAAEC,KAAM,SAO9B,OAAOpB,EACT,KAAKjb,EAASmN,KACZ,OAAO3H,EAAIsW,eACT5b,EAAE6M,SAAW8N,EACTjB,EAAc1Z,EAAEmK,YAAawP,GAC7B3Z,EAAEmK,aAEV,KAAKrK,EAASqN,MACZ,OAAO7H,EAAI8W,mBAAmBpc,EAAEmK,aAClC,KAAKrK,EAASuN,QACZ,OAAO/H,EAAI+W,cAAcrc,EAAEmK,aAC7B,QACE,OAAO,eAIGmS,EACdtc,EACAwH,GAUE,IAAAlC,EAMEkC,MALFxE,EAKEwE,MAJFhH,EAIEgH,YAJFiG,gBACA1F,EAGEP,UAHFmT,gBACA4B,EAEE/U,cADFmS,EACEnS,QACAX,EAAO6T,EAAU1a,EAAG,CAAEsF,MAAKqV,UAAShB,UACxC,IAAK9S,EACH,OAAO,KAyCT,GAvCI7G,EAAEyH,QACJ2D,QAAQoR,OACJxZ,EAAIhD,EAAEyH,UAAqCnC,EAC7C,gDAIAtF,EAAEW,OAASb,EAAS8I,WAEtBtD,EAAIwO,QACJxO,EAAIuO,OAEe,eAAjB7T,EAAE2I,YACF3I,EAAE6I,YACF7I,EAAE6I,WAAW,GAAGlI,OAASb,EAASiJ,eAKhC/I,EAAE6I,WAAW,GAAGlI,OAASb,EAAS2M,SAClC,UAAWzM,EAAE6I,WAAW,GAAGa,YACU,iCAArC1J,EAAE6I,WAAW,GAAGa,WAAW+S,MAG3BnX,EAAIoX,MACF,sEAGFpX,EAAIoX,MACF,sEAIN7V,EAAOvB,GAGRuB,EAAeyB,KAAOtI,EACvBgD,EAAIhD,EAAEwI,IAAM3B,GAGT7G,EAAEW,OAASb,EAAS8I,UAAY5I,EAAEW,OAASb,EAAS2M,WACpDgB,EAED,IAAqB,QAAAxF,EAAAjI,EAAE6I,WAAF7D,WAAAA,IAAc,CAA9B,IAAM2X,OACHC,EAAYN,EAAgBK,EAAQ,CACxCrX,MACAtC,MACAyK,WAAW,EACXkN,UACA4B,cACA5C,UAEGiD,GAKDD,EAAO/M,UAAY7P,EAAU8G,IAASA,EAAKvG,WAC7CuG,EAAKvG,WAAWwb,YAAYc,GAE5B/V,EAAKiV,YAAYc,GAEfL,GACFA,EAAYK,IAVZxR,QAAQC,KAAK,oBAAqBsR,GAexC,OAAO9V,EAmCT,SAASgW,EACP7c,EACAwH,GAQQ,IAAAlC,EAAqDkC,MAAhDsK,EAAgDtK,UAAvChH,EAAuCgH,UACvDuJ,EAAuB,GACvBlK,EAAOyV,EAAgBtc,EAAG,CAC9BsF,MACAtC,IAAK+N,EACLtD,WAAW,EACXkN,sBACA4B,YAP2D/U,cAQ3DmS,MAR2DnS,UAgB7D,OA1DF,SAAeuJ,EAAsBe,GAKnC,IAAK,IAAMgL,KAAO/L,EACZA,EAAU+L,KALFjW,EAMLkK,EAAU+L,GALjBhL,EAAQjL,IADV,IAAcA,EAmDdkW,CAAMhM,GAAW,SAACiM,GACZlL,GACFA,EAAQkL,GA1Cd,SAAsBnW,GACpB,IAAM7G,EAAI6G,EAAKyB,KACf,GAAItI,EAAEW,OAASb,EAAS2M,QAAxB,CAGA,IAAM9E,EAAMd,EACZ,IAAK,IAAMoW,KAAQjd,EAAE0J,WACnB,GAAM1J,EAAE0J,WAAWwR,eAAe+B,IAASA,EAAK9B,WAAW,OAA3D,CAGA,IAAMva,EAAQZ,EAAE0J,WAAWuT,GACd,kBAATA,IACFtV,EAAGkE,WAAajL,GAEL,iBAATqc,IACFtV,EAAGoE,UAAYnL,KA6BjBsc,CAAaF,MAER,CAACnW,EAAMkK"} +\ No newline at end of file ++{"version":3,"file":"rrweb-snapshot.min.js","sources":["../src/types.ts","../src/utils.ts","../src/snapshot.ts","../src/css.ts","../src/rebuild.ts"],"sourcesContent":["export enum NodeType {\n Document,\n DocumentType,\n Element,\n Text,\n CDATA,\n Comment,\n}\n\nexport type documentNode = {\n type: NodeType.Document;\n childNodes: serializedNodeWithId[];\n compatMode?: string;\n};\n\nexport type documentTypeNode = {\n type: NodeType.DocumentType;\n name: string;\n publicId: string;\n systemId: string;\n};\n\nexport type attributes = {\n [key: string]: string | number | boolean;\n};\nexport type elementNode = {\n type: NodeType.Element;\n tagName: string;\n attributes: attributes;\n childNodes: serializedNodeWithId[];\n isSVG?: true;\n needBlock?: boolean;\n};\n\nexport type textNode = {\n type: NodeType.Text;\n textContent: string;\n isStyle?: true;\n};\n\nexport type cdataNode = {\n type: NodeType.CDATA;\n textContent: '';\n};\n\nexport type commentNode = {\n type: NodeType.Comment;\n textContent: string;\n};\n\nexport type serializedNode = (\n | documentNode\n | documentTypeNode\n | elementNode\n | textNode\n | cdataNode\n | commentNode\n) & {\n rootId?: number;\n isShadowHost?: boolean;\n isShadow?: boolean;\n};\n\nexport type serializedNodeWithId = serializedNode & { id: number };\n\nexport type tagMap = {\n [key: string]: string;\n};\n\nexport interface INode extends Node {\n __sn: serializedNodeWithId;\n}\n\nexport interface ICanvas extends HTMLCanvasElement {\n __context: string;\n}\n\nexport type idNodeMap = {\n [key: number]: INode;\n};\n\nexport type MaskInputOptions = Partial<{\n color: boolean;\n date: boolean;\n 'datetime-local': boolean;\n email: boolean;\n month: boolean;\n number: boolean;\n range: boolean;\n search: boolean;\n tel: boolean;\n text: boolean;\n time: boolean;\n url: boolean;\n week: boolean;\n // unify textarea and select element with text input\n textarea: boolean;\n select: boolean;\n password: boolean;\n}>;\n\nexport type SlimDOMOptions = Partial<{\n script: boolean;\n comment: boolean;\n headFavicon: boolean;\n headWhitespace: boolean;\n headMetaDescKeywords: boolean;\n headMetaSocial: boolean;\n headMetaRobots: boolean;\n headMetaHttpEquiv: boolean;\n headMetaAuthorship: boolean;\n headMetaVerification: boolean;\n}>;\n\nexport type DataURLOptions = Partial<{\n type: string;\n quality: number;\n}>;\n\nexport type MaskTextFn = (text: string) => string;\nexport type MaskInputFn = (text: string) => string;\n\nexport type KeepIframeSrcFn = (src: string) => boolean;\n\nexport type BuildCache = {\n stylesWithHoverClass: Map;\n};\n","import { INode, MaskInputFn, MaskInputOptions } from './types';\n\nexport function isElement(n: Node | INode): n is Element {\n return n.nodeType === n.ELEMENT_NODE;\n}\n\nexport function isShadowRoot(n: Node): n is ShadowRoot {\n const host: Element | null = (n as ShadowRoot)?.host;\n return Boolean(host && host.shadowRoot && host.shadowRoot === n);\n}\n\nexport function maskInputValue({\n input,\n maskInputSelector,\n unmaskInputSelector,\n maskInputOptions,\n tagName,\n type,\n value,\n maskInputFn,\n}: {\n input: HTMLElement;\n maskInputSelector: string|null;\n unmaskInputSelector: string|null;\n maskInputOptions: MaskInputOptions;\n tagName: string;\n type: string | number | boolean | null;\n value: string | null;\n maskInputFn?: MaskInputFn;\n}): string {\n let text = value || '';\n\n if (unmaskInputSelector && input.matches(unmaskInputSelector)) {\n return text;\n }\n\n if (\n maskInputOptions[tagName.toLowerCase() as keyof MaskInputOptions] ||\n maskInputOptions[type as keyof MaskInputOptions] ||\n (maskInputSelector && input.matches(maskInputSelector))\n ) {\n if (maskInputFn) {\n text = maskInputFn(text);\n } else {\n text = '*'.repeat(text.length);\n }\n }\n return text;\n}\n\nconst ORIGINAL_ATTRIBUTE_NAME = '__rrweb_original__';\ntype PatchedGetImageData = {\n [ORIGINAL_ATTRIBUTE_NAME]: CanvasImageData['getImageData'];\n} & CanvasImageData['getImageData'];\n\nexport function is2DCanvasBlank(canvas: HTMLCanvasElement): boolean {\n const ctx = canvas.getContext('2d');\n if (!ctx) return true;\n\n const chunkSize = 50;\n\n // get chunks of the canvas and check if it is blank\n for (let x = 0; x < canvas.width; x += chunkSize) {\n for (let y = 0; y < canvas.height; y += chunkSize) {\n const getImageData = ctx.getImageData as PatchedGetImageData;\n const originalGetImageData =\n ORIGINAL_ATTRIBUTE_NAME in getImageData\n ? getImageData[ORIGINAL_ATTRIBUTE_NAME]\n : getImageData;\n // by getting the canvas in chunks we avoid an expensive\n // `getImageData` call that retrieves everything\n // even if we can already tell from the first chunk(s) that\n // the canvas isn't blank\n const pixelBuffer = new Uint32Array(\n originalGetImageData.call(\n ctx,\n x,\n y,\n Math.min(chunkSize, canvas.width - x),\n Math.min(chunkSize, canvas.height - y),\n ).data.buffer,\n );\n if (pixelBuffer.some((pixel) => pixel !== 0)) return false;\n }\n }\n return true;\n}\n","import {\n serializedNode,\n serializedNodeWithId,\n NodeType,\n attributes,\n INode,\n idNodeMap,\n MaskInputOptions,\n SlimDOMOptions,\n DataURLOptions,\n MaskTextFn,\n MaskInputFn,\n KeepIframeSrcFn,\n ICanvas,\n} from './types';\nimport {\n is2DCanvasBlank,\n isElement,\n isShadowRoot,\n maskInputValue,\n} from './utils';\n\nlet _id = 1;\nconst tagNameRegex = new RegExp('[^a-z0-9-_:]');\n\nexport const IGNORED_NODE = -2;\n\nfunction genId(): number {\n return _id++;\n}\n\nfunction getValidTagName(element: HTMLElement): string {\n if (element instanceof HTMLFormElement) {\n return 'form';\n }\n\n const processedTagName = element.tagName.toLowerCase().trim();\n\n if (tagNameRegex.test(processedTagName)) {\n // if the tag name is odd and we cannot extract\n // anything from the string, then we return a\n // generic div\n return 'div';\n }\n\n return processedTagName;\n}\n\nfunction getCssRulesString(s: CSSStyleSheet): string | null {\n try {\n const rules = s.rules || s.cssRules;\n return rules ? Array.from(rules).map(getCssRuleString).join('') : null;\n } catch (error) {\n return null;\n }\n}\n\nfunction getCssRuleString(rule: CSSRule): string {\n let cssStringified = rule.cssText;\n if (isCSSImportRule(rule)) {\n try {\n cssStringified = getCssRulesString(rule.styleSheet) || cssStringified;\n } catch {\n // ignore\n }\n }\n return cssStringified;\n}\n\nfunction isCSSImportRule(rule: CSSRule): rule is CSSImportRule {\n return 'styleSheet' in rule;\n}\n\nfunction stringifyStyleSheet(sheet: CSSStyleSheet): string {\n return sheet.cssRules\n ? Array.from(sheet.cssRules)\n .map((rule) => rule.cssText || '')\n .join('')\n : '';\n}\n\nfunction extractOrigin(url: string): string {\n let origin = '';\n if (url.indexOf('//') > -1) {\n origin = url.split('/').slice(0, 3).join('/');\n } else {\n origin = url.split('/')[0];\n }\n origin = origin.split('?')[0];\n return origin;\n}\n\nlet canvasService: HTMLCanvasElement | null;\nlet canvasCtx: CanvasRenderingContext2D | null;\n\nconst URL_IN_CSS_REF = /url\\((?:(')([^']*)'|(\")(.*?)\"|([^)]*))\\)/gm;\nconst RELATIVE_PATH = /^(?!www\\.|(?:http|ftp)s?:\\/\\/|[A-Za-z]:\\\\|\\/\\/|#).*/;\nconst DATA_URI = /^(data:)([^,]*),(.*)/i;\nexport function absoluteToStylesheet(\n cssText: string | null,\n href: string,\n): string {\n return (cssText || '').replace(\n URL_IN_CSS_REF,\n (origin, quote1, path1, quote2, path2, path3) => {\n const filePath = path1 || path2 || path3;\n const maybeQuote = quote1 || quote2 || '';\n if (!filePath) {\n return origin;\n }\n if (!RELATIVE_PATH.test(filePath)) {\n return `url(${maybeQuote}${filePath}${maybeQuote})`;\n }\n if (DATA_URI.test(filePath)) {\n return `url(${maybeQuote}${filePath}${maybeQuote})`;\n }\n if (filePath[0] === '/') {\n return `url(${maybeQuote}${\n extractOrigin(href) + filePath\n }${maybeQuote})`;\n }\n const stack = href.split('/');\n const parts = filePath.split('/');\n stack.pop();\n for (const part of parts) {\n if (part === '.') {\n continue;\n } else if (part === '..') {\n stack.pop();\n } else {\n stack.push(part);\n }\n }\n return `url(${maybeQuote}${stack.join('/')}${maybeQuote})`;\n },\n );\n}\n\nconst SRCSET_NOT_SPACES = /^[^ \\t\\n\\r\\u000c]+/; // Don't use \\s, to avoid matching non-breaking space\nconst SRCSET_COMMAS_OR_SPACES = /^[, \\t\\n\\r\\u000c]+/;\nfunction getAbsoluteSrcsetString(doc: Document, attributeValue: string) {\n /*\n run absoluteToDoc over every url in the srcset\n\n this is adapted from https://github.com/albell/parse-srcset/\n without the parsing of the descriptors (we return these as-is)\n parce-srcset is in turn based on\n https://html.spec.whatwg.org/multipage/embedded-content.html#parse-a-srcset-attribute\n */\n if (attributeValue.trim() === '') {\n return attributeValue;\n }\n\n let pos = 0;\n\n function collectCharacters(regEx: RegExp) {\n let chars: string;\n let match = regEx.exec(attributeValue.substring(pos));\n if (match) {\n chars = match[0];\n pos += chars.length;\n return chars;\n }\n return '';\n }\n\n let output = [];\n while (true) {\n collectCharacters(SRCSET_COMMAS_OR_SPACES);\n if (pos >= attributeValue.length) {\n break;\n }\n // don't split on commas within urls\n let url = collectCharacters(SRCSET_NOT_SPACES);\n if (url.slice(-1) === ',') {\n // aside: according to spec more than one comma at the end is a parse error, but we ignore that\n url = absoluteToDoc(doc, url.substring(0, url.length - 1));\n // the trailing comma splits the srcset, so the interpretion is that\n // another url will follow, and the descriptor is empty\n output.push(url);\n } else {\n let descriptorsStr = '';\n url = absoluteToDoc(doc, url);\n let inParens = false;\n while (true) {\n let c = attributeValue.charAt(pos);\n if (c === '') {\n output.push((url + descriptorsStr).trim());\n break;\n } else if (!inParens) {\n if (c === ',') {\n pos += 1;\n output.push((url + descriptorsStr).trim());\n break; // parse the next url\n } else if (c === '(') {\n inParens = true;\n }\n } else {\n // in parenthesis; ignore commas\n // (parenthesis may be supported by future additions to spec)\n if (c === ')') {\n inParens = false;\n }\n }\n descriptorsStr += c;\n pos += 1;\n }\n }\n }\n return output.join(', ');\n}\n\nexport function absoluteToDoc(doc: Document, attributeValue: string): string {\n if (!attributeValue || attributeValue.trim() === '') {\n return attributeValue;\n }\n const a: HTMLAnchorElement = doc.createElement('a');\n a.href = attributeValue;\n return a.href;\n}\n\nfunction isSVGElement(el: Element): boolean {\n return Boolean(el.tagName === 'svg' || (el as SVGElement).ownerSVGElement);\n}\n\nfunction getHref() {\n // return a href without hash\n const a = document.createElement('a');\n a.href = '';\n return a.href;\n}\n\nexport function transformAttribute(\n doc: Document,\n tagName: string,\n name: string,\n value: string,\n): string {\n // relative path in attribute\n if (name === 'src' || (name === 'href' && value)) {\n return absoluteToDoc(doc, value);\n } else if (name === 'xlink:href' && value && value[0] !== '#') {\n // xlink:href starts with # is an id pointer\n return absoluteToDoc(doc, value);\n } else if (\n name === 'background' &&\n value &&\n (tagName === 'table' || tagName === 'td' || tagName === 'th')\n ) {\n return absoluteToDoc(doc, value);\n } else if (name === 'srcset' && value) {\n return getAbsoluteSrcsetString(doc, value);\n } else if (name === 'style' && value) {\n return absoluteToStylesheet(value, getHref());\n } else if (tagName === 'object' && name === 'data' && value) {\n return absoluteToDoc(doc, value);\n } else {\n return value;\n }\n}\n\nexport function _isBlockedElement(\n element: HTMLElement,\n blockClass: string | RegExp,\n blockSelector: string | null,\n unblockSelector: string | null,\n): boolean {\n if (unblockSelector && element.matches(unblockSelector)) {\n return false;\n }\n\n if (typeof blockClass === 'string') {\n if (element.classList.contains(blockClass)) {\n return true;\n }\n } else {\n // tslint:disable-next-line: prefer-for-of\n for (let eIndex = 0; eIndex < element.classList.length; eIndex++) {\n const className = element.classList[eIndex];\n if (blockClass.test(className)) {\n return true;\n }\n }\n }\n if (blockSelector) {\n return element.matches(blockSelector);\n }\n\n return false;\n}\n\nexport function needMaskingText(\n node: Node | null,\n maskTextClass: string | RegExp,\n maskTextSelector: string | null,\n unmaskTextSelector: string | null,\n): boolean {\n if (!node) {\n return false;\n }\n if (node.nodeType === node.ELEMENT_NODE) {\n if (unmaskTextSelector) {\n if ((node as HTMLElement).matches(unmaskTextSelector) || (node as HTMLElement).closest(unmaskTextSelector)) {\n return false;\n }\n }\n\n if (typeof maskTextClass === 'string') {\n if ((node as HTMLElement).classList.contains(maskTextClass)) {\n return true;\n }\n } else {\n // tslint:disable-next-line: prefer-for-of\n for (\n let eIndex = 0;\n eIndex < (node as HTMLElement).classList.length;\n eIndex++\n ) {\n const className = (node as HTMLElement).classList[eIndex];\n if (maskTextClass.test(className)) {\n return true;\n }\n }\n }\n if (maskTextSelector) {\n if ((node as HTMLElement).matches(maskTextSelector)) {\n return true;\n }\n }\n return needMaskingText(node.parentNode, maskTextClass, maskTextSelector, unmaskTextSelector);\n }\n\n if (node.nodeType === node.TEXT_NODE) {\n // check parent node since text node do not have class name\n return needMaskingText(node.parentNode, maskTextClass, maskTextSelector, unmaskTextSelector);\n }\n return needMaskingText(node.parentNode, maskTextClass, maskTextSelector, unmaskTextSelector);\n}\n\n// https://stackoverflow.com/a/36155560\nfunction onceIframeLoaded(\n iframeEl: HTMLIFrameElement,\n listener: () => unknown,\n iframeLoadTimeout: number,\n) {\n const win = iframeEl.contentWindow;\n if (!win) {\n return;\n }\n // document is loading\n let fired = false;\n\n let readyState: DocumentReadyState;\n try {\n readyState = win.document.readyState;\n } catch (error) {\n return;\n }\n if (readyState !== 'complete') {\n const timer = setTimeout(() => {\n if (!fired) {\n listener();\n fired = true;\n }\n }, iframeLoadTimeout);\n iframeEl.addEventListener('load', () => {\n clearTimeout(timer);\n fired = true;\n listener();\n });\n return;\n }\n // check blank frame for Chrome\n const blankUrl = 'about:blank';\n if (\n win.location.href !== blankUrl ||\n iframeEl.src === blankUrl ||\n iframeEl.src === ''\n ) {\n // iframe was already loaded, make sure we wait to trigger the listener\n // till _after_ the mutation that found this iframe has had time to process\n setTimeout(listener, 0);\n return;\n }\n // use default listener\n iframeEl.addEventListener('load', listener);\n}\n\nfunction serializeNode(\n n: Node,\n options: {\n doc: Document;\n blockClass: string | RegExp;\n blockSelector: string | null;\n unblockSelector: string | null;\n maskTextClass: string | RegExp;\n maskTextSelector: string | null;\n unmaskTextSelector: string | null;\n maskInputSelector: string | null;\n unmaskInputSelector: string | null;\n inlineStylesheet: boolean;\n maskInputOptions: MaskInputOptions;\n maskTextFn: MaskTextFn | undefined;\n maskInputFn: MaskInputFn | undefined;\n dataURLOptions?: DataURLOptions;\n inlineImages: boolean;\n recordCanvas: boolean;\n keepIframeSrcFn: KeepIframeSrcFn;\n },\n): serializedNode | false {\n const {\n doc,\n blockClass,\n blockSelector,\n unblockSelector,\n maskTextClass,\n maskTextSelector,\n unmaskTextSelector,\n inlineStylesheet,\n maskInputSelector,\n unmaskInputSelector,\n maskInputOptions = {},\n maskTextFn,\n maskInputFn,\n dataURLOptions = {},\n inlineImages,\n recordCanvas,\n keepIframeSrcFn,\n } = options;\n // Only record root id when document object is not the base document\n let rootId: number | undefined;\n if (((doc as unknown) as INode).__sn) {\n const docId = ((doc as unknown) as INode).__sn.id;\n rootId = docId === 1 ? undefined : docId;\n }\n switch (n.nodeType) {\n case n.DOCUMENT_NODE:\n if ((n as HTMLDocument).compatMode !== 'CSS1Compat') {\n return {\n type: NodeType.Document,\n childNodes: [],\n compatMode: (n as HTMLDocument).compatMode, // probably \"BackCompat\"\n rootId,\n };\n } else {\n return {\n type: NodeType.Document,\n childNodes: [],\n rootId,\n };\n }\n case n.DOCUMENT_TYPE_NODE:\n return {\n type: NodeType.DocumentType,\n name: (n as DocumentType).name,\n publicId: (n as DocumentType).publicId,\n systemId: (n as DocumentType).systemId,\n rootId,\n };\n case n.ELEMENT_NODE:\n const needBlock = _isBlockedElement(\n n as HTMLElement,\n blockClass,\n blockSelector,\n unblockSelector\n );\n const tagName = getValidTagName(n as HTMLElement);\n let attributes: attributes = {};\n for (const { name, value } of Array.from((n as HTMLElement).attributes)) {\n attributes[name] = transformAttribute(doc, tagName, name, value);\n }\n // remote css\n if (tagName === 'link' && inlineStylesheet) {\n const stylesheet = Array.from(doc.styleSheets).find((s) => {\n return s.href === (n as HTMLLinkElement).href;\n });\n let cssText: string | null = null;\n if (stylesheet) {\n cssText = getCssRulesString(stylesheet as CSSStyleSheet);\n }\n if (cssText) {\n delete attributes.rel;\n delete attributes.href;\n attributes._cssText = absoluteToStylesheet(\n cssText,\n stylesheet!.href!,\n );\n }\n }\n // dynamic stylesheet\n if (\n tagName === 'style' &&\n (n as HTMLStyleElement).sheet &&\n // TODO: Currently we only try to get dynamic stylesheet when it is an empty style element\n !(\n (n as HTMLElement).innerText ||\n (n as HTMLElement).textContent ||\n ''\n ).trim().length\n ) {\n const cssText = getCssRulesString(\n (n as HTMLStyleElement).sheet as CSSStyleSheet,\n );\n if (cssText) {\n attributes._cssText = absoluteToStylesheet(cssText, getHref());\n }\n }\n // form fields\n if (\n tagName === 'input' ||\n tagName === 'textarea' ||\n tagName === 'select'\n ) {\n const value = (n as HTMLInputElement | HTMLTextAreaElement).value;\n if (\n attributes.type !== 'radio' &&\n attributes.type !== 'checkbox' &&\n attributes.type !== 'submit' &&\n attributes.type !== 'button' &&\n value\n ) {\n attributes.value = maskInputValue({\n input: n as HTMLElement,\n type: attributes.type,\n tagName,\n value,\n maskInputSelector,\n unmaskInputSelector,\n maskInputOptions,\n maskInputFn,\n });\n } else if ((n as HTMLInputElement).checked) {\n attributes.checked = (n as HTMLInputElement).checked;\n }\n }\n if (tagName === 'option') {\n if ((n as HTMLOptionElement).selected && !maskInputOptions['select']) {\n attributes.selected = true;\n } else {\n // ignore the html attribute (which corresponds to DOM (n as HTMLOptionElement).defaultSelected)\n // if it's already been changed\n delete attributes.selected;\n }\n }\n // canvas image data\n if (tagName === 'canvas' && recordCanvas) {\n if ((n as ICanvas).__context === '2d') {\n // only record this on 2d canvas\n if (!is2DCanvasBlank(n as HTMLCanvasElement)) {\n attributes.rr_dataURL = (n as HTMLCanvasElement).toDataURL(\n dataURLOptions.type,\n dataURLOptions.quality,\n );\n }\n } else if (!('__context' in n)) {\n // context is unknown, better not call getContext to trigger it\n const canvasDataURL = (n as HTMLCanvasElement).toDataURL(\n dataURLOptions.type,\n dataURLOptions.quality,\n );\n\n // create blank canvas of same dimensions\n const blankCanvas = document.createElement('canvas');\n blankCanvas.width = (n as HTMLCanvasElement).width;\n blankCanvas.height = (n as HTMLCanvasElement).height;\n const blankCanvasDataURL = blankCanvas.toDataURL(\n dataURLOptions.type,\n dataURLOptions.quality,\n );\n\n // no need to save dataURL if it's the same as blank canvas\n if (canvasDataURL !== blankCanvasDataURL) {\n attributes.rr_dataURL = canvasDataURL;\n }\n }\n }\n // save image offline\n if (tagName === 'img' && inlineImages) {\n if (!canvasService) {\n canvasService = doc.createElement('canvas');\n canvasCtx = canvasService.getContext('2d');\n }\n const image = n as HTMLImageElement;\n const oldValue = image.crossOrigin;\n image.crossOrigin = 'anonymous';\n const recordInlineImage = () => {\n try {\n canvasService!.width = image.naturalWidth;\n canvasService!.height = image.naturalHeight;\n canvasCtx!.drawImage(image, 0, 0);\n attributes.rr_dataURL = canvasService!.toDataURL(\n dataURLOptions.type,\n dataURLOptions.quality,\n );\n } catch (err) {\n console.warn(\n `Cannot inline img src=${image.currentSrc}! Error: ${err}`,\n );\n }\n oldValue\n ? (attributes.crossOrigin = oldValue)\n : delete attributes.crossOrigin;\n };\n // The image content may not have finished loading yet.\n if (image.complete && image.naturalWidth !== 0) recordInlineImage();\n else image.onload = recordInlineImage;\n }\n // media elements\n if (tagName === 'audio' || tagName === 'video') {\n attributes.rr_mediaState = (n as HTMLMediaElement).paused\n ? 'paused'\n : 'played';\n attributes.rr_mediaCurrentTime = (n as HTMLMediaElement).currentTime;\n }\n // scroll\n if ((n as HTMLElement).scrollLeft) {\n attributes.rr_scrollLeft = (n as HTMLElement).scrollLeft;\n }\n if ((n as HTMLElement).scrollTop) {\n attributes.rr_scrollTop = (n as HTMLElement).scrollTop;\n }\n // block element\n if (needBlock) {\n const { width, height } = (n as HTMLElement).getBoundingClientRect();\n attributes = {\n class: attributes.class,\n rr_width: `${width}px`,\n rr_height: `${height}px`,\n };\n }\n // iframe\n if (tagName === 'iframe' && !keepIframeSrcFn(attributes.src as string)) {\n if (!(n as HTMLIFrameElement).contentDocument) {\n // we can't record it directly as we can't see into it\n // preserve the src attribute so a decision can be taken at replay time\n attributes.rr_src = attributes.src;\n }\n delete attributes.src; // prevent auto loading\n }\n return {\n type: NodeType.Element,\n tagName,\n attributes,\n childNodes: [],\n isSVG: isSVGElement(n as Element) || undefined,\n needBlock,\n rootId,\n };\n case n.TEXT_NODE:\n // The parent node may not be a html element which has a tagName attribute.\n // So just let it be undefined which is ok in this use case.\n const parentTagName =\n n.parentNode && (n.parentNode as HTMLElement).tagName;\n let textContent = (n as Text).textContent;\n const isStyle = parentTagName === 'STYLE' ? true : undefined;\n const isScript = parentTagName === 'SCRIPT' ? true : undefined;\n if (isStyle && textContent) {\n try {\n // try to read style sheet\n if (n.nextSibling || n.previousSibling) {\n // This is not the only child of the stylesheet.\n // We can't read all of the sheet's .cssRules and expect them\n // to _only_ include the current rule(s) added by the text node.\n // So we'll be conservative and keep textContent as-is.\n } else if ((n.parentNode as HTMLStyleElement).sheet?.cssRules) {\n textContent = stringifyStyleSheet(\n (n.parentNode as HTMLStyleElement).sheet!,\n );\n }\n } catch (err) {\n console.warn(\n `Cannot get CSS styles from text's parentNode. Error: ${err}`,\n n,\n );\n }\n textContent = absoluteToStylesheet(textContent, getHref());\n }\n if (isScript) {\n textContent = 'SCRIPT_PLACEHOLDER';\n }\n if (\n !isStyle &&\n !isScript &&\n needMaskingText(n, maskTextClass, maskTextSelector, unmaskTextSelector) &&\n textContent\n ) {\n textContent = maskTextFn\n ? maskTextFn(textContent)\n : textContent.replace(/[\\S]/g, '*');\n }\n return {\n type: NodeType.Text,\n textContent: textContent || '',\n isStyle,\n rootId,\n };\n case n.CDATA_SECTION_NODE:\n return {\n type: NodeType.CDATA,\n textContent: '',\n rootId,\n };\n case n.COMMENT_NODE:\n return {\n type: NodeType.Comment,\n textContent: (n as Comment).textContent || '',\n rootId,\n };\n default:\n return false;\n }\n}\n\nfunction lowerIfExists(maybeAttr: string | number | boolean): string {\n if (maybeAttr === undefined) {\n return '';\n } else {\n return (maybeAttr as string).toLowerCase();\n }\n}\n\nfunction slimDOMExcluded(\n sn: serializedNode,\n slimDOMOptions: SlimDOMOptions,\n): boolean {\n if (slimDOMOptions.comment && sn.type === NodeType.Comment) {\n // TODO: convert IE conditional comments to real nodes\n return true;\n } else if (sn.type === NodeType.Element) {\n if (\n slimDOMOptions.script &&\n // script tag\n (sn.tagName === 'script' ||\n // preload link\n (sn.tagName === 'link' &&\n sn.attributes.rel === 'preload' &&\n sn.attributes.as === 'script') ||\n // prefetch link\n (sn.tagName === 'link' &&\n sn.attributes.rel === 'prefetch' &&\n typeof sn.attributes.href === 'string' &&\n sn.attributes.href.endsWith('.js')))\n ) {\n return true;\n } else if (\n slimDOMOptions.headFavicon &&\n ((sn.tagName === 'link' && sn.attributes.rel === 'shortcut icon') ||\n (sn.tagName === 'meta' &&\n (lowerIfExists(sn.attributes.name).match(\n /^msapplication-tile(image|color)$/,\n ) ||\n lowerIfExists(sn.attributes.name) === 'application-name' ||\n lowerIfExists(sn.attributes.rel) === 'icon' ||\n lowerIfExists(sn.attributes.rel) === 'apple-touch-icon' ||\n lowerIfExists(sn.attributes.rel) === 'shortcut icon')))\n ) {\n return true;\n } else if (sn.tagName === 'meta') {\n if (\n slimDOMOptions.headMetaDescKeywords &&\n lowerIfExists(sn.attributes.name).match(/^description|keywords$/)\n ) {\n return true;\n } else if (\n slimDOMOptions.headMetaSocial &&\n (lowerIfExists(sn.attributes.property).match(/^(og|twitter|fb):/) || // og = opengraph (facebook)\n lowerIfExists(sn.attributes.name).match(/^(og|twitter):/) ||\n lowerIfExists(sn.attributes.name) === 'pinterest')\n ) {\n return true;\n } else if (\n slimDOMOptions.headMetaRobots &&\n (lowerIfExists(sn.attributes.name) === 'robots' ||\n lowerIfExists(sn.attributes.name) === 'googlebot' ||\n lowerIfExists(sn.attributes.name) === 'bingbot')\n ) {\n return true;\n } else if (\n slimDOMOptions.headMetaHttpEquiv &&\n sn.attributes['http-equiv'] !== undefined\n ) {\n // e.g. X-UA-Compatible, Content-Type, Content-Language,\n // cache-control, X-Translated-By\n return true;\n } else if (\n slimDOMOptions.headMetaAuthorship &&\n (lowerIfExists(sn.attributes.name) === 'author' ||\n lowerIfExists(sn.attributes.name) === 'generator' ||\n lowerIfExists(sn.attributes.name) === 'framework' ||\n lowerIfExists(sn.attributes.name) === 'publisher' ||\n lowerIfExists(sn.attributes.name) === 'progid' ||\n lowerIfExists(sn.attributes.property).match(/^article:/) ||\n lowerIfExists(sn.attributes.property).match(/^product:/))\n ) {\n return true;\n } else if (\n slimDOMOptions.headMetaVerification &&\n (lowerIfExists(sn.attributes.name) === 'google-site-verification' ||\n lowerIfExists(sn.attributes.name) === 'yandex-verification' ||\n lowerIfExists(sn.attributes.name) === 'csrf-token' ||\n lowerIfExists(sn.attributes.name) === 'p:domain_verify' ||\n lowerIfExists(sn.attributes.name) === 'verify-v1' ||\n lowerIfExists(sn.attributes.name) === 'verification' ||\n lowerIfExists(sn.attributes.name) === 'shopify-checkout-api-token')\n ) {\n return true;\n }\n }\n }\n return false;\n}\n\nexport function serializeNodeWithId(\n n: Node | INode,\n options: {\n doc: Document;\n map: idNodeMap;\n blockClass: string | RegExp;\n blockSelector: string | null;\n unblockSelector: string | null;\n maskTextClass: string | RegExp;\n maskTextSelector: string | null;\n unmaskTextSelector: string | null;\n skipChild: boolean;\n inlineStylesheet: boolean;\n maskInputSelector: string | null;\n unmaskInputSelector: string | null;\n maskInputOptions?: MaskInputOptions;\n maskTextFn: MaskTextFn | undefined;\n maskInputFn: MaskInputFn | undefined;\n slimDOMOptions: SlimDOMOptions;\n dataURLOptions?: DataURLOptions;\n keepIframeSrcFn?: KeepIframeSrcFn;\n inlineImages?: boolean;\n recordCanvas?: boolean;\n preserveWhiteSpace?: boolean;\n onSerialize?: (n: INode) => unknown;\n onIframeLoad?: (iframeINode: INode, node: serializedNodeWithId) => unknown;\n iframeLoadTimeout?: number;\n },\n): serializedNodeWithId | null {\n const {\n doc,\n map,\n blockClass,\n blockSelector,\n unblockSelector,\n maskTextClass,\n maskTextSelector,\n unmaskTextSelector,\n skipChild = false,\n inlineStylesheet = true,\n maskInputSelector,\n unmaskInputSelector,\n maskInputOptions = {},\n maskTextFn,\n maskInputFn,\n slimDOMOptions,\n dataURLOptions = {},\n inlineImages = false,\n recordCanvas = false,\n onSerialize,\n onIframeLoad,\n iframeLoadTimeout = 5000,\n keepIframeSrcFn = () => false,\n } = options;\n let { preserveWhiteSpace = true } = options;\n const _serializedNode = serializeNode(n, {\n doc,\n blockClass,\n blockSelector,\n unblockSelector,\n maskTextClass,\n maskTextSelector,\n unmaskTextSelector,\n inlineStylesheet,\n maskInputSelector,\n unmaskInputSelector,\n maskInputOptions,\n maskTextFn,\n maskInputFn,\n dataURLOptions,\n inlineImages,\n recordCanvas,\n keepIframeSrcFn,\n });\n if (!_serializedNode) {\n // TODO: dev only\n console.warn(n, 'not serialized');\n return null;\n }\n\n let id;\n // Try to reuse the previous id\n if ('__sn' in n) {\n id = n.__sn.id;\n } else if (\n slimDOMExcluded(_serializedNode, slimDOMOptions) ||\n (!preserveWhiteSpace &&\n _serializedNode.type === NodeType.Text &&\n !_serializedNode.isStyle &&\n !_serializedNode.textContent.replace(/^\\s+|\\s+$/gm, '').length)\n ) {\n id = IGNORED_NODE;\n } else {\n id = genId();\n }\n const serializedNode = Object.assign(_serializedNode, { id });\n (n as INode).__sn = serializedNode;\n if (id === IGNORED_NODE) {\n return null; // slimDOM\n }\n map[id] = n as INode;\n if (onSerialize) {\n onSerialize(n as INode);\n }\n let recordChild = !skipChild;\n if (serializedNode.type === NodeType.Element) {\n recordChild = recordChild && !serializedNode.needBlock;\n // this property was not needed in replay side\n delete serializedNode.needBlock;\n if ((n as HTMLElement).shadowRoot) serializedNode.isShadowHost = true;\n }\n if (\n (serializedNode.type === NodeType.Document ||\n serializedNode.type === NodeType.Element) &&\n recordChild\n ) {\n if (\n slimDOMOptions.headWhitespace &&\n _serializedNode.type === NodeType.Element &&\n _serializedNode.tagName === 'head'\n // would impede performance: || getComputedStyle(n)['white-space'] === 'normal'\n ) {\n preserveWhiteSpace = false;\n }\n const bypassOptions = {\n doc,\n map,\n blockClass,\n blockSelector,\n unblockSelector,\n maskTextClass,\n maskTextSelector,\n unmaskTextSelector,\n skipChild,\n inlineStylesheet,\n maskInputSelector,\n unmaskInputSelector,\n maskInputOptions,\n maskTextFn,\n maskInputFn,\n slimDOMOptions,\n dataURLOptions,\n inlineImages,\n recordCanvas,\n preserveWhiteSpace,\n onSerialize,\n onIframeLoad,\n iframeLoadTimeout,\n keepIframeSrcFn,\n };\n for (const childN of Array.from(n.childNodes)) {\n const serializedChildNode = serializeNodeWithId(childN, bypassOptions);\n if (serializedChildNode) {\n serializedNode.childNodes.push(serializedChildNode);\n }\n }\n\n if (isElement(n) && n.shadowRoot) {\n for (const childN of Array.from(n.shadowRoot.childNodes)) {\n const serializedChildNode = serializeNodeWithId(childN, bypassOptions);\n if (serializedChildNode) {\n serializedChildNode.isShadow = true;\n serializedNode.childNodes.push(serializedChildNode);\n }\n }\n }\n }\n\n if (n.parentNode && isShadowRoot(n.parentNode)) {\n serializedNode.isShadow = true;\n }\n\n if (\n serializedNode.type === NodeType.Element &&\n serializedNode.tagName === 'iframe'\n ) {\n onceIframeLoaded(\n n as HTMLIFrameElement,\n () => {\n const iframeDoc = (n as HTMLIFrameElement).contentDocument;\n if (iframeDoc && onIframeLoad) {\n const serializedIframeNode = serializeNodeWithId(iframeDoc, {\n doc: iframeDoc,\n map,\n blockClass,\n blockSelector,\n unblockSelector,\n maskTextClass,\n maskTextSelector,\n unmaskTextSelector,\n skipChild: false,\n inlineStylesheet,\n maskInputSelector,\n unmaskInputSelector,\n maskInputOptions,\n maskTextFn,\n maskInputFn,\n slimDOMOptions,\n dataURLOptions,\n inlineImages,\n recordCanvas,\n preserveWhiteSpace,\n onSerialize,\n onIframeLoad,\n iframeLoadTimeout,\n keepIframeSrcFn,\n });\n\n if (serializedIframeNode) {\n onIframeLoad(n as INode, serializedIframeNode);\n }\n }\n },\n iframeLoadTimeout,\n );\n }\n\n return serializedNode;\n}\n\nfunction snapshot(\n n: Document,\n options?: {\n blockClass?: string | RegExp;\n blockSelector?: string | null;\n unblockSelector?: string | null;\n maskTextClass?: string | RegExp;\n maskTextSelector?: string | null;\n unmaskTextSelector?: string | null;\n maskInputSelector?: string | null;\n unmaskInputSelector?: string | null;\n inlineStylesheet?: boolean;\n maskAllInputs?: boolean | MaskInputOptions;\n maskTextFn?: MaskTextFn;\n maskInputFn?: MaskTextFn;\n slimDOM?: boolean | SlimDOMOptions;\n dataURLOptions?: DataURLOptions;\n inlineImages?: boolean;\n recordCanvas?: boolean;\n preserveWhiteSpace?: boolean;\n onSerialize?: (n: INode) => unknown;\n onIframeLoad?: (iframeINode: INode, node: serializedNodeWithId) => unknown;\n iframeLoadTimeout?: number;\n keepIframeSrcFn?: KeepIframeSrcFn;\n },\n): [serializedNodeWithId | null, idNodeMap] {\n const {\n blockClass = 'rr-block',\n blockSelector = null,\n unblockSelector = null,\n maskTextClass = 'rr-mask',\n maskTextSelector = null,\n unmaskTextSelector = null,\n inlineStylesheet = true,\n inlineImages = false,\n recordCanvas = false,\n maskInputSelector = null,\n unmaskInputSelector = null,\n maskAllInputs = false,\n maskTextFn,\n maskInputFn,\n slimDOM = false,\n dataURLOptions,\n preserveWhiteSpace,\n onSerialize,\n onIframeLoad,\n iframeLoadTimeout,\n keepIframeSrcFn = () => false,\n } = options || {};\n const idNodeMap: idNodeMap = {};\n const maskInputOptions: MaskInputOptions =\n maskAllInputs === true\n ? {\n color: true,\n date: true,\n 'datetime-local': true,\n email: true,\n month: true,\n number: true,\n range: true,\n search: true,\n tel: true,\n text: true,\n time: true,\n url: true,\n week: true,\n textarea: true,\n select: true,\n password: true,\n }\n : maskAllInputs === false\n ? {\n password: true,\n }\n : maskAllInputs;\n const slimDOMOptions: SlimDOMOptions =\n slimDOM === true || slimDOM === 'all'\n ? // if true: set of sensible options that should not throw away any information\n {\n script: true,\n comment: true,\n headFavicon: true,\n headWhitespace: true,\n headMetaDescKeywords: slimDOM === 'all', // destructive\n headMetaSocial: true,\n headMetaRobots: true,\n headMetaHttpEquiv: true,\n headMetaAuthorship: true,\n headMetaVerification: true,\n }\n : slimDOM === false\n ? {}\n : slimDOM;\n return [\n serializeNodeWithId(n, {\n doc: n,\n map: idNodeMap,\n blockClass,\n blockSelector,\n unblockSelector,\n maskTextClass,\n maskTextSelector,\n unmaskTextSelector,\n skipChild: false,\n inlineStylesheet,\n maskInputSelector,\n unmaskInputSelector,\n maskInputOptions,\n maskTextFn,\n maskInputFn,\n slimDOMOptions,\n dataURLOptions,\n inlineImages,\n recordCanvas,\n preserveWhiteSpace,\n onSerialize,\n onIframeLoad,\n iframeLoadTimeout,\n keepIframeSrcFn,\n }),\n idNodeMap,\n ];\n}\n\nexport function visitSnapshot(\n node: serializedNodeWithId,\n onVisit: (node: serializedNodeWithId) => unknown,\n) {\n function walk(current: serializedNodeWithId) {\n onVisit(current);\n if (\n current.type === NodeType.Document ||\n current.type === NodeType.Element\n ) {\n current.childNodes.forEach(walk);\n }\n }\n\n walk(node);\n}\n\nexport function cleanupSnapshot() {\n // allow a new recording to start numbering nodes from scratch\n _id = 1;\n}\n\nexport default snapshot;\n","/**\n * This file is a fork of https://github.com/reworkcss/css/blob/master/lib/parse/index.js\n * I fork it because:\n * 1. The css library was built for node.js which does not have tree-shaking supports.\n * 2. Rewrites into typescript give us a better type interface.\n */\n\n/* tslint:disable no-conditional-assignment interface-name no-shadowed-variable */\n\nexport interface ParserOptions {\n /** Silently fail on parse errors */\n silent?: boolean;\n /**\n * The path to the file containing css.\n * Makes errors and source maps more helpful, by letting them know where code comes from.\n */\n source?: string;\n}\n\n/**\n * Error thrown during parsing.\n */\nexport interface ParserError {\n /** The full error message with the source position. */\n message?: string;\n /** The error message without position. */\n reason?: string;\n /** The value of options.source if passed to css.parse. Otherwise undefined. */\n filename?: string;\n line?: number;\n column?: number;\n /** The portion of code that couldn't be parsed. */\n source?: string;\n}\n\nexport interface Loc {\n line?: number;\n column?: number;\n}\n\n/**\n * Base AST Tree Node.\n */\nexport interface Node {\n /** The possible values are the ones listed in the Types section on https://github.com/reworkcss/css page. */\n type?: string;\n /** A reference to the parent node, or null if the node has no parent. */\n parent?: Node;\n /** Information about the position in the source string that corresponds to the node. */\n position?: {\n start?: Loc;\n end?: Loc;\n /** The value of options.source if passed to css.parse. Otherwise undefined. */\n source?: string;\n /** The full source string passed to css.parse. */\n content?: string;\n };\n}\n\nexport interface Rule extends Node {\n /** The list of selectors of the rule, split on commas. Each selector is trimmed from whitespace and comments. */\n selectors?: string[];\n /** Array of nodes with the types declaration and comment. */\n declarations?: Array;\n}\n\nexport interface Declaration extends Node {\n /** The property name, trimmed from whitespace and comments. May not be empty. */\n property?: string;\n /** The value of the property, trimmed from whitespace and comments. Empty values are allowed. */\n value?: string;\n}\n\n/**\n * A rule-level or declaration-level comment. Comments inside selectors, properties and values etc. are lost.\n */\nexport interface Comment extends Node {\n comment?: string;\n}\n\n/**\n * The @charset at-rule.\n */\nexport interface Charset extends Node {\n /** The part following @charset. */\n charset?: string;\n}\n\n/**\n * The @custom-media at-rule\n */\nexport interface CustomMedia extends Node {\n /** The ---prefixed name. */\n name?: string;\n /** The part following the name. */\n media?: string;\n}\n\n/**\n * The @document at-rule.\n */\nexport interface Document extends Node {\n /** The part following @document. */\n document?: string;\n /** The vendor prefix in @document, or undefined if there is none. */\n vendor?: string;\n /** Array of nodes with the types rule, comment and any of the at-rule types. */\n rules?: Array;\n}\n\n/**\n * The @font-face at-rule.\n */\nexport interface FontFace extends Node {\n /** Array of nodes with the types declaration and comment. */\n declarations?: Array;\n}\n\n/**\n * The @host at-rule.\n */\nexport interface Host extends Node {\n /** Array of nodes with the types rule, comment and any of the at-rule types. */\n rules?: Array;\n}\n\n/**\n * The @import at-rule.\n */\nexport interface Import extends Node {\n /** The part following @import. */\n import?: string;\n}\n\n/**\n * The @keyframes at-rule.\n */\nexport interface KeyFrames extends Node {\n /** The name of the keyframes rule. */\n name?: string;\n /** The vendor prefix in @keyframes, or undefined if there is none. */\n vendor?: string;\n /** Array of nodes with the types keyframe and comment. */\n keyframes?: Array;\n}\n\nexport interface KeyFrame extends Node {\n /** The list of \"selectors\" of the keyframe rule, split on commas. Each “selector” is trimmed from whitespace. */\n values?: string[];\n /** Array of nodes with the types declaration and comment. */\n declarations?: Array;\n}\n\n/**\n * The @media at-rule.\n */\nexport interface Media extends Node {\n /** The part following @media. */\n media?: string;\n /** Array of nodes with the types rule, comment and any of the at-rule types. */\n rules?: Array;\n}\n\n/**\n * The @namespace at-rule.\n */\nexport interface Namespace extends Node {\n /** The part following @namespace. */\n namespace?: string;\n}\n\n/**\n * The @page at-rule.\n */\nexport interface Page extends Node {\n /** The list of selectors of the rule, split on commas. Each selector is trimmed from whitespace and comments. */\n selectors?: string[];\n /** Array of nodes with the types declaration and comment. */\n declarations?: Array;\n}\n\n/**\n * The @supports at-rule.\n */\nexport interface Supports extends Node {\n /** The part following @supports. */\n supports?: string;\n /** Array of nodes with the types rule, comment and any of the at-rule types. */\n rules?: Array;\n}\n\n/** All at-rules. */\nexport type AtRule =\n | Charset\n | CustomMedia\n | Document\n | FontFace\n | Host\n | Import\n | KeyFrames\n | Media\n | Namespace\n | Page\n | Supports;\n\n/**\n * A collection of rules\n */\nexport interface StyleRules {\n source?: string;\n /** Array of nodes with the types rule, comment and any of the at-rule types. */\n rules: Array;\n /** Array of Errors. Errors collected during parsing when option silent is true. */\n parsingErrors?: ParserError[];\n}\n\n/**\n * The root node returned by css.parse.\n */\nexport interface Stylesheet extends Node {\n stylesheet?: StyleRules;\n}\n\n// http://www.w3.org/TR/CSS21/grammar.html\n// https://github.com/visionmedia/css-parse/pull/49#issuecomment-30088027\nconst commentre = /\\/\\*[^*]*\\*+([^/*][^*]*\\*+)*\\//g;\n\nexport function parse(css: string, options: ParserOptions = {}) {\n /**\n * Positional.\n */\n\n let lineno = 1;\n let column = 1;\n\n /**\n * Update lineno and column based on `str`.\n */\n\n function updatePosition(str: string) {\n const lines = str.match(/\\n/g);\n if (lines) {\n lineno += lines.length;\n }\n let i = str.lastIndexOf('\\n');\n column = i === -1 ? column + str.length : str.length - i;\n }\n\n /**\n * Mark position and patch `node.position`.\n */\n\n function position() {\n const start = { line: lineno, column };\n return (\n node: Rule | Declaration | Comment | AtRule | Stylesheet | KeyFrame,\n ) => {\n node.position = new Position(start);\n whitespace();\n return node;\n };\n }\n\n /**\n * Store position information for a node\n */\n\n class Position {\n public content!: string;\n public start!: Loc;\n public end!: Loc;\n public source?: string;\n\n constructor(start: Loc) {\n this.start = start;\n this.end = { line: lineno, column };\n this.source = options.source;\n }\n }\n\n /**\n * Non-enumerable source string\n */\n\n Position.prototype.content = css;\n\n const errorsList: ParserError[] = [];\n\n function error(msg: string) {\n const err = new Error(\n options.source + ':' + lineno + ':' + column + ': ' + msg,\n ) as ParserError;\n err.reason = msg;\n err.filename = options.source;\n err.line = lineno;\n err.column = column;\n err.source = css;\n\n if (options.silent) {\n errorsList.push(err);\n } else {\n throw err;\n }\n }\n\n /**\n * Parse stylesheet.\n */\n\n function stylesheet(): Stylesheet {\n const rulesList = rules();\n\n return {\n type: 'stylesheet',\n stylesheet: {\n source: options.source,\n rules: rulesList,\n parsingErrors: errorsList,\n },\n };\n }\n\n /**\n * Opening brace.\n */\n\n function open() {\n return match(/^{\\s*/);\n }\n\n /**\n * Closing brace.\n */\n\n function close() {\n return match(/^}/);\n }\n\n /**\n * Parse ruleset.\n */\n\n function rules() {\n let node: Rule | void;\n const rules: Rule[] = [];\n whitespace();\n comments(rules);\n while (css.length && css.charAt(0) !== '}' && (node = atrule() || rule())) {\n if (node !== false) {\n rules.push(node);\n comments(rules);\n }\n }\n return rules;\n }\n\n /**\n * Match `re` and return captures.\n */\n\n function match(re: RegExp) {\n const m = re.exec(css);\n if (!m) {\n return;\n }\n const str = m[0];\n updatePosition(str);\n css = css.slice(str.length);\n return m;\n }\n\n /**\n * Parse whitespace.\n */\n\n function whitespace() {\n match(/^\\s*/);\n }\n\n /**\n * Parse comments;\n */\n\n function comments(rules: Rule[] = []) {\n let c: Comment | void;\n while ((c = comment())) {\n if (c !== false) {\n rules.push(c);\n }\n c = comment();\n }\n return rules;\n }\n\n /**\n * Parse comment.\n */\n\n function comment() {\n const pos = position();\n if ('/' !== css.charAt(0) || '*' !== css.charAt(1)) {\n return;\n }\n\n let i = 2;\n while (\n '' !== css.charAt(i) &&\n ('*' !== css.charAt(i) || '/' !== css.charAt(i + 1))\n ) {\n ++i;\n }\n i += 2;\n\n if ('' === css.charAt(i - 1)) {\n return error('End of comment missing');\n }\n\n const str = css.slice(2, i - 2);\n column += 2;\n updatePosition(str);\n css = css.slice(i);\n column += 2;\n\n return pos({\n type: 'comment',\n comment: str,\n });\n }\n\n /**\n * Parse selector.\n */\n\n function selector() {\n const m = match(/^([^{]+)/);\n if (!m) {\n return;\n }\n /* @fix Remove all comments from selectors\n * http://ostermiller.org/findcomment.html */\n return trim(m[0])\n .replace(/\\/\\*([^*]|[\\r\\n]|(\\*+([^*/]|[\\r\\n])))*\\*\\/+/g, '')\n .replace(/\"(?:\\\\\"|[^\"])*\"|'(?:\\\\'|[^'])*'/g, (m) => {\n return m.replace(/,/g, '\\u200C');\n })\n .split(/\\s*(?![^(]*\\)),\\s*/)\n .map((s) => {\n return s.replace(/\\u200C/g, ',');\n });\n }\n\n /**\n * Parse declaration.\n */\n\n function declaration(): Declaration | void | never {\n const pos = position();\n\n // prop\n let propMatch = match(/^(\\*?[-#\\/\\*\\\\\\w]+(\\[[0-9a-z_-]+\\])?)\\s*/);\n if (!propMatch) {\n return;\n }\n const prop = trim(propMatch[0]);\n\n // :\n if (!match(/^:\\s*/)) {\n return error(`property missing ':'`);\n }\n\n // val\n const val = match(/^((?:'(?:\\\\'|.)*?'|\"(?:\\\\\"|.)*?\"|\\([^\\)]*?\\)|[^};])+)/);\n\n const ret = pos({\n type: 'declaration',\n property: prop.replace(commentre, ''),\n value: val ? trim(val[0]).replace(commentre, '') : '',\n });\n\n // ;\n match(/^[;\\s]*/);\n\n return ret;\n }\n\n /**\n * Parse declarations.\n */\n\n function declarations() {\n const decls: Array = [];\n\n if (!open()) {\n return error(`missing '{'`);\n }\n comments(decls);\n\n // declarations\n let decl;\n while ((decl = declaration())) {\n if ((decl as unknown) !== false) {\n decls.push(decl);\n comments(decls);\n }\n decl = declaration();\n }\n\n if (!close()) {\n return error(`missing '}'`);\n }\n return decls;\n }\n\n /**\n * Parse keyframe.\n */\n\n function keyframe() {\n let m;\n const vals = [];\n const pos = position();\n\n while ((m = match(/^((\\d+\\.\\d+|\\.\\d+|\\d+)%?|[a-z]+)\\s*/))) {\n vals.push(m[1]);\n match(/^,\\s*/);\n }\n\n if (!vals.length) {\n return;\n }\n\n return pos({\n type: 'keyframe',\n values: vals,\n declarations: declarations() as Declaration[],\n });\n }\n\n /**\n * Parse keyframes.\n */\n\n function atkeyframes() {\n const pos = position();\n let m = match(/^@([-\\w]+)?keyframes\\s*/);\n\n if (!m) {\n return;\n }\n const vendor = m[1];\n\n // identifier\n m = match(/^([-\\w]+)\\s*/);\n if (!m) {\n return error('@keyframes missing name');\n }\n const name = m[1];\n\n if (!open()) {\n return error(`@keyframes missing '{'`);\n }\n\n let frame;\n let frames = comments();\n while ((frame = keyframe())) {\n frames.push(frame);\n frames = frames.concat(comments());\n }\n\n if (!close()) {\n return error(`@keyframes missing '}'`);\n }\n\n return pos({\n type: 'keyframes',\n name,\n vendor,\n keyframes: frames,\n });\n }\n\n /**\n * Parse supports.\n */\n\n function atsupports() {\n const pos = position();\n const m = match(/^@supports *([^{]+)/);\n\n if (!m) {\n return;\n }\n const supports = trim(m[1]);\n\n if (!open()) {\n return error(`@supports missing '{'`);\n }\n\n const style = comments().concat(rules());\n\n if (!close()) {\n return error(`@supports missing '}'`);\n }\n\n return pos({\n type: 'supports',\n supports,\n rules: style,\n });\n }\n\n /**\n * Parse host.\n */\n\n function athost() {\n const pos = position();\n const m = match(/^@host\\s*/);\n\n if (!m) {\n return;\n }\n\n if (!open()) {\n return error(`@host missing '{'`);\n }\n\n const style = comments().concat(rules());\n\n if (!close()) {\n return error(`@host missing '}'`);\n }\n\n return pos({\n type: 'host',\n rules: style,\n });\n }\n\n /**\n * Parse media.\n */\n\n function atmedia() {\n const pos = position();\n const m = match(/^@media *([^{]+)/);\n\n if (!m) {\n return;\n }\n const media = trim(m[1]);\n\n if (!open()) {\n return error(`@media missing '{'`);\n }\n\n const style = comments().concat(rules());\n\n if (!close()) {\n return error(`@media missing '}'`);\n }\n\n return pos({\n type: 'media',\n media,\n rules: style,\n });\n }\n\n /**\n * Parse custom-media.\n */\n\n function atcustommedia() {\n const pos = position();\n const m = match(/^@custom-media\\s+(--[^\\s]+)\\s*([^{;]+);/);\n if (!m) {\n return;\n }\n\n return pos({\n type: 'custom-media',\n name: trim(m[1]),\n media: trim(m[2]),\n });\n }\n\n /**\n * Parse paged media.\n */\n\n function atpage() {\n const pos = position();\n const m = match(/^@page */);\n if (!m) {\n return;\n }\n\n const sel = selector() || [];\n\n if (!open()) {\n return error(`@page missing '{'`);\n }\n let decls = comments();\n\n // declarations\n let decl;\n while ((decl = declaration())) {\n decls.push(decl);\n decls = decls.concat(comments());\n }\n\n if (!close()) {\n return error(`@page missing '}'`);\n }\n\n return pos({\n type: 'page',\n selectors: sel,\n declarations: decls,\n });\n }\n\n /**\n * Parse document.\n */\n\n function atdocument() {\n const pos = position();\n const m = match(/^@([-\\w]+)?document *([^{]+)/);\n if (!m) {\n return;\n }\n\n const vendor = trim(m[1]);\n const doc = trim(m[2]);\n\n if (!open()) {\n return error(`@document missing '{'`);\n }\n\n const style = comments().concat(rules());\n\n if (!close()) {\n return error(`@document missing '}'`);\n }\n\n return pos({\n type: 'document',\n document: doc,\n vendor,\n rules: style,\n });\n }\n\n /**\n * Parse font-face.\n */\n\n function atfontface() {\n const pos = position();\n const m = match(/^@font-face\\s*/);\n if (!m) {\n return;\n }\n\n if (!open()) {\n return error(`@font-face missing '{'`);\n }\n let decls = comments();\n\n // declarations\n let decl;\n while ((decl = declaration())) {\n decls.push(decl);\n decls = decls.concat(comments());\n }\n\n if (!close()) {\n return error(`@font-face missing '}'`);\n }\n\n return pos({\n type: 'font-face',\n declarations: decls,\n });\n }\n\n /**\n * Parse import\n */\n\n const atimport = _compileAtrule('import');\n\n /**\n * Parse charset\n */\n\n const atcharset = _compileAtrule('charset');\n\n /**\n * Parse namespace\n */\n\n const atnamespace = _compileAtrule('namespace');\n\n /**\n * Parse non-block at-rules\n */\n\n function _compileAtrule(name: string) {\n const re = new RegExp('^@' + name + '\\\\s*([^;]+);');\n return () => {\n const pos = position();\n const m = match(re);\n if (!m) {\n return;\n }\n const ret: Record = { type: name };\n ret[name] = m[1].trim();\n return pos(ret);\n };\n }\n\n /**\n * Parse at rule.\n */\n\n function atrule() {\n if (css[0] !== '@') {\n return;\n }\n\n return (\n atkeyframes() ||\n atmedia() ||\n atcustommedia() ||\n atsupports() ||\n atimport() ||\n atcharset() ||\n atnamespace() ||\n atdocument() ||\n atpage() ||\n athost() ||\n atfontface()\n );\n }\n\n /**\n * Parse rule.\n */\n\n function rule() {\n const pos = position();\n const sel = selector();\n\n if (!sel) {\n return error('selector missing');\n }\n comments();\n\n return pos({\n type: 'rule',\n selectors: sel,\n declarations: declarations() as Declaration[],\n });\n }\n\n return addParent(stylesheet());\n}\n\n/**\n * Trim `str`.\n */\n\nfunction trim(str: string) {\n return str ? str.replace(/^\\s+|\\s+$/g, '') : '';\n}\n\n/**\n * Adds non-enumerable parent node reference to each node.\n */\n\nfunction addParent(obj: Stylesheet, parent?: Stylesheet) {\n const isNode = obj && typeof obj.type === 'string';\n const childParent = isNode ? obj : parent;\n\n for (const k of Object.keys(obj)) {\n const value = obj[k as keyof Stylesheet];\n if (Array.isArray(value)) {\n value.forEach((v) => {\n addParent(v, childParent);\n });\n } else if (value && typeof value === 'object') {\n addParent((value as unknown) as Stylesheet, childParent);\n }\n }\n\n if (isNode) {\n Object.defineProperty(obj, 'parent', {\n configurable: true,\n writable: true,\n enumerable: false,\n value: parent || null,\n });\n }\n\n return obj;\n}\n","import { parse } from './css';\nimport {\n serializedNodeWithId,\n NodeType,\n tagMap,\n elementNode,\n idNodeMap,\n INode,\n BuildCache,\n} from './types';\nimport { isElement } from './utils';\n\nconst tagMap: tagMap = {\n script: 'noscript',\n // camel case svg element tag names\n altglyph: 'altGlyph',\n altglyphdef: 'altGlyphDef',\n altglyphitem: 'altGlyphItem',\n animatecolor: 'animateColor',\n animatemotion: 'animateMotion',\n animatetransform: 'animateTransform',\n clippath: 'clipPath',\n feblend: 'feBlend',\n fecolormatrix: 'feColorMatrix',\n fecomponenttransfer: 'feComponentTransfer',\n fecomposite: 'feComposite',\n feconvolvematrix: 'feConvolveMatrix',\n fediffuselighting: 'feDiffuseLighting',\n fedisplacementmap: 'feDisplacementMap',\n fedistantlight: 'feDistantLight',\n fedropshadow: 'feDropShadow',\n feflood: 'feFlood',\n fefunca: 'feFuncA',\n fefuncb: 'feFuncB',\n fefuncg: 'feFuncG',\n fefuncr: 'feFuncR',\n fegaussianblur: 'feGaussianBlur',\n feimage: 'feImage',\n femerge: 'feMerge',\n femergenode: 'feMergeNode',\n femorphology: 'feMorphology',\n feoffset: 'feOffset',\n fepointlight: 'fePointLight',\n fespecularlighting: 'feSpecularLighting',\n fespotlight: 'feSpotLight',\n fetile: 'feTile',\n feturbulence: 'feTurbulence',\n foreignobject: 'foreignObject',\n glyphref: 'glyphRef',\n lineargradient: 'linearGradient',\n radialgradient: 'radialGradient',\n};\nfunction getTagName(n: elementNode): string {\n let tagName = tagMap[n.tagName] ? tagMap[n.tagName] : n.tagName;\n if (tagName === 'link' && n.attributes._cssText) {\n tagName = 'style';\n }\n return tagName;\n}\n\n// based on https://developer.mozilla.org/en-US/docs/Web/JavaScript/Guide/Regular_Expressions#escaping\nfunction escapeRegExp(str: string) {\n return str.replace(/[.*+?^${}()|[\\]\\\\]/g, '\\\\$&'); // $& means the whole matched string\n}\n\nconst HOVER_SELECTOR = /([^\\\\]):hover/;\nconst HOVER_SELECTOR_GLOBAL = new RegExp(HOVER_SELECTOR.source, 'g');\nexport function addHoverClass(cssText: string, cache: BuildCache): string {\n const cachedStyle = cache?.stylesWithHoverClass.get(cssText);\n if (cachedStyle) return cachedStyle;\n\n const ast = parse(cssText, {\n silent: true,\n });\n\n if (!ast.stylesheet) {\n return cssText;\n }\n\n const selectors: string[] = [];\n ast.stylesheet.rules.forEach((rule) => {\n if ('selectors' in rule) {\n (rule.selectors || []).forEach((selector: string) => {\n if (HOVER_SELECTOR.test(selector)) {\n selectors.push(selector);\n }\n });\n }\n });\n\n if (selectors.length === 0) {\n return cssText;\n }\n\n const selectorMatcher = new RegExp(\n selectors\n .filter((selector, index) => selectors.indexOf(selector) === index)\n .sort((a, b) => b.length - a.length)\n .map((selector) => {\n return escapeRegExp(selector);\n })\n .join('|'),\n 'g',\n );\n\n const result = cssText.replace(selectorMatcher, (selector) => {\n const newSelector = selector.replace(HOVER_SELECTOR_GLOBAL, '$1.\\\\:hover');\n return `${selector}, ${newSelector}`;\n });\n cache?.stylesWithHoverClass.set(cssText, result);\n return result;\n}\n\nexport function createCache(): BuildCache {\n const stylesWithHoverClass: Map = new Map();\n return {\n stylesWithHoverClass,\n };\n}\n\nfunction buildNode(\n n: serializedNodeWithId,\n options: {\n doc: Document;\n hackCss: boolean;\n cache: BuildCache;\n },\n): Node | null {\n const { doc, hackCss, cache } = options;\n switch (n.type) {\n case NodeType.Document:\n return doc.implementation.createDocument(null, '', null);\n case NodeType.DocumentType:\n return doc.implementation.createDocumentType(\n n.name || 'html',\n n.publicId,\n n.systemId,\n );\n case NodeType.Element:\n const tagName = getTagName(n);\n let node: Element;\n if (n.isSVG) {\n node = doc.createElementNS('http://www.w3.org/2000/svg', tagName);\n } else {\n node = doc.createElement(tagName);\n }\n for (const name in n.attributes) {\n if (!n.attributes.hasOwnProperty(name)) {\n continue;\n }\n let value = n.attributes[name];\n if (tagName === 'option' && name === 'selected' && value === false) {\n // legacy fix (TODO: if `value === false` can be generated for other attrs, should we also omit those other attrs from build?)\n continue;\n }\n value =\n typeof value === 'boolean' || typeof value === 'number' ? '' : value;\n // attribute names start with rr_ are internal attributes added by rrweb\n if (!name.startsWith('rr_')) {\n const isTextarea = tagName === 'textarea' && name === 'value';\n const isRemoteOrDynamicCss =\n tagName === 'style' && name === '_cssText';\n if (isRemoteOrDynamicCss && hackCss) {\n value = addHoverClass(value, cache);\n }\n if (isTextarea || isRemoteOrDynamicCss) {\n const child = doc.createTextNode(value);\n // https://github.com/rrweb-io/rrweb/issues/112\n for (const c of Array.from(node.childNodes)) {\n if (c.nodeType === node.TEXT_NODE) {\n node.removeChild(c);\n }\n }\n node.appendChild(child);\n continue;\n }\n\n try {\n if (n.isSVG && name === 'xlink:href') {\n node.setAttributeNS('http://www.w3.org/1999/xlink', name, value);\n } else if (\n name === 'onload' ||\n name === 'onclick' ||\n name.substring(0, 7) === 'onmouse'\n ) {\n // Rename some of the more common atttributes from https://www.w3schools.com/tags/ref_eventattributes.asp\n // as setting them triggers a console.error (which shows up despite the try/catch)\n // Assumption: these attributes are not used to css\n node.setAttribute('_' + name, value);\n } else if (\n tagName === 'meta' &&\n n.attributes['http-equiv'] === 'Content-Security-Policy' &&\n name === 'content'\n ) {\n // If CSP contains style-src and inline-style is disabled, there will be an error \"Refused to apply inline style because it violates the following Content Security Policy directive: style-src '*'\".\n // And the function insertStyleRules in rrweb replayer will throw an error \"Uncaught TypeError: Cannot read property 'insertRule' of null\".\n node.setAttribute('csp-content', value);\n continue;\n } else if (\n tagName === 'link' &&\n n.attributes.rel === 'preload' &&\n n.attributes.as === 'script'\n ) {\n // ignore\n } else if (\n tagName === 'link' &&\n n.attributes.rel === 'prefetch' &&\n typeof n.attributes.href === 'string' &&\n n.attributes.href.endsWith('.js')\n ) {\n // ignore\n } else if (\n tagName === 'img' &&\n n.attributes.srcset &&\n n.attributes.rr_dataURL\n ) {\n // backup original img srcset\n node.setAttribute('rrweb-original-srcset', n.attributes.srcset as string);\n } else {\n node.setAttribute(name, value);\n }\n } catch (error) {\n // skip invalid attribute\n }\n } else {\n // handle internal attributes\n if (tagName === 'canvas' && name === 'rr_dataURL') {\n const image = document.createElement('img');\n image.src = value;\n image.onload = () => {\n const ctx = (node as HTMLCanvasElement).getContext('2d');\n if (ctx) {\n ctx.drawImage(image, 0, 0, image.width, image.height);\n }\n };\n } else if (tagName === 'img' && name === 'rr_dataURL') {\n const image = node as HTMLImageElement;\n if (!image.currentSrc.startsWith('data:')) {\n // Backup original img src. It may not have been set yet.\n image.setAttribute(\n 'rrweb-original-src',\n n.attributes.src as string,\n );\n image.src = value;\n }\n }\n\n if (name === 'rr_width') {\n (node as HTMLElement).style.width = value;\n } else if (name === 'rr_height') {\n (node as HTMLElement).style.height = value;\n } else if (name === 'rr_mediaCurrentTime') {\n (node as HTMLMediaElement).currentTime = n.attributes\n .rr_mediaCurrentTime as number;\n } else if (name === 'rr_mediaState') {\n switch (value) {\n case 'played':\n (node as HTMLMediaElement)\n .play()\n .catch((e) => console.warn('media playback error', e));\n break;\n case 'paused':\n (node as HTMLMediaElement).pause();\n break;\n default:\n }\n }\n }\n }\n\n if (n.isShadowHost) {\n /**\n * Since node is newly rebuilt, it should be a normal element\n * without shadowRoot.\n * But if there are some weird situations that has defined\n * custom element in the scope before we rebuild node, it may\n * register the shadowRoot earlier.\n * The logic in the 'else' block is just a try-my-best solution\n * for the corner case, please let we know if it is wrong and\n * we can remove it.\n */\n if (!node.shadowRoot) {\n node.attachShadow({ mode: 'open' });\n } else {\n while (node.shadowRoot.firstChild) {\n node.shadowRoot.removeChild(node.shadowRoot.firstChild);\n }\n }\n }\n return node;\n case NodeType.Text:\n return doc.createTextNode(\n n.isStyle && hackCss\n ? addHoverClass(n.textContent, cache)\n : n.textContent,\n );\n case NodeType.CDATA:\n return doc.createCDATASection(n.textContent);\n case NodeType.Comment:\n return doc.createComment(n.textContent);\n default:\n return null;\n }\n}\n\nexport function buildNodeWithSN(\n n: serializedNodeWithId,\n options: {\n doc: Document;\n map: idNodeMap;\n skipChild?: boolean;\n hackCss: boolean;\n afterAppend?: (n: INode) => unknown;\n cache: BuildCache;\n },\n): INode | null {\n const {\n doc,\n map,\n skipChild = false,\n hackCss = true,\n afterAppend,\n cache,\n } = options;\n let node = buildNode(n, { doc, hackCss, cache });\n if (!node) {\n return null;\n }\n if (n.rootId) {\n console.assert(\n ((map[n.rootId] as unknown) as Document) === doc,\n 'Target document should has the same root id.',\n );\n }\n // use target document as root document\n if (n.type === NodeType.Document) {\n // close before open to make sure document was closed\n doc.close();\n doc.open();\n if (\n n.compatMode === 'BackCompat' &&\n n.childNodes &&\n n.childNodes[0].type !== NodeType.DocumentType // there isn't one already defined\n ) {\n // Trigger compatMode in the iframe\n // this is needed as document.createElement('iframe') otherwise inherits a CSS1Compat mode from the parent replayer environment\n if (\n n.childNodes[0].type === NodeType.Element &&\n 'xmlns' in n.childNodes[0].attributes &&\n n.childNodes[0].attributes.xmlns === 'http://www.w3.org/1999/xhtml'\n ) {\n // might as well use an xhtml doctype if we've got an xhtml namespace\n doc.write(\n '',\n );\n } else {\n doc.write(\n '',\n );\n }\n }\n node = doc;\n }\n\n (node as INode).__sn = n;\n map[n.id] = node as INode;\n\n if (\n (n.type === NodeType.Document || n.type === NodeType.Element) &&\n !skipChild\n ) {\n for (const childN of n.childNodes) {\n const childNode = buildNodeWithSN(childN, {\n doc,\n map,\n skipChild: false,\n hackCss,\n afterAppend,\n cache,\n });\n if (!childNode) {\n console.warn('Failed to rebuild', childN);\n continue;\n }\n\n if (childN.isShadow && isElement(node) && node.shadowRoot) {\n node.shadowRoot.appendChild(childNode);\n } else {\n node.appendChild(childNode);\n }\n if (afterAppend) {\n afterAppend(childNode);\n }\n }\n }\n\n return node as INode;\n}\n\nfunction visit(idNodeMap: idNodeMap, onVisit: (node: INode) => void) {\n function walk(node: INode) {\n onVisit(node);\n }\n\n for (const key in idNodeMap) {\n if (idNodeMap[key]) {\n walk(idNodeMap[key]);\n }\n }\n}\n\nfunction handleScroll(node: INode) {\n const n = node.__sn;\n if (n.type !== NodeType.Element) {\n return;\n }\n const el = (node as Node) as HTMLElement;\n for (const name in n.attributes) {\n if (!(n.attributes.hasOwnProperty(name) && name.startsWith('rr_'))) {\n continue;\n }\n const value = n.attributes[name];\n if (name === 'rr_scrollLeft') {\n el.scrollLeft = value as number;\n }\n if (name === 'rr_scrollTop') {\n el.scrollTop = value as number;\n }\n }\n}\n\nfunction rebuild(\n n: serializedNodeWithId,\n options: {\n doc: Document;\n onVisit?: (node: INode) => unknown;\n hackCss?: boolean;\n afterAppend?: (n: INode) => unknown;\n cache: BuildCache;\n },\n): [Node | null, idNodeMap] {\n const { doc, onVisit, hackCss = true, afterAppend, cache } = options;\n const idNodeMap: idNodeMap = {};\n const node = buildNodeWithSN(n, {\n doc,\n map: idNodeMap,\n skipChild: false,\n hackCss,\n afterAppend,\n cache,\n });\n visit(idNodeMap, (visitedNode) => {\n if (onVisit) {\n onVisit(visitedNode);\n }\n handleScroll(visitedNode);\n });\n return [node, idNodeMap];\n}\n\nexport default rebuild;\n"],"names":["NodeType","isElement","n","nodeType","ELEMENT_NODE","isShadowRoot","host","Boolean","shadowRoot","maskInputValue","_a","input","maskInputSelector","unmaskInputSelector","maskInputOptions","tagName","type","value","maskInputFn","text","matches","toLowerCase","repeat","length","is2DCanvasBlank","canvas","ctx","getContext","x","width","y","height","getImageData","originalGetImageData","Uint32Array","call","Math","min","data","buffer","some","pixel","canvasService","canvasCtx","_id","tagNameRegex","RegExp","IGNORED_NODE","getCssRulesString","s","rules","cssRules","Array","from","map","getCssRuleString","join","error","rule","cssStringified","cssText","isCSSImportRule","styleSheet","URL_IN_CSS_REF","RELATIVE_PATH","DATA_URI","absoluteToStylesheet","href","replace","origin","quote1","path1","quote2","path2","path3","url","filePath","maybeQuote","test","indexOf","split","slice","stack","parts","pop","parts_1","_i","part","push","SRCSET_NOT_SPACES","SRCSET_COMMAS_OR_SPACES","absoluteToDoc","doc","attributeValue","trim","a","createElement","getHref","document","transformAttribute","name","pos","collectCharacters","regEx","chars","match","exec","substring","output","descriptorsStr","inParens","c","charAt","getAbsoluteSrcsetString","needMaskingText","node","maskTextClass","maskTextSelector","unmaskTextSelector","closest","classList","contains","eIndex","className","parentNode","TEXT_NODE","serializeNode","options","rootId","sheet","el","blockClass","blockSelector","unblockSelector","inlineStylesheet","_b","maskTextFn","_c","dataURLOptions","inlineImages","recordCanvas","keepIframeSrcFn","__sn","docId","id","undefined","DOCUMENT_NODE","compatMode","Document","childNodes","DOCUMENT_TYPE_NODE","DocumentType","publicId","systemId","needBlock","element","_isBlockedElement","HTMLFormElement","processedTagName","getValidTagName","attributes_1","_d","attributes","_e","name_1","stylesheet","styleSheets","find","rel","_cssText","innerText","textContent","checked","selected","__context","rr_dataURL","toDataURL","quality","canvasDataURL","blankCanvas","image_1","oldValue_1","crossOrigin","recordInlineImage","naturalWidth","naturalHeight","drawImage","err","console","warn","currentSrc","complete","onload","rr_mediaState","paused","rr_mediaCurrentTime","currentTime","scrollLeft","rr_scrollLeft","scrollTop","rr_scrollTop","_f","getBoundingClientRect","class","rr_width","rr_height","src","contentDocument","rr_src","Element","isSVG","ownerSVGElement","parentTagName","isStyle","isScript","nextSibling","previousSibling","Text","CDATA_SECTION_NODE","CDATA","COMMENT_NODE","Comment","lowerIfExists","maybeAttr","serializeNodeWithId","skipChild","slimDOMOptions","onSerialize","onIframeLoad","_g","iframeLoadTimeout","_h","_j","preserveWhiteSpace","_serializedNode","sn","comment","script","as","endsWith","headFavicon","headMetaDescKeywords","headMetaSocial","property","headMetaRobots","headMetaHttpEquiv","headMetaAuthorship","headMetaVerification","slimDOMExcluded","serializedNode","Object","assign","recordChild","isShadowHost","headWhitespace","bypassOptions","_k","serializedChildNode","_m","_l","isShadow","iframeEl","listener","win","contentWindow","readyState","fired","blankUrl","location","addEventListener","setTimeout","timer_1","clearTimeout","onceIframeLoaded","iframeDoc","serializedIframeNode","snapshot","_o","maskAllInputs","_p","slimDOM","_q","idNodeMap","color","date","email","month","number","range","search","tel","time","week","textarea","select","password","visitSnapshot","onVisit","walk","current","forEach","cleanupSnapshot","commentre","parse","css","lineno","column","updatePosition","str","lines","i","lastIndexOf","position","start","line","Position","whitespace","this","end","source","prototype","content","errorsList","msg","Error","reason","filename","silent","open","close","comments","atrule","re","m","selector","declaration","propMatch","prop","val","ret","declarations","decl","decls","keyframe","vals","values","rulesList","atimport","_compileAtrule","atcharset","atnamespace","vendor","frame","frames","concat","keyframes","atkeyframes","media","style","atmedia","atcustommedia","supports","atsupports","atdocument","sel","selectors","atpage","athost","atfontface","addParent","parsingErrors","obj","parent","isNode","childParent","keys","isArray","v","defineProperty","configurable","writable","enumerable","tagMap","altglyph","altglyphdef","altglyphitem","animatecolor","animatemotion","animatetransform","clippath","feblend","fecolormatrix","fecomponenttransfer","fecomposite","feconvolvematrix","fediffuselighting","fedisplacementmap","fedistantlight","fedropshadow","feflood","fefunca","fefuncb","fefuncg","fefuncr","fegaussianblur","feimage","femerge","femergenode","femorphology","feoffset","fepointlight","fespecularlighting","fespotlight","fetile","feturbulence","foreignobject","glyphref","lineargradient","radialgradient","HOVER_SELECTOR","HOVER_SELECTOR_GLOBAL","addHoverClass","cache","cachedStyle","stylesWithHoverClass","get","ast","selectorMatcher","filter","index","sort","b","result","newSelector","set","createCache","Map","buildNode","hackCss","implementation","createDocument","createDocumentType","node_1","getTagName","createElementNS","hasOwnProperty","startsWith","image","setAttribute","play","e","pause","isTextarea","isRemoteOrDynamicCss","child","createTextNode","removeChild","appendChild","setAttributeNS","srcset","firstChild","attachShadow","mode","createCDATASection","createComment","buildNodeWithSN","afterAppend","assert","xmlns","write","childN","childNode","rebuild","key","visit","visitedNode","name_2","handleScroll"],"mappings":"IAAYA,WCEIC,EAAUC,GACxB,OAAOA,EAAEC,WAAaD,EAAEE,sBAGVC,EAAaH,SACrBI,YAAwBJ,wBAAkBI,KAChD,OAAOC,QAAQD,GAAQA,EAAKE,YAAcF,EAAKE,aAAeN,YAGhDO,EAAeC,OAC7BC,UACAC,sBACAC,wBACAC,qBACAC,YACAC,SACAC,UACAC,gBAWIC,EAAOF,GAAS,GAEpB,OAAIJ,GAAuBF,EAAMS,QAAQP,KAKvCC,EAAiBC,EAAQM,gBACzBP,EAAiBE,IAChBJ,GAAqBD,EAAMS,QAAQR,MAGlCO,EADED,EACKA,EAAYC,GAEZ,IAAIG,OAAOH,EAAKI,SAXlBJ,GDjCX,SAAYnB,GACVA,2BACAA,mCACAA,yBACAA,mBACAA,qBACAA,yBANF,CAAYA,IAAAA,gBCuDIwB,EAAgBC,GAC9B,IAAMC,EAAMD,EAAOE,WAAW,MAC9B,IAAKD,EAAK,OAAO,EAKjB,IAHA,IAGSE,EAAI,EAAGA,EAAIH,EAAOI,MAAOD,GAHhB,GAIhB,IAAK,IAAIE,EAAI,EAAGA,EAAIL,EAAOM,OAAQD,GAJnB,GAImC,CACjD,IAAME,EAAeN,EAAIM,aACnBC,EAfoB,uBAgBGD,EACvBA,EAAoC,mBACpCA,EAcN,GAToB,IAAIE,YACtBD,EAAqBE,KACnBT,EACAE,EACAE,EACAM,KAAKC,IAnBK,GAmBUZ,EAAOI,MAAQD,GACnCQ,KAAKC,IApBK,GAoBUZ,EAAOM,OAASD,IACpCQ,KAAKC,QAEOC,MAAK,SAACC,GAAU,OAAU,IAAVA,KAAc,OAAO,EAGzD,OAAO,EC/DT,IAsEIC,EACAC,EAvEAC,EAAM,EACJC,EAAe,IAAIC,OAAO,gBAEnBC,GAAgB,EAuB7B,SAASC,EAAkBC,GACzB,IACE,IAAMC,EAAQD,EAAEC,OAASD,EAAEE,SAC3B,OAAOD,EAAQE,MAAMC,KAAKH,GAAOI,IAAIC,GAAkBC,KAAK,IAAM,KAClE,MAAOC,GACP,OAAO,MAIX,SAASF,EAAiBG,GACxB,IAAIC,EAAiBD,EAAKE,QAC1B,GAUF,SAAyBF,GACvB,MAAO,eAAgBA,EAXnBG,CAAgBH,GAClB,IACEC,EAAiBX,EAAkBU,EAAKI,aAAeH,EACvD,UAIJ,OAAOA,EA6BT,IAAMI,EAAiB,6CACjBC,EAAgB,sDAChBC,EAAW,iCACDC,EACdN,EACAO,GAEA,OAAQP,GAAW,IAAIQ,QACrBL,GACA,SAACM,EAAQC,EAAQC,EAAOC,EAAQC,EAAOC,GACrC,IAxBiBC,EAwBXC,EAAWL,GAASE,GAASC,EAC7BG,EAAaP,GAAUE,GAAU,GACvC,IAAKI,EACH,OAAOP,EAET,IAAKL,EAAcc,KAAKF,GACtB,MAAO,OAAOC,EAAaD,EAAWC,MAExC,GAAIZ,EAASa,KAAKF,GAChB,MAAO,OAAOC,EAAaD,EAAWC,MAExC,GAAoB,MAAhBD,EAAS,GACX,MAAO,OAAOC,KApCCF,EAqCCR,GAnCdY,QAAQ,OAAS,EACdJ,EAAIK,MAAM,KAAKC,MAAM,EAAG,GAAGzB,KAAK,KAEhCmB,EAAIK,MAAM,KAAK,IAEVA,MAAM,KAAK,GA8BGJ,GACrBC,MAEL,IAAMK,EAAQf,EAAKa,MAAM,KACnBG,EAAQP,EAASI,MAAM,KAC7BE,EAAME,MACN,IAAmB,QAAAC,IAAAC,WAAAA,IAAO,CAArB,IAAMC,OACI,MAATA,IAEgB,OAATA,EACTL,EAAME,MAENF,EAAMM,KAAKD,IAGf,MAAO,OAAOV,EAAaK,EAAM1B,KAAK,KAAOqB,SAKnD,IAAMY,EAAoB,qBACpBC,EAA0B,8BAyEhBC,EAAcC,EAAeC,GAC3C,IAAKA,GAA4C,KAA1BA,EAAeC,OACpC,OAAOD,EAET,IAAME,EAAuBH,EAAII,cAAc,KAE/C,OADAD,EAAE5B,KAAO0B,EACFE,EAAE5B,KAOX,SAAS8B,IAEP,IAAMF,EAAIG,SAASF,cAAc,KAEjC,OADAD,EAAE5B,KAAO,GACF4B,EAAE5B,cAGKgC,EACdP,EACA7E,EACAqF,EACAnF,GAGA,MAAa,QAATmF,GAA4B,SAATA,GAAmBnF,GAEtB,eAATmF,GAAyBnF,GAAsB,MAAbA,EAAM,GAD1C0E,EAAcC,EAAK3E,GAKjB,eAATmF,IACAnF,GACa,UAAZF,GAAmC,OAAZA,GAAgC,OAAZA,EAG1B,WAATqF,GAAqBnF,EA9GlC,SAAiC2E,EAAeC,GAS9C,GAA8B,KAA1BA,EAAeC,OACjB,OAAOD,EAGT,IAAIQ,EAAM,EAEV,SAASC,EAAkBC,GACzB,IAAIC,EACAC,EAAQF,EAAMG,KAAKb,EAAec,UAAUN,IAChD,OAAII,GACFD,EAAQC,EAAM,GACdJ,GAAOG,EAAMjF,OACNiF,GAEF,GAIT,IADA,IAAII,EAAS,GAEXN,EAAkBZ,KACdW,GAAOR,EAAetE,SAFf,CAMX,IAAIoD,EAAM2B,EAAkBb,GAC5B,GAAsB,MAAlBd,EAAIM,OAAO,GAEbN,EAAMgB,EAAcC,EAAKjB,EAAIgC,UAAU,EAAGhC,EAAIpD,OAAS,IAGvDqF,EAAOpB,KAAKb,OACP,CACL,IAAIkC,EAAiB,GACrBlC,EAAMgB,EAAcC,EAAKjB,GAEzB,IADA,IAAImC,GAAW,IACF,CACX,IAAIC,EAAIlB,EAAemB,OAAOX,GAC9B,GAAU,KAANU,EAAU,CACZH,EAAOpB,MAAMb,EAAMkC,GAAgBf,QACnC,MACK,GAAKgB,EAWA,MAANC,IACFD,GAAW,OAZO,CACpB,GAAU,MAANC,EAAW,CACbV,GAAO,EACPO,EAAOpB,MAAMb,EAAMkC,GAAgBf,QACnC,MACe,MAANiB,IACTD,GAAW,GASfD,GAAkBE,EAClBV,GAAO,IAIb,OAAOO,EAAOpD,KAAK,MA0CVyD,CAAwBrB,EAAK3E,GAClB,UAATmF,GAAoBnF,EACtBiD,EAAqBjD,EAAOgF,KACd,WAAZlF,GAAiC,SAATqF,GAAmBnF,EAC7C0E,EAAcC,EAAK3E,GAEnBA,EARA0E,EAAcC,EAAK3E,YA0CdiG,EACdC,EACAC,EACAC,EACAC,GAEA,IAAKH,EACH,OAAO,EAET,GAAIA,EAAKhH,WAAagH,EAAK/G,aAAc,CACvC,GAAIkH,IACGH,EAAqB/F,QAAQkG,IAAwBH,EAAqBI,QAAQD,IACrF,OAAO,EAIX,GAA6B,iBAAlBF,GACT,GAAKD,EAAqBK,UAAUC,SAASL,GAC3C,OAAO,OAIT,IACE,IAAIM,EAAS,EACbA,EAAUP,EAAqBK,UAAUjG,OACzCmG,IACA,CACA,IAAMC,EAAaR,EAAqBK,UAAUE,GAClD,GAAIN,EAActC,KAAK6C,GACrB,OAAO,EAIb,SAAIN,IACGF,EAAqB/F,QAAQiG,KAI7BH,EAAgBC,EAAKS,WAAYR,EAAeC,EAAkBC,GAG3E,OAAIH,EAAKhH,SAAagH,EAAKU,UAElBX,EAAgBC,EAAKS,WAAYR,EAAeC,EAAkBC,GAsD7E,SAASQ,EACP5H,EACA6H,SAwCIC,EArWuBC,EAoJPC,EA8LlBtC,EAiBEmC,MAhBFI,EAgBEJ,aAfFK,EAeEL,gBAdFM,EAcEN,kBAbFX,EAaEW,gBAZFV,EAYEU,mBAXFT,EAWES,qBAVFO,EAUEP,mBATFnH,EASEmH,oBARFlH,EAQEkH,sBAPFQ,EAOER,mBAPFjH,aAAmB,KACnB0H,EAMET,aALF7G,EAKE6G,cAJFU,EAIEV,iBAJFW,aAAiB,KACjBC,EAGEZ,eAFFa,EAEEb,eADFc,EACEd,kBAGJ,GAAMnC,EAA0BkD,KAAM,CACpC,IAAMC,EAAUnD,EAA0BkD,KAAKE,GAC/ChB,EAAmB,IAAVe,OAAcE,EAAYF,EAErC,OAAQ7I,EAAEC,UACR,KAAKD,EAAEgJ,cACL,MAAuC,eAAlChJ,EAAmBiJ,WACf,CACLnI,KAAMhB,EAASoJ,SACfC,WAAY,GACZF,WAAajJ,EAAmBiJ,WAChCnB,UAGK,CACLhH,KAAMhB,EAASoJ,SACfC,WAAY,GACZrB,UAGN,KAAK9H,EAAEoJ,mBACL,MAAO,CACLtI,KAAMhB,EAASuJ,aACfnD,KAAOlG,EAAmBkG,KAC1BoD,SAAWtJ,EAAmBsJ,SAC9BC,SAAWvJ,EAAmBuJ,SAC9BzB,UAEJ,KAAK9H,EAAEE,aASL,IARA,IAAMsJ,WAtMVC,EACAxB,EACAC,EACAC,GAEA,GAAIA,GAAmBsB,EAAQvI,QAAQiH,GACrC,OAAO,EAGT,GAA0B,iBAAfF,GACT,GAAIwB,EAAQnC,UAAUC,SAASU,GAC7B,OAAO,OAIT,IAAK,IAAIT,EAAS,EAAGA,EAASiC,EAAQnC,UAAUjG,OAAQmG,IAAU,CAChE,IAAMC,EAAYgC,EAAQnC,UAAUE,GACpC,GAAIS,EAAWrD,KAAK6C,GAClB,OAAO,EAIb,QAAIS,GACKuB,EAAQvI,QAAQgH,GA+KHwB,CAChB1J,EACAiI,EACAC,EACAC,GAEItH,EAnbZ,SAAyB4I,GACvB,GAAIA,aAAmBE,gBACrB,MAAO,OAGT,IAAMC,EAAmBH,EAAQ5I,QAAQM,cAAcyE,OAEvD,OAAIjD,EAAaiC,KAAKgF,GAIb,MAGFA,EAqaaC,CAAgB7J,GAC5B8J,EAAyB,OACCC,EAAA7G,MAAMC,KAAMnD,EAAkBgK,YAA9B5E,WAAAA,IAA2C,CAA9D,IAAA6E,OAAEC,SAAMnJ,UACjB+I,EAAWI,GAAQjE,EAAmBP,EAAK7E,EAASqJ,EAAMnJ,GAG5D,GAAgB,SAAZF,GAAsBuH,EAAkB,CAC1C,IAAM+B,EAAajH,MAAMC,KAAKuC,EAAI0E,aAAaC,MAAK,SAACtH,GACnD,OAAOA,EAAEkB,OAAUjE,EAAsBiE,QAEvCP,EAAyB,KACzByG,IACFzG,EAAUZ,EAAkBqH,IAE1BzG,WACKoG,EAAWQ,WACXR,EAAW7F,KAClB6F,EAAWS,SAAWvG,EACpBN,EACAyG,EAAYlG,OAKlB,GACc,UAAZpD,GACCb,EAAuB+H,SAGrB/H,EAAkBwK,WAClBxK,EAAkByK,aACnB,IACA7E,OAAOvE,QAEHqC,EAAUZ,EACb9C,EAAuB+H,UAGxB+B,EAAWS,SAAWvG,EAAqBN,EAASqC,MAIxD,GACc,UAAZlF,GACY,aAAZA,GACY,WAAZA,EACA,CACME,EAASf,EAA6Ce,MAEtC,UAApB+I,EAAWhJ,MACS,aAApBgJ,EAAWhJ,MACS,WAApBgJ,EAAWhJ,MACS,WAApBgJ,EAAWhJ,MACXC,EAEA+I,EAAW/I,MAAQR,EAAe,CAChCE,MAAOT,EACPc,KAAMgJ,EAAWhJ,KACjBD,UACAE,QACAL,oBACAC,sBACAC,mBACAI,gBAEQhB,EAAuB0K,UACjCZ,EAAWY,QAAW1K,EAAuB0K,SAajD,GAVgB,WAAZ7J,IACGb,EAAwB2K,WAAa/J,EAAyB,OACjEkJ,EAAWa,UAAW,SAIfb,EAAWa,UAIN,WAAZ9J,GAAwB6H,EAC1B,GAAiC,OAA5B1I,EAAc4K,UAEZtJ,EAAgBtB,KACnB8J,EAAWe,WAAc7K,EAAwB8K,UAC/CtC,EAAe1H,KACf0H,EAAeuC,eAGd,KAAM,cAAe/K,GAAI,CAE9B,IAAMgL,EAAiBhL,EAAwB8K,UAC7CtC,EAAe1H,KACf0H,EAAeuC,SAIXE,EAAcjF,SAASF,cAAc,UAC3CmF,EAAYtJ,MAAS3B,EAAwB2B,MAC7CsJ,EAAYpJ,OAAU7B,EAAwB6B,OAO1CmJ,IANuBC,EAAYH,UACrCtC,EAAe1H,KACf0H,EAAeuC,WAKfjB,EAAWe,WAAaG,GAK9B,GAAgB,QAAZnK,GAAqB4H,EAAc,CAChCjG,IACHA,EAAgBkD,EAAII,cAAc,UAClCrD,EAAYD,EAAcf,WAAW,OAEvC,IAAMyJ,EAAQlL,EACRmL,EAAWD,EAAME,YACvBF,EAAME,YAAc,YACpB,IAAMC,EAAoB,WACxB,IACE7I,EAAeb,MAAQuJ,EAAMI,aAC7B9I,EAAeX,OAASqJ,EAAMK,cAC9B9I,EAAW+I,UAAUN,EAAO,EAAG,GAC/BpB,EAAWe,WAAarI,EAAesI,UACrCtC,EAAe1H,KACf0H,EAAeuC,SAEjB,MAAOU,GACPC,QAAQC,KACN,yBAAyBT,EAAMU,uBAAsBH,GAGzDN,EACKrB,EAAWsB,YAAcD,SACnBrB,EAAWsB,aAGpBF,EAAMW,UAAmC,IAAvBX,EAAMI,aAAoBD,IAC3CH,EAAMY,OAAST,EAiBtB,GAdgB,UAAZxK,GAAmC,UAAZA,IACzBiJ,EAAWiC,cAAiB/L,EAAuBgM,OAC/C,SACA,SACJlC,EAAWmC,oBAAuBjM,EAAuBkM,aAGtDlM,EAAkBmM,aACrBrC,EAAWsC,cAAiBpM,EAAkBmM,YAE3CnM,EAAkBqM,YACrBvC,EAAWwC,aAAgBtM,EAAkBqM,WAG3C7C,EAAW,CACP,IAAA+C,EAAqBvM,EAAkBwM,wBAArC7K,UAAOE,YACfiI,EAAa,CACX2C,MAAO3C,EAAgB,MACvB4C,SAAa/K,OACbgL,UAAc9K,SAYlB,MARgB,WAAZhB,GAAyB8H,EAAgBmB,EAAW8C,OAChD5M,EAAwB6M,kBAG5B/C,EAAWgD,OAAShD,EAAW8C,YAE1B9C,EAAW8C,KAEb,CACL9L,KAAMhB,EAASiN,QACflM,UACAmJ,aACAb,WAAY,GACZ6D,OAvachF,EAuaMhI,EAtanBK,QAAuB,QAAf2H,EAAGnH,SAAsBmH,EAAkBiF,uBAsaflE,GACrCS,YACA1B,UAEJ,KAAK9H,EAAE2H,UAGL,IAAMuF,GACJlN,EAAE0H,YAAe1H,EAAE0H,WAA2B7G,QAC5C4J,GAAezK,EAAWyK,YACxB0C,GAA4B,UAAlBD,SAAmCnE,EAC7CqE,GAA6B,WAAlBF,SAAoCnE,EACrD,GAAIoE,IAAW1C,GAAa,CAC1B,IAEMzK,EAAEqN,aAAerN,EAAEsN,4BAKXtN,EAAE0H,WAAgCK,4BAAO9E,YACnDwH,IAhlBiB1C,EAilBd/H,EAAE0H,WAAgCK,OAhlBlC9E,SACTC,MAAMC,KAAK4E,EAAM9E,UACdG,KAAI,SAACI,GAAS,OAAAA,EAAKE,SAAW,MAC9BJ,KAAK,IACR,IA+kBI,MAAOmI,GACPC,QAAQC,KACN,wDAAwDF,EACxDzL,GAGJyK,GAAczG,EAAqByG,GAAa1E,KAelD,OAbIqH,KACF3C,GAAc,uBAGb0C,KACAC,IACDpG,EAAgBhH,EAAGkH,EAAeC,EAAkBC,IACpDqD,KAEAA,GAAcnC,EACVA,EAAWmC,IACXA,GAAYvG,QAAQ,QAAS,MAE5B,CACLpD,KAAMhB,EAASyN,KACf9C,YAAaA,IAAe,GAC5B0C,WACArF,UAEJ,KAAK9H,EAAEwN,mBACL,MAAO,CACL1M,KAAMhB,EAAS2N,MACfhD,YAAa,GACb3C,UAEJ,KAAK9H,EAAE0N,aACL,MAAO,CACL5M,KAAMhB,EAAS6N,QACflD,YAAczK,EAAcyK,aAAe,GAC3C3C,UAEJ,QACE,OAAO,GAIb,SAAS8F,EAAcC,GACrB,YAAkB9E,IAAd8E,EACK,GAECA,EAAqB1M,uBA+FjB2M,EACd9N,EACA6H,GA4BE,IAkDEiB,EAlDFpD,EAuBEmC,MAtBFzE,EAsBEyE,MArBFI,EAqBEJ,aApBFK,EAoBEL,gBAnBFM,EAmBEN,kBAlBFX,EAkBEW,gBAjBFV,EAiBEU,mBAhBFT,EAgBES,qBAfFrH,EAeEqH,YAfFkG,gBACA1F,EAcER,mBAdFO,gBACA1H,EAaEmH,oBAZFlH,EAYEkH,sBAXFU,EAWEV,mBAXFjH,aAAmB,KACnB0H,EAUET,aATF7G,EASE6G,cARFmG,EAQEnG,iBAPFkC,EAOElC,iBAPFW,aAAiB,KACjByB,EAMEpC,eANFY,gBACA8D,EAKE1E,eALFa,gBACAuF,EAIEpG,cAHFqG,EAGErG,eAFFsG,EAEEtG,oBAFFuG,aAAoB,MACpBC,EACExG,kBADFc,aAAkB,WAAM,OAAA,KAEpB2F,EAA8BzG,qBAA9B0G,gBACAC,EAAkB5G,EAAc5H,EAAG,CACvC0F,MACAuC,aACAC,gBACAC,kBACAjB,gBACAC,mBACAC,qBACAgB,mBACA1H,oBACAC,sBACAC,mBACA0H,aACAtH,cACAwH,iBACAC,eACAC,eACAC,oBAEF,IAAK6F,EAGH,OADA9C,QAAQC,KAAK3L,EAAG,kBACT,KAMP8I,EADE,SAAU9I,EACPA,EAAE4I,KAAKE,IA9KhB,SACE2F,EACAT,GAEA,GAAIA,EAAeU,SAAWD,EAAG3N,OAAShB,EAAS6N,QAEjD,OAAO,EACF,GAAIc,EAAG3N,OAAShB,EAASiN,QAAS,CACvC,GACEiB,EAAeW,SAEC,WAAfF,EAAG5N,SAEc,SAAf4N,EAAG5N,SACoB,YAAtB4N,EAAGzE,WAAWM,KACO,WAArBmE,EAAGzE,WAAW4E,IAEA,SAAfH,EAAG5N,SACoB,aAAtB4N,EAAGzE,WAAWM,KACgB,iBAAvBmE,EAAGzE,WAAW/F,MACrBwK,EAAGzE,WAAW/F,KAAK4K,SAAS,QAEhC,OAAO,EACF,GACLb,EAAec,cACE,SAAfL,EAAG5N,SAA4C,kBAAtB4N,EAAGzE,WAAWM,KACvB,SAAfmE,EAAG5N,UACD+M,EAAca,EAAGzE,WAAW9D,MAAMK,MACjC,sCAEsC,qBAAtCqH,EAAca,EAAGzE,WAAW9D,OACS,SAArC0H,EAAca,EAAGzE,WAAWM,MACS,qBAArCsD,EAAca,EAAGzE,WAAWM,MACS,kBAArCsD,EAAca,EAAGzE,WAAWM,OAElC,OAAO,EACF,GAAmB,SAAfmE,EAAG5N,QAAoB,CAChC,GACEmN,EAAee,sBACfnB,EAAca,EAAGzE,WAAW9D,MAAMK,MAAM,0BAExC,OAAO,EACF,GACLyH,EAAegB,iBACdpB,EAAca,EAAGzE,WAAWiF,UAAU1I,MAAM,sBAC3CqH,EAAca,EAAGzE,WAAW9D,MAAMK,MAAM,mBACF,cAAtCqH,EAAca,EAAGzE,WAAW9D,OAE9B,OAAO,EACF,GACL8H,EAAekB,iBACwB,WAAtCtB,EAAca,EAAGzE,WAAW9D,OACW,cAAtC0H,EAAca,EAAGzE,WAAW9D,OACU,YAAtC0H,EAAca,EAAGzE,WAAW9D,OAE9B,OAAO,EACF,GACL8H,EAAemB,wBACiBpG,IAAhC0F,EAAGzE,WAAW,cAId,OAAO,EACF,GACLgE,EAAeoB,qBACwB,WAAtCxB,EAAca,EAAGzE,WAAW9D,OACW,cAAtC0H,EAAca,EAAGzE,WAAW9D,OACU,cAAtC0H,EAAca,EAAGzE,WAAW9D,OACU,cAAtC0H,EAAca,EAAGzE,WAAW9D,OACU,WAAtC0H,EAAca,EAAGzE,WAAW9D,OAC5B0H,EAAca,EAAGzE,WAAWiF,UAAU1I,MAAM,cAC5CqH,EAAca,EAAGzE,WAAWiF,UAAU1I,MAAM,cAE9C,OAAO,EACF,GACLyH,EAAeqB,uBACwB,6BAAtCzB,EAAca,EAAGzE,WAAW9D,OACW,wBAAtC0H,EAAca,EAAGzE,WAAW9D,OACU,eAAtC0H,EAAca,EAAGzE,WAAW9D,OACU,oBAAtC0H,EAAca,EAAGzE,WAAW9D,OACU,cAAtC0H,EAAca,EAAGzE,WAAW9D,OACU,iBAAtC0H,EAAca,EAAGzE,WAAW9D,OACU,+BAAtC0H,EAAca,EAAGzE,WAAW9D,OAE9B,OAAO,GAIb,OAAO,EAwFLoJ,CAAgBd,EAAiBR,KAC/BO,GACAC,EAAgB1N,OAAShB,EAASyN,MACjCiB,EAAgBrB,SAChBqB,EAAgB/D,YAAYvG,QAAQ,cAAe,IAAI7C,QAz2BrDqB,KAHmB,EAk3B1B,IAAM6M,EAAiBC,OAAOC,OAAOjB,EAAiB,CAAE1F,OAExD,GADC9I,EAAY4I,KAAO2G,GAn3BM,IAo3BtBzG,EACF,OAAO,KAET1F,EAAI0F,GAAM9I,EACNiO,GACFA,EAAYjO,GAEd,IAAI0P,GAAe3B,EAOnB,GANIwB,EAAezO,OAAShB,EAASiN,UACnC2C,EAAcA,IAAgBH,EAAe/F,iBAEtC+F,EAAe/F,UACjBxJ,EAAkBM,aAAYiP,EAAeI,cAAe,KAGhEJ,EAAezO,OAAShB,EAASoJ,UAChCqG,EAAezO,OAAShB,EAASiN,UACnC2C,EACA,CAEE1B,EAAe4B,gBACfpB,EAAgB1N,OAAShB,EAASiN,SACN,SAA5ByB,EAAgB3N,UAGhB0N,GAAqB,GA4BvB,IA1BA,IAAMsB,EAAgB,CACpBnK,MACAtC,MACA6E,aACAC,gBACAC,kBACAjB,gBACAC,mBACAC,qBACA2G,YACA3F,mBACA1H,oBACAC,sBACAC,mBACA0H,aACAtH,cACAgN,iBACAxF,iBACAC,eACAC,eACA6F,qBACAN,cACAC,eACAE,oBACAzF,uBAEmBmH,EAAA5M,MAAMC,KAAKnD,EAAEmJ,YAAb/D,WAAAA,IAA0B,EACvC2K,EAAsBjC,OAA4B+B,KAEtDN,EAAepG,WAAW7D,KAAKyK,GAInC,GAAIhQ,EAAUC,IAAMA,EAAEM,WACpB,IAAqB,QAAA0P,EAAA9M,MAAMC,KAAKnD,EAAEM,WAAW6I,YAAxB8G,WAAAA,IAAqC,CAArD,IACGF,GAAAA,EAAsBjC,OAA4B+B,MAEtDE,EAAoBG,UAAW,EAC/BX,EAAepG,WAAW7D,KAAKyK,KAuDvC,OAjDI/P,EAAE0H,YAAcvH,EAAaH,EAAE0H,cACjC6H,EAAeW,UAAW,GAI1BX,EAAezO,OAAShB,EAASiN,SACN,WAA3BwC,EAAe1O,SAtoBnB,SACEsP,EACAC,EACAhC,GAEA,IAAMiC,EAAMF,EAASG,cACrB,GAAKD,EAAL,CAIA,IAEIE,EAFAC,GAAQ,EAGZ,IACED,EAAaF,EAAIrK,SAASuK,WAC1B,MAAOhN,GACP,OAEF,GAAmB,aAAfgN,EAAJ,CAeA,IAAME,EAAW,cAEfJ,EAAIK,SAASzM,OAASwM,GACtBN,EAASvD,MAAQ6D,GACA,KAAjBN,EAASvD,IAQXuD,EAASQ,iBAAiB,OAAQP,GAJhCQ,WAAWR,EAAU,OAvBvB,CACE,IAAMS,EAAQD,YAAW,WAClBJ,IACHJ,IACAI,GAAQ,KAETpC,GACH+B,EAASQ,iBAAiB,QAAQ,WAChCG,aAAaD,GACbL,GAAQ,EACRJ,SA4mBFW,CACE/Q,GACA,WACE,IAAMgR,EAAahR,EAAwB6M,gBAC3C,GAAImE,GAAa9C,EAAc,CAC7B,IAAM+C,EAAuBnD,EAAoBkD,EAAW,CAC1DtL,IAAKsL,EACL5N,MACA6E,aACAC,gBACAC,kBACAjB,gBACAC,mBACAC,qBACA2G,WAAW,EACX3F,mBACA1H,oBACAC,sBACAC,mBACA0H,aACAtH,cACAgN,iBACAxF,iBACAC,eACAC,eACA6F,qBACAN,cACAC,eACAE,oBACAzF,oBAGEsI,GACF/C,EAAalO,EAAYiR,MAI/B7C,GAIGmB,EAGT,SAAS2B,EACPlR,EACA6H,GAwBM,IAAArH,EAsBFqH,GAAW,GArBbQ,eAAAJ,aAAa,aACbM,kBAAAL,aAAgB,OAChB6B,oBAAA5B,aAAkB,OAClB8B,kBAAA/C,aAAgB,YAChBqF,qBAAApF,aAAmB,OACnBgH,uBAAA/G,aAAqB,OACrBiH,qBAAAjG,gBACAkG,iBAAA7F,gBACAqH,iBAAApH,gBACAuH,sBAAAvP,aAAoB,OACpBsP,wBAAArP,aAAsB,OACtBwQ,kBAAAC,gBACA9I,eACAtH,gBACAqQ,YAAAC,gBACA9I,mBACA+F,uBACAN,gBACAC,iBACAE,sBACAmD,oBAEIC,EAAuB,GA4C7B,MAAO,CACL1D,EAAoB9N,EAAG,CACrB0F,IAAK1F,EACLoD,IAAKoO,EACLvJ,aACAC,gBACAC,kBACAjB,gBACAC,mBACAC,qBACA2G,WAAW,EACX3F,mBACA1H,oBACAC,sBACAC,kBAxDgB,IAAlBwQ,EACI,CACEK,OAAO,EACPC,MAAM,EACN,kBAAkB,EAClBC,OAAO,EACPC,OAAO,EACPC,QAAQ,EACRC,OAAO,EACPC,QAAQ,EACRC,KAAK,EACL/Q,MAAM,EACNgR,MAAM,EACNxN,KAAK,EACLyN,MAAM,EACNC,UAAU,EACVC,QAAQ,EACRC,UAAU,IAEM,IAAlBjB,EACA,CACEiB,UAAU,GAEZjB,EAkCF9I,aACAtH,cACAgN,gBAlCU,IAAZsD,GAAgC,QAAZA,EAEhB,CACE3C,QAAQ,EACRD,SAAS,EACTI,aAAa,EACbc,gBAAgB,EAChBb,qBAAkC,QAAZuC,EACtBtC,gBAAgB,EAChBE,gBAAgB,EAChBC,mBAAmB,EACnBC,oBAAoB,EACpBC,sBAAsB,IAEZ,IAAZiC,EACA,GACAA,EAmBF9I,iBACAC,eACAC,eACA6F,qBACAN,cACAC,eACAE,oBACAzF,2BAvEgB,WAAM,OAAA,OAyExB6I,YAIYc,EACdrL,EACAsL,IAEA,SAASC,EAAKC,GACZF,EAAQE,GAENA,EAAQ3R,OAAShB,EAASoJ,UAC1BuJ,EAAQ3R,OAAShB,EAASiN,SAE1B0F,EAAQtJ,WAAWuJ,QAAQF,GAI/BA,CAAKvL,YAGS0L,IAEdjQ,EAAM,ECt7BR,IAAMkQ,EAAY,2CAEFC,EAAMC,EAAajL,gBAAAA,MAKjC,IAAIkL,EAAS,EACTC,EAAS,EAMb,SAASC,EAAeC,GACtB,IAAMC,EAAQD,EAAI3M,MAAM,OACpB4M,IACFJ,GAAUI,EAAM9R,QAElB,IAAI+R,EAAIF,EAAIG,YAAY,MACxBL,GAAgB,IAAPI,EAAWJ,EAASE,EAAI7R,OAAS6R,EAAI7R,OAAS+R,EAOzD,SAASE,IACP,IAAMC,EAAQ,CAAEC,KAAMT,EAAQC,UAC9B,OAAO,SACL/L,GAIA,OAFAA,EAAKqM,SAAW,IAAIG,EAASF,GAC7BG,IACOzM,GAQX,MAME,SAAYsM,GACVI,KAAKJ,MAAQA,EACbI,KAAKC,IAAM,CAAEJ,KAAMT,EAAQC,UAC3BW,KAAKE,OAAShM,EAAQgM,QAQ1BJ,EAASK,UAAUC,QAAUjB,EAE7B,IAAMkB,EAA4B,GAElC,SAASzQ,EAAM0Q,GACb,IAAMxI,EAAM,IAAIyI,MACdrM,EAAQgM,OAAS,IAAMd,EAAS,IAAMC,EAAS,KAAOiB,GAQxD,GANAxI,EAAI0I,OAASF,EACbxI,EAAI2I,SAAWvM,EAAQgM,OACvBpI,EAAI+H,KAAOT,EACXtH,EAAIuH,OAASA,EACbvH,EAAIoI,OAASf,GAETjL,EAAQwM,OAGV,MAAM5I,EAFNuI,EAAW1O,KAAKmG,GA2BpB,SAAS6I,IACP,OAAO/N,EAAM,SAOf,SAASgO,IACP,OAAOhO,EAAM,MAOf,SAASvD,IACP,IAAIiE,EACEjE,EAAgB,GAGtB,IAFA0Q,IACAc,EAASxR,GACF8P,EAAIzR,QAA4B,MAAlByR,EAAIhM,OAAO,KAAeG,EAAOwN,KAAYjR,OACnD,IAATyD,IACFjE,EAAMsC,KAAK2B,GACXuN,EAASxR,IAGb,OAAOA,EAOT,SAASuD,EAAMmO,GACb,IAAMC,EAAID,EAAGlO,KAAKsM,GAClB,GAAK6B,EAAL,CAGA,IAAMzB,EAAMyB,EAAE,GAGd,OAFA1B,EAAeC,GACfJ,EAAMA,EAAI/N,MAAMmO,EAAI7R,QACbsT,GAOT,SAASjB,IACPnN,EAAM,QAOR,SAASiO,EAASxR,GAChB,IAAI6D,EACJ,iBAFgB7D,MAER6D,EAAI6H,MACA,IAAN7H,GACF7D,EAAMsC,KAAKuB,GAEbA,EAAI6H,IAEN,OAAO1L,EAOT,SAAS0L,IACP,IAAMvI,EAAMmN,IACZ,GAAI,MAAQR,EAAIhM,OAAO,IAAM,MAAQgM,EAAIhM,OAAO,GAAhD,CAKA,IADA,IAAIsM,EAAI,EAEN,KAAON,EAAIhM,OAAOsM,KACjB,MAAQN,EAAIhM,OAAOsM,IAAM,MAAQN,EAAIhM,OAAOsM,EAAI,OAE/CA,EAIJ,GAFAA,GAAK,EAED,KAAON,EAAIhM,OAAOsM,EAAI,GACxB,OAAO7P,EAAM,0BAGf,IAAM2P,EAAMJ,EAAI/N,MAAM,EAAGqO,EAAI,GAM7B,OALAJ,GAAU,EACVC,EAAeC,GACfJ,EAAMA,EAAI/N,MAAMqO,GAChBJ,GAAU,EAEH7M,EAAI,CACTrF,KAAM,UACN4N,QAASwE,KAQb,SAAS0B,IACP,IAAMD,EAAIpO,EAAM,YAChB,GAAKoO,EAKL,OAAO/O,EAAK+O,EAAE,IACXzQ,QAAQ,+CAAgD,IACxDA,QAAQ,oCAAoC,SAACyQ,GAC5C,OAAOA,EAAEzQ,QAAQ,KAAM,QAExBY,MAAM,sBACN1B,KAAI,SAACL,GACJ,OAAOA,EAAEmB,QAAQ,UAAW,QAQlC,SAAS2Q,IACP,IAAM1O,EAAMmN,IAGRwB,EAAYvO,EAAM,4CACtB,GAAKuO,EAAL,CAGA,IAAMC,EAAOnP,EAAKkP,EAAU,IAG5B,IAAKvO,EAAM,SACT,OAAOhD,EAAM,wBAIf,IAAMyR,EAAMzO,EAAM,yDAEZ0O,EAAM9O,EAAI,CACdrF,KAAM,cACNmO,SAAU8F,EAAK7Q,QAAQ0O,EAAW,IAClC7R,MAAOiU,EAAMpP,EAAKoP,EAAI,IAAI9Q,QAAQ0O,EAAW,IAAM,KAMrD,OAFArM,EAAM,WAEC0O,GAOT,SAASC,IACP,IAQIC,EAREC,EAAuB,GAE7B,IAAKd,IACH,OAAO/Q,EAAM,eAMf,IAJAiR,EAASY,GAIDD,EAAON,MACa,IAArBM,IACHC,EAAM9P,KAAK6P,GACXX,EAASY,IAEXD,EAAON,IAGT,OAAKN,IAGEa,EAFE7R,EAAM,eASjB,SAAS8R,IAKP,IAJA,IAAIV,EACEW,EAAO,GACPnP,EAAMmN,IAEJqB,EAAIpO,EAAM,wCAChB+O,EAAKhQ,KAAKqP,EAAE,IACZpO,EAAM,SAGR,GAAK+O,EAAKjU,OAIV,OAAO8E,EAAI,CACTrF,KAAM,WACNyU,OAAQD,EACRJ,aAAcA,MAkQlB,IAleQM,EAkeFC,EAAWC,EAAe,UAM1BC,EAAYD,EAAe,WAM3BE,EAAcF,EAAe,aAMnC,SAASA,EAAexP,GACtB,IAAMwO,EAAK,IAAI9R,OAAO,KAAOsD,EAAO,gBACpC,OAAO,WACL,IAAMC,EAAMmN,IACNqB,EAAIpO,EAAMmO,GAChB,GAAKC,EAAL,CAGA,IAAMM,EAA8B,CAAEnU,KAAMoF,GAE5C,OADA+O,EAAI/O,GAAQyO,EAAE,GAAG/O,OACVO,EAAI8O,KAQf,SAASR,IACP,GAAe,MAAX3B,EAAI,GAIR,OAnSF,WACE,IAAM3M,EAAMmN,IACRqB,EAAIpO,EAAM,2BAEd,GAAKoO,EAAL,CAGA,IAAMkB,EAASlB,EAAE,GAIjB,KADAA,EAAIpO,EAAM,iBAER,OAAOhD,EAAM,2BAEf,IAMIuS,EANE5P,EAAOyO,EAAE,GAEf,IAAKL,IACH,OAAO/Q,EAAM,0BAKf,IADA,IAAIwS,EAASvB,IACLsB,EAAQT,KACdU,EAAOzQ,KAAKwQ,GACZC,EAASA,EAAOC,OAAOxB,KAGzB,OAAKD,IAIEpO,EAAI,CACTrF,KAAM,YACNoF,OACA2P,SACAI,UAAWF,IAPJxS,EAAM,2BAwQb2S,IA/LJ,WACE,IAAM/P,EAAMmN,IACNqB,EAAIpO,EAAM,oBAEhB,GAAKoO,EAAL,CAGA,IAAMwB,EAAQvQ,EAAK+O,EAAE,IAErB,IAAKL,IACH,OAAO/Q,EAAM,sBAGf,IAAM6S,EAAQ5B,IAAWwB,OAAOhT,KAEhC,OAAKuR,IAIEpO,EAAI,CACTrF,KAAM,QACNqV,QACAnT,MAAOoT,IANA7S,EAAM,uBAgLb8S,IAlKJ,WACE,IAAMlQ,EAAMmN,IACNqB,EAAIpO,EAAM,2CAChB,GAAKoO,EAIL,OAAOxO,EAAI,CACTrF,KAAM,eACNoF,KAAMN,EAAK+O,EAAE,IACbwB,MAAOvQ,EAAK+O,EAAE,MAyJd2B,IA3PJ,WACE,IAAMnQ,EAAMmN,IACNqB,EAAIpO,EAAM,uBAEhB,GAAKoO,EAAL,CAGA,IAAM4B,EAAW3Q,EAAK+O,EAAE,IAExB,IAAKL,IACH,OAAO/Q,EAAM,yBAGf,IAAM6S,EAAQ5B,IAAWwB,OAAOhT,KAEhC,OAAKuR,IAIEpO,EAAI,CACTrF,KAAM,WACNyV,WACAvT,MAAOoT,IANA7S,EAAM,0BA4ObiT,IACAf,KACAE,KACAC,KAjHJ,WACE,IAAMzP,EAAMmN,IACNqB,EAAIpO,EAAM,gCAChB,GAAKoO,EAAL,CAIA,IAAMkB,EAASjQ,EAAK+O,EAAE,IAChBjP,EAAME,EAAK+O,EAAE,IAEnB,IAAKL,IACH,OAAO/Q,EAAM,yBAGf,IAAM6S,EAAQ5B,IAAWwB,OAAOhT,KAEhC,OAAKuR,IAIEpO,EAAI,CACTrF,KAAM,WACNkF,SAAUN,EACVmQ,SACA7S,MAAOoT,IAPA7S,EAAM,0BAiGbkT,IAtJJ,WACE,IAAMtQ,EAAMmN,IAEZ,GADU/M,EAAM,YAChB,CAIA,IAAMmQ,EAAM9B,KAAc,GAE1B,IAAKN,IACH,OAAO/Q,EAAM,qBAMf,IAJA,IAGI4R,EAHAC,EAAQZ,IAIJW,EAAON,KACbO,EAAM9P,KAAK6P,GACXC,EAAQA,EAAMY,OAAOxB,KAGvB,OAAKD,IAIEpO,EAAI,CACTrF,KAAM,OACN6V,UAAWD,EACXxB,aAAcE,IANP7R,EAAM,sBAiIbqT,IAnOJ,WACE,IAAMzQ,EAAMmN,IAGZ,GAFU/M,EAAM,aAEhB,CAIA,IAAK+N,IACH,OAAO/Q,EAAM,qBAGf,IAAM6S,EAAQ5B,IAAWwB,OAAOhT,KAEhC,OAAKuR,IAIEpO,EAAI,CACTrF,KAAM,OACNkC,MAAOoT,IALA7S,EAAM,sBAqNbsT,IApFJ,WACE,IAAM1Q,EAAMmN,IAEZ,GADU/M,EAAM,kBAChB,CAIA,IAAK+N,IACH,OAAO/Q,EAAM,0BAMf,IAJA,IAGI4R,EAHAC,EAAQZ,IAIJW,EAAON,KACbO,EAAM9P,KAAK6P,GACXC,EAAQA,EAAMY,OAAOxB,KAGvB,OAAKD,IAIEpO,EAAI,CACTrF,KAAM,YACNoU,aAAcE,IALP7R,EAAM,2BAiEbuT,GAQJ,SAAStT,IACP,IAAM2C,EAAMmN,IACNoD,EAAM9B,IAEZ,OAAK8B,GAGLlC,IAEOrO,EAAI,CACTrF,KAAM,OACN6V,UAAWD,EACXxB,aAAcA,OAPP3R,EAAM,oBAWjB,OAAOwT,GA9iBCvB,EAAYxS,IAEX,CACLlC,KAAM,aACNqJ,WAAY,CACV0J,OAAQhM,EAAQgM,OAChB7Q,MAAOwS,EACPwB,cAAehD,MA8iBvB,SAASpO,EAAKsN,GACZ,OAAOA,EAAMA,EAAIhP,QAAQ,aAAc,IAAM,GAO/C,SAAS6S,EAAUE,EAAiBC,GAIlC,IAHA,IAAMC,EAASF,GAA2B,iBAAbA,EAAInW,KAC3BsW,EAAcD,EAASF,EAAMC,MAEnB1W,EAAAgP,OAAO6H,KAAKJ,GAAZ7R,WAAAA,IAAkB,CAA7B,IACGrE,EAAQkW,QACV/T,MAAMoU,QAAQvW,GAChBA,EAAM2R,SAAQ,SAAC6E,GACbR,EAAUQ,EAAGH,MAENrW,GAA0B,iBAAVA,GACzBgW,EAAWhW,EAAiCqW,GAahD,OATID,GACF3H,OAAOgI,eAAeP,EAAK,SAAU,CACnCQ,cAAc,EACdC,UAAU,EACVC,YAAY,EACZ5W,MAAOmW,GAAU,OAIdD,EC/3BT,IAAMW,EAAiB,CACrBjJ,OAAQ,WAERkJ,SAAU,WACVC,YAAa,cACbC,aAAc,eACdC,aAAc,eACdC,cAAe,gBACfC,iBAAkB,mBAClBC,SAAU,WACVC,QAAS,UACTC,cAAe,gBACfC,oBAAqB,sBACrBC,YAAa,cACbC,iBAAkB,mBAClBC,kBAAmB,oBACnBC,kBAAmB,oBACnBC,eAAgB,iBAChBC,aAAc,eACdC,QAAS,UACTC,QAAS,UACTC,QAAS,UACTC,QAAS,UACTC,QAAS,UACTC,eAAgB,iBAChBC,QAAS,UACTC,QAAS,UACTC,YAAa,cACbC,aAAc,eACdC,SAAU,WACVC,aAAc,eACdC,mBAAoB,qBACpBC,YAAa,cACbC,OAAQ,SACRC,aAAc,eACdC,cAAe,gBACfC,SAAU,WACVC,eAAgB,iBAChBC,eAAgB,kBAelB,IAAMC,EAAiB,gBACjBC,EAAwB,IAAItX,OAAOqX,EAAepG,OAAQ,cAChDsG,EAAczW,EAAiB0W,GAC7C,IAAMC,EAAcD,MAAAA,SAAAA,EAAOE,qBAAqBC,IAAI7W,GACpD,GAAI2W,EAAa,OAAOA,EAExB,IAAMG,EAAM3H,EAAMnP,EAAS,CACzB2Q,QAAQ,IAGV,IAAKmG,EAAIrQ,WACP,OAAOzG,EAGT,IAAMiT,EAAsB,GAW5B,GAVA6D,EAAIrQ,WAAWnH,MAAM0P,SAAQ,SAAClP,GACxB,cAAeA,IAChBA,EAAKmT,WAAa,IAAIjE,SAAQ,SAACkC,GAC1BqF,EAAerV,KAAKgQ,IACtB+B,EAAUrR,KAAKsP,SAME,IAArB+B,EAAUtV,OACZ,OAAOqC,EAGT,IAAM+W,EAAkB,IAAI7X,OAC1B+T,EACG+D,QAAO,SAAC9F,EAAU+F,GAAU,OAAAhE,EAAU9R,QAAQ+P,KAAc+F,KAC5DC,MAAK,SAAC/U,EAAGgV,GAAM,OAAAA,EAAExZ,OAASwE,EAAExE,UAC5B+B,KAAI,SAACwR,GACJ,OAAoBA,EArCf1Q,QAAQ,sBAAuB,WAuCrCZ,KAAK,KACR,KAGIwX,EAASpX,EAAQQ,QAAQuW,GAAiB,SAAC7F,GAC/C,IAAMmG,EAAcnG,EAAS1Q,QAAQgW,EAAuB,eAC5D,OAAUtF,OAAamG,KAGzB,OADAX,MAAAA,GAAAA,EAAOE,qBAAqBU,IAAItX,EAASoX,GAClCA,WAGOG,IAEd,MAAO,CACLX,qBAFgD,IAAIY,KAMxD,SAASC,EACPnb,EACA6H,GAMQ,IAAAnC,EAAwBmC,MAAnBuT,EAAmBvT,UAAVuS,EAAUvS,QAChC,OAAQ7H,EAAEc,MACR,KAAKhB,EAASoJ,SACZ,OAAOxD,EAAI2V,eAAeC,eAAe,KAAM,GAAI,MACrD,KAAKxb,EAASuJ,aACZ,OAAO3D,EAAI2V,eAAeE,mBACxBvb,EAAEkG,MAAQ,OACVlG,EAAEsJ,SACFtJ,EAAEuJ,UAEN,KAAKzJ,EAASiN,QACZ,IACIyO,EADE3a,EAvFZ,SAAoBb,GAClB,IAAIa,EAAU+W,EAAO5X,EAAEa,SAAW+W,EAAO5X,EAAEa,SAAWb,EAAEa,QAIxD,MAHgB,SAAZA,GAAsBb,EAAEgK,WAAWO,WACrC1J,EAAU,SAELA,EAkFa4a,CAAWzb,GAGzBwb,EADExb,EAAEgN,MACGtH,EAAIgW,gBAAgB,6BAA8B7a,GAElD6E,EAAII,cAAcjF,kBAEhBqJ,GACT,IAAKlK,EAAEgK,WAAW2R,eAAezR,oBAGjC,IAAInJ,EAAQf,EAAEgK,WAAWE,GACzB,GAAgB,WAAZrJ,GAAiC,aAATqJ,IAAiC,IAAVnJ,mBAOnD,GAHAA,EACmB,kBAAVA,GAAwC,iBAAVA,EAAqB,GAAKA,EAE5DmJ,EAAK0R,WAAW,OAkEd,CAEL,GAAgB,WAAZ/a,GAAiC,eAATqJ,EAAuB,CACjD,IAAMgB,EAAQlF,SAASF,cAAc,OACrCoF,EAAM0B,IAAM7L,EACZmK,EAAMY,OAAS,WACb,IAAMtK,EAAOga,EAA2B/Z,WAAW,MAC/CD,GACFA,EAAIgK,UAAUN,EAAO,EAAG,EAAGA,EAAMvJ,MAAOuJ,EAAMrJ,cAG7C,GAAgB,QAAZhB,GAA8B,eAATqJ,EAAuB,CACrD,IAAM2R,EAAQL,EACTK,EAAMjQ,WAAWgQ,WAAW,WAE/BC,EAAMC,aACJ,qBACA9b,EAAEgK,WAAW4C,KAEfiP,EAAMjP,IAAM7L,GAIhB,GAAa,aAATmJ,EACDsR,EAAqBpF,MAAMzU,MAAQZ,OAC/B,GAAa,cAATmJ,EACRsR,EAAqBpF,MAAMvU,OAASd,OAChC,GAAa,wBAATmJ,EACRsR,EAA0BtP,YAAclM,EAAEgK,WACxCiC,yBACE,GAAa,kBAAT/B,EACT,OAAQnJ,GACN,IAAK,SACFya,EACEO,OACK,OAAC,SAACC,GAAM,OAAAtQ,QAAQC,KAAK,uBAAwBqQ,MACrD,MACF,IAAK,SACFR,EAA0BS,aAxGN,CAC3B,IAAMC,EAAyB,aAAZrb,GAAmC,UAATqJ,EACvCiS,EACQ,UAAZtb,GAAgC,aAATqJ,EAIzB,GAHIiS,GAAwBf,IAC1Bra,EAAQoZ,EAAcpZ,EAAOqZ,IAE3B8B,GAAcC,EAAsB,CAGtC,IAFA,IAAMC,EAAQ1W,EAAI2W,eAAetb,OAEjBP,EAAA0C,MAAMC,KAAKqY,EAAKrS,YAAhB/D,WAAAA,IAA6B,CAAxC,IAAMyB,OACLA,EAAE5G,WAAaub,EAAK7T,WACtB6T,EAAKc,YAAYzV,UAGrB2U,EAAKe,YAAYH,cAInB,IACE,GAAIpc,EAAEgN,OAAkB,eAAT9C,EACbsR,EAAKgB,eAAe,+BAAgCtS,EAAMnJ,QACrD,GACI,WAATmJ,GACS,YAATA,GACyB,YAAzBA,EAAKzD,UAAU,EAAG,GAKlB+U,EAAKM,aAAa,IAAM5R,EAAMnJ,OACzB,CAAA,GACO,SAAZF,GAC+B,4BAA/Bb,EAAEgK,WAAW,eACJ,YAATE,SAIAsR,EAAKM,aAAa,cAAe/a,cAGrB,SAAZF,GACqB,YAArBb,EAAEgK,WAAWM,KACO,WAApBtK,EAAEgK,WAAW4E,IAID,SAAZ/N,GACqB,aAArBb,EAAEgK,WAAWM,KACgB,iBAAtBtK,EAAEgK,WAAW/F,MACpBjE,EAAEgK,WAAW/F,KAAK4K,SAAS,SAIf,QAAZhO,GACAb,EAAEgK,WAAWyS,QACbzc,EAAEgK,WAAWa,WAGb2Q,EAAKM,aAAa,wBAAyB9b,EAAEgK,WAAWyS,QAExDjB,EAAKM,aAAa5R,EAAMnJ,KAE1B,MAAOwC,OA3Eb,IAAK,IAAM2G,KAAQlK,EAAEgK,aAAVE,GA4HX,GAAIlK,EAAE2P,aAWJ,GAAK6L,EAAKlb,WAGR,KAAOkb,EAAKlb,WAAWoc,YACrBlB,EAAKlb,WAAWgc,YAAYd,EAAKlb,WAAWoc,iBAH9ClB,EAAKmB,aAAa,CAAEC,KAAM,SAO9B,OAAOpB,EACT,KAAK1b,EAASyN,KACZ,OAAO7H,EAAI2W,eACTrc,EAAEmN,SAAWiO,EACTjB,EAAcna,EAAEyK,YAAa2P,GAC7Bpa,EAAEyK,aAEV,KAAK3K,EAAS2N,MACZ,OAAO/H,EAAImX,mBAAmB7c,EAAEyK,aAClC,KAAK3K,EAAS6N,QACZ,OAAOjI,EAAIoX,cAAc9c,EAAEyK,aAC7B,QACE,OAAO,eAIGsS,EACd/c,EACA6H,GAUE,IAAAnC,EAMEmC,MALFzE,EAKEyE,MAJFrH,EAIEqH,YAJFkG,gBACA1F,EAGER,UAHFuT,gBACA4B,EAEEnV,cADFuS,EACEvS,QACAZ,EAAOkU,EAAUnb,EAAG,CAAE0F,MAAK0V,UAAShB,UACxC,IAAKnT,EACH,OAAO,KAyCT,GAvCIjH,EAAE8H,QACJ4D,QAAQuR,OACJ7Z,EAAIpD,EAAE8H,UAAqCpC,EAC7C,gDAIA1F,EAAEc,OAAShB,EAASoJ,WAEtBxD,EAAI6O,QACJ7O,EAAI4O,OAEe,eAAjBtU,EAAEiJ,YACFjJ,EAAEmJ,YACFnJ,EAAEmJ,WAAW,GAAGrI,OAAShB,EAASuJ,eAKhCrJ,EAAEmJ,WAAW,GAAGrI,OAAShB,EAASiN,SAClC,UAAW/M,EAAEmJ,WAAW,GAAGa,YACU,iCAArChK,EAAEmJ,WAAW,GAAGa,WAAWkT,MAG3BxX,EAAIyX,MACF,sEAGFzX,EAAIyX,MACF,sEAINlW,EAAOvB,GAGRuB,EAAe2B,KAAO5I,EACvBoD,EAAIpD,EAAE8I,IAAM7B,GAGTjH,EAAEc,OAAShB,EAASoJ,UAAYlJ,EAAEc,OAAShB,EAASiN,WACpDgB,EAED,IAAqB,QAAAxF,EAAAvI,EAAEmJ,WAAF/D,WAAAA,IAAc,CAA9B,IAAMgY,OACHC,EAAYN,EAAgBK,EAAQ,CACxC1X,MACAtC,MACA2K,WAAW,EACXqN,UACA4B,cACA5C,UAEGiD,GAKDD,EAAOlN,UAAYnQ,EAAUkH,IAASA,EAAK3G,WAC7C2G,EAAK3G,WAAWic,YAAYc,GAE5BpW,EAAKsV,YAAYc,GAEfL,GACFA,EAAYK,IAVZ3R,QAAQC,KAAK,oBAAqByR,GAexC,OAAOnW,EAmCT,SAASqW,EACPtd,EACA6H,GAQQ,IAAAnC,EAAqDmC,MAAhD0K,EAAgD1K,UAAvCrH,EAAuCqH,UACvD2J,EAAuB,GACvBvK,EAAO8V,EAAgB/c,EAAG,CAC9B0F,MACAtC,IAAKoO,EACLzD,WAAW,EACXqN,sBACA4B,YAP2DnV,cAQ3DuS,MAR2DvS,UAgB7D,OA1DF,SAAe2J,EAAsBe,GAKnC,IAAK,IAAMgL,KAAO/L,EACZA,EAAU+L,KALFtW,EAMLuK,EAAU+L,GALjBhL,EAAQtL,IADV,IAAcA,EAmDduW,CAAMhM,GAAW,SAACiM,GACZlL,GACFA,EAAQkL,GA1Cd,SAAsBxW,GACpB,IAAMjH,EAAIiH,EAAK2B,KACf,GAAI5I,EAAEc,OAAShB,EAASiN,QAAxB,CAGA,IAAM/E,EAAMf,EACZ,IAAK,IAAMyW,KAAQ1d,EAAEgK,WACnB,GAAMhK,EAAEgK,WAAW2R,eAAe+B,IAASA,EAAK9B,WAAW,OAA3D,CAGA,IAAM7a,EAAQf,EAAEgK,WAAW0T,GACd,kBAATA,IACF1V,EAAGmE,WAAapL,GAEL,iBAAT2c,IACF1V,EAAGqE,UAAYtL,KA6BjB4c,CAAaF,MAER,CAACxW,EAAMuK"} +\ No newline at end of file +diff --git a/node_modules/rrweb-snapshot/lib/rrweb-snapshot.js b/node_modules/rrweb-snapshot/lib/rrweb-snapshot.js +old mode 100644 +new mode 100755 +index 3040b7d..8ce75cf +--- a/node_modules/rrweb-snapshot/lib/rrweb-snapshot.js ++++ b/node_modules/rrweb-snapshot/lib/rrweb-snapshot.js +@@ -21,10 +21,14 @@ function isShadowRoot(n) { + return Boolean(host && host.shadowRoot && host.shadowRoot === n); + } + function maskInputValue(_a) { +- var maskInputOptions = _a.maskInputOptions, tagName = _a.tagName, type = _a.type, value = _a.value, maskInputFn = _a.maskInputFn; ++ var input = _a.input, maskInputSelector = _a.maskInputSelector, unmaskInputSelector = _a.unmaskInputSelector, maskInputOptions = _a.maskInputOptions, tagName = _a.tagName, type = _a.type, value = _a.value, maskInputFn = _a.maskInputFn; + var text = value || ''; ++ if (unmaskInputSelector && input.matches(unmaskInputSelector)) { ++ return text; ++ } + if (maskInputOptions[tagName.toLowerCase()] || +- maskInputOptions[type]) { ++ maskInputOptions[type] || ++ (maskInputSelector && input.matches(maskInputSelector))) { + if (maskInputFn) { + text = maskInputFn(text); + } +@@ -251,7 +255,10 @@ function transformAttribute(doc, tagName, name, value) { + return value; + } + } +-function _isBlockedElement(element, blockClass, blockSelector) { ++function _isBlockedElement(element, blockClass, blockSelector, unblockSelector) { ++ if (unblockSelector && element.matches(unblockSelector)) { ++ return false; ++ } + if (typeof blockClass === 'string') { + if (element.classList.contains(blockClass)) { + return true; +@@ -270,11 +277,16 @@ function _isBlockedElement(element, blockClass, blockSelector) { + } + return false; + } +-function needMaskingText(node, maskTextClass, maskTextSelector) { ++function needMaskingText(node, maskTextClass, maskTextSelector, unmaskTextSelector) { + if (!node) { + return false; + } + if (node.nodeType === node.ELEMENT_NODE) { ++ if (unmaskTextSelector) { ++ if (node.matches(unmaskTextSelector) || node.closest(unmaskTextSelector)) { ++ return false; ++ } ++ } + if (typeof maskTextClass === 'string') { + if (node.classList.contains(maskTextClass)) { + return true; +@@ -293,12 +305,12 @@ function needMaskingText(node, maskTextClass, maskTextSelector) { + return true; + } + } +- return needMaskingText(node.parentNode, maskTextClass, maskTextSelector); ++ return needMaskingText(node.parentNode, maskTextClass, maskTextSelector, unmaskTextSelector); + } + if (node.nodeType === node.TEXT_NODE) { +- return needMaskingText(node.parentNode, maskTextClass, maskTextSelector); ++ return needMaskingText(node.parentNode, maskTextClass, maskTextSelector, unmaskTextSelector); + } +- return needMaskingText(node.parentNode, maskTextClass, maskTextSelector); ++ return needMaskingText(node.parentNode, maskTextClass, maskTextSelector, unmaskTextSelector); + } + function onceIframeLoaded(iframeEl, listener, iframeLoadTimeout) { + var win = iframeEl.contentWindow; +@@ -338,7 +350,7 @@ function onceIframeLoaded(iframeEl, listener, iframeLoadTimeout) { + } + function serializeNode(n, options) { + var _a; +- var doc = options.doc, blockClass = options.blockClass, blockSelector = options.blockSelector, maskTextClass = options.maskTextClass, maskTextSelector = options.maskTextSelector, inlineStylesheet = options.inlineStylesheet, _b = options.maskInputOptions, maskInputOptions = _b === void 0 ? {} : _b, maskTextFn = options.maskTextFn, maskInputFn = options.maskInputFn, _c = options.dataURLOptions, dataURLOptions = _c === void 0 ? {} : _c, inlineImages = options.inlineImages, recordCanvas = options.recordCanvas, keepIframeSrcFn = options.keepIframeSrcFn; ++ var doc = options.doc, blockClass = options.blockClass, blockSelector = options.blockSelector, unblockSelector = options.unblockSelector, maskTextClass = options.maskTextClass, maskTextSelector = options.maskTextSelector, unmaskTextSelector = options.unmaskTextSelector, inlineStylesheet = options.inlineStylesheet, maskInputSelector = options.maskInputSelector, unmaskInputSelector = options.unmaskInputSelector, _b = options.maskInputOptions, maskInputOptions = _b === void 0 ? {} : _b, maskTextFn = options.maskTextFn, maskInputFn = options.maskInputFn, _c = options.dataURLOptions, dataURLOptions = _c === void 0 ? {} : _c, inlineImages = options.inlineImages, recordCanvas = options.recordCanvas, keepIframeSrcFn = options.keepIframeSrcFn; + var rootId; + if (doc.__sn) { + var docId = doc.__sn.id; +@@ -370,7 +382,7 @@ function serializeNode(n, options) { + rootId: rootId + }; + case n.ELEMENT_NODE: +- var needBlock = _isBlockedElement(n, blockClass, blockSelector); ++ var needBlock = _isBlockedElement(n, blockClass, blockSelector, unblockSelector); + var tagName = getValidTagName(n); + var attributes_1 = {}; + for (var _i = 0, _d = Array.from(n.attributes); _i < _d.length; _i++) { +@@ -411,9 +423,12 @@ function serializeNode(n, options) { + attributes_1.type !== 'button' && + value) { + attributes_1.value = maskInputValue({ ++ input: n, + type: attributes_1.type, + tagName: tagName, + value: value, ++ maskInputSelector: maskInputSelector, ++ unmaskInputSelector: unmaskInputSelector, + maskInputOptions: maskInputOptions, + maskInputFn: maskInputFn + }); +@@ -532,7 +547,7 @@ function serializeNode(n, options) { + } + if (!isStyle && + !isScript && +- needMaskingText(n, maskTextClass, maskTextSelector) && ++ needMaskingText(n, maskTextClass, maskTextSelector, unmaskTextSelector) && + textContent) { + textContent = maskTextFn + ? maskTextFn(textContent) +@@ -640,15 +655,19 @@ function slimDOMExcluded(sn, slimDOMOptions) { + return false; + } + function serializeNodeWithId(n, options) { +- var doc = options.doc, map = options.map, blockClass = options.blockClass, blockSelector = options.blockSelector, maskTextClass = options.maskTextClass, maskTextSelector = options.maskTextSelector, _a = options.skipChild, skipChild = _a === void 0 ? false : _a, _b = options.inlineStylesheet, inlineStylesheet = _b === void 0 ? true : _b, _c = options.maskInputOptions, maskInputOptions = _c === void 0 ? {} : _c, maskTextFn = options.maskTextFn, maskInputFn = options.maskInputFn, slimDOMOptions = options.slimDOMOptions, _d = options.dataURLOptions, dataURLOptions = _d === void 0 ? {} : _d, _e = options.inlineImages, inlineImages = _e === void 0 ? false : _e, _f = options.recordCanvas, recordCanvas = _f === void 0 ? false : _f, onSerialize = options.onSerialize, onIframeLoad = options.onIframeLoad, _g = options.iframeLoadTimeout, iframeLoadTimeout = _g === void 0 ? 5000 : _g, _h = options.keepIframeSrcFn, keepIframeSrcFn = _h === void 0 ? function () { return false; } : _h; ++ var doc = options.doc, map = options.map, blockClass = options.blockClass, blockSelector = options.blockSelector, unblockSelector = options.unblockSelector, maskTextClass = options.maskTextClass, maskTextSelector = options.maskTextSelector, unmaskTextSelector = options.unmaskTextSelector, _a = options.skipChild, skipChild = _a === void 0 ? false : _a, _b = options.inlineStylesheet, inlineStylesheet = _b === void 0 ? true : _b, maskInputSelector = options.maskInputSelector, unmaskInputSelector = options.unmaskInputSelector, _c = options.maskInputOptions, maskInputOptions = _c === void 0 ? {} : _c, maskTextFn = options.maskTextFn, maskInputFn = options.maskInputFn, slimDOMOptions = options.slimDOMOptions, _d = options.dataURLOptions, dataURLOptions = _d === void 0 ? {} : _d, _e = options.inlineImages, inlineImages = _e === void 0 ? false : _e, _f = options.recordCanvas, recordCanvas = _f === void 0 ? false : _f, onSerialize = options.onSerialize, onIframeLoad = options.onIframeLoad, _g = options.iframeLoadTimeout, iframeLoadTimeout = _g === void 0 ? 5000 : _g, _h = options.keepIframeSrcFn, keepIframeSrcFn = _h === void 0 ? function () { return false; } : _h; + var _j = options.preserveWhiteSpace, preserveWhiteSpace = _j === void 0 ? true : _j; + var _serializedNode = serializeNode(n, { + doc: doc, + blockClass: blockClass, + blockSelector: blockSelector, ++ unblockSelector: unblockSelector, + maskTextClass: maskTextClass, + maskTextSelector: maskTextSelector, ++ unmaskTextSelector: unmaskTextSelector, + inlineStylesheet: inlineStylesheet, ++ maskInputSelector: maskInputSelector, ++ unmaskInputSelector: unmaskInputSelector, + maskInputOptions: maskInputOptions, + maskTextFn: maskTextFn, + maskInputFn: maskInputFn, +@@ -704,10 +723,14 @@ function serializeNodeWithId(n, options) { + map: map, + blockClass: blockClass, + blockSelector: blockSelector, ++ unblockSelector: unblockSelector, + maskTextClass: maskTextClass, + maskTextSelector: maskTextSelector, ++ unmaskTextSelector: unmaskTextSelector, + skipChild: skipChild, + inlineStylesheet: inlineStylesheet, ++ maskInputSelector: maskInputSelector, ++ unmaskInputSelector: unmaskInputSelector, + maskInputOptions: maskInputOptions, + maskTextFn: maskTextFn, + maskInputFn: maskInputFn, +@@ -752,10 +775,14 @@ function serializeNodeWithId(n, options) { + map: map, + blockClass: blockClass, + blockSelector: blockSelector, ++ unblockSelector: unblockSelector, + maskTextClass: maskTextClass, + maskTextSelector: maskTextSelector, ++ unmaskTextSelector: unmaskTextSelector, + skipChild: false, + inlineStylesheet: inlineStylesheet, ++ maskInputSelector: maskInputSelector, ++ unmaskInputSelector: unmaskInputSelector, + maskInputOptions: maskInputOptions, + maskTextFn: maskTextFn, + maskInputFn: maskInputFn, +@@ -778,7 +805,7 @@ function serializeNodeWithId(n, options) { + return serializedNode; + } + function snapshot(n, options) { +- var _a = options || {}, _b = _a.blockClass, blockClass = _b === void 0 ? 'rr-block' : _b, _c = _a.blockSelector, blockSelector = _c === void 0 ? null : _c, _d = _a.maskTextClass, maskTextClass = _d === void 0 ? 'rr-mask' : _d, _e = _a.maskTextSelector, maskTextSelector = _e === void 0 ? null : _e, _f = _a.inlineStylesheet, inlineStylesheet = _f === void 0 ? true : _f, _g = _a.inlineImages, inlineImages = _g === void 0 ? false : _g, _h = _a.recordCanvas, recordCanvas = _h === void 0 ? false : _h, _j = _a.maskAllInputs, maskAllInputs = _j === void 0 ? false : _j, maskTextFn = _a.maskTextFn, maskInputFn = _a.maskInputFn, _k = _a.slimDOM, slimDOM = _k === void 0 ? false : _k, dataURLOptions = _a.dataURLOptions, preserveWhiteSpace = _a.preserveWhiteSpace, onSerialize = _a.onSerialize, onIframeLoad = _a.onIframeLoad, iframeLoadTimeout = _a.iframeLoadTimeout, _l = _a.keepIframeSrcFn, keepIframeSrcFn = _l === void 0 ? function () { return false; } : _l; ++ var _a = options || {}, _b = _a.blockClass, blockClass = _b === void 0 ? 'rr-block' : _b, _c = _a.blockSelector, blockSelector = _c === void 0 ? null : _c, _d = _a.unblockSelector, unblockSelector = _d === void 0 ? null : _d, _e = _a.maskTextClass, maskTextClass = _e === void 0 ? 'rr-mask' : _e, _f = _a.maskTextSelector, maskTextSelector = _f === void 0 ? null : _f, _g = _a.unmaskTextSelector, unmaskTextSelector = _g === void 0 ? null : _g, _h = _a.inlineStylesheet, inlineStylesheet = _h === void 0 ? true : _h, _j = _a.inlineImages, inlineImages = _j === void 0 ? false : _j, _k = _a.recordCanvas, recordCanvas = _k === void 0 ? false : _k, _l = _a.maskInputSelector, maskInputSelector = _l === void 0 ? null : _l, _m = _a.unmaskInputSelector, unmaskInputSelector = _m === void 0 ? null : _m, _o = _a.maskAllInputs, maskAllInputs = _o === void 0 ? false : _o, maskTextFn = _a.maskTextFn, maskInputFn = _a.maskInputFn, _p = _a.slimDOM, slimDOM = _p === void 0 ? false : _p, dataURLOptions = _a.dataURLOptions, preserveWhiteSpace = _a.preserveWhiteSpace, onSerialize = _a.onSerialize, onIframeLoad = _a.onIframeLoad, iframeLoadTimeout = _a.iframeLoadTimeout, _q = _a.keepIframeSrcFn, keepIframeSrcFn = _q === void 0 ? function () { return false; } : _q; + var idNodeMap = {}; + var maskInputOptions = maskAllInputs === true + ? { +@@ -827,10 +854,14 @@ function snapshot(n, options) { + map: idNodeMap, + blockClass: blockClass, + blockSelector: blockSelector, ++ unblockSelector: unblockSelector, + maskTextClass: maskTextClass, + maskTextSelector: maskTextSelector, ++ unmaskTextSelector: unmaskTextSelector, + skipChild: false, + inlineStylesheet: inlineStylesheet, ++ maskInputSelector: maskInputSelector, ++ unmaskInputSelector: unmaskInputSelector, + maskInputOptions: maskInputOptions, + maskTextFn: maskTextFn, + maskInputFn: maskInputFn, +diff --git a/node_modules/rrweb-snapshot/typings/snapshot.d.ts b/node_modules/rrweb-snapshot/typings/snapshot.d.ts +index b970f75..a49fa7d 100644 +--- a/node_modules/rrweb-snapshot/typings/snapshot.d.ts ++++ b/node_modules/rrweb-snapshot/typings/snapshot.d.ts +@@ -3,17 +3,21 @@ export declare const IGNORED_NODE = -2; + export declare function absoluteToStylesheet(cssText: string | null, href: string): string; + export declare function absoluteToDoc(doc: Document, attributeValue: string): string; + export declare function transformAttribute(doc: Document, tagName: string, name: string, value: string): string; +-export declare function _isBlockedElement(element: HTMLElement, blockClass: string | RegExp, blockSelector: string | null): boolean; +-export declare function needMaskingText(node: Node | null, maskTextClass: string | RegExp, maskTextSelector: string | null): boolean; ++export declare function _isBlockedElement(element: HTMLElement, blockClass: string | RegExp, blockSelector: string | null, unblockSelector: string | null): boolean; ++export declare function needMaskingText(node: Node | null, maskTextClass: string | RegExp, maskTextSelector: string | null, unmaskTextSelector: string | null): boolean; + export declare function serializeNodeWithId(n: Node | INode, options: { + doc: Document; + map: idNodeMap; + blockClass: string | RegExp; + blockSelector: string | null; ++ unblockSelector: string | null; + maskTextClass: string | RegExp; + maskTextSelector: string | null; ++ unmaskTextSelector: string | null; + skipChild: boolean; + inlineStylesheet: boolean; ++ maskInputSelector: string | null; ++ unmaskInputSelector: string | null; + maskInputOptions?: MaskInputOptions; + maskTextFn: MaskTextFn | undefined; + maskInputFn: MaskInputFn | undefined; +@@ -30,8 +34,12 @@ export declare function serializeNodeWithId(n: Node | INode, options: { + declare function snapshot(n: Document, options?: { + blockClass?: string | RegExp; + blockSelector?: string | null; ++ unblockSelector?: string | null; + maskTextClass?: string | RegExp; + maskTextSelector?: string | null; ++ unmaskTextSelector?: string | null; ++ maskInputSelector?: string | null; ++ unmaskInputSelector?: string | null; + inlineStylesheet?: boolean; + maskAllInputs?: boolean | MaskInputOptions; + maskTextFn?: MaskTextFn; +diff --git a/node_modules/rrweb-snapshot/typings/utils.d.ts b/node_modules/rrweb-snapshot/typings/utils.d.ts +index 6572ab8..708fb96 100644 +--- a/node_modules/rrweb-snapshot/typings/utils.d.ts ++++ b/node_modules/rrweb-snapshot/typings/utils.d.ts +@@ -1,7 +1,10 @@ + import { INode, MaskInputFn, MaskInputOptions } from './types'; + export declare function isElement(n: Node | INode): n is Element; + export declare function isShadowRoot(n: Node): n is ShadowRoot; +-export declare function maskInputValue({ maskInputOptions, tagName, type, value, maskInputFn, }: { ++export declare function maskInputValue({ input, maskInputSelector, unmaskInputSelector, maskInputOptions, tagName, type, value, maskInputFn, }: { ++ input: HTMLElement; ++ maskInputSelector: string | null; ++ unmaskInputSelector: string | null; + maskInputOptions: MaskInputOptions; + tagName: string; + type: string | number | boolean | null;