teraprox-core-sdk 0.3.3 → 0.3.5

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.
@@ -52,6 +52,23 @@ function createReducersBundle(config) {
52
52
  };
53
53
  }
54
54
 
55
+ // src/adapters/null/NullObservabilityAdapter.ts
56
+ var NullObservabilityAdapter = class {
57
+ trackInteraction(payload) {
58
+ var _a;
59
+ console.info(`[Observability] INTERACTION: ${payload.name}`, (_a = payload.properties) != null ? _a : {});
60
+ }
61
+ captureVitals(payload) {
62
+ var _a, _b;
63
+ const unit = (_a = payload.unit) != null ? _a : "";
64
+ console.info(`[Observability] VITAL: ${payload.name} = ${payload.value}${unit}`, (_b = payload.meta) != null ? _b : {});
65
+ }
66
+ logBreadcrumb(payload) {
67
+ var _a;
68
+ console.info(`[Observability] BREADCRUMB [${payload.category}]: ${payload.message}`, (_a = payload.data) != null ? _a : {});
69
+ }
70
+ };
71
+
55
72
  // src/federation/StandaloneProvider.tsx
56
73
  import { useMemo, useCallback, useState, useEffect as useEffect2, useRef } from "react";
57
74
  import { jsx as jsx2, jsxs } from "react/jsx-runtime";
@@ -271,7 +288,8 @@ function StandaloneProvider({ createController, addToast, firebaseConfig, emulat
271
288
  },
272
289
  handleLogout: () => {
273
290
  },
274
- hostedByCore: false
291
+ hostedByCore: false,
292
+ observability: new NullObservabilityAdapter()
275
293
  }),
276
294
  [createController, toast, subscribe, unsubscribe]
277
295
  );
@@ -290,14 +308,14 @@ var DEFAULT_DEV_USER = {
290
308
  lastName: "User",
291
309
  token: "dev-standalone-token",
292
310
  email: "dev@teraprox.local",
293
- id: "dev-user-id",
311
+ id: "1",
294
312
  role: "admin",
295
313
  user: "devuser",
296
314
  userName: "devuser",
297
315
  setor: "Desenvolvimento",
298
- userSetor: { setorId: "dev-setor-id" },
316
+ userSetor: { setorId: "1" },
299
317
  companyName: "Dev Company",
300
- companyId: "dev-company-id",
318
+ companyId: "1",
301
319
  filters: []
302
320
  };
