@dypai-ai/client-sdk 0.0.11 → 0.0.12
This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
- package/dist/index.d.ts +16 -15
- package/dist/index.esm.js +1 -1
- package/dist/index.js +1 -1
- package/package.json +1 -1
package/dist/index.d.ts
CHANGED
|
@@ -122,29 +122,30 @@ interface TypedMutationOptions<TParams> {
|
|
|
122
122
|
}
|
|
123
123
|
/**
|
|
124
124
|
* Cliente API tipado con inferencia de tipos para endpoints.
|
|
125
|
-
*
|
|
125
|
+
* Siempre devuelve { data, error } — mismo patrón que dypai.db.
|
|
126
|
+
* Nunca lanza excepciones: los errores van en el campo `error`.
|
|
126
127
|
*/
|
|
127
128
|
interface TypedApiClient<TMap extends EndpointMap = EndpointMap> {
|
|
128
129
|
/**
|
|
129
130
|
* GET request tipado
|
|
130
131
|
*/
|
|
131
|
-
get<TEndpoint extends (keyof TMap & string) | (string & {})>(endpoint: TEndpoint, options?: TypedGetOptions<TEndpoint extends keyof TMap ? EndpointParams<TMap, TEndpoint> : Record<string, any>>): Promise<TEndpoint extends keyof TMap ? EndpointResponse<TMap, TEndpoint> : any
|
|
132
|
+
get<TEndpoint extends (keyof TMap & string) | (string & {})>(endpoint: TEndpoint, options?: TypedGetOptions<TEndpoint extends keyof TMap ? EndpointParams<TMap, TEndpoint> : Record<string, any>>): Promise<DypaiResponse<TEndpoint extends keyof TMap ? EndpointResponse<TMap, TEndpoint> : any>>;
|
|
132
133
|
/**
|
|
133
134
|
* POST request tipado
|
|
134
135
|
*/
|
|
135
|
-
post<TEndpoint extends (keyof TMap & string) | (string & {})>(endpoint: TEndpoint, body: TEndpoint extends keyof TMap ? EndpointBody<TMap, TEndpoint> : any, options?: TypedMutationOptions<TEndpoint extends keyof TMap ? EndpointParams<TMap, TEndpoint> : Record<string, any>>): Promise<TEndpoint extends keyof TMap ? EndpointResponse<TMap, TEndpoint> : any
|
|
136
|
+
post<TEndpoint extends (keyof TMap & string) | (string & {})>(endpoint: TEndpoint, body: TEndpoint extends keyof TMap ? EndpointBody<TMap, TEndpoint> : any, options?: TypedMutationOptions<TEndpoint extends keyof TMap ? EndpointParams<TMap, TEndpoint> : Record<string, any>>): Promise<DypaiResponse<TEndpoint extends keyof TMap ? EndpointResponse<TMap, TEndpoint> : any>>;
|
|
136
137
|
/**
|
|
137
138
|
* PUT request tipado
|
|
138
139
|
*/
|
|
139
|
-
put<TEndpoint extends (keyof TMap & string) | (string & {})>(endpoint: TEndpoint, body: TEndpoint extends keyof TMap ? EndpointBody<TMap, TEndpoint> : any, options?: TypedMutationOptions<TEndpoint extends keyof TMap ? EndpointParams<TMap, TEndpoint> : Record<string, any>>): Promise<TEndpoint extends keyof TMap ? EndpointResponse<TMap, TEndpoint> : any
|
|
140
|
+
put<TEndpoint extends (keyof TMap & string) | (string & {})>(endpoint: TEndpoint, body: TEndpoint extends keyof TMap ? EndpointBody<TMap, TEndpoint> : any, options?: TypedMutationOptions<TEndpoint extends keyof TMap ? EndpointParams<TMap, TEndpoint> : Record<string, any>>): Promise<DypaiResponse<TEndpoint extends keyof TMap ? EndpointResponse<TMap, TEndpoint> : any>>;
|
|
140
141
|
/**
|
|
141
142
|
* PATCH request tipado
|
|
142
143
|
*/
|
|
143
|
-
patch<TEndpoint extends (keyof TMap & string) | (string & {})>(endpoint: TEndpoint, body?: TEndpoint extends keyof TMap ? Partial<EndpointBody<TMap, TEndpoint>> : any, options?: TypedMutationOptions<TEndpoint extends keyof TMap ? EndpointParams<TMap, TEndpoint> : Record<string, any>>): Promise<TEndpoint extends keyof TMap ? EndpointResponse<TMap, TEndpoint> : any
|
|
144
|
+
patch<TEndpoint extends (keyof TMap & string) | (string & {})>(endpoint: TEndpoint, body?: TEndpoint extends keyof TMap ? Partial<EndpointBody<TMap, TEndpoint>> : any, options?: TypedMutationOptions<TEndpoint extends keyof TMap ? EndpointParams<TMap, TEndpoint> : Record<string, any>>): Promise<DypaiResponse<TEndpoint extends keyof TMap ? EndpointResponse<TMap, TEndpoint> : any>>;
|
|
144
145
|
/**
|
|
145
146
|
* DELETE request tipado
|
|
146
147
|
*/
|
|
147
|
-
delete<TEndpoint extends (keyof TMap & string) | (string & {})>(endpoint: TEndpoint, options?: TypedGetOptions<TEndpoint extends keyof TMap ? EndpointParams<TMap, TEndpoint> : Record<string, any>>): Promise<TEndpoint extends keyof TMap ? EndpointResponse<TMap, TEndpoint> : any
|
|
148
|
+
delete<TEndpoint extends (keyof TMap & string) | (string & {})>(endpoint: TEndpoint, options?: TypedGetOptions<TEndpoint extends keyof TMap ? EndpointParams<TMap, TEndpoint> : Record<string, any>>): Promise<DypaiResponse<TEndpoint extends keyof TMap ? EndpointResponse<TMap, TEndpoint> : any>>;
|
|
148
149
|
}
|
|
149
150
|
/**
|
|
150
151
|
* Tipo para el cliente API sin tipado (legacy/fallback)
|
|
@@ -153,23 +154,23 @@ interface ApiClient {
|
|
|
153
154
|
get: (endpoint: string, options?: {
|
|
154
155
|
params?: Record<string, any>;
|
|
155
156
|
[key: string]: any;
|
|
156
|
-
}) => Promise<any
|
|
157
|
+
}) => Promise<DypaiResponse<any>>;
|
|
157
158
|
post: (endpoint: string, body: any, options?: {
|
|
158
159
|
params?: Record<string, any>;
|
|
159
160
|
[key: string]: any;
|
|
160
|
-
}) => Promise<any
|
|
161
|
+
}) => Promise<DypaiResponse<any>>;
|
|
161
162
|
put: (endpoint: string, body: any, options?: {
|
|
162
163
|
params?: Record<string, any>;
|
|
163
164
|
[key: string]: any;
|
|
164
|
-
}) => Promise<any
|
|
165
|
+
}) => Promise<DypaiResponse<any>>;
|
|
165
166
|
patch: (endpoint: string, body?: any, options?: {
|
|
166
167
|
params?: Record<string, any>;
|
|
167
168
|
[key: string]: any;
|
|
168
|
-
}) => Promise<any
|
|
169
|
+
}) => Promise<DypaiResponse<any>>;
|
|
169
170
|
delete: (endpoint: string, options?: {
|
|
170
171
|
params?: Record<string, any>;
|
|
171
172
|
[key: string]: any;
|
|
172
|
-
}) => Promise<any
|
|
173
|
+
}) => Promise<DypaiResponse<any>>;
|
|
173
174
|
}
|
|
174
175
|
interface AppConfig {
|
|
175
176
|
DYPAI_API_URL: string;
|
|
@@ -216,10 +217,10 @@ declare class QueryBuilder {
|
|
|
216
217
|
private table;
|
|
217
218
|
private api;
|
|
218
219
|
constructor(table: string, api: ApiClient);
|
|
219
|
-
select(filters?: Record<string, any>): Promise<any
|
|
220
|
-
insert(data: Record<string, any>): Promise<any
|
|
221
|
-
update(id: string | number, data: Record<string, any>): Promise<any
|
|
222
|
-
delete(id: string | number): Promise<any
|
|
220
|
+
select(filters?: Record<string, any>): Promise<DypaiResponse<any>>;
|
|
221
|
+
insert(data: Record<string, any>): Promise<DypaiResponse<any>>;
|
|
222
|
+
update(id: string | number, data: Record<string, any>): Promise<DypaiResponse<any>>;
|
|
223
|
+
delete(id: string | number): Promise<DypaiResponse<any>>;
|
|
223
224
|
}
|
|
224
225
|
|
|
225
226
|
interface AppRole {
|
package/dist/index.esm.js
CHANGED
|
@@ -1 +1 @@
|
|
|
1
|
-
class t extends Error{constructor(t,e=500,n,s){super(t),this.status=e,this.code=n,this.details=s,this.name="DypaiError"}}class e{constructor(){this.promise=new Promise((t,e)=>{this.resolve=t,this.reject=e})}}const n={getItem:t=>"undefined"==typeof window?null:window.localStorage.getItem(t),setItem:(t,e)=>{if("undefined"!=typeof window)try{window.localStorage.setItem(t,e)}catch(t){console.error("[DYPAI SDK] ❌ Error crítico guardando en localStorage (¿Quota/Permisos?):",t)}},removeItem:t=>{if("undefined"!=typeof window)try{window.localStorage.removeItem(t)}catch(t){}}};async function s(e){try{return{data:await e,error:null}}catch(e){return{data:null,error:e instanceof t?e:new t(e.message||"Error de autenticación",e.status||400)}}}class i{constructor(t,e=null){this.config=t,this.t=null,this.i=null,this.o=null,this.h=null,this.l=[],this.u=null,this.p=null,this.S=0,this.D=0,this.storage=t.storage||n;const s=t.storageKey||this.deriveStorageKey(t.apiKey);console.log(`[DYPAI SDK] 🛠️ Inicializando AuthModule (apiKey: ${t.apiKey?.substring(0,8)}..., storageKey: ${s})`),this.STORAGE_KEY=`dypai-${s}-auth-session`,this.m=this.I().then(()=>{this.i&&(this.getUser().catch(()=>{}),this.startAutoRefresh())}),"undefined"!=typeof window&&(window.addEventListener("visibilitychange",this.v.bind(this)),window.addEventListener("focus",this.v.bind(this)),window.addEventListener("storage",t=>{t.key===this.STORAGE_KEY&&(console.log("[DYPAI SDK] 🔄 Sesión actualizada en otra pestaña. Sincronizando..."),this.I(!1))}))}async v(){"undefined"!=typeof document&&"visible"===document.visibilityState&&(console.log("[DYPAI SDK] 👁️ Ventana visible. Sincronizando estado y reiniciando auto-refresh..."),await this.I(!0),this.i&&this.startAutoRefresh())}deriveStorageKey(t){return t?t.substring(0,8):"default"}get user(){return this.t}get token(){return this.i}onAuthStateChange(t){return console.log("[DYPAI SDK] 👂 Nuevo suscriptor añadido a onAuthStateChange"),this.l.push(t),this.m.then(()=>{const e=this.A(),n=e?"SIGNED_IN":"INITIAL_SESSION";console.log(`[DYPAI SDK] 📣 Notificando estado inicial a nuevo suscriptor: ${n} (Sesión activa: ${!!e})`),t(n,e)}).catch(e=>{console.error("[DYPAI SDK] ❌ Error esperando recuperación de sesión para suscriptor:",e),t("INITIAL_SESSION",null)}),{data:{subscription:{unsubscribe:()=>{this.l=this.l.filter(e=>e!==t)}}}}}async signInWithPassword(e){return s((async()=>{const n=`${this.config.baseUrl||"http://localhost:8000"}/auth/v1/token?grant_type=password`,s={email:e.email||e.identifier||"",password:e.password},i=await fetch(n,{method:"POST",headers:{"Content-Type":"application/json",...this.config.apiKey&&{apikey:this.config.apiKey}},body:JSON.stringify(s)});if(!i.ok){const e=await i.json();throw new t(e.msg||e.error_description||"Login failed",i.status)}const o=await i.json(),a={token:o.access_token,refreshToken:o.refresh_token,expiresIn:o.expires_in,expiresAt:Math.floor(Date.now()/1e3)+(o.expires_in||3600),user:this._(o)};return await this.$(a),a})())}async login(t){return this.signInWithPassword(t)}async signUp(e){return s((async()=>{const n=`${this.config.baseUrl||"http://localhost:8000"}/auth/v1/signup`,s={email:e.email,password:e.password,data:e.user_data||{}},i=await fetch(n,{method:"POST",headers:{"Content-Type":"application/json",...this.config.apiKey&&{apikey:this.config.apiKey}},body:JSON.stringify(s)});if(!i.ok){const e=await i.json();throw new t(e.msg||e.error_description||"Registration failed",i.status)}const o=await i.json(),a={token:o.access_token,refreshToken:o.refresh_token,expiresIn:o.expires_in,expiresAt:Math.floor(Date.now()/1e3)+(o.expires_in||3600),user:this._(o)};return a.token&&await this.$(a),a})())}async register(t){return this.signUp(t)}async getSession(){try{if(!this.i||!this.t)return{data:null,error:null};const t=Math.floor(Date.now()/1e3);return(this.h||0)-t<30&&this.o&&(console.log("[DYPAI SDK] ⏳ getSession: Token próximo a expirar. Refrescando..."),await this.refreshSession().catch(t=>console.warn("Error refreshing session in getSession:",t))),{data:{access_token:this.i,refresh_token:this.o||void 0,token_type:"bearer",user:this.t},error:null}}catch(e){return{data:null,error:new t(e.message,500)}}}async getUser(){return s((async()=>{if(!this.i)throw new t("No hay sesión activa",401);const e=`${this.config.baseUrl||"http://localhost:8000"}/auth/v1/user`,n=await fetch(e,{headers:{Authorization:`Bearer ${this.i}`,...this.config.apiKey&&{apikey:this.config.apiKey}}});if(!n.ok)throw new t("Session invalid",n.status);const s=await n.json(),i=this._(s);return this.k(i),i})())}async me(){return this.getUser()}async signInWithOAuth(t,e={}){return s((async()=>{const{redirectTo:n=window.location.href}=e,s=`${this.config.baseUrl||"http://localhost:8000"}/auth/v1/authorize?provider=${t}&redirect_to=${encodeURIComponent(n)}`;window.location.href=s})())}async signOut(){return s((async()=>{try{if(this.i){const t=this.config.baseUrl||"http://localhost:8000";await fetch(`${t}/auth/v1/logout`,{method:"POST",headers:{Authorization:`Bearer ${this.i}`,...this.config.apiKey&&{apikey:this.config.apiKey}}})}}finally{this.P("signOut called")}})())}async logout(){return this.signOut()}async resetPasswordForEmail(e){return s((async()=>{const n=this.config.baseUrl||"http://localhost:8000",s=await fetch(`${n}/auth/v1/recover`,{method:"POST",headers:{"Content-Type":"application/json"},body:JSON.stringify({email:e})});if(!s.ok)throw new t("Recovery failed",s.status);return await s.json()})())}async recoverPassword(t){return this.resetPasswordForEmail(t.email)}async refreshSession(){if(this.u)return console.log("[DYPAI SDK] 🔄 Refresco de sesión ya en curso. Esperando resolución..."),this.u.promise;const n=new e;this.u=n;const s=`lock:${this.STORAGE_KEY}`;return(async()=>{try{const t=await async function(t,e,n){if("undefined"!=typeof globalThis&&globalThis.navigator?.locks?.request){const s=new AbortController,i=setTimeout(()=>s.abort(),e);try{return await globalThis.navigator.locks.request(t,{signal:s.signal},async()=>(clearTimeout(i),await n()))}catch(s){if("AbortError"===s.name)return console.warn(`[DYPAI SDK] ⚠️ Web Lock "${t}" timeout (${e}ms). Proceeding without lock.`),await n();throw s}}return await n()}(s,i.LOCK_ACQUIRE_TIMEOUT_MS,()=>this.T());n.resolve(t)}catch(e){const s=e instanceof t?e:new t(e.message||"Error refrescando sesión",401);n.resolve({data:null,error:s})}finally{this.u=null}})(),n.promise}async T(){try{const e=await this.storage.getItem(this.STORAGE_KEY);if(e){const t=JSON.parse(e),n=t.expires_at||0,s=Math.floor(Date.now()/1e3);if(t.access_token!==this.i&&n-s>60)return console.log("[DYPAI SDK] 🔄 Otra pestaña ya refrescó el token. Adoptando sesión del storage."),this.i=t.access_token,this.o=t.refresh_token,this.h=t.expires_at,this.t=t.user,this.S=0,this.K("TOKEN_REFRESHED"),{data:{token:this.i,refreshToken:this.o||void 0,expiresAt:this.h||void 0,user:this.t},error:null}}if(!this.o)throw new t("No hay refresh token disponible",401);console.log("[DYPAI SDK] 🔄 Iniciando refresco de sesión con Refresh Token...");const n=`${this.config.baseUrl||"http://localhost:8000"}/auth/v1/token?grant_type=refresh_token`,s=new AbortController,o=setTimeout(()=>s.abort(),i.REFRESH_TIMEOUT_MS);let a;try{a=await fetch(n,{method:"POST",headers:{"Content-Type":"application/json",...this.config.apiKey&&{apikey:this.config.apiKey}},body:JSON.stringify({refresh_token:this.o}),signal:s.signal})}finally{clearTimeout(o)}if(!a.ok){let e={};try{e=await a.json()}catch{}const n=a.status,s=e.error||e.code||"",i=(e.error_description||e.msg||"").toLowerCase(),o="invalid_grant"===s||i.includes("invalid refresh token")||i.includes("revoked");throw n>=400&&n<500&&o?(console.error("[DYPAI SDK] ❌ Error DEFINITIVO en refresco (Token inválido/revocado). Limpiando sesión."),this.P(`refreshSession failed (${n}: ${s})`)):console.warn(`[DYPAI SDK] ⚠️ Fallo en refresco (${n}). Posible error de red o servidor temporal. MANTENIENDO SESIÓN.`),new t(e.msg||e.error_description||"Refresh session failed",n)}const r=await a.json(),c={token:r.access_token,refreshToken:r.refresh_token,expiresIn:r.expires_in,expiresAt:Math.floor(Date.now()/1e3)+(r.expires_in||3600),user:this._(r)};return this.S=0,await this.$(c),console.log(`[DYPAI SDK] ✅ Refresh exitoso. Nuevo token expira en ${c.expiresAt} (en ${c.expiresIn}s). Refresh token actualizado: ${!!c.refreshToken}`),{data:c,error:null}}catch(e){this.S++,this.D=Date.now();const n=e instanceof DOMException&&"AbortError"===e.name,s=n?new t("Refresh token timeout (servidor no responde)",408):e instanceof t?e:new t(e.message||"Error refrescando sesión",401),o=Math.min(i.RETRY_BASE_MS*Math.pow(2,this.S),i.MAX_RETRY_MS);return n?console.error(`[DYPAI SDK] ⏱️ Timeout en refresh después de ${i.REFRESH_TIMEOUT_MS/1e3}s. Backoff: ${o}ms (intento ${this.S})`):console.error("[DYPAI SDK] ❌ Refresh falló:",s.message,`(status: ${s.status}). Backoff: ${o}ms (intento ${this.S})`),this.S>=i.MAX_REFRESH_FAILURES&&(console.error(`[DYPAI SDK] 🗑️ ${this.S} fallos consecutivos de refresh. Sesión irrecuperable. Limpiando...`),this.P(`${this.S} consecutive refresh failures`),this.S=0),{data:null,error:s}}}async signInWithOtp(e){return s((async()=>{const n=this.config.baseUrl||"http://localhost:8000",s=await fetch(`${n}/auth/v1/otp`,{method:"POST",headers:{"Content-Type":"application/json",...this.config.apiKey&&{apikey:this.config.apiKey}},body:JSON.stringify(e)});if(!s.ok){const e=await s.json();throw new t(e.detail||"OTP request failed",s.status)}return await s.json()})())}async verifyOtp(e){return s((async()=>{const n=this.config.baseUrl||"http://localhost:8000",s=await fetch(`${n}/auth/v1/verify`,{method:"POST",headers:{"Content-Type":"application/json",...this.config.apiKey&&{apikey:this.config.apiKey}},body:JSON.stringify(e)});if(!s.ok){const e=await s.json();throw new t(e.detail||"OTP verification failed",s.status)}const i=await s.json(),o={token:i.access_token,refreshToken:i.refresh_token,expiresIn:i.expires_in,expiresAt:Math.floor(Date.now()/1e3)+(i.expires_in||3600),user:this._(i)};return o.token&&await this.$(o),o})())}async updateUser(e){return s((async()=>{if(!this.i)throw new t("No hay sesión activa",401);const n=`${this.config.baseUrl||"http://localhost:8000"}/auth/v1/user`,s=await fetch(n,{method:"PUT",headers:{"Content-Type":"application/json",Authorization:`Bearer ${this.i}`,...this.config.apiKey&&{apikey:this.config.apiKey}},body:JSON.stringify(e)});if(!s.ok){const e=await s.json();throw new t(e.detail||"Update user failed",s.status)}const i=await s.json(),o=this._(i);return this.k(o),o})())}startAutoRefresh(){this.stopAutoRefresh(),console.log("[DYPAI SDK] ⏱️ Auto-refresh iniciado (tick cada 30s)."),this.O(),this.p=setInterval(()=>this.O(),i.AUTO_REFRESH_TICK_DURATION_MS)}stopAutoRefresh(){this.p&&(console.log("[DYPAI SDK] ⏹️ Auto-refresh detenido."),clearInterval(this.p),this.p=null)}async O(){try{const t=Math.floor(Date.now()/1e3),e=this.h||0;if(!this.o||!e)return;if(1e3*(e-t)>i.AUTO_REFRESH_TICK_THRESHOLD*i.AUTO_REFRESH_TICK_DURATION_MS)return;if(this.S>0){const t=Math.min(i.RETRY_BASE_MS*Math.pow(2,this.S),i.MAX_RETRY_MS);if(Date.now()-this.D<t)return}console.log(`[DYPAI SDK] ⏱️ Auto-refresh tick: token expira en ${e-t}s. Refrescando...`),await this.refreshSession()}catch(t){console.error("[DYPAI SDK] ❌ Error en auto-refresh tick:",t)}}_(t){if(!t)return console.warn("[DYPAI SDK] ⚠️ Intentando normalizar un usuario inexistente (data es null/undefined)"),{};const e=t.user||t,n=e.app_metadata||{},s=e.user_metadata||{};return{id:e.id,email:e.email,phone:e.phone,role:n.role||e.role,created_at:e.created_at,updated_at:e.updated_at,confirmed_at:e.confirmed_at,last_sign_in_at:e.last_sign_in_at,app_metadata:n,user_metadata:s,U:{name:n.role||"authenticated",weight:0},Y:{app_id:"default"}}}async $(t){t.token&&(this.i=t.token,this.o=t.refreshToken||null,this.h=t.expiresAt||null,await this.k(t.user,t.token,t.refreshToken,t.expiresAt),console.log(`[DYPAI SDK] 💾 Sesión persistida en storage (expires_at: ${this.h}, has_refresh: ${!!this.o})`),this.startAutoRefresh())}async k(t,e,n,s){this.t=t,e&&(this.i=e),void 0!==n&&(this.o=n||null),void 0!==s&&(this.h=s||null);try{if(this.i&&this.t){const t={access_token:this.i,refresh_token:this.o,expires_at:this.h,user:this.t};await this.storage.setItem(this.STORAGE_KEY,JSON.stringify(t))}else console.warn("[DYPAI SDK] ⚠️ _updateUser: No se guardó sesión porque falta token o user.",{hasToken:!!this.i,hasUser:!!this.t})}catch(t){console.error("[DYPAI SDK] ❌ Error guardando sesión en storage:",t)}const i=e?"SIGNED_IN":"USER_UPDATED";this.K(i)}async P(t="unknown"){console.log(`[DYPAI SDK] 🧹 Limpiando sesión del estado y storage. Motivo: ${t}`),this.i=null,this.o=null,this.t=null,this.h=null,this.stopAutoRefresh();try{await this.storage.removeItem(this.STORAGE_KEY),console.log("[DYPAI SDK] ✅ Storage limpiado con éxito.")}catch(t){console.error("[DYPAI SDK] ❌ Error eliminando sesión de storage:",t)}this.K("SIGNED_OUT")}async I(t=!0){console.log("[DYPAI SDK] 🔍 Iniciando recuperación de sesión...");try{const e=await this.storage.getItem(this.STORAGE_KEY);if(e){console.log("[DYPAI SDK] ✅ Sesión consolidada encontrada. Restaurando datos...");const t=JSON.parse(e);this.i=t.access_token,this.o=t.refresh_token,this.h=t.expires_at,this.t=t.user}else{console.log("[DYPAI SDK] ℹ️ No hay sesión consolidada. Buscando llaves antiguas para migración...");const t=this.STORAGE_KEY.replace("dypai-","").replace("-auth-session",""),e=await this.storage.getItem(`dypai-auth-token-${t}`),n=await this.storage.getItem(`dypai-auth-user-${t}`);if(!e||!n)return void console.log("[DYPAI SDK] ℹ️ No se encontró ninguna sesión (storage vacío).");{console.log("[DYPAI SDK] 🚚 Migración: Datos antiguos detectados. Consolidando...");const s=JSON.parse(n);this.i=e,this.t=s;const i=await this.storage.getItem(`dypai-auth-refresh-token-${t}`),o=await this.storage.getItem(`dypai-auth-expires-at-${t}`);this.o=i,this.h=o?parseInt(o,10):null,await this.k(s,this.i||void 0,this.o||void 0,this.h||void 0);const a=[`dypai-auth-token-${t}`,`dypai-auth-refresh-token-${t}`,`dypai-auth-user-${t}`,`dypai-auth-expires-at-${t}`];for(const t of a)try{await this.storage.removeItem(t)}catch(t){}console.log("[DYPAI SDK] ✨ Migración completada con éxito.")}}const n=Math.floor(Date.now()/1e3),s=this.h&&this.h<=n;if(console.log(`[DYPAI SDK] 🕒 Token expira en: ${this.h}. Ahora es: ${n}. Diferencia: ${(this.h||0)-n}s`),s&&this.o&&t){console.log("[DYPAI SDK] ⚠️ El Access Token ha caducado. Intentando refrescar sesión inmediatamente...");const t=await this.refreshSession();if(t.error)return void console.error("[DYPAI SDK] ❌ El refresco falló:",t.error.message)}else this.h&&console.log("[DYPAI SDK] ✨ Sesión válida. Iniciando auto-refresh.");this.K("SIGNED_IN")}catch(t){console.error("[DYPAI SDK] ❌ Error crítico durante la recuperación de sesión:",t)}}A(){return this.i&&this.t?{access_token:this.i,refresh_token:this.o||void 0,expires_at:this.h||void 0,token_type:"bearer",user:this.t}:null}K(t="USER_UPDATED"){const e=this.A();console.log(`[DYPAI SDK] 📢 Notificando a ${this.l.length} suscriptores: Evento=${t} (Sesión activa: ${!!e})`),this.l.forEach(n=>n(t,e))}handleSessionExpired(){this.P("handleSessionExpired called (likely 401 from API)")}}i.REFRESH_TIMEOUT_MS=15e3,i.MAX_REFRESH_FAILURES=5,i.AUTO_REFRESH_TICK_DURATION_MS=3e4,i.AUTO_REFRESH_TICK_THRESHOLD=3,i.RETRY_BASE_MS=200,i.MAX_RETRY_MS=3e4,i.LOCK_ACQUIRE_TIMEOUT_MS=5e3;class o{constructor(t){this.api=t}from(t){return new a(t,this.api)}}class a{constructor(t,e){this.table=t,this.api=e}async select(t={}){return this.api.get(this.table,{params:t})}async insert(t){return this.api.post(this.table,t)}async update(t,e){return this.api.patch(`${this.table}/${t}`,e)}async delete(t){return this.api.delete(`${this.table}/${t}`)}}async function r(e){try{return{data:await e,error:null}}catch(e){return{data:null,error:e instanceof t?e:new t(e.message||"Error desconocido",e.status||500)}}}class c{constructor(t){this.api=t}async list(t={}){return r(this.api.get("admin/users",{params:t}))}async create(t){return r(this.api.post("admin/users",{body:t}))}async update(t,e){return r(this.api.put(`admin/users/${t}`,{body:e}))}async delete(t){return r(this.api.delete(`admin/users/${t}`))}}let h=null;function l(t){h=t}const u=t=>{const{title:e,description:n,variant:s="default"}=t,i=`${"error"===s?"❌":"success"===s?"✅":"warning"===s?"⚠️":"info"===s?"ℹ️":"📢"} ${e}${n?`: ${n}`:""}`;"error"===s?console.error(i):"warning"===s?console.warn(i):console.log(i)};function d(){const t=h||u;return{toast:t,toastSuccess:(e,n)=>t({title:e,description:n,variant:"success"}),toastError:(e,n)=>t({title:e,description:n,variant:"error"}),toastWarning:(e,n)=>t({title:e,description:n,variant:"warning"}),toastInfo:(e,n)=>t({title:e,description:n,variant:"info"})}}const p=t=>(h||u)(t),f=(t,e)=>p({title:t,description:e,variant:"success"}),y=(t,e)=>p({title:t,description:e,variant:"error"}),w=(t,e)=>p({title:t,description:e,variant:"warning"}),S=(t,e)=>p({title:t,description:e,variant:"info"});let D={},m=null;function g(t){m=t}function I(t){D={...D,...t}}const v=new Map;function A(){let t=D;try{const{getGlobalConfig:e}=require("../config/global-config");t={...e(),...D}}catch(t){}return t}async function _(e,n,s,i,o,a,r,c){const h=A(),l=c||null;if(!l&&!s.startsWith("http"))throw new Error("Base URL no definida. Usa createClient(url, key).");if("string"!=typeof s||!s.trim())throw new Error("Endpoint debe ser un string válido");let u;if(s.startsWith("http"))u=s;else{const t=l.replace(/\/+$/,"");u=s.startsWith("/")?t+s:t+"/api/v0/"+s}if(a&&Object.keys(a).length>0){const t=new URLSearchParams,e=(n,s)=>{null!=s&&(Array.isArray(s)?s.forEach((t,s)=>e(`${n}[${s}]`,t)):"object"==typeof s?Object.entries(s).forEach(([t,s])=>e(`${n}[${t}]`,s)):t.append(n,String(s)))};Object.entries(a).forEach(([t,n])=>e(t,n));const n=t.toString();n&&(u+=`?${n}`)}const d="GET"===n?`${n}:${u}:${JSON.stringify(i)}`:null;if(d&&v.has(d))return v.get(d);const f=i instanceof FormData,y={...h.headers||{},...f?{}:{"Content-Type":"application/json"},...e&&{Authorization:`Bearer ${e}`},...r&&{"x-api-key":r}},w={method:n,headers:y,credentials:"include"};i&&"GET"!==n&&"DELETE"!==n&&(w.body=f?i:JSON.stringify(i));const S=h.fetch||("undefined"!=typeof window?window.fetch.bind(window):fetch);if(!S)throw new Error("Fetch no disponible.");const D=(async()=>{const e=A().toast||p,l=(void 0!==o?o:!1!==h.showToasts)&&e;try{const d=await S(u,w);if(!d.ok){let u,p="Error en la petición";try{const t=await d.text();try{const e=JSON.parse(t);u=e,p=e.message||e.msg||e.error_description||e.error||p}catch{t.length<200&&(p=t)}}catch{}if(401===d.status&&h.onTokenExpired){console.log("[DYPAI SDK] 🔄 Token caducado detectado. Intentando refresco atómico...");try{const t=await h.onTokenExpired();if(t)return console.log("[DYPAI SDK] ✅ Token refrescado con éxito. Reintentando petición..."),_(t,n,s,i,o,a,r,c)}catch(t){console.error("[DYPAI SDK] ❌ Error durante el intento de refresco:",t)}}throw l&&e({title:"Error",description:p,variant:"error"}),new t(p,d.status,void 0,u)}!l||"POST"!==n&&"PUT"!==n&&"PATCH"!==n&&"DELETE"!==n||e({title:"Éxito",description:"Operación completada",variant:"success"});const p=d.headers.get("content-type")||"";return p.includes("application/pdf")||p.includes("image/")||p.includes("audio/")||p.includes("video/")||p.includes("application/octet-stream")||p.includes("application/zip")||p.includes("application/vnd.openxmlformats-officedocument")?await d.blob():p.includes("application/json")?await d.json():await d.text()}finally{d&&v.delete(d)}})();return d&&v.set(d,D),D}function $(t){return t&&"object"==typeof t?{...t,upload_url:t.upload_url||t.uploadUrl||t.url,storage_path:t.storage_path||t.storagePath}:null}function k(t,e){return async(n,s,i)=>{const o=t();let a,r={};s&&"object"==typeof s&&("token"in s||"params"in s||"apiKey"in s)?(r=s,a=r.body):(a=s,r=i||{});const c=r.token||o.token||(m?m():"")||"",h=r.apiKey||o.apiKey;return _(c,e,n,a,r.showToasts,r.params,h,o.baseUrl)}}function P(t){const e=()=>"function"==typeof t?t():t;return{get:T(e,"GET"),post:T(e,"POST"),put:T(e,"PUT"),patch:T(e,"PATCH"),delete:T(e,"DELETE")}}function T(t,e){return async(n,s,i)=>{const o=t(),a=await async function(t,e){let n,s={};t&&"object"==typeof t&&("token"in t||"params"in t||"apiKey"in t)?(s=t,n=s.body):(n=t,s=e||{});let i=s.token;return!i&&m&&(i=m()||""),i=i||"",{token:i,apiKey:s.apiKey,body:n,params:s.params,showToasts:s.showToasts}}(s,i),r=a.token||o.token||"",c=a.apiKey||o.apiKey;return _(r,e,n,a.body,a.showToasts,a.params,c,o.baseUrl)}}class E{constructor(t){this.api=t}from(t){return new b(t,this.api)}}class b{constructor(t,e){this.bucketName=t,this.api=e}async upload(e,n,s={}){return K(async()=>{const i=s.uploadEndpoint||`storage_upload_${this.bucketName}`,o={file_path:e,client_upload:s.clientUpload??!1,...s.params};if(s.clientUpload)return await async function(e,n,s,i){const o=await e.post(n,{file_path:s.name,content_type:s.type||"application/octet-stream",size_bytes:s.size,confirm:!1,client_upload:!0,...i?.params||{}});console.log("[SmartUpload] prepareData:",o);const a=function(t){if(!t||"object"!=typeof t)return null;const e=t.upload_url||t.uploadUrl||t.url?t:null;if(e?.upload_url)return $(e);const n=[t.data,t.result,t.output,t.payload].filter(Boolean);for(const t of n)if(t&&(t.upload_url||t.uploadUrl||t.url))return $(t);const s=[t.steps_results,t.nodes_results].filter(Boolean);for(const t of s){const e=Array.isArray(t)?t:Object.values(t);for(const t of e)if(t&&(t.upload_url||t.uploadUrl||t.url))return $(t)}return null}(o);if(console.log("[SmartUpload] preparedPayload:",a),!a?.upload_url)throw new t("El workflow no devolvió una URL de subida válida (¿falta storage.upload?)",400);const{upload_url:r,method:c="PUT",headers:h={},file_path:l,storage_path:u}=a;i?.onProgress&&i.onProgress(10),console.log("[SmartUpload] uploadRequest:",{upload_url:r,method:c,headers:h,file_path:l});const d=await fetch(r,{method:c,headers:{"Content-Type":s.type||"application/octet-stream",...h},body:s});if(console.log("[SmartUpload] uploadResponse:",{ok:d.ok,status:d.status}),!d.ok)throw new t("Error en la subida directa a la nube",d.status);i?.onProgress&&i.onProgress(90);const p=i?.confirmEndpoint||n,f=await e.post(p,{...i?.params,bucket:a.bucket||i?.params?.bucket,file_path:l,storage_path:u,filename:s.name,content_type:s.type||"application/octet-stream",size_bytes:s.size,confirm:!0,client_upload:!0});return console.log("[SmartUpload] confirmResult:",f),i?.onProgress&&i.onProgress(100),f}(this.api,i,n,{confirmEndpoint:s.confirmEndpoint,params:o,onProgress:s.onProgress});const a=s.contentType||n.type||"application/octet-stream",r=await async function(t){return new Promise((e,n)=>{const s=new FileReader;s.onload=()=>e(String(s.result)),s.onerror=()=>n(s.error),s.readAsDataURL(t)})}(n);return await this.api.post(i,{...o,content:r,content_type:a,size_bytes:n.size,confirm:!0})})}async download(t,e={}){return K(async()=>{const n=e.downloadEndpoint||`storage_download_${this.bucketName}`,s={bucket:this.bucketName,file_path:t,...e.params};await async function(t,e,n,s){const i=s?.method,o=await("GET"===i?t.get(e,{params:s?.params}):t.post(e,n,{params:s?.params}));if(o instanceof Blob){const t=window.URL.createObjectURL(o),e=document.createElement("a");e.href=t,e.download=s?.fileName||"archivo-descargado",document.body.appendChild(e),e.click(),window.URL.revokeObjectURL(t),document.body.removeChild(e)}else if(o&&"object"==typeof o&&("url"in o||"signed_url"in o||"signedUrl"in o)){const t=o.url||o.signed_url||o.signedUrl;if("string"==typeof t){const e=new URL(t).searchParams.get("response-content-disposition");let n;if(e){const t=decodeURIComponent(e).match(/filename\*?=(?:UTF-8''|")?([^";]+)/i);t?.[1]&&(n=t[1].replace(/"/g,""))}const i=s?.fileName||n;if(i){const e=document.createElement("a");e.href=t,e.download=i,document.body.appendChild(e),e.click(),document.body.removeChild(e)}else window.open(t,"_blank")}}}(this.api,n,s,{fileName:e.fileName,method:e.method||"POST"})})}async createSignedUrl(t,e=15,n={}){return K(async()=>{const s=n.endpoint||`storage_download_${this.bucketName}`,i={bucket:this.bucketName,file_path:t,expires_minutes:e,download:!1,...n.params},o=await this.api.post(s,i);return{signedUrl:o.signed_url||o.signedUrl||o.url,expiresIn:o.expires_in||o.expiresIn||e,path:t}})}getPublicUrl(t){const e=t.replace(/^\/+/,"");return{data:{publicUrl:`${this.api.baseUrl||""}/storage/v1/render/public/${this.bucketName}/${e}`}}}async list(t="",e={}){return K(async()=>{const n=e.endpoint||`storage_list_${this.bucketName}`,s={bucket:this.bucketName,prefix:t||e.prefix||"",limit:e.limit,offset:e.offset,sort_by:e.sortBy,order:e.order,search:e.search,...e.params},i=await this.api.post(n,s);return{data:i.data||i.files||[],total:i.total,hasMore:i.has_more||i.hasMore||!1}})}async remove(t,e={}){return K(async()=>{const n=e.endpoint||`storage_delete_${this.bucketName}`,s=Array.isArray(t)?t:[t],i={bucket:this.bucketName,paths:s,...e.params};return await this.api.post(n,i),{success:!0}})}async move(e,n,s={}){return K(async()=>{throw new t("move() no está soportado por el engine actual. Crea un endpoint personalizado.",400)})}async copy(e,n,s={}){return K(async()=>{throw new t("copy() no está soportado por el engine actual. Crea un endpoint personalizado.",400)})}}async function K(e){try{return{data:await e(),error:null}}catch(e){return{data:null,error:e instanceof t?e:new t(e.message||"Error de storage",e.status||500)}}}class O{constructor(t){const{baseUrl:e,apiKey:n}=t,s=t.auth?.storageKey||t.storageKey;t.global&&function(t){D={...D,...t}}(t.global),this.auth=new i({baseUrl:e,apiKey:n,storageKey:s,storage:t.auth?.storage,autoRefreshToken:t.auth?.autoRefreshToken,persistSession:t.auth?.persistSession},null);const a={get:k(r=()=>({token:this.auth.token,apiKey:n,baseUrl:e}),"GET"),post:k(r,"POST"),put:k(r,"PUT"),patch:k(r,"PATCH"),delete:k(r,"DELETE")};var r;this.auth.api=a,this.db=new o(a),this.users=new c(a),this.storage=new E(a),this.api=P(()=>({token:this.auth.token||"",apiKey:n,baseUrl:e})),g(()=>this.auth.token),I({onTokenExpired:async()=>{const t=await this.auth.refreshSession();if(t.error)throw t.error;return t.data?.token||null},onUnauthorized:()=>this.auth.handleSessionExpired()})}from(t){return this.db.from(t)}async me(){return this.auth.getUser()}}function U(t,e,n){if(!t||!e)throw new Error("createClient() requiere URL y API Key");return new O({baseUrl:t,apiKey:e,...n})}let Y={};function N(t){Y={...Y,toast:p,...t},R()}function x(){return{...Y}}function R(){try{const{configureApiService:t}=require("../services/ApiService");t(Y)}catch(t){}}function C(){Y={},R()}async function j(){R()}const M={name:"@dypai-ai/client-sdk",version:"0.0.1",description:"Cliente JavaScript para Dypai Engine",features:["API REST autenticada","Smart Storage (Upload/Download delegado)","Gestión de usuarios (Admin)"]};export{O as DypaiClient,M as PACKAGE_INFO,_ as callApi,I as configureApiService,N as configureDypaiServices,P as createApiClient,U as createClient,x as getGlobalConfig,j as reloadDypaiConfig,C as resetGlobalConfig,l as setToastFunction,g as setTokenProvider,p as toast,y as toastError,S as toastInfo,f as toastSuccess,w as toastWarning,d as useToast};
|
|
1
|
+
class t extends Error{constructor(t,e=500,i,n){super(t),this.status=e,this.code=i,this.details=n,this.name="DypaiError"}}let e=!1;function i(t,...i){"error"===t?console.error(...i):e&&("warn"===t?console.warn(...i):console.log(...i))}class n{constructor(){this.promise=new Promise((t,e)=>{this.resolve=t,this.reject=e})}}const s={getItem:t=>"undefined"==typeof window?null:window.localStorage.getItem(t),setItem:(t,e)=>{if("undefined"!=typeof window)try{window.localStorage.setItem(t,e)}catch(t){console.error("[DYPAI SDK] ❌ Error crítico guardando en localStorage (¿Quota/Permisos?):",t)}},removeItem:t=>{if("undefined"!=typeof window)try{window.localStorage.removeItem(t)}catch(t){}}};async function r(e){try{return{data:await e,error:null}}catch(e){return{data:null,error:e instanceof t?e:new t(e.message||"Error de autenticación",e.status||400)}}}class o{constructor(t,n=null){this.config=t,this.t=null,this.i=null,this.o=null,this.h=null,this.l=[],this.u=null,this.p=null,this.S=0,this.D=0,this.storage=t.storage||s,e=!!t.debug;const r=t.storageKey||this.deriveStorageKey(t.apiKey);i("log",`[DYPAI SDK] 🛠️ Inicializando AuthModule (storageKey: ${r})`),this.STORAGE_KEY=`dypai-${r}-auth-session`,this.m=this.v().then(()=>{this.i&&(this.getUser().catch(()=>{}),this.startAutoRefresh())}),"undefined"!=typeof window&&(window.addEventListener("visibilitychange",this.I.bind(this)),window.addEventListener("focus",this.I.bind(this)),window.addEventListener("storage",t=>{t.key===this.STORAGE_KEY&&(i("log","[DYPAI SDK] 🔄 Sesión actualizada en otra pestaña. Sincronizando..."),this.v(!1))}))}async I(){"undefined"!=typeof document&&"visible"===document.visibilityState&&(i("log","[DYPAI SDK] 👁️ Ventana visible. Sincronizando estado y reiniciando auto-refresh..."),await this.v(!0),this.i&&this.startAutoRefresh())}deriveStorageKey(t){return t?t.substring(0,8):"default"}get user(){return this.t}get token(){return this.i}onAuthStateChange(t){return i("log","[DYPAI SDK] 👂 Nuevo suscriptor añadido a onAuthStateChange"),this.l.push(t),this.m.then(()=>{const e=this.A(),n=e?"SIGNED_IN":"INITIAL_SESSION";i("log",`[DYPAI SDK] 📣 Notificando estado inicial a nuevo suscriptor: ${n} (Sesión activa: ${!!e})`),t(n,e)}).catch(e=>{i("error","[DYPAI SDK] ❌ Error esperando recuperación de sesión para suscriptor:",e),t("INITIAL_SESSION",null)}),{data:{subscription:{unsubscribe:()=>{this.l=this.l.filter(e=>e!==t)}}}}}async signInWithPassword(e){return r((async()=>{const i=`${this.config.baseUrl||"http://localhost:8000"}/auth/v1/token?grant_type=password`,n={email:e.email||e.identifier||"",password:e.password},s=await fetch(i,{method:"POST",headers:{"Content-Type":"application/json",...this.config.apiKey&&{apikey:this.config.apiKey}},body:JSON.stringify(n)});if(!s.ok){const e=await s.json();throw new t(e.msg||e.error_description||"Login failed",s.status)}const r=await s.json(),o={token:r.access_token,refreshToken:r.refresh_token,expiresIn:r.expires_in,expiresAt:Math.floor(Date.now()/1e3)+(r.expires_in||3600),user:this._(r)};return await this.P(o),o})())}async login(t){return this.signInWithPassword(t)}async signUp(e){return r((async()=>{const i=`${this.config.baseUrl||"http://localhost:8000"}/auth/v1/signup`,n={email:e.email,password:e.password,data:e.user_data||{}},s=await fetch(i,{method:"POST",headers:{"Content-Type":"application/json",...this.config.apiKey&&{apikey:this.config.apiKey}},body:JSON.stringify(n)});if(!s.ok){const e=await s.json();throw new t(e.msg||e.error_description||"Registration failed",s.status)}const r=await s.json(),o={token:r.access_token,refreshToken:r.refresh_token,expiresIn:r.expires_in,expiresAt:Math.floor(Date.now()/1e3)+(r.expires_in||3600),user:this._(r)};return o.token&&await this.P(o),o})())}async register(t){return this.signUp(t)}async getSession(){try{if(!this.i||!this.t)return{data:null,error:null};const t=Math.floor(Date.now()/1e3);return(this.h||0)-t<30&&this.o&&(i("log","[DYPAI SDK] ⏳ getSession: Token próximo a expirar. Refrescando..."),await this.refreshSession().catch(t=>i("warn","[DYPAI SDK] Error refreshing session in getSession:",t))),{data:{access_token:this.i,refresh_token:this.o||void 0,token_type:"bearer",user:this.t},error:null}}catch(e){return{data:null,error:new t(e.message,500)}}}async getUser(){return r((async()=>{if(!this.i)throw new t("No hay sesión activa",401);const e=`${this.config.baseUrl||"http://localhost:8000"}/auth/v1/user`,i=await fetch(e,{headers:{Authorization:`Bearer ${this.i}`,...this.config.apiKey&&{apikey:this.config.apiKey}}});if(!i.ok)throw new t("Session invalid",i.status);const n=await i.json(),s=this._(n);return this.$(s),s})())}async me(){return this.getUser()}async signInWithOAuth(e,i={}){return r((async()=>{if("undefined"==typeof window)throw new t("signInWithOAuth requiere un entorno de navegador (window no está disponible)",400);const{redirectTo:n=window.location.href}=i,s=`${this.config.baseUrl||"http://localhost:8000"}/auth/v1/authorize?provider=${e}&redirect_to=${encodeURIComponent(n)}`;window.location.href=s})())}async signOut(){return r((async()=>{try{if(this.i){const t=this.config.baseUrl||"http://localhost:8000";await fetch(`${t}/auth/v1/logout`,{method:"POST",headers:{Authorization:`Bearer ${this.i}`,...this.config.apiKey&&{apikey:this.config.apiKey}}})}}finally{this.k("signOut called")}})())}async logout(){return this.signOut()}async resetPasswordForEmail(e){return r((async()=>{const i=this.config.baseUrl||"http://localhost:8000",n=await fetch(`${i}/auth/v1/recover`,{method:"POST",headers:{"Content-Type":"application/json"},body:JSON.stringify({email:e})});if(!n.ok)throw new t("Recovery failed",n.status);return await n.json()})())}async recoverPassword(t){return this.resetPasswordForEmail(t.email)}async refreshSession(){if(this.u)return i("log","[DYPAI SDK] 🔄 Refresco de sesión ya en curso. Esperando resolución..."),this.u.promise;const e=new n;this.u=e;const s=`lock:${this.STORAGE_KEY}`;return(async()=>{try{const t=await async function(t,e,i){if("undefined"!=typeof globalThis&&globalThis.navigator?.locks?.request){const n=new AbortController,s=setTimeout(()=>n.abort(),e);try{return await globalThis.navigator.locks.request(t,{signal:n.signal},async()=>(clearTimeout(s),await i()))}catch(n){if("AbortError"===n.name)return console.warn(`[DYPAI SDK] ⚠️ Web Lock "${t}" timeout (${e}ms). Proceeding without lock.`),await i();throw n}}return await i()}(s,o.LOCK_ACQUIRE_TIMEOUT_MS,()=>this.T());e.resolve(t)}catch(i){const n=i instanceof t?i:new t(i.message||"Error refrescando sesión",401);e.resolve({data:null,error:n})}finally{this.u=null}})(),e.promise}async T(){try{const e=await this.storage.getItem(this.STORAGE_KEY);if(e){const t=JSON.parse(e),n=t.expires_at||0,s=Math.floor(Date.now()/1e3);if(t.access_token!==this.i&&n-s>60)return i("log","[DYPAI SDK] 🔄 Otra pestaña ya refrescó el token. Adoptando sesión del storage."),this.i=t.access_token,this.o=t.refresh_token,this.h=t.expires_at,this.t=t.user,this.S=0,this.K("TOKEN_REFRESHED"),{data:{token:this.i,refreshToken:this.o||void 0,expiresAt:this.h||void 0,user:this.t},error:null}}if(!this.o)throw new t("No hay refresh token disponible",401);i("log","[DYPAI SDK] 🔄 Iniciando refresco de sesión con Refresh Token...");const n=`${this.config.baseUrl||"http://localhost:8000"}/auth/v1/token?grant_type=refresh_token`,s=new AbortController,r=setTimeout(()=>s.abort(),o.REFRESH_TIMEOUT_MS);let a;try{a=await fetch(n,{method:"POST",headers:{"Content-Type":"application/json",...this.config.apiKey&&{apikey:this.config.apiKey}},body:JSON.stringify({refresh_token:this.o}),signal:s.signal})}finally{clearTimeout(r)}if(!a.ok){let e={};try{e=await a.json()}catch{}const n=a.status,s=e.error||e.code||"",r=(e.error_description||e.msg||"").toLowerCase(),o="invalid_grant"===s||r.includes("invalid refresh token")||r.includes("revoked");throw n>=400&&n<500&&o?(i("error","[DYPAI SDK] ❌ Error DEFINITIVO en refresco (Token inválido/revocado). Limpiando sesión."),this.k(`refreshSession failed (${n}: ${s})`)):i("warn",`[DYPAI SDK] ⚠️ Fallo en refresco (${n}). Posible error de red o servidor temporal. MANTENIENDO SESIÓN.`),new t(e.msg||e.error_description||"Refresh session failed",n)}const c=await a.json(),h={token:c.access_token,refreshToken:c.refresh_token,expiresIn:c.expires_in,expiresAt:Math.floor(Date.now()/1e3)+(c.expires_in||3600),user:this._(c)};return this.S=0,await this.P(h),i("log",`[DYPAI SDK] ✅ Refresh exitoso. Nuevo token expira en ${h.expiresAt} (en ${h.expiresIn}s). Refresh token actualizado: ${!!h.refreshToken}`),{data:h,error:null}}catch(e){this.S++,this.D=Date.now();const n=e instanceof DOMException&&"AbortError"===e.name,s=n?new t("Refresh token timeout (servidor no responde)",408):e instanceof t?e:new t(e.message||"Error refrescando sesión",401),r=Math.min(o.RETRY_BASE_MS*Math.pow(2,this.S),o.MAX_RETRY_MS);return n?i("error",`[DYPAI SDK] ⏱️ Timeout en refresh después de ${o.REFRESH_TIMEOUT_MS/1e3}s. Backoff: ${r}ms (intento ${this.S})`):i("error","[DYPAI SDK] ❌ Refresh falló:",s.message,`(status: ${s.status}). Backoff: ${r}ms (intento ${this.S})`),this.S>=o.MAX_REFRESH_FAILURES&&(i("error",`[DYPAI SDK] 🗑️ ${this.S} fallos consecutivos de refresh. Sesión irrecuperable. Limpiando...`),this.k(`${this.S} consecutive refresh failures`),this.S=0),{data:null,error:s}}}async signInWithOtp(e){return r((async()=>{const i=this.config.baseUrl||"http://localhost:8000",n=await fetch(`${i}/auth/v1/otp`,{method:"POST",headers:{"Content-Type":"application/json",...this.config.apiKey&&{apikey:this.config.apiKey}},body:JSON.stringify(e)});if(!n.ok){const e=await n.json();throw new t(e.detail||"OTP request failed",n.status)}return await n.json()})())}async verifyOtp(e){return r((async()=>{const i=this.config.baseUrl||"http://localhost:8000",n=await fetch(`${i}/auth/v1/verify`,{method:"POST",headers:{"Content-Type":"application/json",...this.config.apiKey&&{apikey:this.config.apiKey}},body:JSON.stringify(e)});if(!n.ok){const e=await n.json();throw new t(e.detail||"OTP verification failed",n.status)}const s=await n.json(),r={token:s.access_token,refreshToken:s.refresh_token,expiresIn:s.expires_in,expiresAt:Math.floor(Date.now()/1e3)+(s.expires_in||3600),user:this._(s)};return r.token&&await this.P(r),r})())}async updateUser(e){return r((async()=>{if(!this.i)throw new t("No hay sesión activa",401);const i=`${this.config.baseUrl||"http://localhost:8000"}/auth/v1/user`,n=await fetch(i,{method:"PUT",headers:{"Content-Type":"application/json",Authorization:`Bearer ${this.i}`,...this.config.apiKey&&{apikey:this.config.apiKey}},body:JSON.stringify(e)});if(!n.ok){const e=await n.json();throw new t(e.detail||"Update user failed",n.status)}const s=await n.json(),r=this._(s);return this.$(r),r})())}startAutoRefresh(){this.stopAutoRefresh(),i("log","[DYPAI SDK] ⏱️ Auto-refresh iniciado (tick cada 30s)."),this.O(),this.p=setInterval(()=>this.O(),o.AUTO_REFRESH_TICK_DURATION_MS)}stopAutoRefresh(){this.p&&(i("log","[DYPAI SDK] ⏹️ Auto-refresh detenido."),clearInterval(this.p),this.p=null)}async O(){try{const t=Math.floor(Date.now()/1e3),e=this.h||0;if(!this.o||!e)return;if(1e3*(e-t)>o.AUTO_REFRESH_TICK_THRESHOLD*o.AUTO_REFRESH_TICK_DURATION_MS)return;if(this.S>0){const t=Math.min(o.RETRY_BASE_MS*Math.pow(2,this.S),o.MAX_RETRY_MS);if(Date.now()-this.D<t)return}i("log",`[DYPAI SDK] ⏱️ Auto-refresh tick: token expira en ${e-t}s. Refrescando...`),await this.refreshSession()}catch(t){i("error","[DYPAI SDK] ❌ Error en auto-refresh tick:",t)}}_(t){if(!t)return i("warn","[DYPAI SDK] ⚠️ Intentando normalizar un usuario inexistente (data es null/undefined)"),{};const e=t.user||t,n=e.app_metadata||{},s=e.user_metadata||{};return{id:e.id,email:e.email,phone:e.phone,role:n.role||e.role,created_at:e.created_at,updated_at:e.updated_at,confirmed_at:e.confirmed_at,last_sign_in_at:e.last_sign_in_at,app_metadata:n,user_metadata:s,Y:{name:n.role||"authenticated",weight:0},N:{app_id:"default"}}}async P(t){t.token&&(this.i=t.token,this.o=t.refreshToken||null,this.h=t.expiresAt||null,await this.$(t.user,t.token,t.refreshToken,t.expiresAt),i("log",`[DYPAI SDK] 💾 Sesión persistida en storage (expires_at: ${this.h}, has_refresh: ${!!this.o})`),this.startAutoRefresh())}async $(t,e,n,s){this.t=t,e&&(this.i=e),void 0!==n&&(this.o=n||null),void 0!==s&&(this.h=s||null);try{if(this.i&&this.t){const t={access_token:this.i,refresh_token:this.o,expires_at:this.h,user:this.t};await this.storage.setItem(this.STORAGE_KEY,JSON.stringify(t))}else i("warn","[DYPAI SDK] ⚠️ _updateUser: No se guardó sesión porque falta token o user.")}catch(t){i("error","[DYPAI SDK] ❌ Error guardando sesión en storage:",t)}const r=e?"SIGNED_IN":"USER_UPDATED";this.K(r)}async k(t="unknown"){i("log",`[DYPAI SDK] 🧹 Limpiando sesión del estado y storage. Motivo: ${t}`),this.i=null,this.o=null,this.t=null,this.h=null,this.stopAutoRefresh();try{await this.storage.removeItem(this.STORAGE_KEY),i("log","[DYPAI SDK] ✅ Storage limpiado con éxito.")}catch(t){i("error","[DYPAI SDK] ❌ Error eliminando sesión de storage:",t)}this.K("SIGNED_OUT")}async v(t=!0){i("log","[DYPAI SDK] 🔍 Iniciando recuperación de sesión...");try{const e=await this.storage.getItem(this.STORAGE_KEY);if(e){let t;i("log","[DYPAI SDK] ✅ Sesión consolidada encontrada. Restaurando datos...");try{t=JSON.parse(e)}catch{return console.warn("[DYPAI SDK] ⚠️ Sesión en storage corrupta (JSON inválido). Limpiando..."),void await this.storage.removeItem(this.STORAGE_KEY)}if(!t||"object"!=typeof t||"string"!=typeof t.access_token)return console.warn("[DYPAI SDK] ⚠️ Sesión en storage con formato inválido. Limpiando..."),void await this.storage.removeItem(this.STORAGE_KEY);this.i=t.access_token,this.o="string"==typeof t.refresh_token?t.refresh_token:null,this.h="number"==typeof t.expires_at?t.expires_at:null,this.t=t.user&&"object"==typeof t.user?t.user:null}else{i("log","[DYPAI SDK] ℹ️ No hay sesión consolidada. Buscando llaves antiguas para migración...");const t=this.STORAGE_KEY.replace("dypai-","").replace("-auth-session",""),e=await this.storage.getItem(`dypai-auth-token-${t}`),n=await this.storage.getItem(`dypai-auth-user-${t}`);if(!e||!n)return void i("log","[DYPAI SDK] ℹ️ No se encontró ninguna sesión (storage vacío).");{let s;i("log","[DYPAI SDK] 🚚 Migración: Datos antiguos detectados. Consolidando...");try{s=JSON.parse(n)}catch{return void console.warn("[DYPAI SDK] ⚠️ Usuario antiguo en storage corrupto (JSON inválido). Ignorando migración...")}if(!s||"object"!=typeof s)return void console.warn("[DYPAI SDK] ⚠️ Usuario antiguo en storage con formato inválido. Ignorando migración...");this.i=e,this.t=s;const r=await this.storage.getItem(`dypai-auth-refresh-token-${t}`),o=await this.storage.getItem(`dypai-auth-expires-at-${t}`);this.o=r,this.h=o?parseInt(o,10):null,await this.$(s,this.i||void 0,this.o||void 0,this.h||void 0);const a=[`dypai-auth-token-${t}`,`dypai-auth-refresh-token-${t}`,`dypai-auth-user-${t}`,`dypai-auth-expires-at-${t}`];for(const t of a)try{await this.storage.removeItem(t)}catch(t){}i("log","[DYPAI SDK] ✨ Migración completada con éxito.")}}const n=Math.floor(Date.now()/1e3),s=this.h&&this.h<=n;if(i("log",`[DYPAI SDK] 🕒 Token expira en: ${this.h}. Ahora es: ${n}. Diferencia: ${(this.h||0)-n}s`),s&&this.o&&t){i("log","[DYPAI SDK] ⚠️ El Access Token ha caducado. Intentando refrescar sesión inmediatamente...");const t=await this.refreshSession();if(t.error)return void i("error","[DYPAI SDK] ❌ El refresco falló:",t.error.message)}else this.h&&i("log","[DYPAI SDK] ✨ Sesión válida. Iniciando auto-refresh.");this.K("SIGNED_IN")}catch(t){i("error","[DYPAI SDK] ❌ Error crítico durante la recuperación de sesión:",t)}}A(){return this.i&&this.t?{access_token:this.i,refresh_token:this.o||void 0,expires_at:this.h||void 0,token_type:"bearer",user:this.t}:null}K(t="USER_UPDATED"){const e=this.A();i("log",`[DYPAI SDK] 📢 Notificando a ${this.l.length} suscriptores: Evento=${t} (Sesión activa: ${!!e})`),this.l.forEach(i=>i(t,e))}handleSessionExpired(){this.k("handleSessionExpired called (likely 401 from API)")}}o.REFRESH_TIMEOUT_MS=15e3,o.MAX_REFRESH_FAILURES=5,o.AUTO_REFRESH_TICK_DURATION_MS=3e4,o.AUTO_REFRESH_TICK_THRESHOLD=3,o.RETRY_BASE_MS=200,o.MAX_RETRY_MS=3e4,o.LOCK_ACQUIRE_TIMEOUT_MS=5e3;class a{constructor(t){this.api=t}from(t){return new c(t,this.api)}}class c{constructor(t,e){this.table=t,this.api=e}async select(t={}){return this.api.get(this.table,{params:t})}async insert(t){return this.api.post(this.table,t)}async update(t,e){return this.api.patch(`${this.table}/${t}`,e)}async delete(t){return this.api.delete(`${this.table}/${t}`)}}class h{constructor(t){this.api=t}async list(t={}){return this.api.get("admin/users",{params:t})}async create(t){return this.api.post("admin/users",{body:t})}async update(t,e){return this.api.put(`admin/users/${t}`,{body:e})}async delete(t){return this.api.delete(`admin/users/${t}`)}}let l=null;function u(t){l=t}const d=t=>{const{title:e,description:i,variant:n="default"}=t,s=`${"error"===n?"❌":"success"===n?"✅":"warning"===n?"⚠️":"info"===n?"ℹ️":"📢"} ${e}${i?`: ${i}`:""}`;"error"===n?console.error(s):"warning"===n?console.warn(s):console.log(s)};function p(){const t=l||d;return{toast:t,toastSuccess:(e,i)=>t({title:e,description:i,variant:"success"}),toastError:(e,i)=>t({title:e,description:i,variant:"error"}),toastWarning:(e,i)=>t({title:e,description:i,variant:"warning"}),toastInfo:(e,i)=>t({title:e,description:i,variant:"info"})}}const f=t=>(l||d)(t),w=(t,e)=>f({title:t,description:e,variant:"success"}),y=(t,e)=>f({title:t,description:e,variant:"error"}),g=(t,e)=>f({title:t,description:e,variant:"warning"}),S=(t,e)=>f({title:t,description:e,variant:"info"});let D={},m=null;function v(t){m=t}function I(t){D={...D,...t}}const A=new Map;function _(){let t=D;try{const{getGlobalConfig:e}=require("../config/global-config");t={...e(),...D}}catch(t){}return t}async function P(e,i,n,s,r,o,a,c){const h=_(),l=c||null;if(!l&&!n.startsWith("http"))throw new Error("Base URL no definida. Usa createClient(url, key).");if("string"!=typeof n||!n.trim())throw new Error("Endpoint debe ser un string válido");let u;if(n.startsWith("http"))u=n;else{const t=l.replace(/\/+$/,"");u=n.startsWith("/")?t+n:t+"/api/v0/"+n}if(o&&Object.keys(o).length>0){const t=new URLSearchParams,e=(i,n)=>{null!=n&&(Array.isArray(n)?n.forEach((t,n)=>e(`${i}[${n}]`,t)):"object"==typeof n?Object.entries(n).forEach(([t,n])=>e(`${i}[${t}]`,n)):t.append(i,String(n)))};Object.entries(o).forEach(([t,i])=>e(t,i));const i=t.toString();i&&(u+=`?${i}`)}const d="GET"===i?`${i}:${u}:${JSON.stringify(s)}`:null;if(d&&A.has(d))return A.get(d);const p=s instanceof FormData,w={...h.headers||{},...p?{}:{"Content-Type":"application/json"},...e&&{Authorization:`Bearer ${e}`},...a&&{"x-api-key":a}},y={method:i,headers:w,credentials:"include"};s&&"GET"!==i&&"DELETE"!==i&&(y.body=p?s:JSON.stringify(s));const g=h.fetch||("undefined"!=typeof window?window.fetch.bind(window):fetch);if(!g)throw new Error("Fetch no disponible.");const S=(async()=>{const e=_().toast||f,l=(void 0!==r?r:!1!==h.showToasts)&&e;try{const d=await g(u,y);if(!d.ok){let u,p="Error en la petición";try{const t=await d.text();try{const e=JSON.parse(t);u=e,p=e.message||e.msg||e.error_description||e.error||p}catch{t.length<200&&(p=t)}}catch{}if(401===d.status&&h.onTokenExpired)try{const t=await h.onTokenExpired();if(t)return P(t,i,n,s,r,o,a,c)}catch(t){console.error("[DYPAI SDK] ❌ Error durante el intento de refresco:",t)}throw l&&e({title:"Error",description:p,variant:"error"}),new t(p,d.status,void 0,u)}!l||"POST"!==i&&"PUT"!==i&&"PATCH"!==i&&"DELETE"!==i||e({title:"Éxito",description:"Operación completada",variant:"success"});const p=d.headers.get("content-type")||"";return p.includes("application/pdf")||p.includes("image/")||p.includes("audio/")||p.includes("video/")||p.includes("application/octet-stream")||p.includes("application/zip")||p.includes("application/vnd.openxmlformats-officedocument")?await d.blob():p.includes("application/json")?await d.json():await d.text()}finally{d&&A.delete(d)}})();return d&&A.set(d,S),S}function $(t){return t&&"object"==typeof t?{...t,upload_url:t.upload_url||t.uploadUrl||t.url,storage_path:t.storage_path||t.storagePath}:null}function k(t,e){return async(i,n,s)=>{const r=t();let o,a={};n&&"object"==typeof n&&("token"in n||"params"in n||"apiKey"in n)?(a=n,o=a.body):(o=n,a=s||{});const c=a.token||r.token||(m?m():"")||"",h=a.apiKey||r.apiKey;return P(c,e,i,o,a.showToasts,a.params,h,r.baseUrl)}}function E(t){const e=()=>"function"==typeof t?t():t;return{get:b(e,"GET"),post:b(e,"POST"),put:b(e,"PUT"),patch:b(e,"PATCH"),delete:b(e,"DELETE")}}function b(e,i){return async(n,s,r)=>{const o=e(),a=await async function(t,e){let i,n={};t&&"object"==typeof t&&("token"in t||"params"in t||"apiKey"in t)?(n=t,i=n.body):(i=t,n=e||{});let s=n.token;return!s&&m&&(s=m()||""),s=s||"",{token:s,apiKey:n.apiKey,body:i,params:n.params,showToasts:n.showToasts}}(s,r),c=a.token||o.token||"",h=a.apiKey||o.apiKey;try{return{data:await P(c,i,n,a.body,a.showToasts,a.params,h,o.baseUrl),error:null}}catch(e){return{data:null,error:e instanceof t?e:new t(e?.message??"Error desconocido",e?.status??500)}}}}class T{constructor(t){this.api=t}from(t){return new K(t,this.api)}}class K{constructor(t,e){this.bucketName=t,this.api=e}async upload(e,i,n={}){return O(async()=>{const s=n.uploadEndpoint||`storage_upload_${this.bucketName}`,r={file_path:e,client_upload:n.clientUpload??!1,...n.params};if(n.clientUpload)return await async function(e,i,n,s){const{data:r,error:o}=await e.post(i,{file_path:n.name,content_type:n.type||"application/octet-stream",size_bytes:n.size,confirm:!1,client_upload:!0,...s?.params||{}});if(o)throw o;const a=function(t){if(!t||"object"!=typeof t)return null;const e=t.upload_url||t.uploadUrl||t.url?t:null;if(e?.upload_url)return $(e);const i=[t.data,t.result,t.output,t.payload].filter(Boolean);for(const t of i)if(t&&(t.upload_url||t.uploadUrl||t.url))return $(t);const n=[t.steps_results,t.nodes_results].filter(Boolean);for(const t of n){const e=Array.isArray(t)?t:Object.values(t);for(const t of e)if(t&&(t.upload_url||t.uploadUrl||t.url))return $(t)}return null}(r);if(!a?.upload_url)throw new t("El workflow no devolvió una URL de subida válida (¿falta storage.upload?)",400);const{upload_url:c,method:h="PUT",headers:l={},file_path:u,storage_path:d}=a;s?.onProgress&&s.onProgress(10);const p=await fetch(c,{method:h,headers:{"Content-Type":n.type||"application/octet-stream",...l},body:n});if(!p.ok)throw new t("Error en la subida directa a la nube",p.status);s?.onProgress&&s.onProgress(90);const f=s?.confirmEndpoint||i,{data:w,error:y}=await e.post(f,{...s?.params,bucket:a.bucket||s?.params?.bucket,file_path:u,storage_path:d,filename:n.name,content_type:n.type||"application/octet-stream",size_bytes:n.size,confirm:!0,client_upload:!0});if(y)throw y;return s?.onProgress&&s.onProgress(100),w}(this.api,s,i,{confirmEndpoint:n.confirmEndpoint,params:r,onProgress:n.onProgress});const o=n.contentType||i.type||"application/octet-stream",a=await async function(t){return new Promise((e,i)=>{const n=new FileReader;n.onload=()=>e(String(n.result)),n.onerror=()=>i(n.error),n.readAsDataURL(t)})}(i),{data:c,error:h}=await this.api.post(s,{...r,content:a,content_type:o,size_bytes:i.size,confirm:!0});if(h)throw h;return c})}async download(t,e={}){return O(async()=>{const i=e.downloadEndpoint||`storage_download_${this.bucketName}`,n={bucket:this.bucketName,file_path:t,...e.params};await async function(t,e,i,n){const s=n?.method,{data:r,error:o}=await("GET"===s?t.get(e,{params:n?.params}):t.post(e,i,{params:n?.params}));if(o)throw o;if(r instanceof Blob){const t=window.URL.createObjectURL(r),e=document.createElement("a");e.href=t,e.download=n?.fileName||"archivo-descargado",document.body.appendChild(e),e.click(),window.URL.revokeObjectURL(t),document.body.removeChild(e)}else if(r&&"object"==typeof r&&("url"in r||"signed_url"in r||"signedUrl"in r)){const t=r.url||r.signed_url||r.signedUrl;if("string"==typeof t){const e=new URL(t).searchParams.get("response-content-disposition");let i;if(e){const t=decodeURIComponent(e).match(/filename\*?=(?:UTF-8''|")?([^";]+)/i);t?.[1]&&(i=t[1].replace(/"/g,""))}const s=n?.fileName||i;if(s){const e=document.createElement("a");e.href=t,e.download=s,document.body.appendChild(e),e.click(),document.body.removeChild(e)}else window.open(t,"_blank")}}}(this.api,i,n,{fileName:e.fileName,method:e.method||"POST"})})}async createSignedUrl(t,e=15,i={}){return O(async()=>{const n=i.endpoint||`storage_download_${this.bucketName}`,s={bucket:this.bucketName,file_path:t,expires_minutes:e,download:!1,...i.params},{data:r,error:o}=await this.api.post(n,s);if(o)throw o;return{signedUrl:r?.signed_url||r?.signedUrl||r?.url,expiresIn:r?.expires_in||r?.expiresIn||e,path:t}})}getPublicUrl(t){const e=t.replace(/^\/+/,"");return{data:{publicUrl:`${this.api.baseUrl||""}/storage/v1/render/public/${this.bucketName}/${e}`}}}async list(t="",e={}){return O(async()=>{const i=e.endpoint||`storage_list_${this.bucketName}`,n={bucket:this.bucketName,prefix:t||e.prefix||"",limit:e.limit,offset:e.offset,sort_by:e.sortBy,order:e.order,search:e.search,...e.params},{data:s,error:r}=await this.api.post(i,n);if(r)throw r;return{data:s?.data||s?.files||[],total:s?.total,hasMore:s?.has_more||s?.hasMore||!1}})}async remove(t,e={}){return O(async()=>{const i=e.endpoint||`storage_delete_${this.bucketName}`,n=Array.isArray(t)?t:[t],s={bucket:this.bucketName,paths:n,...e.params},{error:r}=await this.api.post(i,s);if(r)throw r;return{success:!0}})}async move(e,i,n={}){return O(async()=>{throw new t("move() no está soportado por el engine actual. Crea un endpoint personalizado.",400)})}async copy(e,i,n={}){return O(async()=>{throw new t("copy() no está soportado por el engine actual. Crea un endpoint personalizado.",400)})}}async function O(e){try{return{data:await e(),error:null}}catch(e){return{data:null,error:e instanceof t?e:new t(e.message||"Error de storage",e.status||500)}}}class Y{constructor(t){const{baseUrl:e,apiKey:i}=t,n=t.auth?.storageKey||t.storageKey;t.global&&function(t){D={...D,...t}}(t.global),this.auth=new o({baseUrl:e,apiKey:i,storageKey:n,storage:t.auth?.storage,autoRefreshToken:t.auth?.autoRefreshToken,persistSession:t.auth?.persistSession},null);const s={get:k(r=()=>({token:this.auth.token,apiKey:i,baseUrl:e}),"GET"),post:k(r,"POST"),put:k(r,"PUT"),patch:k(r,"PATCH"),delete:k(r,"DELETE")};var r;this.auth.api=s,this.db=new a(s),this.users=new h(s),this.storage=new T(s),this.api=E(()=>({token:this.auth.token||"",apiKey:i,baseUrl:e})),v(()=>this.auth.token),I({onTokenExpired:async()=>{const t=await this.auth.refreshSession();if(t.error)throw t.error;return t.data?.token||null},onUnauthorized:()=>this.auth.handleSessionExpired()})}from(t){return this.db.from(t)}async me(){return this.auth.getUser()}}function N(t,e,i){if(!t||!e)throw new Error("createClient() requiere URL y API Key");return new Y({baseUrl:t,apiKey:e,...i})}let U={};function x(t){U={...U,toast:f,...t},C()}function R(){return{...U}}function C(){try{const{configureApiService:t}=require("../services/ApiService");t(U)}catch(t){}}function j(){U={},C()}async function M(){C()}const z={name:"@dypai-ai/client-sdk",version:"0.0.1",description:"Cliente JavaScript para Dypai Engine",features:["API REST autenticada","Smart Storage (Upload/Download delegado)","Gestión de usuarios (Admin)"]};export{Y as DypaiClient,z as PACKAGE_INFO,P as callApi,I as configureApiService,x as configureDypaiServices,E as createApiClient,N as createClient,R as getGlobalConfig,M as reloadDypaiConfig,j as resetGlobalConfig,u as setToastFunction,v as setTokenProvider,f as toast,y as toastError,S as toastInfo,w as toastSuccess,g as toastWarning,p as useToast};
|
package/dist/index.js
CHANGED
|
@@ -1 +1 @@
|
|
|
1
|
-
"use strict";class DypaiError extends Error{constructor(t,e=500,o,s){super(t),this.status=e,this.code=o,this.details=s,this.name="DypaiError"}}class Deferred{constructor(){this.promise=new Promise((t,e)=>{this.resolve=t,this.reject=e})}}const localStorageAdapter={getItem:t=>"undefined"==typeof window?null:window.localStorage.getItem(t),setItem:(t,e)=>{if("undefined"!=typeof window)try{window.localStorage.setItem(t,e)}catch(t){console.error("[DYPAI SDK] ❌ Error crítico guardando en localStorage (¿Quota/Permisos?):",t)}},removeItem:t=>{if("undefined"!=typeof window)try{window.localStorage.removeItem(t)}catch(t){}}};async function wrapAuthResponse(t){try{return{data:await t,error:null}}catch(t){return{data:null,error:t instanceof DypaiError?t:new DypaiError(t.message||"Error de autenticación",t.status||400)}}}class AuthModule{constructor(t,e=null){this.config=t,this.t=null,this.o=null,this.i=null,this.l=null,this.h=[],this.u=null,this.p=null,this.D=0,this.S=0,this.storage=t.storage||localStorageAdapter;const o=t.storageKey||this.deriveStorageKey(t.apiKey);console.log(`[DYPAI SDK] 🛠️ Inicializando AuthModule (apiKey: ${t.apiKey?.substring(0,8)}..., storageKey: ${o})`),this.STORAGE_KEY=`dypai-${o}-auth-session`,this.A=this.m().then(()=>{this.o&&(this.getUser().catch(()=>{}),this.startAutoRefresh())}),"undefined"!=typeof window&&(window.addEventListener("visibilitychange",this.v.bind(this)),window.addEventListener("focus",this.v.bind(this)),window.addEventListener("storage",t=>{t.key===this.STORAGE_KEY&&(console.log("[DYPAI SDK] 🔄 Sesión actualizada en otra pestaña. Sincronizando..."),this.m(!1))}))}async v(){"undefined"!=typeof document&&"visible"===document.visibilityState&&(console.log("[DYPAI SDK] 👁️ Ventana visible. Sincronizando estado y reiniciando auto-refresh..."),await this.m(!0),this.o&&this.startAutoRefresh())}deriveStorageKey(t){return t?t.substring(0,8):"default"}get user(){return this.t}get token(){return this.o}onAuthStateChange(t){return console.log("[DYPAI SDK] 👂 Nuevo suscriptor añadido a onAuthStateChange"),this.h.push(t),this.A.then(()=>{const e=this.k(),o=e?"SIGNED_IN":"INITIAL_SESSION";console.log(`[DYPAI SDK] 📣 Notificando estado inicial a nuevo suscriptor: ${o} (Sesión activa: ${!!e})`),t(o,e)}).catch(e=>{console.error("[DYPAI SDK] ❌ Error esperando recuperación de sesión para suscriptor:",e),t("INITIAL_SESSION",null)}),{data:{subscription:{unsubscribe:()=>{this.h=this.h.filter(e=>e!==t)}}}}}async signInWithPassword(t){return wrapAuthResponse((async()=>{const e=`${this.config.baseUrl||"http://localhost:8000"}/auth/v1/token?grant_type=password`,o={email:t.email||t.identifier||"",password:t.password},s=await fetch(e,{method:"POST",headers:{"Content-Type":"application/json",...this.config.apiKey&&{apikey:this.config.apiKey}},body:JSON.stringify(o)});if(!s.ok){const t=await s.json();throw new DypaiError(t.msg||t.error_description||"Login failed",s.status)}const n=await s.json(),i={token:n.access_token,refreshToken:n.refresh_token,expiresIn:n.expires_in,expiresAt:Math.floor(Date.now()/1e3)+(n.expires_in||3600),user:this.T(n)};return await this.P(i),i})())}async login(t){return this.signInWithPassword(t)}async signUp(t){return wrapAuthResponse((async()=>{const e=`${this.config.baseUrl||"http://localhost:8000"}/auth/v1/signup`,o={email:t.email,password:t.password,data:t.user_data||{}},s=await fetch(e,{method:"POST",headers:{"Content-Type":"application/json",...this.config.apiKey&&{apikey:this.config.apiKey}},body:JSON.stringify(o)});if(!s.ok){const t=await s.json();throw new DypaiError(t.msg||t.error_description||"Registration failed",s.status)}const n=await s.json(),i={token:n.access_token,refreshToken:n.refresh_token,expiresIn:n.expires_in,expiresAt:Math.floor(Date.now()/1e3)+(n.expires_in||3600),user:this.T(n)};return i.token&&await this.P(i),i})())}async register(t){return this.signUp(t)}async getSession(){try{if(!this.o||!this.t)return{data:null,error:null};const t=Math.floor(Date.now()/1e3);return(this.l||0)-t<30&&this.i&&(console.log("[DYPAI SDK] ⏳ getSession: Token próximo a expirar. Refrescando..."),await this.refreshSession().catch(t=>console.warn("Error refreshing session in getSession:",t))),{data:{access_token:this.o,refresh_token:this.i||void 0,token_type:"bearer",user:this.t},error:null}}catch(t){return{data:null,error:new DypaiError(t.message,500)}}}async getUser(){return wrapAuthResponse((async()=>{if(!this.o)throw new DypaiError("No hay sesión activa",401);const t=`${this.config.baseUrl||"http://localhost:8000"}/auth/v1/user`,e=await fetch(t,{headers:{Authorization:`Bearer ${this.o}`,...this.config.apiKey&&{apikey:this.config.apiKey}}});if(!e.ok)throw new DypaiError("Session invalid",e.status);const o=await e.json(),s=this.T(o);return this.I(s),s})())}async me(){return this.getUser()}async signInWithOAuth(t,e={}){return wrapAuthResponse((async()=>{const{redirectTo:o=window.location.href}=e,s=`${this.config.baseUrl||"http://localhost:8000"}/auth/v1/authorize?provider=${t}&redirect_to=${encodeURIComponent(o)}`;window.location.href=s})())}async signOut(){return wrapAuthResponse((async()=>{try{if(this.o){const t=this.config.baseUrl||"http://localhost:8000";await fetch(`${t}/auth/v1/logout`,{method:"POST",headers:{Authorization:`Bearer ${this.o}`,...this.config.apiKey&&{apikey:this.config.apiKey}}})}}finally{this._("signOut called")}})())}async logout(){return this.signOut()}async resetPasswordForEmail(t){return wrapAuthResponse((async()=>{const e=this.config.baseUrl||"http://localhost:8000",o=await fetch(`${e}/auth/v1/recover`,{method:"POST",headers:{"Content-Type":"application/json"},body:JSON.stringify({email:t})});if(!o.ok)throw new DypaiError("Recovery failed",o.status);return await o.json()})())}async recoverPassword(t){return this.resetPasswordForEmail(t.email)}async refreshSession(){if(this.u)return console.log("[DYPAI SDK] 🔄 Refresco de sesión ya en curso. Esperando resolución..."),this.u.promise;const t=new Deferred;this.u=t;const e=`lock:${this.STORAGE_KEY}`;return(async()=>{try{const o=await async function(t,e,o){if("undefined"!=typeof globalThis&&globalThis.navigator?.locks?.request){const s=new AbortController,n=setTimeout(()=>s.abort(),e);try{return await globalThis.navigator.locks.request(t,{signal:s.signal},async()=>(clearTimeout(n),await o()))}catch(s){if("AbortError"===s.name)return console.warn(`[DYPAI SDK] ⚠️ Web Lock "${t}" timeout (${e}ms). Proceeding without lock.`),await o();throw s}}return await o()}(e,AuthModule.LOCK_ACQUIRE_TIMEOUT_MS,()=>this.$());t.resolve(o)}catch(e){const o=e instanceof DypaiError?e:new DypaiError(e.message||"Error refrescando sesión",401);t.resolve({data:null,error:o})}finally{this.u=null}})(),t.promise}async $(){try{const t=await this.storage.getItem(this.STORAGE_KEY);if(t){const e=JSON.parse(t),o=e.expires_at||0,s=Math.floor(Date.now()/1e3);if(e.access_token!==this.o&&o-s>60)return console.log("[DYPAI SDK] 🔄 Otra pestaña ya refrescó el token. Adoptando sesión del storage."),this.o=e.access_token,this.i=e.refresh_token,this.l=e.expires_at,this.t=e.user,this.D=0,this.R("TOKEN_REFRESHED"),{data:{token:this.o,refreshToken:this.i||void 0,expiresAt:this.l||void 0,user:this.t},error:null}}if(!this.i)throw new DypaiError("No hay refresh token disponible",401);console.log("[DYPAI SDK] 🔄 Iniciando refresco de sesión con Refresh Token...");const e=`${this.config.baseUrl||"http://localhost:8000"}/auth/v1/token?grant_type=refresh_token`,o=new AbortController,s=setTimeout(()=>o.abort(),AuthModule.REFRESH_TIMEOUT_MS);let n;try{n=await fetch(e,{method:"POST",headers:{"Content-Type":"application/json",...this.config.apiKey&&{apikey:this.config.apiKey}},body:JSON.stringify({refresh_token:this.i}),signal:o.signal})}finally{clearTimeout(s)}if(!n.ok){let t={};try{t=await n.json()}catch{}const e=n.status,o=t.error||t.code||"",s=(t.error_description||t.msg||"").toLowerCase(),i="invalid_grant"===o||s.includes("invalid refresh token")||s.includes("revoked");throw e>=400&&e<500&&i?(console.error("[DYPAI SDK] ❌ Error DEFINITIVO en refresco (Token inválido/revocado). Limpiando sesión."),this._(`refreshSession failed (${e}: ${o})`)):console.warn(`[DYPAI SDK] ⚠️ Fallo en refresco (${e}). Posible error de red o servidor temporal. MANTENIENDO SESIÓN.`),new DypaiError(t.msg||t.error_description||"Refresh session failed",e)}const i=await n.json(),r={token:i.access_token,refreshToken:i.refresh_token,expiresIn:i.expires_in,expiresAt:Math.floor(Date.now()/1e3)+(i.expires_in||3600),user:this.T(i)};return this.D=0,await this.P(r),console.log(`[DYPAI SDK] ✅ Refresh exitoso. Nuevo token expira en ${r.expiresAt} (en ${r.expiresIn}s). Refresh token actualizado: ${!!r.refreshToken}`),{data:r,error:null}}catch(t){this.D++,this.S=Date.now();const e=t instanceof DOMException&&"AbortError"===t.name,o=e?new DypaiError("Refresh token timeout (servidor no responde)",408):t instanceof DypaiError?t:new DypaiError(t.message||"Error refrescando sesión",401),s=Math.min(AuthModule.RETRY_BASE_MS*Math.pow(2,this.D),AuthModule.MAX_RETRY_MS);return e?console.error(`[DYPAI SDK] ⏱️ Timeout en refresh después de ${AuthModule.REFRESH_TIMEOUT_MS/1e3}s. Backoff: ${s}ms (intento ${this.D})`):console.error("[DYPAI SDK] ❌ Refresh falló:",o.message,`(status: ${o.status}). Backoff: ${s}ms (intento ${this.D})`),this.D>=AuthModule.MAX_REFRESH_FAILURES&&(console.error(`[DYPAI SDK] 🗑️ ${this.D} fallos consecutivos de refresh. Sesión irrecuperable. Limpiando...`),this._(`${this.D} consecutive refresh failures`),this.D=0),{data:null,error:o}}}async signInWithOtp(t){return wrapAuthResponse((async()=>{const e=this.config.baseUrl||"http://localhost:8000",o=await fetch(`${e}/auth/v1/otp`,{method:"POST",headers:{"Content-Type":"application/json",...this.config.apiKey&&{apikey:this.config.apiKey}},body:JSON.stringify(t)});if(!o.ok){const t=await o.json();throw new DypaiError(t.detail||"OTP request failed",o.status)}return await o.json()})())}async verifyOtp(t){return wrapAuthResponse((async()=>{const e=this.config.baseUrl||"http://localhost:8000",o=await fetch(`${e}/auth/v1/verify`,{method:"POST",headers:{"Content-Type":"application/json",...this.config.apiKey&&{apikey:this.config.apiKey}},body:JSON.stringify(t)});if(!o.ok){const t=await o.json();throw new DypaiError(t.detail||"OTP verification failed",o.status)}const s=await o.json(),n={token:s.access_token,refreshToken:s.refresh_token,expiresIn:s.expires_in,expiresAt:Math.floor(Date.now()/1e3)+(s.expires_in||3600),user:this.T(s)};return n.token&&await this.P(n),n})())}async updateUser(t){return wrapAuthResponse((async()=>{if(!this.o)throw new DypaiError("No hay sesión activa",401);const e=`${this.config.baseUrl||"http://localhost:8000"}/auth/v1/user`,o=await fetch(e,{method:"PUT",headers:{"Content-Type":"application/json",Authorization:`Bearer ${this.o}`,...this.config.apiKey&&{apikey:this.config.apiKey}},body:JSON.stringify(t)});if(!o.ok){const t=await o.json();throw new DypaiError(t.detail||"Update user failed",o.status)}const s=await o.json(),n=this.T(s);return this.I(n),n})())}startAutoRefresh(){this.stopAutoRefresh(),console.log("[DYPAI SDK] ⏱️ Auto-refresh iniciado (tick cada 30s)."),this.C(),this.p=setInterval(()=>this.C(),AuthModule.AUTO_REFRESH_TICK_DURATION_MS)}stopAutoRefresh(){this.p&&(console.log("[DYPAI SDK] ⏹️ Auto-refresh detenido."),clearInterval(this.p),this.p=null)}async C(){try{const t=Math.floor(Date.now()/1e3),e=this.l||0;if(!this.i||!e)return;if(1e3*(e-t)>AuthModule.AUTO_REFRESH_TICK_THRESHOLD*AuthModule.AUTO_REFRESH_TICK_DURATION_MS)return;if(this.D>0){const t=Math.min(AuthModule.RETRY_BASE_MS*Math.pow(2,this.D),AuthModule.MAX_RETRY_MS);if(Date.now()-this.S<t)return}console.log(`[DYPAI SDK] ⏱️ Auto-refresh tick: token expira en ${e-t}s. Refrescando...`),await this.refreshSession()}catch(t){console.error("[DYPAI SDK] ❌ Error en auto-refresh tick:",t)}}T(t){if(!t)return console.warn("[DYPAI SDK] ⚠️ Intentando normalizar un usuario inexistente (data es null/undefined)"),{};const e=t.user||t,o=e.app_metadata||{},s=e.user_metadata||{};return{id:e.id,email:e.email,phone:e.phone,role:o.role||e.role,created_at:e.created_at,updated_at:e.updated_at,confirmed_at:e.confirmed_at,last_sign_in_at:e.last_sign_in_at,app_metadata:o,user_metadata:s,K:{name:o.role||"authenticated",weight:0},M:{app_id:"default"}}}async P(t){t.token&&(this.o=t.token,this.i=t.refreshToken||null,this.l=t.expiresAt||null,await this.I(t.user,t.token,t.refreshToken,t.expiresAt),console.log(`[DYPAI SDK] 💾 Sesión persistida en storage (expires_at: ${this.l}, has_refresh: ${!!this.i})`),this.startAutoRefresh())}async I(t,e,o,s){this.t=t,e&&(this.o=e),void 0!==o&&(this.i=o||null),void 0!==s&&(this.l=s||null);try{if(this.o&&this.t){const t={access_token:this.o,refresh_token:this.i,expires_at:this.l,user:this.t};await this.storage.setItem(this.STORAGE_KEY,JSON.stringify(t))}else console.warn("[DYPAI SDK] ⚠️ _updateUser: No se guardó sesión porque falta token o user.",{hasToken:!!this.o,hasUser:!!this.t})}catch(t){console.error("[DYPAI SDK] ❌ Error guardando sesión en storage:",t)}const n=e?"SIGNED_IN":"USER_UPDATED";this.R(n)}async _(t="unknown"){console.log(`[DYPAI SDK] 🧹 Limpiando sesión del estado y storage. Motivo: ${t}`),this.o=null,this.i=null,this.t=null,this.l=null,this.stopAutoRefresh();try{await this.storage.removeItem(this.STORAGE_KEY),console.log("[DYPAI SDK] ✅ Storage limpiado con éxito.")}catch(t){console.error("[DYPAI SDK] ❌ Error eliminando sesión de storage:",t)}this.R("SIGNED_OUT")}async m(t=!0){console.log("[DYPAI SDK] 🔍 Iniciando recuperación de sesión...");try{const e=await this.storage.getItem(this.STORAGE_KEY);if(e){console.log("[DYPAI SDK] ✅ Sesión consolidada encontrada. Restaurando datos...");const t=JSON.parse(e);this.o=t.access_token,this.i=t.refresh_token,this.l=t.expires_at,this.t=t.user}else{console.log("[DYPAI SDK] ℹ️ No hay sesión consolidada. Buscando llaves antiguas para migración...");const t=this.STORAGE_KEY.replace("dypai-","").replace("-auth-session",""),e=await this.storage.getItem(`dypai-auth-token-${t}`),o=await this.storage.getItem(`dypai-auth-user-${t}`);if(!e||!o)return void console.log("[DYPAI SDK] ℹ️ No se encontró ninguna sesión (storage vacío).");{console.log("[DYPAI SDK] 🚚 Migración: Datos antiguos detectados. Consolidando...");const s=JSON.parse(o);this.o=e,this.t=s;const n=await this.storage.getItem(`dypai-auth-refresh-token-${t}`),i=await this.storage.getItem(`dypai-auth-expires-at-${t}`);this.i=n,this.l=i?parseInt(i,10):null,await this.I(s,this.o||void 0,this.i||void 0,this.l||void 0);const r=[`dypai-auth-token-${t}`,`dypai-auth-refresh-token-${t}`,`dypai-auth-user-${t}`,`dypai-auth-expires-at-${t}`];for(const t of r)try{await this.storage.removeItem(t)}catch(t){}console.log("[DYPAI SDK] ✨ Migración completada con éxito.")}}const o=Math.floor(Date.now()/1e3),s=this.l&&this.l<=o;if(console.log(`[DYPAI SDK] 🕒 Token expira en: ${this.l}. Ahora es: ${o}. Diferencia: ${(this.l||0)-o}s`),s&&this.i&&t){console.log("[DYPAI SDK] ⚠️ El Access Token ha caducado. Intentando refrescar sesión inmediatamente...");const t=await this.refreshSession();if(t.error)return void console.error("[DYPAI SDK] ❌ El refresco falló:",t.error.message)}else this.l&&console.log("[DYPAI SDK] ✨ Sesión válida. Iniciando auto-refresh.");this.R("SIGNED_IN")}catch(t){console.error("[DYPAI SDK] ❌ Error crítico durante la recuperación de sesión:",t)}}k(){return this.o&&this.t?{access_token:this.o,refresh_token:this.i||void 0,expires_at:this.l||void 0,token_type:"bearer",user:this.t}:null}R(t="USER_UPDATED"){const e=this.k();console.log(`[DYPAI SDK] 📢 Notificando a ${this.h.length} suscriptores: Evento=${t} (Sesión activa: ${!!e})`),this.h.forEach(o=>o(t,e))}handleSessionExpired(){this._("handleSessionExpired called (likely 401 from API)")}}AuthModule.REFRESH_TIMEOUT_MS=15e3,AuthModule.MAX_REFRESH_FAILURES=5,AuthModule.AUTO_REFRESH_TICK_DURATION_MS=3e4,AuthModule.AUTO_REFRESH_TICK_THRESHOLD=3,AuthModule.RETRY_BASE_MS=200,AuthModule.MAX_RETRY_MS=3e4,AuthModule.LOCK_ACQUIRE_TIMEOUT_MS=5e3;class DataModule{constructor(t){this.api=t}from(t){return new QueryBuilder(t,this.api)}}class QueryBuilder{constructor(t,e){this.table=t,this.api=e}async select(t={}){return this.api.get(this.table,{params:t})}async insert(t){return this.api.post(this.table,t)}async update(t,e){return this.api.patch(`${this.table}/${t}`,e)}async delete(t){return this.api.delete(`${this.table}/${t}`)}}async function wrapResponse(t){try{return{data:await t,error:null}}catch(t){return{data:null,error:t instanceof DypaiError?t:new DypaiError(t.message||"Error desconocido",t.status||500)}}}class UsersModule{constructor(t){this.api=t}async list(t={}){return wrapResponse(this.api.get("admin/users",{params:t}))}async create(t){return wrapResponse(this.api.post("admin/users",{body:t}))}async update(t,e){return wrapResponse(this.api.put(`admin/users/${t}`,{body:e}))}async delete(t){return wrapResponse(this.api.delete(`admin/users/${t}`))}}let customToastFunction=null;const fallbackToast=t=>{const{title:e,description:o,variant:s="default"}=t,n=`${"error"===s?"❌":"success"===s?"✅":"warning"===s?"⚠️":"info"===s?"ℹ️":"📢"} ${e}${o?`: ${o}`:""}`;"error"===s?console.error(n):"warning"===s?console.warn(n):console.log(n)},toast=t=>(customToastFunction||fallbackToast)(t);let serviceConfig={},globalTokenProvider=null;function setTokenProvider(t){globalTokenProvider=t}function configureApiService(t){serviceConfig={...serviceConfig,...t}}const pendingRequests=new Map;function getCompleteConfig(){let t=serviceConfig;try{const{getGlobalConfig:e}=require("../config/global-config");t={...e(),...serviceConfig}}catch(t){}return t}async function callApi(t,e,o,s,n,i,r,a){const c=getCompleteConfig(),l=a||null;if(!l&&!o.startsWith("http"))throw new Error("Base URL no definida. Usa createClient(url, key).");if("string"!=typeof o||!o.trim())throw new Error("Endpoint debe ser un string válido");let h;if(o.startsWith("http"))h=o;else{const t=l.replace(/\/+$/,"");h=o.startsWith("/")?t+o:t+"/api/v0/"+o}if(i&&Object.keys(i).length>0){const t=new URLSearchParams,e=(o,s)=>{null!=s&&(Array.isArray(s)?s.forEach((t,s)=>e(`${o}[${s}]`,t)):"object"==typeof s?Object.entries(s).forEach(([t,s])=>e(`${o}[${t}]`,s)):t.append(o,String(s)))};Object.entries(i).forEach(([t,o])=>e(t,o));const o=t.toString();o&&(h+=`?${o}`)}const u="GET"===e?`${e}:${h}:${JSON.stringify(s)}`:null;if(u&&pendingRequests.has(u))return pendingRequests.get(u);const d=s instanceof FormData,p={...c.headers||{},...d?{}:{"Content-Type":"application/json"},...t&&{Authorization:`Bearer ${t}`},...r&&{"x-api-key":r}},f={method:e,headers:p,credentials:"include"};s&&"GET"!==e&&"DELETE"!==e&&(f.body=d?s:JSON.stringify(s));const y=c.fetch||("undefined"!=typeof window?window.fetch.bind(window):fetch);if(!y)throw new Error("Fetch no disponible.");const w=(async()=>{const t=getCompleteConfig().toast||toast,l=(void 0!==n?n:!1!==c.showToasts)&&t;try{const u=await y(h,f);if(!u.ok){let h,d="Error en la petición";try{const t=await u.text();try{const e=JSON.parse(t);h=e,d=e.message||e.msg||e.error_description||e.error||d}catch{t.length<200&&(d=t)}}catch{}if(401===u.status&&c.onTokenExpired){console.log("[DYPAI SDK] 🔄 Token caducado detectado. Intentando refresco atómico...");try{const t=await c.onTokenExpired();if(t)return console.log("[DYPAI SDK] ✅ Token refrescado con éxito. Reintentando petición..."),callApi(t,e,o,s,n,i,r,a)}catch(t){console.error("[DYPAI SDK] ❌ Error durante el intento de refresco:",t)}}throw l&&t({title:"Error",description:d,variant:"error"}),new DypaiError(d,u.status,void 0,h)}!l||"POST"!==e&&"PUT"!==e&&"PATCH"!==e&&"DELETE"!==e||t({title:"Éxito",description:"Operación completada",variant:"success"});const d=u.headers.get("content-type")||"";return d.includes("application/pdf")||d.includes("image/")||d.includes("audio/")||d.includes("video/")||d.includes("application/octet-stream")||d.includes("application/zip")||d.includes("application/vnd.openxmlformats-officedocument")?await u.blob():d.includes("application/json")?await u.json():await u.text()}finally{u&&pendingRequests.delete(u)}})();return u&&pendingRequests.set(u,w),w}function normalizeUploadPayload(t){return t&&"object"==typeof t?{...t,upload_url:t.upload_url||t.uploadUrl||t.url,storage_path:t.storage_path||t.storagePath}:null}function createMethod(t,e){return async(o,s,n)=>{const i=t();let r,a={};s&&"object"==typeof s&&("token"in s||"params"in s||"apiKey"in s)?(a=s,r=a.body):(r=s,a=n||{});const c=a.token||i.token||(globalTokenProvider?globalTokenProvider():"")||"",l=a.apiKey||i.apiKey;return callApi(c,e,o,r,a.showToasts,a.params,l,i.baseUrl)}}function createApiClient(t){const e=()=>"function"==typeof t?t():t;return{get:createMethodFromCtx(e,"GET"),post:createMethodFromCtx(e,"POST"),put:createMethodFromCtx(e,"PUT"),patch:createMethodFromCtx(e,"PATCH"),delete:createMethodFromCtx(e,"DELETE")}}function createMethodFromCtx(t,e){return async(o,s,n)=>{const i=t(),r=await async function(t,e){let o,s={};t&&"object"==typeof t&&("token"in t||"params"in t||"apiKey"in t)?(s=t,o=s.body):(o=t,s=e||{});let n=s.token;return!n&&globalTokenProvider&&(n=globalTokenProvider()||""),n=n||"",{token:n,apiKey:s.apiKey,body:o,params:s.params,showToasts:s.showToasts}}(s,n),a=r.token||i.token||"",c=r.apiKey||i.apiKey;return callApi(a,e,o,r.body,r.showToasts,r.params,c,i.baseUrl)}}class StorageModule{constructor(t){this.api=t}from(t){return new StorageBucketBuilder(t,this.api)}}class StorageBucketBuilder{constructor(t,e){this.bucketName=t,this.api=e}async upload(t,e,o={}){return wrapStorageResponse(async()=>{const s=o.uploadEndpoint||`storage_upload_${this.bucketName}`,n={file_path:t,client_upload:o.clientUpload??!1,...o.params};if(o.clientUpload)return await async function(t,e,o,s){const n=await t.post(e,{file_path:o.name,content_type:o.type||"application/octet-stream",size_bytes:o.size,confirm:!1,client_upload:!0,...s?.params||{}});console.log("[SmartUpload] prepareData:",n);const i=function(t){if(!t||"object"!=typeof t)return null;const e=t.upload_url||t.uploadUrl||t.url?t:null;if(e?.upload_url)return normalizeUploadPayload(e);const o=[t.data,t.result,t.output,t.payload].filter(Boolean);for(const t of o)if(t&&(t.upload_url||t.uploadUrl||t.url))return normalizeUploadPayload(t);const s=[t.steps_results,t.nodes_results].filter(Boolean);for(const t of s){const e=Array.isArray(t)?t:Object.values(t);for(const t of e)if(t&&(t.upload_url||t.uploadUrl||t.url))return normalizeUploadPayload(t)}return null}(n);if(console.log("[SmartUpload] preparedPayload:",i),!i?.upload_url)throw new DypaiError("El workflow no devolvió una URL de subida válida (¿falta storage.upload?)",400);const{upload_url:r,method:a="PUT",headers:c={},file_path:l,storage_path:h}=i;s?.onProgress&&s.onProgress(10),console.log("[SmartUpload] uploadRequest:",{upload_url:r,method:a,headers:c,file_path:l});const u=await fetch(r,{method:a,headers:{"Content-Type":o.type||"application/octet-stream",...c},body:o});if(console.log("[SmartUpload] uploadResponse:",{ok:u.ok,status:u.status}),!u.ok)throw new DypaiError("Error en la subida directa a la nube",u.status);s?.onProgress&&s.onProgress(90);const d=s?.confirmEndpoint||e,p=await t.post(d,{...s?.params,bucket:i.bucket||s?.params?.bucket,file_path:l,storage_path:h,filename:o.name,content_type:o.type||"application/octet-stream",size_bytes:o.size,confirm:!0,client_upload:!0});return console.log("[SmartUpload] confirmResult:",p),s?.onProgress&&s.onProgress(100),p}(this.api,s,e,{confirmEndpoint:o.confirmEndpoint,params:n,onProgress:o.onProgress});const i=o.contentType||e.type||"application/octet-stream",r=await async function(t){return new Promise((e,o)=>{const s=new FileReader;s.onload=()=>e(String(s.result)),s.onerror=()=>o(s.error),s.readAsDataURL(t)})}(e);return await this.api.post(s,{...n,content:r,content_type:i,size_bytes:e.size,confirm:!0})})}async download(t,e={}){return wrapStorageResponse(async()=>{const o=e.downloadEndpoint||`storage_download_${this.bucketName}`,s={bucket:this.bucketName,file_path:t,...e.params};await async function(t,e,o,s){const n=s?.method,i=await("GET"===n?t.get(e,{params:s?.params}):t.post(e,o,{params:s?.params}));if(i instanceof Blob){const t=window.URL.createObjectURL(i),e=document.createElement("a");e.href=t,e.download=s?.fileName||"archivo-descargado",document.body.appendChild(e),e.click(),window.URL.revokeObjectURL(t),document.body.removeChild(e)}else if(i&&"object"==typeof i&&("url"in i||"signed_url"in i||"signedUrl"in i)){const t=i.url||i.signed_url||i.signedUrl;if("string"==typeof t){const e=new URL(t).searchParams.get("response-content-disposition");let o;if(e){const t=decodeURIComponent(e).match(/filename\*?=(?:UTF-8''|")?([^";]+)/i);t?.[1]&&(o=t[1].replace(/"/g,""))}const n=s?.fileName||o;if(n){const e=document.createElement("a");e.href=t,e.download=n,document.body.appendChild(e),e.click(),document.body.removeChild(e)}else window.open(t,"_blank")}}}(this.api,o,s,{fileName:e.fileName,method:e.method||"POST"})})}async createSignedUrl(t,e=15,o={}){return wrapStorageResponse(async()=>{const s=o.endpoint||`storage_download_${this.bucketName}`,n={bucket:this.bucketName,file_path:t,expires_minutes:e,download:!1,...o.params},i=await this.api.post(s,n);return{signedUrl:i.signed_url||i.signedUrl||i.url,expiresIn:i.expires_in||i.expiresIn||e,path:t}})}getPublicUrl(t){const e=t.replace(/^\/+/,"");return{data:{publicUrl:`${this.api.baseUrl||""}/storage/v1/render/public/${this.bucketName}/${e}`}}}async list(t="",e={}){return wrapStorageResponse(async()=>{const o=e.endpoint||`storage_list_${this.bucketName}`,s={bucket:this.bucketName,prefix:t||e.prefix||"",limit:e.limit,offset:e.offset,sort_by:e.sortBy,order:e.order,search:e.search,...e.params},n=await this.api.post(o,s);return{data:n.data||n.files||[],total:n.total,hasMore:n.has_more||n.hasMore||!1}})}async remove(t,e={}){return wrapStorageResponse(async()=>{const o=e.endpoint||`storage_delete_${this.bucketName}`,s=Array.isArray(t)?t:[t],n={bucket:this.bucketName,paths:s,...e.params};return await this.api.post(o,n),{success:!0}})}async move(t,e,o={}){return wrapStorageResponse(async()=>{throw new DypaiError("move() no está soportado por el engine actual. Crea un endpoint personalizado.",400)})}async copy(t,e,o={}){return wrapStorageResponse(async()=>{throw new DypaiError("copy() no está soportado por el engine actual. Crea un endpoint personalizado.",400)})}}async function wrapStorageResponse(t){try{return{data:await t(),error:null}}catch(t){return{data:null,error:t instanceof DypaiError?t:new DypaiError(t.message||"Error de storage",t.status||500)}}}class DypaiClient{constructor(t){const{baseUrl:e,apiKey:o}=t,s=t.auth?.storageKey||t.storageKey;t.global&&function(t){serviceConfig={...serviceConfig,...t}}(t.global),this.auth=new AuthModule({baseUrl:e,apiKey:o,storageKey:s,storage:t.auth?.storage,autoRefreshToken:t.auth?.autoRefreshToken,persistSession:t.auth?.persistSession},null);const n={get:createMethod(i=()=>({token:this.auth.token,apiKey:o,baseUrl:e}),"GET"),post:createMethod(i,"POST"),put:createMethod(i,"PUT"),patch:createMethod(i,"PATCH"),delete:createMethod(i,"DELETE")};var i;this.auth.api=n,this.db=new DataModule(n),this.users=new UsersModule(n),this.storage=new StorageModule(n),this.api=createApiClient(()=>({token:this.auth.token||"",apiKey:o,baseUrl:e})),setTokenProvider(()=>this.auth.token),configureApiService({onTokenExpired:async()=>{const t=await this.auth.refreshSession();if(t.error)throw t.error;return t.data?.token||null},onUnauthorized:()=>this.auth.handleSessionExpired()})}from(t){return this.db.from(t)}async me(){return this.auth.getUser()}}let globalConfig={};function applyConfigToAllServices(){try{const{configureApiService:t}=require("../services/ApiService");t(globalConfig)}catch(t){}}exports.DypaiClient=DypaiClient,exports.PACKAGE_INFO={name:"@dypai-ai/client-sdk",version:"0.0.1",description:"Cliente JavaScript para Dypai Engine",features:["API REST autenticada","Smart Storage (Upload/Download delegado)","Gestión de usuarios (Admin)"]},exports.callApi=callApi,exports.configureApiService=configureApiService,exports.configureDypaiServices=function(t){globalConfig={...globalConfig,toast:toast,...t},applyConfigToAllServices()},exports.createApiClient=createApiClient,exports.createClient=function(t,e,o){if(!t||!e)throw new Error("createClient() requiere URL y API Key");return new DypaiClient({baseUrl:t,apiKey:e,...o})},exports.getGlobalConfig=function(){return{...globalConfig}},exports.reloadDypaiConfig=async function(){applyConfigToAllServices()},exports.resetGlobalConfig=function(){globalConfig={},applyConfigToAllServices()},exports.setToastFunction=function(t){customToastFunction=t},exports.setTokenProvider=setTokenProvider,exports.toast=toast,exports.toastError=(t,e)=>toast({title:t,description:e,variant:"error"}),exports.toastInfo=(t,e)=>toast({title:t,description:e,variant:"info"}),exports.toastSuccess=(t,e)=>toast({title:t,description:e,variant:"success"}),exports.toastWarning=(t,e)=>toast({title:t,description:e,variant:"warning"}),exports.useToast=function(){const t=customToastFunction||fallbackToast;return{toast:t,toastSuccess:(e,o)=>t({title:e,description:o,variant:"success"}),toastError:(e,o)=>t({title:e,description:o,variant:"error"}),toastWarning:(e,o)=>t({title:e,description:o,variant:"warning"}),toastInfo:(e,o)=>t({title:e,description:o,variant:"info"})}};
|
|
1
|
+
"use strict";class DypaiError extends Error{constructor(t,e=500,o,r){super(t),this.status=e,this.code=o,this.details=r,this.name="DypaiError"}}let _debugEnabled=!1;function _log(t,...e){"error"===t?console.error(...e):_debugEnabled&&("warn"===t?console.warn(...e):console.log(...e))}class Deferred{constructor(){this.promise=new Promise((t,e)=>{this.resolve=t,this.reject=e})}}const localStorageAdapter={getItem:t=>"undefined"==typeof window?null:window.localStorage.getItem(t),setItem:(t,e)=>{if("undefined"!=typeof window)try{window.localStorage.setItem(t,e)}catch(t){console.error("[DYPAI SDK] ❌ Error crítico guardando en localStorage (¿Quota/Permisos?):",t)}},removeItem:t=>{if("undefined"!=typeof window)try{window.localStorage.removeItem(t)}catch(t){}}};async function wrapAuthResponse(t){try{return{data:await t,error:null}}catch(t){return{data:null,error:t instanceof DypaiError?t:new DypaiError(t.message||"Error de autenticación",t.status||400)}}}class AuthModule{constructor(t,e=null){this.config=t,this.t=null,this.o=null,this.i=null,this.l=null,this.h=[],this.u=null,this.p=null,this.D=0,this.S=0,this.storage=t.storage||localStorageAdapter,_debugEnabled=!!t.debug;const o=t.storageKey||this.deriveStorageKey(t.apiKey);_log("log",`[DYPAI SDK] 🛠️ Inicializando AuthModule (storageKey: ${o})`),this.STORAGE_KEY=`dypai-${o}-auth-session`,this.A=this.m().then(()=>{this.o&&(this.getUser().catch(()=>{}),this.startAutoRefresh())}),"undefined"!=typeof window&&(window.addEventListener("visibilitychange",this._.bind(this)),window.addEventListener("focus",this._.bind(this)),window.addEventListener("storage",t=>{t.key===this.STORAGE_KEY&&(_log("log","[DYPAI SDK] 🔄 Sesión actualizada en otra pestaña. Sincronizando..."),this.m(!1))}))}async _(){"undefined"!=typeof document&&"visible"===document.visibilityState&&(_log("log","[DYPAI SDK] 👁️ Ventana visible. Sincronizando estado y reiniciando auto-refresh..."),await this.m(!0),this.o&&this.startAutoRefresh())}deriveStorageKey(t){return t?t.substring(0,8):"default"}get user(){return this.t}get token(){return this.o}onAuthStateChange(t){return _log("log","[DYPAI SDK] 👂 Nuevo suscriptor añadido a onAuthStateChange"),this.h.push(t),this.A.then(()=>{const e=this.v(),o=e?"SIGNED_IN":"INITIAL_SESSION";_log("log",`[DYPAI SDK] 📣 Notificando estado inicial a nuevo suscriptor: ${o} (Sesión activa: ${!!e})`),t(o,e)}).catch(e=>{_log("error","[DYPAI SDK] ❌ Error esperando recuperación de sesión para suscriptor:",e),t("INITIAL_SESSION",null)}),{data:{subscription:{unsubscribe:()=>{this.h=this.h.filter(e=>e!==t)}}}}}async signInWithPassword(t){return wrapAuthResponse((async()=>{const e=`${this.config.baseUrl||"http://localhost:8000"}/auth/v1/token?grant_type=password`,o={email:t.email||t.identifier||"",password:t.password},r=await fetch(e,{method:"POST",headers:{"Content-Type":"application/json",...this.config.apiKey&&{apikey:this.config.apiKey}},body:JSON.stringify(o)});if(!r.ok){const t=await r.json();throw new DypaiError(t.msg||t.error_description||"Login failed",r.status)}const i=await r.json(),n={token:i.access_token,refreshToken:i.refresh_token,expiresIn:i.expires_in,expiresAt:Math.floor(Date.now()/1e3)+(i.expires_in||3600),user:this.P(i)};return await this.I(n),n})())}async login(t){return this.signInWithPassword(t)}async signUp(t){return wrapAuthResponse((async()=>{const e=`${this.config.baseUrl||"http://localhost:8000"}/auth/v1/signup`,o={email:t.email,password:t.password,data:t.user_data||{}},r=await fetch(e,{method:"POST",headers:{"Content-Type":"application/json",...this.config.apiKey&&{apikey:this.config.apiKey}},body:JSON.stringify(o)});if(!r.ok){const t=await r.json();throw new DypaiError(t.msg||t.error_description||"Registration failed",r.status)}const i=await r.json(),n={token:i.access_token,refreshToken:i.refresh_token,expiresIn:i.expires_in,expiresAt:Math.floor(Date.now()/1e3)+(i.expires_in||3600),user:this.P(i)};return n.token&&await this.I(n),n})())}async register(t){return this.signUp(t)}async getSession(){try{if(!this.o||!this.t)return{data:null,error:null};const t=Math.floor(Date.now()/1e3);return(this.l||0)-t<30&&this.i&&(_log("log","[DYPAI SDK] ⏳ getSession: Token próximo a expirar. Refrescando..."),await this.refreshSession().catch(t=>_log("warn","[DYPAI SDK] Error refreshing session in getSession:",t))),{data:{access_token:this.o,refresh_token:this.i||void 0,token_type:"bearer",user:this.t},error:null}}catch(t){return{data:null,error:new DypaiError(t.message,500)}}}async getUser(){return wrapAuthResponse((async()=>{if(!this.o)throw new DypaiError("No hay sesión activa",401);const t=`${this.config.baseUrl||"http://localhost:8000"}/auth/v1/user`,e=await fetch(t,{headers:{Authorization:`Bearer ${this.o}`,...this.config.apiKey&&{apikey:this.config.apiKey}}});if(!e.ok)throw new DypaiError("Session invalid",e.status);const o=await e.json(),r=this.P(o);return this.T(r),r})())}async me(){return this.getUser()}async signInWithOAuth(t,e={}){return wrapAuthResponse((async()=>{if("undefined"==typeof window)throw new DypaiError("signInWithOAuth requiere un entorno de navegador (window no está disponible)",400);const{redirectTo:o=window.location.href}=e,r=`${this.config.baseUrl||"http://localhost:8000"}/auth/v1/authorize?provider=${t}&redirect_to=${encodeURIComponent(o)}`;window.location.href=r})())}async signOut(){return wrapAuthResponse((async()=>{try{if(this.o){const t=this.config.baseUrl||"http://localhost:8000";await fetch(`${t}/auth/v1/logout`,{method:"POST",headers:{Authorization:`Bearer ${this.o}`,...this.config.apiKey&&{apikey:this.config.apiKey}}})}}finally{this.k("signOut called")}})())}async logout(){return this.signOut()}async resetPasswordForEmail(t){return wrapAuthResponse((async()=>{const e=this.config.baseUrl||"http://localhost:8000",o=await fetch(`${e}/auth/v1/recover`,{method:"POST",headers:{"Content-Type":"application/json"},body:JSON.stringify({email:t})});if(!o.ok)throw new DypaiError("Recovery failed",o.status);return await o.json()})())}async recoverPassword(t){return this.resetPasswordForEmail(t.email)}async refreshSession(){if(this.u)return _log("log","[DYPAI SDK] 🔄 Refresco de sesión ya en curso. Esperando resolución..."),this.u.promise;const t=new Deferred;this.u=t;const e=`lock:${this.STORAGE_KEY}`;return(async()=>{try{const o=await async function(t,e,o){if("undefined"!=typeof globalThis&&globalThis.navigator?.locks?.request){const r=new AbortController,i=setTimeout(()=>r.abort(),e);try{return await globalThis.navigator.locks.request(t,{signal:r.signal},async()=>(clearTimeout(i),await o()))}catch(r){if("AbortError"===r.name)return console.warn(`[DYPAI SDK] ⚠️ Web Lock "${t}" timeout (${e}ms). Proceeding without lock.`),await o();throw r}}return await o()}(e,AuthModule.LOCK_ACQUIRE_TIMEOUT_MS,()=>this.$());t.resolve(o)}catch(e){const o=e instanceof DypaiError?e:new DypaiError(e.message||"Error refrescando sesión",401);t.resolve({data:null,error:o})}finally{this.u=null}})(),t.promise}async $(){try{const t=await this.storage.getItem(this.STORAGE_KEY);if(t){const e=JSON.parse(t),o=e.expires_at||0,r=Math.floor(Date.now()/1e3);if(e.access_token!==this.o&&o-r>60)return _log("log","[DYPAI SDK] 🔄 Otra pestaña ya refrescó el token. Adoptando sesión del storage."),this.o=e.access_token,this.i=e.refresh_token,this.l=e.expires_at,this.t=e.user,this.D=0,this.C("TOKEN_REFRESHED"),{data:{token:this.o,refreshToken:this.i||void 0,expiresAt:this.l||void 0,user:this.t},error:null}}if(!this.i)throw new DypaiError("No hay refresh token disponible",401);_log("log","[DYPAI SDK] 🔄 Iniciando refresco de sesión con Refresh Token...");const e=`${this.config.baseUrl||"http://localhost:8000"}/auth/v1/token?grant_type=refresh_token`,o=new AbortController,r=setTimeout(()=>o.abort(),AuthModule.REFRESH_TIMEOUT_MS);let i;try{i=await fetch(e,{method:"POST",headers:{"Content-Type":"application/json",...this.config.apiKey&&{apikey:this.config.apiKey}},body:JSON.stringify({refresh_token:this.i}),signal:o.signal})}finally{clearTimeout(r)}if(!i.ok){let t={};try{t=await i.json()}catch{}const e=i.status,o=t.error||t.code||"",r=(t.error_description||t.msg||"").toLowerCase(),n="invalid_grant"===o||r.includes("invalid refresh token")||r.includes("revoked");throw e>=400&&e<500&&n?(_log("error","[DYPAI SDK] ❌ Error DEFINITIVO en refresco (Token inválido/revocado). Limpiando sesión."),this.k(`refreshSession failed (${e}: ${o})`)):_log("warn",`[DYPAI SDK] ⚠️ Fallo en refresco (${e}). Posible error de red o servidor temporal. MANTENIENDO SESIÓN.`),new DypaiError(t.msg||t.error_description||"Refresh session failed",e)}const n=await i.json(),s={token:n.access_token,refreshToken:n.refresh_token,expiresIn:n.expires_in,expiresAt:Math.floor(Date.now()/1e3)+(n.expires_in||3600),user:this.P(n)};return this.D=0,await this.I(s),_log("log",`[DYPAI SDK] ✅ Refresh exitoso. Nuevo token expira en ${s.expiresAt} (en ${s.expiresIn}s). Refresh token actualizado: ${!!s.refreshToken}`),{data:s,error:null}}catch(t){this.D++,this.S=Date.now();const e=t instanceof DOMException&&"AbortError"===t.name,o=e?new DypaiError("Refresh token timeout (servidor no responde)",408):t instanceof DypaiError?t:new DypaiError(t.message||"Error refrescando sesión",401),r=Math.min(AuthModule.RETRY_BASE_MS*Math.pow(2,this.D),AuthModule.MAX_RETRY_MS);return e?_log("error",`[DYPAI SDK] ⏱️ Timeout en refresh después de ${AuthModule.REFRESH_TIMEOUT_MS/1e3}s. Backoff: ${r}ms (intento ${this.D})`):_log("error","[DYPAI SDK] ❌ Refresh falló:",o.message,`(status: ${o.status}). Backoff: ${r}ms (intento ${this.D})`),this.D>=AuthModule.MAX_REFRESH_FAILURES&&(_log("error",`[DYPAI SDK] 🗑️ ${this.D} fallos consecutivos de refresh. Sesión irrecuperable. Limpiando...`),this.k(`${this.D} consecutive refresh failures`),this.D=0),{data:null,error:o}}}async signInWithOtp(t){return wrapAuthResponse((async()=>{const e=this.config.baseUrl||"http://localhost:8000",o=await fetch(`${e}/auth/v1/otp`,{method:"POST",headers:{"Content-Type":"application/json",...this.config.apiKey&&{apikey:this.config.apiKey}},body:JSON.stringify(t)});if(!o.ok){const t=await o.json();throw new DypaiError(t.detail||"OTP request failed",o.status)}return await o.json()})())}async verifyOtp(t){return wrapAuthResponse((async()=>{const e=this.config.baseUrl||"http://localhost:8000",o=await fetch(`${e}/auth/v1/verify`,{method:"POST",headers:{"Content-Type":"application/json",...this.config.apiKey&&{apikey:this.config.apiKey}},body:JSON.stringify(t)});if(!o.ok){const t=await o.json();throw new DypaiError(t.detail||"OTP verification failed",o.status)}const r=await o.json(),i={token:r.access_token,refreshToken:r.refresh_token,expiresIn:r.expires_in,expiresAt:Math.floor(Date.now()/1e3)+(r.expires_in||3600),user:this.P(r)};return i.token&&await this.I(i),i})())}async updateUser(t){return wrapAuthResponse((async()=>{if(!this.o)throw new DypaiError("No hay sesión activa",401);const e=`${this.config.baseUrl||"http://localhost:8000"}/auth/v1/user`,o=await fetch(e,{method:"PUT",headers:{"Content-Type":"application/json",Authorization:`Bearer ${this.o}`,...this.config.apiKey&&{apikey:this.config.apiKey}},body:JSON.stringify(t)});if(!o.ok){const t=await o.json();throw new DypaiError(t.detail||"Update user failed",o.status)}const r=await o.json(),i=this.P(r);return this.T(i),i})())}startAutoRefresh(){this.stopAutoRefresh(),_log("log","[DYPAI SDK] ⏱️ Auto-refresh iniciado (tick cada 30s)."),this.K(),this.p=setInterval(()=>this.K(),AuthModule.AUTO_REFRESH_TICK_DURATION_MS)}stopAutoRefresh(){this.p&&(_log("log","[DYPAI SDK] ⏹️ Auto-refresh detenido."),clearInterval(this.p),this.p=null)}async K(){try{const t=Math.floor(Date.now()/1e3),e=this.l||0;if(!this.i||!e)return;if(1e3*(e-t)>AuthModule.AUTO_REFRESH_TICK_THRESHOLD*AuthModule.AUTO_REFRESH_TICK_DURATION_MS)return;if(this.D>0){const t=Math.min(AuthModule.RETRY_BASE_MS*Math.pow(2,this.D),AuthModule.MAX_RETRY_MS);if(Date.now()-this.S<t)return}_log("log",`[DYPAI SDK] ⏱️ Auto-refresh tick: token expira en ${e-t}s. Refrescando...`),await this.refreshSession()}catch(t){_log("error","[DYPAI SDK] ❌ Error en auto-refresh tick:",t)}}P(t){if(!t)return _log("warn","[DYPAI SDK] ⚠️ Intentando normalizar un usuario inexistente (data es null/undefined)"),{};const e=t.user||t,o=e.app_metadata||{},r=e.user_metadata||{};return{id:e.id,email:e.email,phone:e.phone,role:o.role||e.role,created_at:e.created_at,updated_at:e.updated_at,confirmed_at:e.confirmed_at,last_sign_in_at:e.last_sign_in_at,app_metadata:o,user_metadata:r,M:{name:o.role||"authenticated",weight:0},R:{app_id:"default"}}}async I(t){t.token&&(this.o=t.token,this.i=t.refreshToken||null,this.l=t.expiresAt||null,await this.T(t.user,t.token,t.refreshToken,t.expiresAt),_log("log",`[DYPAI SDK] 💾 Sesión persistida en storage (expires_at: ${this.l}, has_refresh: ${!!this.i})`),this.startAutoRefresh())}async T(t,e,o,r){this.t=t,e&&(this.o=e),void 0!==o&&(this.i=o||null),void 0!==r&&(this.l=r||null);try{if(this.o&&this.t){const t={access_token:this.o,refresh_token:this.i,expires_at:this.l,user:this.t};await this.storage.setItem(this.STORAGE_KEY,JSON.stringify(t))}else _log("warn","[DYPAI SDK] ⚠️ _updateUser: No se guardó sesión porque falta token o user.")}catch(t){_log("error","[DYPAI SDK] ❌ Error guardando sesión en storage:",t)}const i=e?"SIGNED_IN":"USER_UPDATED";this.C(i)}async k(t="unknown"){_log("log",`[DYPAI SDK] 🧹 Limpiando sesión del estado y storage. Motivo: ${t}`),this.o=null,this.i=null,this.t=null,this.l=null,this.stopAutoRefresh();try{await this.storage.removeItem(this.STORAGE_KEY),_log("log","[DYPAI SDK] ✅ Storage limpiado con éxito.")}catch(t){_log("error","[DYPAI SDK] ❌ Error eliminando sesión de storage:",t)}this.C("SIGNED_OUT")}async m(t=!0){_log("log","[DYPAI SDK] 🔍 Iniciando recuperación de sesión...");try{const e=await this.storage.getItem(this.STORAGE_KEY);if(e){let t;_log("log","[DYPAI SDK] ✅ Sesión consolidada encontrada. Restaurando datos...");try{t=JSON.parse(e)}catch{return console.warn("[DYPAI SDK] ⚠️ Sesión en storage corrupta (JSON inválido). Limpiando..."),void await this.storage.removeItem(this.STORAGE_KEY)}if(!t||"object"!=typeof t||"string"!=typeof t.access_token)return console.warn("[DYPAI SDK] ⚠️ Sesión en storage con formato inválido. Limpiando..."),void await this.storage.removeItem(this.STORAGE_KEY);this.o=t.access_token,this.i="string"==typeof t.refresh_token?t.refresh_token:null,this.l="number"==typeof t.expires_at?t.expires_at:null,this.t=t.user&&"object"==typeof t.user?t.user:null}else{_log("log","[DYPAI SDK] ℹ️ No hay sesión consolidada. Buscando llaves antiguas para migración...");const t=this.STORAGE_KEY.replace("dypai-","").replace("-auth-session",""),e=await this.storage.getItem(`dypai-auth-token-${t}`),o=await this.storage.getItem(`dypai-auth-user-${t}`);if(!e||!o)return void _log("log","[DYPAI SDK] ℹ️ No se encontró ninguna sesión (storage vacío).");{let r;_log("log","[DYPAI SDK] 🚚 Migración: Datos antiguos detectados. Consolidando...");try{r=JSON.parse(o)}catch{return void console.warn("[DYPAI SDK] ⚠️ Usuario antiguo en storage corrupto (JSON inválido). Ignorando migración...")}if(!r||"object"!=typeof r)return void console.warn("[DYPAI SDK] ⚠️ Usuario antiguo en storage con formato inválido. Ignorando migración...");this.o=e,this.t=r;const i=await this.storage.getItem(`dypai-auth-refresh-token-${t}`),n=await this.storage.getItem(`dypai-auth-expires-at-${t}`);this.i=i,this.l=n?parseInt(n,10):null,await this.T(r,this.o||void 0,this.i||void 0,this.l||void 0);const s=[`dypai-auth-token-${t}`,`dypai-auth-refresh-token-${t}`,`dypai-auth-user-${t}`,`dypai-auth-expires-at-${t}`];for(const t of s)try{await this.storage.removeItem(t)}catch(t){}_log("log","[DYPAI SDK] ✨ Migración completada con éxito.")}}const o=Math.floor(Date.now()/1e3),r=this.l&&this.l<=o;if(_log("log",`[DYPAI SDK] 🕒 Token expira en: ${this.l}. Ahora es: ${o}. Diferencia: ${(this.l||0)-o}s`),r&&this.i&&t){_log("log","[DYPAI SDK] ⚠️ El Access Token ha caducado. Intentando refrescar sesión inmediatamente...");const t=await this.refreshSession();if(t.error)return void _log("error","[DYPAI SDK] ❌ El refresco falló:",t.error.message)}else this.l&&_log("log","[DYPAI SDK] ✨ Sesión válida. Iniciando auto-refresh.");this.C("SIGNED_IN")}catch(t){_log("error","[DYPAI SDK] ❌ Error crítico durante la recuperación de sesión:",t)}}v(){return this.o&&this.t?{access_token:this.o,refresh_token:this.i||void 0,expires_at:this.l||void 0,token_type:"bearer",user:this.t}:null}C(t="USER_UPDATED"){const e=this.v();_log("log",`[DYPAI SDK] 📢 Notificando a ${this.h.length} suscriptores: Evento=${t} (Sesión activa: ${!!e})`),this.h.forEach(o=>o(t,e))}handleSessionExpired(){this.k("handleSessionExpired called (likely 401 from API)")}}AuthModule.REFRESH_TIMEOUT_MS=15e3,AuthModule.MAX_REFRESH_FAILURES=5,AuthModule.AUTO_REFRESH_TICK_DURATION_MS=3e4,AuthModule.AUTO_REFRESH_TICK_THRESHOLD=3,AuthModule.RETRY_BASE_MS=200,AuthModule.MAX_RETRY_MS=3e4,AuthModule.LOCK_ACQUIRE_TIMEOUT_MS=5e3;class DataModule{constructor(t){this.api=t}from(t){return new QueryBuilder(t,this.api)}}class QueryBuilder{constructor(t,e){this.table=t,this.api=e}async select(t={}){return this.api.get(this.table,{params:t})}async insert(t){return this.api.post(this.table,t)}async update(t,e){return this.api.patch(`${this.table}/${t}`,e)}async delete(t){return this.api.delete(`${this.table}/${t}`)}}class UsersModule{constructor(t){this.api=t}async list(t={}){return this.api.get("admin/users",{params:t})}async create(t){return this.api.post("admin/users",{body:t})}async update(t,e){return this.api.put(`admin/users/${t}`,{body:e})}async delete(t){return this.api.delete(`admin/users/${t}`)}}let customToastFunction=null;const fallbackToast=t=>{const{title:e,description:o,variant:r="default"}=t,i=`${"error"===r?"❌":"success"===r?"✅":"warning"===r?"⚠️":"info"===r?"ℹ️":"📢"} ${e}${o?`: ${o}`:""}`;"error"===r?console.error(i):"warning"===r?console.warn(i):console.log(i)},toast=t=>(customToastFunction||fallbackToast)(t);let serviceConfig={},globalTokenProvider=null;function setTokenProvider(t){globalTokenProvider=t}function configureApiService(t){serviceConfig={...serviceConfig,...t}}const pendingRequests=new Map;function getCompleteConfig(){let t=serviceConfig;try{const{getGlobalConfig:e}=require("../config/global-config");t={...e(),...serviceConfig}}catch(t){}return t}async function callApi(t,e,o,r,i,n,s,a){const c=getCompleteConfig(),l=a||null;if(!l&&!o.startsWith("http"))throw new Error("Base URL no definida. Usa createClient(url, key).");if("string"!=typeof o||!o.trim())throw new Error("Endpoint debe ser un string válido");let h;if(o.startsWith("http"))h=o;else{const t=l.replace(/\/+$/,"");h=o.startsWith("/")?t+o:t+"/api/v0/"+o}if(n&&Object.keys(n).length>0){const t=new URLSearchParams,e=(o,r)=>{null!=r&&(Array.isArray(r)?r.forEach((t,r)=>e(`${o}[${r}]`,t)):"object"==typeof r?Object.entries(r).forEach(([t,r])=>e(`${o}[${t}]`,r)):t.append(o,String(r)))};Object.entries(n).forEach(([t,o])=>e(t,o));const o=t.toString();o&&(h+=`?${o}`)}const u="GET"===e?`${e}:${h}:${JSON.stringify(r)}`:null;if(u&&pendingRequests.has(u))return pendingRequests.get(u);const d=r instanceof FormData,p={...c.headers||{},...d?{}:{"Content-Type":"application/json"},...t&&{Authorization:`Bearer ${t}`},...s&&{"x-api-key":s}},f={method:e,headers:p,credentials:"include"};r&&"GET"!==e&&"DELETE"!==e&&(f.body=d?r:JSON.stringify(r));const y=c.fetch||("undefined"!=typeof window?window.fetch.bind(window):fetch);if(!y)throw new Error("Fetch no disponible.");const g=(async()=>{const t=getCompleteConfig().toast||toast,l=(void 0!==i?i:!1!==c.showToasts)&&t;try{const u=await y(h,f);if(!u.ok){let h,d="Error en la petición";try{const t=await u.text();try{const e=JSON.parse(t);h=e,d=e.message||e.msg||e.error_description||e.error||d}catch{t.length<200&&(d=t)}}catch{}if(401===u.status&&c.onTokenExpired)try{const t=await c.onTokenExpired();if(t)return callApi(t,e,o,r,i,n,s,a)}catch(t){console.error("[DYPAI SDK] ❌ Error durante el intento de refresco:",t)}throw l&&t({title:"Error",description:d,variant:"error"}),new DypaiError(d,u.status,void 0,h)}!l||"POST"!==e&&"PUT"!==e&&"PATCH"!==e&&"DELETE"!==e||t({title:"Éxito",description:"Operación completada",variant:"success"});const d=u.headers.get("content-type")||"";return d.includes("application/pdf")||d.includes("image/")||d.includes("audio/")||d.includes("video/")||d.includes("application/octet-stream")||d.includes("application/zip")||d.includes("application/vnd.openxmlformats-officedocument")?await u.blob():d.includes("application/json")?await u.json():await u.text()}finally{u&&pendingRequests.delete(u)}})();return u&&pendingRequests.set(u,g),g}function normalizeUploadPayload(t){return t&&"object"==typeof t?{...t,upload_url:t.upload_url||t.uploadUrl||t.url,storage_path:t.storage_path||t.storagePath}:null}function createMethod(t,e){return async(o,r,i)=>{const n=t();let s,a={};r&&"object"==typeof r&&("token"in r||"params"in r||"apiKey"in r)?(a=r,s=a.body):(s=r,a=i||{});const c=a.token||n.token||(globalTokenProvider?globalTokenProvider():"")||"",l=a.apiKey||n.apiKey;return callApi(c,e,o,s,a.showToasts,a.params,l,n.baseUrl)}}function createApiClient(t){const e=()=>"function"==typeof t?t():t;return{get:createMethodFromCtx(e,"GET"),post:createMethodFromCtx(e,"POST"),put:createMethodFromCtx(e,"PUT"),patch:createMethodFromCtx(e,"PATCH"),delete:createMethodFromCtx(e,"DELETE")}}function createMethodFromCtx(t,e){return async(o,r,i)=>{const n=t(),s=await async function(t,e){let o,r={};t&&"object"==typeof t&&("token"in t||"params"in t||"apiKey"in t)?(r=t,o=r.body):(o=t,r=e||{});let i=r.token;return!i&&globalTokenProvider&&(i=globalTokenProvider()||""),i=i||"",{token:i,apiKey:r.apiKey,body:o,params:r.params,showToasts:r.showToasts}}(r,i),a=s.token||n.token||"",c=s.apiKey||n.apiKey;try{return{data:await callApi(a,e,o,s.body,s.showToasts,s.params,c,n.baseUrl),error:null}}catch(t){return{data:null,error:t instanceof DypaiError?t:new DypaiError(t?.message??"Error desconocido",t?.status??500)}}}}class StorageModule{constructor(t){this.api=t}from(t){return new StorageBucketBuilder(t,this.api)}}class StorageBucketBuilder{constructor(t,e){this.bucketName=t,this.api=e}async upload(t,e,o={}){return wrapStorageResponse(async()=>{const r=o.uploadEndpoint||`storage_upload_${this.bucketName}`,i={file_path:t,client_upload:o.clientUpload??!1,...o.params};if(o.clientUpload)return await async function(t,e,o,r){const{data:i,error:n}=await t.post(e,{file_path:o.name,content_type:o.type||"application/octet-stream",size_bytes:o.size,confirm:!1,client_upload:!0,...r?.params||{}});if(n)throw n;const s=function(t){if(!t||"object"!=typeof t)return null;const e=t.upload_url||t.uploadUrl||t.url?t:null;if(e?.upload_url)return normalizeUploadPayload(e);const o=[t.data,t.result,t.output,t.payload].filter(Boolean);for(const t of o)if(t&&(t.upload_url||t.uploadUrl||t.url))return normalizeUploadPayload(t);const r=[t.steps_results,t.nodes_results].filter(Boolean);for(const t of r){const e=Array.isArray(t)?t:Object.values(t);for(const t of e)if(t&&(t.upload_url||t.uploadUrl||t.url))return normalizeUploadPayload(t)}return null}(i);if(!s?.upload_url)throw new DypaiError("El workflow no devolvió una URL de subida válida (¿falta storage.upload?)",400);const{upload_url:a,method:c="PUT",headers:l={},file_path:h,storage_path:u}=s;r?.onProgress&&r.onProgress(10);const d=await fetch(a,{method:c,headers:{"Content-Type":o.type||"application/octet-stream",...l},body:o});if(!d.ok)throw new DypaiError("Error en la subida directa a la nube",d.status);r?.onProgress&&r.onProgress(90);const p=r?.confirmEndpoint||e,{data:f,error:y}=await t.post(p,{...r?.params,bucket:s.bucket||r?.params?.bucket,file_path:h,storage_path:u,filename:o.name,content_type:o.type||"application/octet-stream",size_bytes:o.size,confirm:!0,client_upload:!0});if(y)throw y;return r?.onProgress&&r.onProgress(100),f}(this.api,r,e,{confirmEndpoint:o.confirmEndpoint,params:i,onProgress:o.onProgress});const n=o.contentType||e.type||"application/octet-stream",s=await async function(t){return new Promise((e,o)=>{const r=new FileReader;r.onload=()=>e(String(r.result)),r.onerror=()=>o(r.error),r.readAsDataURL(t)})}(e),{data:a,error:c}=await this.api.post(r,{...i,content:s,content_type:n,size_bytes:e.size,confirm:!0});if(c)throw c;return a})}async download(t,e={}){return wrapStorageResponse(async()=>{const o=e.downloadEndpoint||`storage_download_${this.bucketName}`,r={bucket:this.bucketName,file_path:t,...e.params};await async function(t,e,o,r){const i=r?.method,{data:n,error:s}=await("GET"===i?t.get(e,{params:r?.params}):t.post(e,o,{params:r?.params}));if(s)throw s;if(n instanceof Blob){const t=window.URL.createObjectURL(n),e=document.createElement("a");e.href=t,e.download=r?.fileName||"archivo-descargado",document.body.appendChild(e),e.click(),window.URL.revokeObjectURL(t),document.body.removeChild(e)}else if(n&&"object"==typeof n&&("url"in n||"signed_url"in n||"signedUrl"in n)){const t=n.url||n.signed_url||n.signedUrl;if("string"==typeof t){const e=new URL(t).searchParams.get("response-content-disposition");let o;if(e){const t=decodeURIComponent(e).match(/filename\*?=(?:UTF-8''|")?([^";]+)/i);t?.[1]&&(o=t[1].replace(/"/g,""))}const i=r?.fileName||o;if(i){const e=document.createElement("a");e.href=t,e.download=i,document.body.appendChild(e),e.click(),document.body.removeChild(e)}else window.open(t,"_blank")}}}(this.api,o,r,{fileName:e.fileName,method:e.method||"POST"})})}async createSignedUrl(t,e=15,o={}){return wrapStorageResponse(async()=>{const r=o.endpoint||`storage_download_${this.bucketName}`,i={bucket:this.bucketName,file_path:t,expires_minutes:e,download:!1,...o.params},{data:n,error:s}=await this.api.post(r,i);if(s)throw s;return{signedUrl:n?.signed_url||n?.signedUrl||n?.url,expiresIn:n?.expires_in||n?.expiresIn||e,path:t}})}getPublicUrl(t){const e=t.replace(/^\/+/,"");return{data:{publicUrl:`${this.api.baseUrl||""}/storage/v1/render/public/${this.bucketName}/${e}`}}}async list(t="",e={}){return wrapStorageResponse(async()=>{const o=e.endpoint||`storage_list_${this.bucketName}`,r={bucket:this.bucketName,prefix:t||e.prefix||"",limit:e.limit,offset:e.offset,sort_by:e.sortBy,order:e.order,search:e.search,...e.params},{data:i,error:n}=await this.api.post(o,r);if(n)throw n;return{data:i?.data||i?.files||[],total:i?.total,hasMore:i?.has_more||i?.hasMore||!1}})}async remove(t,e={}){return wrapStorageResponse(async()=>{const o=e.endpoint||`storage_delete_${this.bucketName}`,r=Array.isArray(t)?t:[t],i={bucket:this.bucketName,paths:r,...e.params},{error:n}=await this.api.post(o,i);if(n)throw n;return{success:!0}})}async move(t,e,o={}){return wrapStorageResponse(async()=>{throw new DypaiError("move() no está soportado por el engine actual. Crea un endpoint personalizado.",400)})}async copy(t,e,o={}){return wrapStorageResponse(async()=>{throw new DypaiError("copy() no está soportado por el engine actual. Crea un endpoint personalizado.",400)})}}async function wrapStorageResponse(t){try{return{data:await t(),error:null}}catch(t){return{data:null,error:t instanceof DypaiError?t:new DypaiError(t.message||"Error de storage",t.status||500)}}}class DypaiClient{constructor(t){const{baseUrl:e,apiKey:o}=t,r=t.auth?.storageKey||t.storageKey;t.global&&function(t){serviceConfig={...serviceConfig,...t}}(t.global),this.auth=new AuthModule({baseUrl:e,apiKey:o,storageKey:r,storage:t.auth?.storage,autoRefreshToken:t.auth?.autoRefreshToken,persistSession:t.auth?.persistSession},null);const i={get:createMethod(n=()=>({token:this.auth.token,apiKey:o,baseUrl:e}),"GET"),post:createMethod(n,"POST"),put:createMethod(n,"PUT"),patch:createMethod(n,"PATCH"),delete:createMethod(n,"DELETE")};var n;this.auth.api=i,this.db=new DataModule(i),this.users=new UsersModule(i),this.storage=new StorageModule(i),this.api=createApiClient(()=>({token:this.auth.token||"",apiKey:o,baseUrl:e})),setTokenProvider(()=>this.auth.token),configureApiService({onTokenExpired:async()=>{const t=await this.auth.refreshSession();if(t.error)throw t.error;return t.data?.token||null},onUnauthorized:()=>this.auth.handleSessionExpired()})}from(t){return this.db.from(t)}async me(){return this.auth.getUser()}}let globalConfig={};function applyConfigToAllServices(){try{const{configureApiService:t}=require("../services/ApiService");t(globalConfig)}catch(t){}}exports.DypaiClient=DypaiClient,exports.PACKAGE_INFO={name:"@dypai-ai/client-sdk",version:"0.0.1",description:"Cliente JavaScript para Dypai Engine",features:["API REST autenticada","Smart Storage (Upload/Download delegado)","Gestión de usuarios (Admin)"]},exports.callApi=callApi,exports.configureApiService=configureApiService,exports.configureDypaiServices=function(t){globalConfig={...globalConfig,toast:toast,...t},applyConfigToAllServices()},exports.createApiClient=createApiClient,exports.createClient=function(t,e,o){if(!t||!e)throw new Error("createClient() requiere URL y API Key");return new DypaiClient({baseUrl:t,apiKey:e,...o})},exports.getGlobalConfig=function(){return{...globalConfig}},exports.reloadDypaiConfig=async function(){applyConfigToAllServices()},exports.resetGlobalConfig=function(){globalConfig={},applyConfigToAllServices()},exports.setToastFunction=function(t){customToastFunction=t},exports.setTokenProvider=setTokenProvider,exports.toast=toast,exports.toastError=(t,e)=>toast({title:t,description:e,variant:"error"}),exports.toastInfo=(t,e)=>toast({title:t,description:e,variant:"info"}),exports.toastSuccess=(t,e)=>toast({title:t,description:e,variant:"success"}),exports.toastWarning=(t,e)=>toast({title:t,description:e,variant:"warning"}),exports.useToast=function(){const t=customToastFunction||fallbackToast;return{toast:t,toastSuccess:(e,o)=>t({title:e,description:o,variant:"success"}),toastError:(e,o)=>t({title:e,description:o,variant:"error"}),toastWarning:(e,o)=>t({title:e,description:o,variant:"warning"}),toastInfo:(e,o)=>t({title:e,description:o,variant:"info"})}};
|