slicejs-web-framework 2.3.1 → 2.3.3

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
@@ -1,361 +1,369 @@
1
- /**
2
- * ContextManager - Sistema de contextos compartidos para Slice.js
3
- * Ubicación: /Slice/Components/Structural/ContextManager/ContextManager.js
4
- *
5
- * Características:
6
- * - Estado compartido entre componentes
7
- * - Usa EventManager internamente para notificaciones
8
- * - Selectores para observar campos específicos
9
- * - Auto-limpieza cuando componentes se destruyen
10
- * - Persistencia opcional en localStorage
11
- */
12
- export default class ContextManager {
13
- constructor() {
14
- // Map<contextName, { state, options }>
15
- this.contexts = new Map();
16
- }
17
-
18
- init() {
19
- return true;
20
- }
21
-
22
- // ============================================
23
- // CREAR CONTEXTO
24
- // ============================================
25
-
26
- /**
27
- * Crear un nuevo contexto
28
- * @param {string} name - Nombre único del contexto
29
- * @param {Object} initialState - Estado inicial
30
- * @param {Object} options - Opciones: { persist: boolean }
31
- *
32
- * @example
33
- * slice.context.create('auth', {
34
- * isLoggedIn: false,
35
- * user: null
36
- * });
37
- *
38
- * // Con persistencia en localStorage
39
- * slice.context.create('preferences', {
40
- * theme: 'light',
41
- * language: 'es'
42
- * }, { persist: true });
43
- */
44
- create(name, initialState = {}, options = {}) {
45
- if (this.contexts.has(name)) {
46
- slice.logger.logWarning('ContextManager', `El contexto "${name}" ya existe`);
47
- return false;
48
- }
49
-
50
- // Cargar estado persistido si existe
51
- let state = initialState;
52
- if (options.persist) {
53
- const persisted = this._loadFromStorage(name);
54
- if (persisted !== null) {
55
- state = persisted;
56
- }
57
- }
58
-
59
- this.contexts.set(name, {
60
- state,
61
- options: {
62
- persist: options.persist || false,
63
- storageKey: options.storageKey || `slice_context_${name}`,
64
- },
65
- });
66
-
67
- slice.logger.logInfo('ContextManager', `Contexto "${name}" creado`);
68
-
69
- return true;
70
- }
71
-
72
- // ============================================
73
- // LEER ESTADO
74
- // ============================================
75
-
76
- /**
77
- * Obtener el estado actual de un contexto
78
- * @param {string} name - Nombre del contexto
79
- * @returns {*} Estado actual o null si no existe
80
- *
81
- * @example
82
- * const auth = slice.context.getState('auth');
83
- * console.log(auth.user.name);
84
- */
85
- getState(name) {
86
- if (!this.contexts.has(name)) {
87
- slice.logger.logError('ContextManager', `El contexto "${name}" no existe`);
88
- return null;
89
- }
90
-
91
- return this.contexts.get(name).state;
92
- }
93
-
94
- // ============================================
95
- // ACTUALIZAR ESTADO
96
- // ============================================
97
-
98
- /**
99
- * Actualizar el estado de un contexto
100
- * @param {string} name - Nombre del contexto
101
- * @param {Object|Function} updater - Nuevo estado o función (prevState) => newState
102
- *
103
- * @example
104
- * // Reemplazar con objeto
105
- * slice.context.setState('auth', {
106
- * isLoggedIn: true,
107
- * user: { name: 'Juan' }
108
- * });
109
- *
110
- * // Usar función para acceder al estado anterior
111
- * slice.context.setState('cart', (prev) => ({
112
- * ...prev,
113
- * items: [...prev.items, nuevoProducto],
114
- * total: prev.total + nuevoProducto.price
115
- * }));
116
- */
117
- setState(name, updater) {
118
- if (!this.contexts.has(name)) {
119
- slice.logger.logError('ContextManager', `El contexto "${name}" no existe`);
120
- return;
121
- }
122
-
123
- const context = this.contexts.get(name);
124
- const prevState = context.state;
125
-
126
- // Calcular nuevo estado
127
- let newState;
128
- if (typeof updater === 'function') {
129
- newState = updater(prevState);
130
- } else {
131
- newState = updater;
132
- }
133
-
134
- // Guardar nuevo estado
135
- context.state = newState;
136
-
137
- // Persistir si está habilitado
138
- if (context.options.persist) {
139
- this._saveToStorage(name, newState, context.options.storageKey);
140
- }
141
-
142
- // Emitir evento para notificar a los watchers
143
- slice.events.emit(`context:${name}`, newState, prevState);
144
-
145
- slice.logger.logInfo('ContextManager', `Contexto "${name}" actualizado`);
146
- }
147
-
148
- // ============================================
149
- // WATCH (OBSERVAR CAMBIOS)
150
- // ============================================
151
-
152
- /**
153
- * Observar cambios en un contexto
154
- * @param {string} name - Nombre del contexto
155
- * @param {HTMLElement} component - Componente Slice para auto-cleanup
156
- * @param {Function} callback - Función a ejecutar cuando cambia
157
- * @param {Function} selector - Opcional. Función para seleccionar campos específicos
158
- * @returns {string} subscriptionId
159
- *
160
- * @example
161
- * // Observar todo el estado
162
- * slice.context.watch('auth', this, (state) => {
163
- * this.render(state);
164
- * });
165
- *
166
- * // Observar un campo específico
167
- * slice.context.watch('auth', this, (name) => {
168
- * this.$name.textContent = name;
169
- * }, state => state.user.name);
170
- *
171
- * // Observar múltiples campos
172
- * slice.context.watch('auth', this, (data) => {
173
- * this.$name.textContent = data.name;
174
- * this.$avatar.src = data.avatar;
175
- * }, state => ({
176
- * name: state.user.name,
177
- * avatar: state.user.avatar
178
- * }));
179
- *
180
- * // Valores computados
181
- * slice.context.watch('cart', this, (total) => {
182
- * this.$total.textContent = `$${total}`;
183
- * }, state => state.items.reduce((sum, i) => sum + i.price, 0));
184
- */
185
- watch(name, component, callback, selector = null) {
186
- if (!this.contexts.has(name)) {
187
- slice.logger.logError('ContextManager', `El contexto "${name}" no existe`);
188
- return null;
189
- }
190
-
191
- if (!component?.sliceId) {
192
- slice.logger.logError('ContextManager', 'watch() requiere un componente Slice válido');
193
- return null;
194
- }
195
-
196
- if (typeof callback !== 'function') {
197
- slice.logger.logError('ContextManager', 'El callback debe ser una función');
198
- return null;
199
- }
200
-
201
- // Guardar el valor anterior del selector para comparar
202
- let lastSelectedValue = selector ? this._getSelectedValue(name, selector) : this.getState(name);
203
-
204
- // Crear wrapper que aplica el selector y compara
205
- const wrappedCallback = (newState, prevState) => {
206
- if (selector) {
207
- const newSelectedValue = this._applySelector(newState, selector);
208
- const prevSelectedValue = this._applySelector(prevState, selector);
209
-
210
- // Solo ejecutar si el valor seleccionado cambió
211
- if (!this._isEqual(newSelectedValue, prevSelectedValue)) {
212
- lastSelectedValue = newSelectedValue;
213
- callback(newSelectedValue);
214
- }
215
- } else {
216
- // Sin selector, siempre ejecutar
217
- callback(newState);
218
- }
219
- };
220
-
221
- // Suscribirse al evento del contexto
222
- const subscriptionId = slice.events.subscribe(`context:${name}`, wrappedCallback, { component });
223
-
224
- slice.logger.logInfo('ContextManager', `Watch registrado en "${name}" para ${component.sliceId}`);
225
-
226
- return subscriptionId;
227
- }
228
-
229
- // ============================================
230
- // UTILIDADES
231
- // ============================================
232
-
233
- /**
234
- * Verificar si un contexto existe
235
- * @param {string} name - Nombre del contexto
236
- * @returns {boolean}
237
- */
238
- has(name) {
239
- return this.contexts.has(name);
240
- }
241
-
242
- /**
243
- * Eliminar un contexto
244
- * @param {string} name - Nombre del contexto
245
- * @returns {boolean}
246
- */
247
- destroy(name) {
248
- if (!this.contexts.has(name)) {
249
- return false;
250
- }
251
-
252
- const context = this.contexts.get(name);
253
-
254
- // Limpiar storage si existe
255
- if (context.options.persist) {
256
- this._removeFromStorage(context.options.storageKey);
257
- }
258
-
259
- this.contexts.delete(name);
260
-
261
- slice.logger.logInfo('ContextManager', `Contexto "${name}" eliminado`);
262
-
263
- return true;
264
- }
265
-
266
- /**
267
- * Obtener lista de todos los contextos
268
- * @returns {Array<string>}
269
- */
270
- list() {
271
- return Array.from(this.contexts.keys());
272
- }
273
-
274
- // ============================================
275
- // MÉTODOS PRIVADOS
276
- // ============================================
277
-
278
- /**
279
- * Aplicar selector al estado
280
- */
281
- _applySelector(state, selector) {
282
- try {
283
- return selector(state);
284
- } catch (error) {
285
- slice.logger.logWarning('ContextManager', 'Error al aplicar selector', error);
286
- return undefined;
287
- }
288
- }
289
-
290
- /**
291
- * Obtener valor seleccionado del estado actual
292
- */
293
- _getSelectedValue(name, selector) {
294
- const state = this.getState(name);
295
- return this._applySelector(state, selector);
296
- }
297
-
298
- /**
299
- * Comparar dos valores (shallow)
300
- */
301
- _isEqual(a, b) {
302
- // Mismo valor primitivo o referencia
303
- if (a === b) return true;
304
-
305
- // Si alguno es null/undefined
306
- if (a == null || b == null) return false;
307
-
308
- // Si no son objetos, ya sabemos que son diferentes
309
- if (typeof a !== 'object' || typeof b !== 'object') return false;
310
-
311
- // Comparación shallow de objetos
312
- const keysA = Object.keys(a);
313
- const keysB = Object.keys(b);
314
-
315
- if (keysA.length !== keysB.length) return false;
316
-
317
- for (const key of keysA) {
318
- if (a[key] !== b[key]) return false;
319
- }
320
-
321
- return true;
322
- }
323
-
324
- /**
325
- * Cargar estado desde localStorage
326
- */
327
- _loadFromStorage(name) {
328
- try {
329
- const key = `slice_context_${name}`;
330
- const data = localStorage.getItem(key);
331
- if (data) {
332
- return JSON.parse(data);
333
- }
334
- } catch (error) {
335
- slice.logger.logWarning('ContextManager', `Error cargando "${name}" de localStorage`, error);
336
- }
337
- return null;
338
- }
339
-
340
- /**
341
- * Guardar estado en localStorage
342
- */
343
- _saveToStorage(name, state, storageKey) {
344
- try {
345
- localStorage.setItem(storageKey, JSON.stringify(state));
346
- } catch (error) {
347
- slice.logger.logWarning('ContextManager', `Error guardando "${name}" en localStorage`, error);
348
- }
349
- }
350
-
351
- /**
352
- * Eliminar estado de localStorage
353
- */
354
- _removeFromStorage(storageKey) {
355
- try {
356
- localStorage.removeItem(storageKey);
357
- } catch (error) {
358
- // Ignorar errores al eliminar
359
- }
360
- }
361
- }
1
+ /**
2
+ * ContextManager - Sistema de contextos compartidos para Slice.js
3
+ * Ubicación: /Slice/Components/Structural/ContextManager/ContextManager.js
4
+ *
5
+ * Características:
6
+ * - Estado compartido entre componentes
7
+ * - Usa EventManager internamente para notificaciones
8
+ * - Selectores para observar campos específicos
9
+ * - Auto-limpieza cuando componentes se destruyen
10
+ * - Persistencia opcional en localStorage
11
+ */
12
+ /**
13
+ * @typedef {Object} ContextOptions
14
+ * @property {boolean} [persist]
15
+ * @property {string} [storageKey]
16
+ */
17
+
18
+ export default class ContextManager {
19
+ constructor() {
20
+ // Map<contextName, { state, options }>
21
+ this.contexts = new Map();
22
+ }
23
+
24
+ init() {
25
+ return true;
26
+ }
27
+
28
+ // ============================================
29
+ // CREAR CONTEXTO
30
+ // ============================================
31
+
32
+ /**
33
+ * Crear un nuevo contexto
34
+ * @param {string} name - Nombre unico del contexto
35
+ * @param {Object} [initialState] - Estado inicial
36
+ * @param {ContextOptions} [options] - Opciones: { persist, storageKey }
37
+ * @returns {boolean}
38
+ *
39
+ * @example
40
+ * slice.context.create('auth', {
41
+ * isLoggedIn: false,
42
+ * user: null
43
+ * });
44
+ *
45
+ * // Con persistencia en localStorage
46
+ * slice.context.create('preferences', {
47
+ * theme: 'light',
48
+ * language: 'es'
49
+ * }, { persist: true });
50
+ */
51
+ create(name, initialState = {}, options = {}) {
52
+ if (this.contexts.has(name)) {
53
+ slice.logger.logWarning('ContextManager', `El contexto "${name}" ya existe`);
54
+ return false;
55
+ }
56
+
57
+ // Cargar estado persistido si existe
58
+ let state = initialState;
59
+ if (options.persist) {
60
+ const persisted = this._loadFromStorage(name);
61
+ if (persisted !== null) {
62
+ state = persisted;
63
+ }
64
+ }
65
+
66
+ this.contexts.set(name, {
67
+ state,
68
+ options: {
69
+ persist: options.persist || false,
70
+ storageKey: options.storageKey || `slice_context_${name}`,
71
+ },
72
+ });
73
+
74
+ slice.logger.logInfo('ContextManager', `Contexto "${name}" creado`);
75
+
76
+ return true;
77
+ }
78
+
79
+ // ============================================
80
+ // LEER ESTADO
81
+ // ============================================
82
+
83
+ /**
84
+ * Obtener el estado actual de un contexto
85
+ * @param {string} name - Nombre del contexto
86
+ * @returns {any|null} Estado actual o null si no existe
87
+ *
88
+ * @example
89
+ * const auth = slice.context.getState('auth');
90
+ * console.log(auth.user.name);
91
+ */
92
+ getState(name) {
93
+ if (!this.contexts.has(name)) {
94
+ slice.logger.logError('ContextManager', `El contexto "${name}" no existe`);
95
+ return null;
96
+ }
97
+
98
+ return this.contexts.get(name).state;
99
+ }
100
+
101
+ // ============================================
102
+ // ACTUALIZAR ESTADO
103
+ // ============================================
104
+
105
+ /**
106
+ * Actualizar el estado de un contexto
107
+ * @param {string} name - Nombre del contexto
108
+ * @param {Object|Function} updater - Nuevo estado o funcion (prevState) => newState
109
+ * @returns {void}
110
+ *
111
+ * @example
112
+ * // Reemplazar con objeto
113
+ * slice.context.setState('auth', {
114
+ * isLoggedIn: true,
115
+ * user: { name: 'Juan' }
116
+ * });
117
+ *
118
+ * // Usar funcion para acceder al estado anterior
119
+ * slice.context.setState('cart', (prev) => ({
120
+ * ...prev,
121
+ * items: [...prev.items, nuevoProducto],
122
+ * total: prev.total + nuevoProducto.price
123
+ * }));
124
+ */
125
+ setState(name, updater) {
126
+ if (!this.contexts.has(name)) {
127
+ slice.logger.logError('ContextManager', `El contexto "${name}" no existe`);
128
+ return;
129
+ }
130
+
131
+ const context = this.contexts.get(name);
132
+ const prevState = context.state;
133
+
134
+ // Calcular nuevo estado
135
+ let newState;
136
+ if (typeof updater === 'function') {
137
+ newState = updater(prevState);
138
+ } else {
139
+ newState = updater;
140
+ }
141
+
142
+ // Guardar nuevo estado
143
+ context.state = newState;
144
+
145
+ // Persistir si está habilitado
146
+ if (context.options.persist) {
147
+ this._saveToStorage(name, newState, context.options.storageKey);
148
+ }
149
+
150
+ // Emitir evento para notificar a los watchers
151
+ slice.events.emit(`context:${name}`, newState, prevState);
152
+
153
+ slice.logger.logInfo('ContextManager', `Contexto "${name}" actualizado`);
154
+ }
155
+
156
+ // ============================================
157
+ // WATCH (OBSERVAR CAMBIOS)
158
+ // ============================================
159
+
160
+ /**
161
+ * Observar cambios en un contexto
162
+ * @param {string} name - Nombre del contexto
163
+ * @param {HTMLElement} component - Componente Slice para auto-cleanup
164
+ * @param {(value: any) => void} callback - Funcion a ejecutar cuando cambia
165
+ * @param {(state: any) => any} [selector] - Opcional. Funcion para seleccionar campos
166
+ * @returns {string|null} subscriptionId
167
+ *
168
+ * @example
169
+ * // Observar todo el estado
170
+ * slice.context.watch('auth', this, (state) => {
171
+ * this.render(state);
172
+ * });
173
+ *
174
+ * // Observar un campo especifico
175
+ * slice.context.watch('auth', this, (name) => {
176
+ * this.$name.textContent = name;
177
+ * }, state => state.user.name);
178
+ *
179
+ * // Observar multiples campos
180
+ * slice.context.watch('auth', this, (data) => {
181
+ * this.$name.textContent = data.name;
182
+ * this.$avatar.src = data.avatar;
183
+ * }, state => ({
184
+ * name: state.user.name,
185
+ * avatar: state.user.avatar
186
+ * }));
187
+ *
188
+ * // Valores computados
189
+ * slice.context.watch('cart', this, (total) => {
190
+ * this.$total.textContent = `${total}`;
191
+ * }, state => state.items.reduce((sum, i) => sum + i.price, 0));
192
+ */
193
+ watch(name, component, callback, selector = null) {
194
+ if (!this.contexts.has(name)) {
195
+ slice.logger.logError('ContextManager', `El contexto "${name}" no existe`);
196
+ return null;
197
+ }
198
+
199
+ if (!component?.sliceId) {
200
+ slice.logger.logError('ContextManager', 'watch() requiere un componente Slice válido');
201
+ return null;
202
+ }
203
+
204
+ if (typeof callback !== 'function') {
205
+ slice.logger.logError('ContextManager', 'El callback debe ser una función');
206
+ return null;
207
+ }
208
+
209
+ // Guardar el valor anterior del selector para comparar
210
+ let lastSelectedValue = selector ? this._getSelectedValue(name, selector) : this.getState(name);
211
+
212
+ // Crear wrapper que aplica el selector y compara
213
+ const wrappedCallback = (newState, prevState) => {
214
+ if (selector) {
215
+ const newSelectedValue = this._applySelector(newState, selector);
216
+ const prevSelectedValue = this._applySelector(prevState, selector);
217
+
218
+ // Solo ejecutar si el valor seleccionado cambió
219
+ if (!this._isEqual(newSelectedValue, prevSelectedValue)) {
220
+ lastSelectedValue = newSelectedValue;
221
+ callback(newSelectedValue);
222
+ }
223
+ } else {
224
+ // Sin selector, siempre ejecutar
225
+ callback(newState);
226
+ }
227
+ };
228
+
229
+ // Suscribirse al evento del contexto
230
+ const subscriptionId = slice.events.subscribe(`context:${name}`, wrappedCallback, { component });
231
+
232
+ slice.logger.logInfo('ContextManager', `Watch registrado en "${name}" para ${component.sliceId}`);
233
+
234
+ return subscriptionId;
235
+ }
236
+
237
+ // ============================================
238
+ // UTILIDADES
239
+ // ============================================
240
+
241
+ /**
242
+ * Verificar si un contexto existe
243
+ * @param {string} name - Nombre del contexto
244
+ * @returns {boolean}
245
+ */
246
+ has(name) {
247
+ return this.contexts.has(name);
248
+ }
249
+
250
+ /**
251
+ * Eliminar un contexto
252
+ * @param {string} name - Nombre del contexto
253
+ * @returns {boolean}
254
+ */
255
+ destroy(name) {
256
+ if (!this.contexts.has(name)) {
257
+ return false;
258
+ }
259
+
260
+ const context = this.contexts.get(name);
261
+
262
+ // Limpiar storage si existe
263
+ if (context.options.persist) {
264
+ this._removeFromStorage(context.options.storageKey);
265
+ }
266
+
267
+ this.contexts.delete(name);
268
+
269
+ slice.logger.logInfo('ContextManager', `Contexto "${name}" eliminado`);
270
+
271
+ return true;
272
+ }
273
+
274
+ /**
275
+ * Obtener lista de todos los contextos
276
+ * @returns {string[]}
277
+ */
278
+ list() {
279
+ return Array.from(this.contexts.keys());
280
+ }
281
+
282
+ // ============================================
283
+ // MÉTODOS PRIVADOS
284
+ // ============================================
285
+
286
+ /**
287
+ * Aplicar selector al estado
288
+ */
289
+ _applySelector(state, selector) {
290
+ try {
291
+ return selector(state);
292
+ } catch (error) {
293
+ slice.logger.logWarning('ContextManager', 'Error al aplicar selector', error);
294
+ return undefined;
295
+ }
296
+ }
297
+
298
+ /**
299
+ * Obtener valor seleccionado del estado actual
300
+ */
301
+ _getSelectedValue(name, selector) {
302
+ const state = this.getState(name);
303
+ return this._applySelector(state, selector);
304
+ }
305
+
306
+ /**
307
+ * Comparar dos valores (shallow)
308
+ */
309
+ _isEqual(a, b) {
310
+ // Mismo valor primitivo o referencia
311
+ if (a === b) return true;
312
+
313
+ // Si alguno es null/undefined
314
+ if (a == null || b == null) return false;
315
+
316
+ // Si no son objetos, ya sabemos que son diferentes
317
+ if (typeof a !== 'object' || typeof b !== 'object') return false;
318
+
319
+ // Comparación shallow de objetos
320
+ const keysA = Object.keys(a);
321
+ const keysB = Object.keys(b);
322
+
323
+ if (keysA.length !== keysB.length) return false;
324
+
325
+ for (const key of keysA) {
326
+ if (a[key] !== b[key]) return false;
327
+ }
328
+
329
+ return true;
330
+ }
331
+
332
+ /**
333
+ * Cargar estado desde localStorage
334
+ */
335
+ _loadFromStorage(name) {
336
+ try {
337
+ const key = `slice_context_${name}`;
338
+ const data = localStorage.getItem(key);
339
+ if (data) {
340
+ return JSON.parse(data);
341
+ }
342
+ } catch (error) {
343
+ slice.logger.logWarning('ContextManager', `Error cargando "${name}" de localStorage`, error);
344
+ }
345
+ return null;
346
+ }
347
+
348
+ /**
349
+ * Guardar estado en localStorage
350
+ */
351
+ _saveToStorage(name, state, storageKey) {
352
+ try {
353
+ localStorage.setItem(storageKey, JSON.stringify(state));
354
+ } catch (error) {
355
+ slice.logger.logWarning('ContextManager', `Error guardando "${name}" en localStorage`, error);
356
+ }
357
+ }
358
+
359
+ /**
360
+ * Eliminar estado de localStorage
361
+ */
362
+ _removeFromStorage(storageKey) {
363
+ try {
364
+ localStorage.removeItem(storageKey);
365
+ } catch (error) {
366
+ // Ignorar errores al eliminar
367
+ }
368
+ }
369
+ }