303
321
  function DevAutoLogin({ actions, devUser, children }) {
@@ -321,6 +339,7 @@ export {
321
339
  CoreServiceContext,
322
340
  FederatedBridge,
323
341
  createReducersBundle,
342
+ NullObservabilityAdapter,
324
343
  StandaloneProvider,
325
344
  DevAutoLogin
326
345
  };
@@ -34,6 +34,50 @@ interface MatchingObjectSubscription {
34
34
  userId?: string;
35
35
  }
36
36
 
37
+ /**
38
+ * Port de Observabilidade — contrato entre os Use Cases/Adapters e
39
+ * qualquer implementação de RUM (Datadog, Sentry, Grafana, console…).
40
+ */
41
+ interface VitalsPayload {
42
+ /** Nome da métrica Web Vital: 'LCP', 'CLS', 'FID', 'TTFB', etc. */
43
+ name: string;
44
+ /** Valor numérico da métrica */
45
+ value: number;
46
+ /** Unidade da métrica: 'ms', 'score', 'count', etc. */
47
+ unit?: string;
48
+ /** Metadados adicionais opcionais */
49
+ meta?: Record<string, unknown>;
50
+ }
51
+ interface BreadcrumbPayload {
52
+ /** Categoria do breadcrumb: 'action', 'navigation', 'http', 'error', etc. */
53
+ category: string;
54
+ /** Mensagem legível descrevendo o evento */
55
+ message: string;
56
+ /** Dados estruturados adicionais */
57
+ data?: Record<string, unknown>;
58
+ }
59
+ interface InteractionPayload {
60
+ /** Nome da interação (ex.: 'save-solicitacao', 'approve-ss', 'reject-ss') */
61
+ name: string;
62
+ /** Propriedades associadas à interação */
63
+ properties?: Record<string, unknown>;
64
+ }
65
+ interface IObservabilityPort {
66
+ /**
67
+ * Registra uma interação do usuário (clique, submit, navegação intencional).
68
+ * Usado para rastrear fluxos de negócio e funis.
69
+ */
70
+ trackInteraction(payload: InteractionPayload): void;
71
+ /**
72
+ * Captura métricas de performance (Web Vitals: LCP, CLS, FID, TTFB).
73
+ */
74
+ captureVitals(payload: VitalsPayload): void;
75
+ /**
76
+ * Adiciona um breadcrumb ao trail de eventos para diagnóstico de erros.
77
+ */
78
+ logBreadcrumb(payload: BreadcrumbPayload): void;
79
+ }
80
+
37
81
  interface CoreService {
38
82
  /** Cria um HttpController configurado para um contexto/endpoint */
39
83
  createController(context: string, baseEndPoint?: string): HttpController;
@@ -51,6 +95,8 @@ interface CoreService {
51
95
  handleLogout(): void;
52
96
  /** Indica se o componente está hospedado pelo Core */
53
97
  hostedByCore: boolean;
98
+ /** Porta de observabilidade — tracking, vitals e breadcrumbs */
99
+ observability: IObservabilityPort;
54
100
  }
55
101
 
56
102
  interface FederatedBridgeProps {
@@ -270,4 +316,4 @@ interface RemoteManifest {
270
316
  menuSections: RemoteMenuSection[];
271
317
  }
272
318
 
273
- export { type CoreService as C, DevAutoLogin as D, FederatedBridge as F, type HttpController as H, type MatchingObjectSubscription as M, type ReducersBundle as R, StandaloneProvider as S, type ToastService as T, type ReducersBundleConfig as a, type RemoteManifest as b, type RemoteMenuItem as c, type RemoteMenuSection as d, type ToastOptions as e, createReducersBundle as f };
319
+ export { type BreadcrumbPayload as B, type CoreService as C, DevAutoLogin as D, FederatedBridge as F, type HttpController as H, type IObservabilityPort as I, type MatchingObjectSubscription as M, type ReducersBundle as R, StandaloneProvider as S, type ToastService as T, type VitalsPayload as V, type InteractionPayload as a, type ReducersBundleConfig as b, type RemoteManifest as c, type RemoteMenuItem as d, type RemoteMenuSection as e, type ToastOptions as f, createReducersBundle as g };
@@ -34,6 +34,50 @@ interface MatchingObjectSubscription {
34
34
  userId?: string;
35
35
  }
36
36
 
37
+ /**
38
+ * Port de Observabilidade — contrato entre os Use Cases/Adapters e
39
+ * qualquer implementação de RUM (Datadog, Sentry, Grafana, console…).
40
+ */
41
+ interface VitalsPayload {
42
+ /** Nome da métrica Web Vital: 'LCP', 'CLS', 'FID', 'TTFB', etc. */
43
+ name: string;
44
+ /** Valor numérico da métrica */
45
+ value: number;
46
+ /** Unidade da métrica: 'ms', 'score', 'count', etc. */
47
+ unit?: string;
48
+ /** Metadados adicionais opcionais */
49
+ meta?: Record<string, unknown>;
50
+ }
51
+ interface BreadcrumbPayload {
52
+ /** Categoria do breadcrumb: 'action', 'navigation', 'http', 'error', etc. */
53
+ category: string;
54
+ /** Mensagem legível descrevendo o evento */
55
+ message: string;
56
+ /** Dados estruturados adicionais */
57
+ data?: Record<string, unknown>;
58
+ }
59
+ interface InteractionPayload {
60
+ /** Nome da interação (ex.: 'save-solicitacao', 'approve-ss', 'reject-ss') */
61
+ name: string;
62
+ /** Propriedades associadas à interação */
63
+ properties?: Record<string, unknown>;
64
+ }
65
+ interface IObservabilityPort {
66
+ /**
67
+ * Registra uma interação do usuário (clique, submit, navegação intencional).
68
+ * Usado para rastrear fluxos de negócio e funis.
69
+ */
70
+ trackInteraction(payload: InteractionPayload): void;
71
+ /**
72
+ * Captura métricas de performance (Web Vitals: LCP, CLS, FID, TTFB).
73
+ */
74
+ captureVitals(payload: VitalsPayload): void;
75
+ /**
76
+ * Adiciona um breadcrumb ao trail de eventos para diagnóstico de erros.
77
+ */
78
+ logBreadcrumb(payload: BreadcrumbPayload): void;
79
+ }
80
+
37
81
  interface CoreService {
38
82
  /** Cria um HttpController configurado para um contexto/endpoint */
39
83
  createController(context: string, baseEndPoint?: string): HttpController;
@@ -51,6 +95,8 @@ interface CoreService {
51
95
  handleLogout(): void;
52
96
  /** Indica se o componente está hospedado pelo Core */
53
97
  hostedByCore: boolean;
98
+ /** Porta de observabilidade — tracking, vitals e breadcrumbs */
99
+ observability: IObservabilityPort;
54
100
  }
55
101
 
56
102
  interface FederatedBridgeProps {
@@ -270,4 +316,4 @@ interface RemoteManifest {
270
316
  menuSections: RemoteMenuSection[];
271
317
  }
272
318
 
273
- export { type CoreService as C, DevAutoLogin as D, FederatedBridge as F, type HttpController as H, type MatchingObjectSubscription as M, type ReducersBundle as R, StandaloneProvider as S, type ToastService as T, type ReducersBundleConfig as a, type RemoteManifest as b, type RemoteMenuItem as c, type RemoteMenuSection as d, type ToastOptions as e, createReducersBundle as f };
319
+ export { type BreadcrumbPayload as B, type CoreService as C, DevAutoLogin as D, FederatedBridge as F, type HttpController as H, type IObservabilityPort as I, type MatchingObjectSubscription as M, type ReducersBundle as R, StandaloneProvider as S, type ToastService as T, type VitalsPayload as V, type InteractionPayload as a, type ReducersBundleConfig as b, type RemoteManifest as c, type RemoteMenuItem as d, type RemoteMenuSection as e, type ToastOptions as f, createReducersBundle as g };
@@ -1,3 +1,3 @@
1
- export { D as DevAutoLogin, F as FederatedBridge, R as ReducersBundle, a as ReducersBundleConfig, b as RemoteManifest, c as RemoteMenuItem, d as RemoteMenuSection, S as StandaloneProvider, f as createReducersBundle } from './federation-UNcGnNB-.mjs';
1
+ export { D as DevAutoLogin, F as FederatedBridge, R as ReducersBundle, b as ReducersBundleConfig, c as RemoteManifest, d as RemoteMenuItem, e as RemoteMenuSection, S as StandaloneProvider, g as createReducersBundle } from './federation-Bhx0XhSP.mjs';
2
2
  import 'react/jsx-runtime';
3
3
  import 'react';
@@ -1,3 +1,3 @@
1
- export { D as DevAutoLogin, F as FederatedBridge, R as ReducersBundle, a as ReducersBundleConfig, b as RemoteManifest, c as RemoteMenuItem, d as RemoteMenuSection, S as StandaloneProvider, f as createReducersBundle } from './federation-UNcGnNB-.js';
1
+ export { D as DevAutoLogin, F as FederatedBridge, R as ReducersBundle, b as ReducersBundleConfig, c as RemoteManifest, d as RemoteMenuItem, e as RemoteMenuSection, S as StandaloneProvider, g as createReducersBundle } from './federation-Bhx0XhSP.js';
2
2
  import 'react/jsx-runtime';
3
3
  import 'react';
@@ -95,6 +95,25 @@ function createReducersBundle(config) {
95
95
 
96
96
  // src/federation/StandaloneProvider.tsx
97
97
  var import_react3 = require("react");
98
+
99
+ // src/adapters/null/NullObservabilityAdapter.ts
100
+ var NullObservabilityAdapter = class {
101
+ trackInteraction(payload) {
102
+ var _a;
103
+ console.info(`[Observability] INTERACTION: ${payload.name}`, (_a = payload.properties) != null ? _a : {});
104
+ }
105
+ captureVitals(payload) {
106
+ var _a, _b;
107
+ const unit = (_a = payload.unit) != null ? _a : "";
108
+ console.info(`[Observability] VITAL: ${payload.name} = ${payload.value}${unit}`, (_b = payload.meta) != null ? _b : {});
109
+ }
110
+ logBreadcrumb(payload) {
111
+ var _a;
112
+ console.info(`[Observability] BREADCRUMB [${payload.category}]: ${payload.message}`, (_a = payload.data) != null ? _a : {});
113
+ }
114
+ };
115
+
116
+ // src/federation/StandaloneProvider.tsx
98
117
  var import_jsx_runtime2 = require("react/jsx-runtime");
99
118
  async function probeEmulator(host, port) {
100
119
  try {
@@ -312,7 +331,8 @@ function StandaloneProvider({ createController, addToast, firebaseConfig, emulat
312
331
  },
313
332
  handleLogout: () => {
314
333
  },
315
- hostedByCore: false
334
+ hostedByCore: false,
335
+ observability: new NullObservabilityAdapter()
316
336
  }),
317
337
  [createController, toast, subscribe, unsubscribe]
318
338
  );
@@ -331,14 +351,14 @@ var DEFAULT_DEV_USER = {
331
351
  lastName: "User",
332
352
  token: "dev-standalone-token",
333
353
  email: "dev@teraprox.local",
334
- id: "dev-user-id",
354
+ id: "1",
335
355
  role: "admin",
336
356
  user: "devuser",
337
357
  userName: "devuser",
338
358
  setor: "Desenvolvimento",
339
- userSetor: { setorId: "dev-setor-id" },
359
+ userSetor: { setorId: "1" },
340
360
  companyName: "Dev Company",
341
- companyId: "dev-company-id",
361
+ companyId: "1",
342
362
  filters: []
343
363
  };
344
364
  function DevAutoLogin({ actions, devUser, children }) {
@@ -3,7 +3,7 @@ import {
3
3
  FederatedBridge,
4
4
  StandaloneProvider,
5
5
  createReducersBundle
6
- } from "./chunk-CLNYFYWU.mjs";
6
+ } from "./chunk-JK654W4P.mjs";
7
7
  export {
8
8
  DevAutoLogin,
9
9
  FederatedBridge,
package/dist/index.d.mts CHANGED
@@ -1,5 +1,5 @@
1
- import { C as CoreService, H as HttpController, T as ToastService } from './federation-UNcGnNB-.mjs';
2
- export { D as DevAutoLogin, F as FederatedBridge, M as MatchingObjectSubscription, R as ReducersBundle, a as ReducersBundleConfig, b as RemoteManifest, c as RemoteMenuItem, d as RemoteMenuSection, S as StandaloneProvider, e as ToastOptions, f as createReducersBundle } from './federation-UNcGnNB-.mjs';
1
+ import { C as CoreService, T as ToastService, I as IObservabilityPort, H as HttpController, a as InteractionPayload, V as VitalsPayload, B as BreadcrumbPayload } from './federation-Bhx0XhSP.mjs';
2
+ export { D as DevAutoLogin, F as FederatedBridge, M as MatchingObjectSubscription, R as ReducersBundle, b as ReducersBundleConfig, c as RemoteManifest, d as RemoteMenuItem, e as RemoteMenuSection, S as StandaloneProvider, f as ToastOptions, g as createReducersBundle } from './federation-Bhx0XhSP.mjs';
3
3
  import * as React from 'react';
4
4
  import { Dispatch } from 'react';
5
5
  import * as react_jsx_runtime from 'react/jsx-runtime';
@@ -34,8 +34,134 @@ interface NavigationConfig {
34
34
  }
35
35
  type NavigateFn = (path: string | number, config?: NavigationConfig, pageName?: string) => void;
36
36
 
37
+ type StatusSolicitacao = 'PENDENTE' | 'APROVADO' | 'REPROVADO' | 'CANCELADO' | 'EM_EXECUCAO';
38
+ interface SolicitacaoDeServico {
39
+ id: string | number;
40
+ status: StatusSolicitacao;
41
+ dataDeAbertura: string;
42
+ descricaoDoProblema: string;
43
+ solicitante: {
44
+ id: string | number;
45
+ nome: string;
46
+ };
47
+ recurso?: {
48
+ id: string | number;
49
+ nome: string;
50
+ };
51
+ recursoNome?: string;
52
+ prioridade?: 'BAIXA' | 'MEDIA' | 'ALTA' | 'URGENTE';
53
+ setor?: string;
54
+ equipamento?: string;
55
+ }
56
+
37
57
  declare const CoreServiceContext: React.Context<CoreService | null>;
38
58
 
59
+ declare class FetchHttpAdapter implements HttpController {
60
+ private endpoint;
61
+ constructor(endpoint: string);
62
+ private request;
63
+ get(path?: string): Promise<any>;
64
+ post(path?: string, data?: any): Promise<any>;
65
+ put(path?: string, data?: any): Promise<any>;
66
+ patch(path?: string, data?: any): Promise<any>;
67
+ delete(path?: string, id?: string | number): Promise<any>;
68
+ deleteSimple(path?: string): Promise<any>;
69
+ save(path?: string, data?: any): Promise<any>;
70
+ read(path?: string, id?: string | number): Promise<any>;
71
+ readAll(path?: string): Promise<any>;
72
+ readAllwithPage(path?: string): Promise<any>;
73
+ bulkDelete(path?: string): Promise<any>;
74
+ }
75
+ declare class CoreServiceBuilder {
76
+ private _toast;
77
+ private _httpEndpoint?;
78
+ private _rtdbConfig?;
79
+ private _hostedByCore;
80
+ private _observability;
81
+ private _tracing;
82
+ withToast(toast: ToastService): this;
83
+ withHttpEndpoint(url: string): this;
84
+ withRtdbConfig(config: any): this;
85
+ setHostedByCore(hosted: boolean): this;
86
+ withObservability(observability: IObservabilityPort): this;
87
+ /**
88
+ * Ativa Distributed Tracing W3C nos controllers HTTP.
89
+ * Quando habilitado, `createController` retorna `TracingHttpAdapter` em vez de `FetchHttpAdapter`.
90
+ * O header `traceparent` é injetado em todas as requisições automaticamente.
91
+ */
92
+ withTracing(enabled?: boolean): this;
93
+ build(): CoreService;
94
+ }
95
+
96
+ declare class NullToastService implements ToastService {
97
+ success(message: string): void;
98
+ warning(message: string): void;
99
+ error(message: string): void;
100
+ info(message: string): void;
101
+ }
102
+ declare class NullHttpController implements HttpController {
103
+ private logAndResolve;
104
+ get(path?: string): Promise<never[]>;
105
+ post(path?: string): Promise<never[]>;
106
+ put(path?: string): Promise<never[]>;
107
+ patch(path?: string): Promise<never[]>;
108
+ delete(path?: string, id?: string | number): Promise<never[]>;
109
+ deleteSimple(path?: string): Promise<never[]>;
110
+ save(path?: string): Promise<never[]>;
111
+ read(path?: string, id?: string | number): Promise<never[]>;
112
+ readAll(path?: string): Promise<never[]>;
113
+ readAllwithPage(path?: string): Promise<never[]>;
114
+ bulkDelete(path?: string): Promise<never[]>;
115
+ }
116
+ declare const NullCoreService: CoreService;
117
+
118
+ /**
119
+ * Null Object Pattern — implementação fallback de `IObservabilityPort`.
120
+ * Apenas loga no console; substitua pela implementação real (Datadog/Sentry/Grafana)
121
+ * via `CoreServiceBuilder.withObservability()` no host.
122
+ */
123
+ declare class NullObservabilityAdapter implements IObservabilityPort {
124
+ trackInteraction(payload: InteractionPayload): void;
125
+ captureVitals(payload: VitalsPayload): void;
126
+ logBreadcrumb(payload: BreadcrumbPayload): void;
127
+ }
128
+
129
+ /**
130
+ * Decorator de HTTP que implementa Distributed Tracing via W3C TraceContext.
131
+ *
132
+ * - Gera um `trace-id` único por instância (cobre todos os spans de um contexto/controller).
133
+ * - Gera um `span-id` único por requisição HTTP.
134
+ * - Injeta o header `traceparent` em todas as chamadas: GET, POST, PUT, PATCH, DELETE, etc.
135
+ * - Mesclado com quaisquer `extraHeaders` já presentes na chamada.
136
+ *
137
+ * Uso via CoreServiceBuilder:
138
+ * ```ts
139
+ * new CoreServiceBuilder()
140
+ * .withHttpEndpoint(process.env.REACT_APP_END_POINT)
141
+ * .withTracing()
142
+ * .build()
143
+ * ```
144
+ */
145
+ declare class TracingHttpAdapter implements HttpController {
146
+ private readonly endpoint;
147
+ /** Identificador único desta cadeia de spans — compartilhado por todas as reqs do controller. */
148
+ private readonly traceId;
149
+ constructor(endpoint: string);
150
+ private mergeHeaders;
151
+ private request;
152
+ get(path?: string): Promise<any>;
153
+ post(path?: string, data?: any, extraHeaders?: Record<string, string>): Promise<any>;
154
+ put(path?: string, data?: any, extraHeaders?: Record<string, string>): Promise<any>;
155
+ patch(path?: string, data?: any, extraHeaders?: Record<string, string>): Promise<any>;
156
+ delete(path?: string, id?: string | number, extraHeaders?: Record<string, string>): Promise<any>;
157
+ deleteSimple(path?: string, extraHeaders?: Record<string, string>): Promise<any>;
158
+ save(path?: string, data?: any, extraHeaders?: Record<string, string>): Promise<any>;
159
+ read(path?: string, id?: string | number, extraHeaders?: Record<string, string>): Promise<any>;
160
+ readAll(path?: string, extraHeaders?: Record<string, string>): Promise<any>;
161
+ readAllwithPage(path?: string): Promise<any>;
162
+ bulkDelete(path?: string, ids?: (string | number)[], extraHeaders?: Record<string, string>): Promise<any>;
163
+ }
164
+
39
165
  declare function useCoreService(): CoreService;
40
166
 
41
167
  declare function useHttpController(context: string, baseEndPoint?: string): HttpController;
@@ -80,6 +206,16 @@ interface NavigatorConfig {
80
206
  */
81
207
  declare function useNavigator(config: NavigatorConfig): NavigateFn;
82
208
 
209
+ /**
210
+ * Atalho para acessar o Port de observabilidade via React context.
211
+ * Retorna a implementação real (quando fornecida pelo host) ou o NullObservabilityAdapter.
212
+ *
213
+ * @example
214
+ * const obs = useObservability()
215
+ * obs.logBreadcrumb({ category: 'action', message: 'Solicitação aprovada', data: { id } })
216
+ */
217
+ declare function useObservability(): IObservabilityPort;
218
+
83
219
  interface FetchDataReturn<T = any> {
84
220
  data: T | null;
85
221
  loading: boolean;
@@ -198,6 +334,36 @@ declare const _default: redux.Reducer<PickerState>;
198
334
 
199
335
  declare function pickTextColorBasedOnBgColorAdvanced(bgColor: string, lightColor: string, darkColor: string): string;
200
336
 
337
+ /**
338
+ * Instala PerformanceObserver para LCP e CLS automaticamente no bootstrap do módulo.
339
+ * Fallback silencioso em ambientes que não suportam a API (Node, browsers antigos).
340
+ *
341
+ * @param observability - Implementação de IObservabilityPort para receber as métricas.
342
+ */
343
+ declare function initWebVitals(observability: IObservabilityPort): void;
344
+
345
+ /**
346
+ * Utilitários de Distributed Tracing seguindo a especificação W3C TraceContext.
347
+ * https://www.w3.org/TR/trace-context/
348
+ */
349
+ /**
350
+ * Gera um trace-id de 128 bits (32 chars hex) conforme W3C TraceContext.
351
+ * Usado uma vez por instância de adapter — identifica toda a cadeia de spans de um contexto.
352
+ */
353
+ declare function generateTraceId(): string;
354
+ /**
355
+ * Gera um span-id de 64 bits (16 chars hex) conforme W3C TraceContext.
356
+ * Chamado a cada requisição HTTP — identifica um span individual.
357
+ */
358
+ declare function generateSpanId(): string;
359
+ /**
360
+ * Monta o header `traceparent` no formato W3C:
361
+ * `{version}-{traceId}-{spanId}-{flags}`
362
+ *
363
+ * Flags: `01` = sampled (enviado ao coletor), `00` = não-amostrado.
364
+ */
365
+ declare function buildTraceparent(traceId: string, spanId: string, sampled?: boolean): string;
366
+
201
367
  /**
202
368
  * Formats a date for display in Brazilian format.
203
369
  * Corresponds to the duplicated dateUtils.js in SGM/SGP/Services/default/.
@@ -219,4 +385,4 @@ declare function removeAccents(str: string): string;
219
385
  declare function slugify(str: string): string;
220
386
  declare function isBlank(str: string | null | undefined): boolean;
221
387
 
222
- export { CoreService, CoreServiceContext, HttpController, type NavigateFn, type NavigationConfig, type Notification, type NotificationState, RecursoDisplayer, ToastService, addDays, _default$1 as branchLevelReducer, capitalize, clearBranchLevelForm, clearPicker, daysBetween, formatDate, formatDateTime, isBlank, isDateAfter, isDateBefore, pickTextColorBasedOnBgColorAdvanced, _default as pickerReducer, populateToEdit, removeAccents, setColor, setExcludeLevels, setHaveComponente, setLevel, setLevels, setNome, setPickerContext, setPickerItems, setPickerSelected, setPickerVisible, slugify, toISOString, truncate, useAnexoUpload, useCoreService, useFetchData, useFormStorage, useHttpController, useMatchingObject, useNavigator, useNotifications, usePostData, useSmartSearch, useToast, useValidation };
388
+ export { BreadcrumbPayload, CoreService, CoreServiceBuilder, CoreServiceContext, FetchHttpAdapter, HttpController, IObservabilityPort, InteractionPayload, type NavigateFn, type NavigationConfig, type Notification, type NotificationState, NullCoreService, NullHttpController, NullObservabilityAdapter, NullToastService, RecursoDisplayer, type SolicitacaoDeServico, type StatusSolicitacao, ToastService, TracingHttpAdapter, VitalsPayload, addDays, _default$1 as branchLevelReducer, buildTraceparent, capitalize, clearBranchLevelForm, clearPicker, daysBetween, formatDate, formatDateTime, generateSpanId, generateTraceId, initWebVitals, isBlank, isDateAfter, isDateBefore, pickTextColorBasedOnBgColorAdvanced, _default as pickerReducer, populateToEdit, removeAccents, setColor, setExcludeLevels, setHaveComponente, setLevel, setLevels, setNome, setPickerContext, setPickerItems, setPickerSelected, setPickerVisible, slugify, toISOString, truncate, useAnexoUpload, useCoreService, useFetchData, useFormStorage, useHttpController, useMatchingObject, useNavigator, useNotifications, useObservability, usePostData, useSmartSearch, useToast, useValidation };